diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index f0f72168d..274993c62 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -219,8 +219,9 @@ uiTheme: 'theme-dark' // set interface theme: id or default-dark/default-light }, coEditing: { - mode: 'fast', // , 'fast' or 'strict'. if 'fast' and 'customization.autosave'=false -> set 'customization.autosave'=true - change: true, // can change co-authoring mode + mode: 'fast', // , 'fast' or 'strict'. if 'fast' and 'customization.autosave'=false -> set 'customization.autosave'=true. 'fast' - default for editor + // for viewer: 'strict' is default, offline viewer; 'fast' - live viewer, show changes from other users + change: true, // can change co-authoring mode. true - default for editor, false - default for viewer }, plugins: { autostart: ['asc.{FFE1F462-1EA2-4391-990D-4CC84940B754}'], @@ -913,7 +914,7 @@ if ( typeof(customization) == 'object' && ( customization.toolbarNoTabs || (config.editorConfig.targetApp!=='desktop') && (customization.loaderName || customization.loaderLogo))) { index = "/index_loader.html"; - } else if (config.editorConfig.mode === 'editdiagram' || config.editorConfig.mode === 'editmerge') + } else if (config.editorConfig.mode === 'editdiagram' || config.editorConfig.mode === 'editmerge' || config.editorConfig.mode === 'editole') index = "/index_internal.html"; } @@ -947,7 +948,7 @@ } } - if (config.editorConfig && (config.editorConfig.mode == 'editdiagram' || config.editorConfig.mode == 'editmerge')) + if (config.editorConfig && (config.editorConfig.mode == 'editdiagram' || config.editorConfig.mode == 'editmerge' || config.editorConfig.mode == 'editole')) params += "&internal=true"; if (config.frameEditorId) diff --git a/apps/api/wopi/editor-wopi.ejs b/apps/api/wopi/editor-wopi.ejs index 28b1860fd..c27569981 100644 --- a/apps/api/wopi/editor-wopi.ejs +++ b/apps/api/wopi/editor-wopi.ejs @@ -262,7 +262,7 @@ div { var config = { "width": "100%", "height": "100%", - "type": "desktop", + "type": queryParams.embed==="1" ? "embedded" : "desktop", "documentType": documentType, "token": token, "document": { @@ -302,7 +302,7 @@ div { "uiTheme": queryParams.thm==="1" ? "default-light" : (queryParams.thm==="2" ? "default-dark" : undefined) }, "coEditing": { - "mode": "fast", + "mode": userAuth.mode !== "view" ? "fast" : "strict", "change": false }, "wopi": { diff --git a/apps/common/embed/lib/controller/modals.js b/apps/common/embed/lib/controller/modals.js index d8802955a..b79db74d4 100644 --- a/apps/common/embed/lib/controller/modals.js +++ b/apps/common/embed/lib/controller/modals.js @@ -57,6 +57,16 @@ $dlgShare.find('#btn-copyshort').on('click', copytext.bind(this, $dlgShare.find('#id-short-url'))); $dlgShare.find('.share-buttons > span').on('click', function(e){ + if ( window.config ) { + const key = $(e.target).attr('data-name'); + const btn = config.btnsShare[key]; + if ( btn && btn.getUrl ) { + window.open(btn.getUrl(appConfig.shareUrl, appConfig.docTitle), btn.target || '', + btn.features || 'menubar=no,toolbar=no,resizable=yes,scrollbars=yes,height=300,width=600'); + return; + } + } + var _url; switch ($(e.target).attr('data-name')) { case 'facebook': diff --git a/apps/common/embed/lib/view/SearchBar.js b/apps/common/embed/lib/view/SearchBar.js new file mode 100644 index 000000000..7800e132b --- /dev/null +++ b/apps/common/embed/lib/view/SearchBar.js @@ -0,0 +1,77 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2020 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * SearchBar.js + * + * Created by Julia Svinareva on 27.04.2022 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +!window.common && (window.common = {}); +!common.view && (common.view = {}); +common.view.SearchBar = new(function() { + var tpl = ''; + var tplBody = '' + + '
' + + '' + + '' + + '' + + '
'; + + return { + create: function(parent) { + !parent && (parent = 'body'); + + var _$dlg = $(tpl + .replace(/\{body}/, tplBody) + .replace(/\{textFind}/, this.textFind)) + .appendTo(parent) + .attr('id', 'dlg-search'); + + return _$dlg; + }, + + disableNavButtons: function (resultNumber, allResults) { + var disable = $('#search-bar-text').val() === ''; + $('#search-bar-back').attr({disabled: disable || !allResults || resultNumber === 0}); + $('#search-bar-next').attr({disabled: disable || resultNumber + 1 === allResults}); + }, + + textFind: 'Find' + + }; +})(); \ No newline at end of file diff --git a/apps/common/embed/lib/view/modals.js b/apps/common/embed/lib/view/modals.js index 8f9c9760d..41eb7b846 100644 --- a/apps/common/embed/lib/view/modals.js +++ b/apps/common/embed/lib/view/modals.js @@ -73,6 +73,20 @@ common.view.modals = new(function() { var _$dlg; if (name == 'share') { + if ( window.config && window.config.btnsShare ) { + let _btns = []; + for (const key of Object.keys(config.btnsShare)) + _btns.push(``); + + if ( _btns ) { + let $sharebox = $(_tplbody_share); + $sharebox.find('.autotest').prevAll().remove(); + $sharebox.eq(1).prepend(_btns.join('')); + + _tplbody_share = $("
").append($sharebox).html(); + } + } + _$dlg = $(tplDialog .replace(/\{title}/, this.txtShare) .replace(/\{body}/, _tplbody_share) diff --git a/apps/common/embed/resources/img/icon-menu-sprite.svg b/apps/common/embed/resources/img/icon-menu-sprite.svg index 97b51fd3e..c04600809 100644 --- a/apps/common/embed/resources/img/icon-menu-sprite.svg +++ b/apps/common/embed/resources/img/icon-menu-sprite.svg @@ -1,4 +1,4 @@ - + @@ -148,5 +148,23 @@ + + + + + + + + + + + + + + + + + + diff --git a/apps/common/embed/resources/less/common.less b/apps/common/embed/resources/less/common.less index 1d6c7bbf0..5d588ee1d 100644 --- a/apps/common/embed/resources/less/common.less +++ b/apps/common/embed/resources/less/common.less @@ -503,7 +503,7 @@ @icon-height: 20px; .svg-icon { background: data-uri('../../../../common/embed/resources/img/icon-menu-sprite.svg') no-repeat; - background-size: @icon-width*19 @icon-height*2; + background-size: @icon-width*22 @icon-height*2; &.download { background-position: -@icon-width 0; @@ -557,6 +557,18 @@ &.more-vertical { background-position: -@icon-width*14 0; } + &.search-close { + background-position: -@icon-width*18 0; + } + &.search { + background-position: -@icon-width*19 0; + } + &.search-arrow-up { + background-position: -@icon-width*20 0; + } + &.search-arrow-down { + background-position: -@icon-width*21 0; + } } .mi-icon { @@ -785,4 +797,73 @@ font-weight: normal; } } +} + +#id-search { + button.active { + background-color: @btnActiveColor !important; + background-position: -@icon-width*19 -@icon-height; + } +} + +.search-window { + width: 301px; + height: 54px; + z-index: 50; + position: fixed; + + box-shadow: 0 5px 15px rgba(0,0,0,0.2); + border-radius: 5px; + border: solid 1px #CBCBCB; + + .body { + width: 100%; + height: 100%; + border-radius: 5px; + background-color: #FFFFFF; + display: flex; + padding: 16px; + + input { + width: 192px; + height: 22px; + border-radius: 2px; + box-shadow: none; + border: solid 1px #CFCFCF; + padding: 1px 3px; + color: #444444; + font-size: 11px; + + &::placeholder { + color: #CFCFCF; + } + + &:focus { + border-color: #848484; + outline: 0; + } + } + + .tools { + display: flex; + + button { + border: none; + margin-left: 7px; + cursor: pointer; + width: 20px; + height: 20px; + opacity: 0.8; + + &:hover:not(:disabled) { + background-color: #d8dadc; + } + + &:disabled { + opacity: 0.4; + cursor: default; + } + } + } + } } \ No newline at end of file diff --git a/apps/common/forms/resources/img/icon-menu-sprite.svg b/apps/common/forms/resources/img/icon-menu-sprite.svg index 5ce3f5827..ffd9929f8 100644 --- a/apps/common/forms/resources/img/icon-menu-sprite.svg +++ b/apps/common/forms/resources/img/icon-menu-sprite.svg @@ -1,4 +1,4 @@ - + @@ -184,5 +184,25 @@ + + + + + + + + + + + + + + + + + + + + diff --git a/apps/common/forms/resources/less/common.less b/apps/common/forms/resources/less/common.less index c1a0ccd51..c49c2dfc8 100644 --- a/apps/common/forms/resources/less/common.less +++ b/apps/common/forms/resources/less/common.less @@ -439,7 +439,7 @@ .svg-icon { background: data-uri('../../../../common/forms/resources/img/icon-menu-sprite.svg') no-repeat; - background-size: @icon-width*24 @icon-height*2; + background-size: @icon-width*27 @icon-height*2; &.download { background-position: -@icon-width 0; @@ -531,6 +531,18 @@ background-position: -@icon-width*23 0; background-position: -@icon-width*23 @icon-normal-top; } + &.search { + background-position: -@icon-width*24 0; + background-position: -@icon-width*24 @icon-normal-top; + } + &.btn-sheet-view { + background-position: -@icon-width*25 0; + background-position: -@icon-width*25 @icon-normal-top; + } + &.hide-password { + background-position: -@icon-width*26 0; + background-position: -@icon-width*26 @icon-normal-top; + } } .btn { diff --git a/apps/common/locale.js b/apps/common/locale.js index ce2d95a60..db8f29318 100644 --- a/apps/common/locale.js +++ b/apps/common/locale.js @@ -40,7 +40,8 @@ Common.Locale = new(function() { var loadcallback, apply = false, defLang = '{{DEFAULT_LANG}}', - currentLang = defLang; + currentLang = defLang, + _4letterLangs = ['pt-pt', 'zh-tw']; var _applyLocalization = function(callback) { try { @@ -100,11 +101,16 @@ Common.Locale = new(function() { var _requireLang = function (l) { typeof l != 'string' && (l = null); - var lang = (l || _getUrlParameterByName('lang') || defLang).split(/[\-_]/)[0]; + var lang = (l || _getUrlParameterByName('lang') || defLang); + var idx4Letters = _4letterLangs.indexOf(lang.replace('_', '-').toLowerCase()); // try to load 4 letters language + lang = (idx4Letters<0) ? lang.split(/[\-_]/)[0] : _4letterLangs[idx4Letters]; currentLang = lang; fetch('locale/' + lang + '.json') .then(function(response) { if (!response.ok) { + if (idx4Letters>=0) { // try to load 2-letters language + throw new Error('4letters error'); + } currentLang = defLang; if (lang != defLang) /* load default lang if fetch failed */ @@ -128,6 +134,12 @@ Common.Locale = new(function() { l10n = json || {}; apply && _applyLocalization(); }).catch(function(e) { + if ( /4letters/.test(e) ) { + return setTimeout(function(){ + _requireLang(lang.split(/[\-_]/)[0]); + }, 0); + } + if ( !/loaded/.test(e) && currentLang != defLang && defLang && defLang.length < 3 ) { return setTimeout(function(){ _requireLang(defLang) diff --git a/apps/common/main/lib/component/ColorButton.js b/apps/common/main/lib/component/ColorButton.js index e33631d3b..8e2a2280b 100644 --- a/apps/common/main/lib/component/ColorButton.js +++ b/apps/common/main/lib/component/ColorButton.js @@ -55,12 +55,15 @@ define([ getPicker: function(color, colors) { if (!this.colorPicker) { - this.colorPicker = new Common.UI.ThemeColorPalette({ + var config = { el: this.cmpEl.find('#' + this.menu.id + '-color-menu'), - transparent: this.options.transparent, value: color, colors: colors - }); + }; + (this.options.transparent!==undefined) && (config['transparent'] = this.options.transparent); + (this.options.hideEmptyColors!==undefined) && (config['hideEmptyColors'] = this.options.hideEmptyColors); + + this.colorPicker = new Common.UI.ThemeColorPalette(config); 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) { @@ -80,7 +83,7 @@ define([ getMenu: function(options) { if (typeof this.menu !== 'object') { options = options || this.options; - var height = options.paletteHeight || 240, + var height = options.paletteHeight ? options.paletteHeight + 'px' : 'auto', id = Common.UI.getId(), auto = []; if (options.auto) { @@ -98,7 +101,8 @@ define([ cls: 'shifted-left', additionalAlign: options.additionalAlign, items: (options.additionalItems ? options.additionalItems : []).concat(auto).concat([ - { template: _.template('
') }, + { template: _.template('
') }, + {caption: '--'}, { id: id + '-color-new', template: _.template('' + this.textNewColor + '') diff --git a/apps/common/main/lib/component/ComboBoxFonts.js b/apps/common/main/lib/component/ComboBoxFonts.js index de9b2a3d0..0246c3f34 100644 --- a/apps/common/main/lib/component/ComboBoxFonts.js +++ b/apps/common/main/lib/component/ComboBoxFonts.js @@ -66,12 +66,12 @@ define([ spriteCols = 1, applicationPixelRatio = Common.Utils.applicationPixelRatio(); - if (typeof window['AscDesktopEditor'] === 'object') { - thumbs[0].path = window['AscDesktopEditor'].getFontsSprite(''); - thumbs[1].path = window['AscDesktopEditor'].getFontsSprite('@1.25x'); - thumbs[2].path = window['AscDesktopEditor'].getFontsSprite('@1.5x'); - thumbs[3].path = window['AscDesktopEditor'].getFontsSprite('@1.75x'); - thumbs[4].path = window['AscDesktopEditor'].getFontsSprite('@2x'); + if ( Common.Controllers.Desktop.isActive() ) { + thumbs[0].path = Common.Controllers.Desktop.call('getFontsSprite'); + thumbs[1].path = Common.Controllers.Desktop.call('getFontsSprite', '@1.25x'); + thumbs[2].path = Common.Controllers.Desktop.call('getFontsSprite', '@1.5x'); + thumbs[3].path = Common.Controllers.Desktop.call('getFontsSprite', '@1.75x'); + thumbs[4].path = Common.Controllers.Desktop.call('getFontsSprite', '@2x'); } var bestDistance = Math.abs(applicationPixelRatio-thumbs[0].ratio); @@ -88,6 +88,124 @@ define([ thumbCanvas.height = thumbs[thumbIdx].height; thumbCanvas.width = thumbs[thumbIdx].width; + function CThumbnailLoader() { + this.supportBinaryFormat = !(Common.Controllers.Desktop.isActive() && !Common.Controllers.isFeatureAvailable('isSupportBinaryFontsSprite')); + + this.image = null; + this.binaryFormat = null; + this.data = null; + this.width = 0; + this.height = 0; + this.heightOne = 0; + this.count = 0; + + this.load = function(url, callback) { + if (!callback) + return; + + if (!this.supportBinaryFormat) { + this.width = thumbs[thumbIdx].width; + this.heightOne = thumbs[thumbIdx].height; + + this.image = new Image(); + this.image.onload = callback; + this.image.src = thumbs[thumbIdx].path; + } else { + var me = this; + var xhr = new XMLHttpRequest(); + xhr.open('GET', url + ".bin", true); + xhr.responseType = 'arraybuffer'; + + if (xhr.overrideMimeType) + xhr.overrideMimeType('text/plain; charset=x-user-defined'); + else + xhr.setRequestHeader('Accept-Charset', 'x-user-defined'); + + xhr.onload = function() { + // TODO: check errors + me.binaryFormat = this.response; + callback(); + }; + + xhr.send(null); + } + }; + + this.openBinary = function(arrayBuffer) { + //var t1 = performance.now(); + + var binaryAlpha = new Uint8Array(arrayBuffer); + this.width = (binaryAlpha[0] << 24) | (binaryAlpha[1] << 16) | (binaryAlpha[2] << 8) | (binaryAlpha[3] << 0); + this.heightOne = (binaryAlpha[4] << 24) | (binaryAlpha[5] << 16) | (binaryAlpha[6] << 8) | (binaryAlpha[7] << 0); + this.count = (binaryAlpha[8] << 24) | (binaryAlpha[9] << 16) | (binaryAlpha[10] << 8) | (binaryAlpha[11] << 0); + this.height = this.count * this.heightOne; + + this.data = new Uint8ClampedArray(4 * this.width * this.height); + + var binaryIndex = 12; + var binaryLen = binaryAlpha.length; + var imagePixels = this.data; + var index = 0; + + var len0 = 0; + var tmpValue = 0; + while (binaryIndex < binaryLen) { + tmpValue = binaryAlpha[binaryIndex++]; + if (0 == tmpValue) { + len0 = binaryAlpha[binaryIndex++]; + while (len0 > 0) { + len0--; + imagePixels[index] = imagePixels[index + 1] = imagePixels[index + 2] = 255; + imagePixels[index + 3] = 0; // this value is already 0. + index += 4; + } + } else { + imagePixels[index] = imagePixels[index + 1] = imagePixels[index + 2] = 255 - tmpValue; + imagePixels[index + 3] = tmpValue; + index += 4; + } + } + + //var t2 = performance.now(); + //console.log(t2 - t1); + }; + + this.getImage = function(index, canvas, ctx) { + + //var t1 = performance.now(); + if (!canvas) + { + canvas = document.createElement("canvas"); + canvas.width = this.width; + canvas.height = this.heightOne; + canvas.style.width = iconWidth + "px"; + canvas.style.height = iconHeight + "px"; + + ctx = canvas.getContext("2d"); + } + + if (this.supportBinaryFormat) { + if (!this.data) { + this.openBinary(this.binaryFormat); + delete this.binaryFormat; + } + + var dataTmp = ctx.createImageData(this.width, this.heightOne); + var sizeImage = 4 * this.width * this.heightOne; + dataTmp.data.set(new Uint8ClampedArray(this.data.buffer, index * sizeImage, sizeImage)); + ctx.putImageData(dataTmp, 0, 0); + } else { + ctx.clearRect(0, 0, this.width, this.heightOne); + ctx.drawImage(this.image, 0, -this.heightOne * index); + } + + //var t2 = performance.now(); + //console.log(t2 - t1); + + return canvas; + }; + } + return { template: _.template([ '
', @@ -305,10 +423,8 @@ define([ return img != null ? img[0].src : undefined; } - thumbContext.clearRect(0, 0, thumbs[thumbIdx].width, thumbs[thumbIdx].height); - thumbContext.drawImage(this.spriteThumbs, 0, -thumbs[thumbIdx].height * Math.floor(opts.imgidx/spriteCols)); - - return thumbCanvas.toDataURL(); + var index = Math.floor(opts.imgidx/spriteCols); + return this.spriteThumbs.getImage(index, thumbCanvas, thumbContext).toDataURL(); }, getImageWidth: function() { @@ -324,11 +440,8 @@ define([ }, loadSprite: function(callback) { - if (callback) { - this.spriteThumbs = new Image(); - this.spriteThumbs.onload = callback; - this.spriteThumbs.src = thumbs[thumbIdx].path; - } + this.spriteThumbs = new CThumbnailLoader(); + this.spriteThumbs.load(thumbs[thumbIdx].path, callback); }, fillFonts: function(store, select) { @@ -457,6 +570,7 @@ define([ this.trigger('show:after', this, e); this.flushVisibleFontsTiles(); this.updateVisibleFontsTiles(null, 0); + Common.Utils.isGecko && this.scroller && this.scroller.update(); } else { Common.UI.ComboBox.prototype.onAfterShowMenu.apply(this, arguments); } @@ -553,19 +667,8 @@ define([ for (j = 0; j < storeCount; ++j) { if (from <= j && j < to) { if (null === me.tiles[j]) { - var fontImage = document.createElement('canvas'); - var context = fontImage.getContext('2d'); - - fontImage.height = thumbs[thumbIdx].height; - fontImage.width = thumbs[thumbIdx].width; - - fontImage.style.width = iconWidth + 'px'; - fontImage.style.height = iconHeight + 'px'; - index = Math.floor(me.store.at(j).get('imgidx')/spriteCols); - - context.clearRect(0, 0, thumbs[thumbIdx].width, thumbs[thumbIdx].height); - context.drawImage(me.spriteThumbs, 0, -thumbs[thumbIdx].height * index); + var fontImage = me.spriteThumbs.getImage(index); me.tiles[j] = fontImage; $(listItems[j]).get(0).appendChild(fontImage); diff --git a/apps/common/main/lib/component/ComboDataViewShape.js b/apps/common/main/lib/component/ComboDataViewShape.js index f6737f9a4..5de245ba7 100644 --- a/apps/common/main/lib/component/ComboDataViewShape.js +++ b/apps/common/main/lib/component/ComboDataViewShape.js @@ -128,6 +128,39 @@ define([ recents = Common.localStorage.getItem(this.appPrefix + 'recent-shapes'); recents = recents ? JSON.parse(recents) : []; + // check lang + if (recents.length > 0) { + var isTranslated = _.findWhere(groups, {groupName: recents[0].groupName}); + if (!isTranslated) { + for (var r = 0; r < recents.length; r++) { + var type = recents[r].data.shapeType, + record; + for (var g = 0; g < groups.length; g++) { + var store = groups[g].groupStore, + groupName = groups[g].groupName; + for (var i = 0; i < store.length; i++) { + if (store.at(i).get('data').shapeType === type) { + record = store.at(i).toJSON(); + recents[r] = { + data: record.data, + tip: record.tip, + allowSelected: record.allowSelected, + selected: false, + groupName: groupName + }; + break; + } + } + if (record) { + record = undefined; + break; + } + } + } + Common.localStorage.setItem(this.appPrefix + 'recent-shapes', JSON.stringify(recents)); + } + } + if (recents.length < 12) { var count = 12 - recents.length; diff --git a/apps/common/main/lib/component/DataView.js b/apps/common/main/lib/component/DataView.js index 3444a6c88..859df45c4 100644 --- a/apps/common/main/lib/component/DataView.js +++ b/apps/common/main/lib/component/DataView.js @@ -223,6 +223,7 @@ define([ listenStoreEvents: true, allowScrollbar: true, scrollAlwaysVisible: false, + minScrollbarLength: 40, showLast: true, useBSKeydown: false, cls: '' @@ -272,6 +273,7 @@ define([ me.listenStoreEvents= (me.options.listenStoreEvents!==undefined) ? me.options.listenStoreEvents : true; me.allowScrollbar = (me.options.allowScrollbar!==undefined) ? me.options.allowScrollbar : true; me.scrollAlwaysVisible = me.options.scrollAlwaysVisible || false; + me.minScrollbarLength = me.options.minScrollbarLength || 40; me.tabindex = me.options.tabindex || 0; me.delayRenderTips = me.options.delayRenderTips || false; if (me.parentMenu) @@ -355,7 +357,7 @@ define([ this.scroller = new Common.UI.Scroller({ el: $(this.el).find('.inner').addBack().filter('.inner'), useKeyboard: this.enableKeyEvents && !this.handleSelect, - minScrollbarLength : 40, + minScrollbarLength : this.minScrollbarLength, wheelSpeed: 10, alwaysVisibleY: this.scrollAlwaysVisible }); @@ -397,13 +399,7 @@ define([ }); if (record) { - if (this.delaySelect) { - setTimeout(function () { - record.set({selected: true}); - }, 300); - } else { - record.set({selected: true}); - } + record.set({selected: true}); } } else { if (record) @@ -480,12 +476,12 @@ define([ var me = this, view_el = $(view.el), tip = record.get('tip'); - if (tip) { + if (tip!==undefined && tip!==null) { if (this.delayRenderTips) view_el.one('mouseenter', function(){ // hide tooltip when mouse is over menu view_el.attr('data-toggle', 'tooltip'); view_el.tooltip({ - title : tip, + title : record.get('tip'), // use actual tip, because it can be changed placement : 'cursor', zIndex : me.tipZIndex }); @@ -494,7 +490,7 @@ define([ else { view_el.attr('data-toggle', 'tooltip'); view_el.tooltip({ - title : tip, + title : record.get('tip'), // use actual tip, because it can be changed placement : 'cursor', zIndex : me.tipZIndex }); @@ -554,7 +550,7 @@ define([ this.scroller = new Common.UI.Scroller({ el: $(this.el).find('.inner').addBack().filter('.inner'), useKeyboard: this.enableKeyEvents && !this.handleSelect, - minScrollbarLength : 40, + minScrollbarLength : this.minScrollbarLength, wheelSpeed: 10, alwaysVisibleY: this.scrollAlwaysVisible }); @@ -607,14 +603,30 @@ define([ window._event = e; // for FireFox only - if (this.showLast) this.selectRecord(record); + if (this.showLast) { + if (!this.delaySelect) { + this.selectRecord(record); + } else { + _.each(this.store.where({selected: true}), function(rec){ + rec.set({selected: false}); + }); + if (record) { + setTimeout(_.bind(function () { + record.set({selected: true}); + this.trigger('item:click', this, view, record, e); + }, this), 300); + } + } + } this.lastSelectedRec = null; var tip = view.$el.data('bs.tooltip'); if (tip) (tip.tip()).remove(); if (!this.isSuspendEvents) { - this.trigger('item:click', this, view, record, e); + if (!this.delaySelect) { + this.trigger('item:click', this, view, record, e); + } } }, @@ -793,6 +805,12 @@ define([ setEmptyText: function(emptyText) { this.emptyText = emptyText; + + if (this.store.length < 1) { + var el = $(this.el).find('.inner').addBack().filter('.inner').find('.empty-text td'); + if ( el.length>0 ) + el.text(this.emptyText); + } }, alignPosition: function() { @@ -806,7 +824,7 @@ define([ paddings = parseInt(menuRoot.css('padding-top')) + parseInt(menuRoot.css('padding-bottom')), menuH = menuRoot.outerHeight(), top = parseInt(menuRoot.css('top')), - props = {minScrollbarLength : 40}; + props = {minScrollbarLength : this.minScrollbarLength}; this.scrollAlwaysVisible && (props.alwaysVisibleY = this.scrollAlwaysVisible); if (top + menuH > docH ) { @@ -977,7 +995,7 @@ define([ this.scroller = new Common.UI.Scroller({ el: $(this.el).find('.inner').addBack().filter('.inner'), useKeyboard: this.enableKeyEvents && !this.handleSelect, - minScrollbarLength : 40, + minScrollbarLength : this.minScrollbarLength, wheelSpeed: 10, alwaysVisibleY: this.scrollAlwaysVisible }); @@ -1069,7 +1087,7 @@ define([ this.scroller = new Common.UI.Scroller({ el: $(this.el).find('.inner').addBack().filter('.inner'), useKeyboard: this.enableKeyEvents && !this.handleSelect, - minScrollbarLength : 40, + minScrollbarLength : this.minScrollbarLength, wheelSpeed: 10, alwaysVisibleY: this.scrollAlwaysVisible }); @@ -1277,7 +1295,7 @@ define([ paddings = parseInt(menuRoot.css('padding-top')) + parseInt(menuRoot.css('padding-bottom')), menuH = menuRoot.outerHeight(), top = parseInt(menuRoot.css('top')), - props = {minScrollbarLength : 40}; + props = {minScrollbarLength : this.minScrollbarLength}; this.scrollAlwaysVisible && (props.alwaysVisibleY = this.scrollAlwaysVisible); if (top + menuH > docH ) { @@ -1387,6 +1405,39 @@ define([ me.recentShapes = recentArr; + // check lang + if (me.recentShapes.length > 0) { + var isTranslated = _.findWhere(me.groups, {groupName: me.recentShapes[0].groupName}); + if (!isTranslated) { + for (var r = 0; r < me.recentShapes.length; r++) { + var type = me.recentShapes[r].data.shapeType, + record; + for (var g = 0; g < me.groups.length; g++) { + var store = me.groups[g].groupStore, + groupName = me.groups[g].groupName; + for (var i = 0; i < store.length; i++) { + if (store.at(i).get('data').shapeType === type) { + record = store.at(i).toJSON(); + me.recentShapes[r] = { + data: record.data, + tip: record.tip, + allowSelected: record.allowSelected, + selected: false, + groupName: groupName + }; + break; + } + } + if (record) { + record = undefined; + break; + } + } + } + Common.localStorage.setItem(this.appPrefix + 'recent-shapes', JSON.stringify(me.recentShapes)); + } + } + // Add default recent if (me.recentShapes.length < 12) { @@ -1601,7 +1652,18 @@ define([ if (recents.length > 0 && diff) { me.recentShapes = recents; - me.groups[0].groupStore.reset(me.recentShapes); + var resentsStore = new Common.UI.DataViewStore(); + _.each(me.recentShapes, function (recent) { + var model = { + data: {shapeType: recent.data.shapeType}, + tip: recent.tip, + allowSelected: recent.allowSelected, + selected: recent.selected, + groupName: recent.groupName + }; + resentsStore.push(model); + }); + me.groups[0].groupStore = resentsStore; var store = new Common.UI.DataViewStore(); _.each(me.groups, function (group) { diff --git a/apps/common/main/lib/component/DimensionPicker.js b/apps/common/main/lib/component/DimensionPicker.js index c508a90e9..24aece99f 100644 --- a/apps/common/main/lib/component/DimensionPicker.js +++ b/apps/common/main/lib/component/DimensionPicker.js @@ -49,7 +49,7 @@ define([ Common.UI.DimensionPicker = Common.UI.BaseView.extend((function(){ return { options: { - itemSize : 18, + itemSize : 20, minRows : 5, minColumns : 5, maxRows : 20, diff --git a/apps/common/main/lib/component/InputField.js b/apps/common/main/lib/component/InputField.js index b2c7c3ed4..6fed5ad58 100644 --- a/apps/common/main/lib/component/InputField.js +++ b/apps/common/main/lib/component/InputField.js @@ -444,6 +444,9 @@ define([ 'class="form-control <%= cls %>" ', 'placeholder="<%= placeHolder %>" ', 'value="<%= value %>"', + 'data-hint="<%= dataHint %>"', + 'data-hint-offset="<%= dataHintOffset %>"', + 'data-hint-direction="<%= dataHintDirection %>"', '>', '', '
' + @@ -464,7 +467,10 @@ define([ name : this.name, placeHolder : this.placeHolder, spellcheck : this.spellcheck, - scope : me + scope : me, + dataHint : this.options.dataHint, + dataHintOffset: this.options.dataHintOffset, + dataHintDirection: this.options.dataHintDirection })); if (parentEl) { @@ -566,7 +572,8 @@ define([ validateOnBlur: true, disabled: false, editable: true, - iconCls: 'toolbar__icon btn-sheet-view', + showCls: 'toolbar__icon btn-sheet-view', + hideCls: 'toolbar__icon hide-password', btnHint: '', repeatInput: null, showPwdOnClick: true @@ -575,6 +582,7 @@ define([ initialize : function(options) { options = options || {}; options.btnHint = options.btnHint || this.textHintShowPwd; + options.iconCls = options.showCls || this.options.showCls; Common.UI.InputFieldBtn.prototype.initialize.call(this, options); @@ -605,11 +613,19 @@ define([ this.passwordHide(e); this.hidePwd = true; } + var me = this; + var prevstart = me._input[0].selectionStart, + prevend = me._input[0].selectionEnd; + setTimeout(function () { + me.focus(); + me._input[0].selectionStart = prevstart; + me._input[0].selectionEnd = prevend; + }, 1); }, passwordShow: function (e) { if (this.disabled) return; - this._button.setIconCls('toolbar__icon hide-password'); + this._button.setIconCls(this.options.hideCls); this.type = 'text'; this._input.attr('type', this.type); @@ -628,7 +644,7 @@ define([ }, passwordHide: function (e) { - this._button.setIconCls('toolbar__icon btn-sheet-view'); + this._button.setIconCls(this.options.showCls); this.type = 'password'; (this._input.val() !== '') && this._input.attr('type', this.type); @@ -643,6 +659,14 @@ define([ else { this._btnElm.off('mouseup', this.passwordHide); this._btnElm.off('mouseout', this.passwordHide); + var me = this; + var prevstart = me._input[0].selectionStart, + prevend = me._input[0].selectionEnd; + setTimeout(function () { + me.focus(); + me._input[0].selectionStart = prevstart; + me._input[0].selectionEnd = prevend; + }, 1); } }, textHintShowPwd: 'Show password', diff --git a/apps/common/main/lib/component/Menu.js b/apps/common/main/lib/component/Menu.js index b5eb87827..03e16cc01 100644 --- a/apps/common/main/lib/component/Menu.js +++ b/apps/common/main/lib/component/Menu.js @@ -377,12 +377,12 @@ define([ onBeforeShowMenu: function(e) { Common.NotificationCenter.trigger('menu:show'); this.trigger('show:before', this, e); - this.alignPosition(); + (e && e.target===e.currentTarget) && this.alignPosition(); }, onAfterShowMenu: function(e) { this.trigger('show:after', this, e); - if (this.scroller) { + if (this.scroller && e && e.target===e.currentTarget) { var menuRoot = this.menuRoot; if (this.wheelSpeed===undefined) { var item = menuRoot.find('> li:first'), @@ -664,7 +664,7 @@ define([ if (top + menuH > docH + cg.top) { menuRoot.css('max-height', (docH - top) + 'px'); (!this.scroller) && (this.scroller = new Common.UI.Scroller({ - el: this.$el.find('.dropdown-menu '), + el: this.$el.find('> .dropdown-menu '), minScrollbarLength: 30, suppressScrollX: true, alwaysVisibleY: this.scrollAlwaysVisible @@ -975,12 +975,12 @@ define([ onBeforeShowMenu: function(e) { Common.NotificationCenter.trigger('menu:show'); this.trigger('show:before', this, e); - this.alignPosition(); + (e && e.target===e.currentTarget) && this.alignPosition(); }, onAfterShowMenu: function(e) { this.trigger('show:after', this, e); - if (this.scroller) { + if (this.scroller && e && e.target===e.currentTarget) { this.scroller.update({alwaysVisibleY: this.scrollAlwaysVisible}); var menuRoot = this.menuRoot, $selected = menuRoot.find('> li .checked'); diff --git a/apps/common/main/lib/component/Mixtbar.js b/apps/common/main/lib/component/Mixtbar.js index 364c8464c..9b452c354 100644 --- a/apps/common/main/lib/component/Mixtbar.js +++ b/apps/common/main/lib/component/Mixtbar.js @@ -120,6 +120,7 @@ define([ Common.NotificationCenter.on('tab:visible', _.bind(function(action, visible){ this.setVisible(action, visible); }, this)); + Common.NotificationCenter.on('tab:resize', _.bind(this.onResizeTabs, this)); }, afterRender: function() { @@ -229,7 +230,7 @@ define([ // optsFold.timer = setTimeout(this.collapse, optsFold.timeout); }, - onResize: function(e) { + onResizeTabs: function(e) { if ( this.hasTabInvisible() ) { if ( !$boxTabs.parent().hasClass('short') ) $boxTabs.parent().addClass('short'); @@ -237,6 +238,10 @@ define([ if ( $boxTabs.parent().hasClass('short') ) { $boxTabs.parent().removeClass('short'); } + }, + + onResize: function(e) { + this.onResizeTabs(); this.hideMoreBtns(); this.processPanelVisible(); }, diff --git a/apps/common/main/lib/component/TabBar.js b/apps/common/main/lib/component/TabBar.js index b445a8477..d7a16a04c 100644 --- a/apps/common/main/lib/component/TabBar.js +++ b/apps/common/main/lib/component/TabBar.js @@ -513,10 +513,10 @@ define([ }, setTabVisible: function(index, suppress) { - if (index <= 0 || index == 'first') { + if (index <= 0) { this.$bar.scrollLeft(0); this.checkInvisible(suppress); - } else if ( index >= (this.tabs.length - 1) || index == 'last') { + } else if ( index >= (this.tabs.length - 1)) { var tab = this.tabs[this.tabs.length-1].$el; if (this.$bar.find('.separator-item').length === 0) { this.$bar.append('
  • '); @@ -610,7 +610,7 @@ define([ return false; }, - addDataHint: function (index) { //Hint Manager + addDataHint: function (index, dataHint) { //Hint Manager var oldHintTab = this.$bar.find('[data-hint]'); if (oldHintTab.length > 0) { oldHintTab.removeAttr('data-hint'); @@ -619,7 +619,7 @@ define([ oldHintTab.removeAttr('data-hint-title'); } var newHintTab = this.tabs[index].$el; - newHintTab.attr('data-hint', '0'); + newHintTab.attr('data-hint', dataHint || '0'); newHintTab.attr('data-hint-direction', 'top'); newHintTab.attr('data-hint-offset', 'medium'); newHintTab.attr('data-hint-title', 'M'); diff --git a/apps/common/main/lib/component/ThemeColorPalette.js b/apps/common/main/lib/component/ThemeColorPalette.js index 770dc4231..1af6e825b 100644 --- a/apps/common/main/lib/component/ThemeColorPalette.js +++ b/apps/common/main/lib/component/ThemeColorPalette.js @@ -52,7 +52,9 @@ define([ dynamiccolors: 10, standardcolors: 10, themecolors: 10, + columns: 10, effects: 5, + hideEmptyColors: true, allowReselect: true, transparent: false, value: '000000', @@ -62,7 +64,7 @@ define([ template : _.template( - '
    ' + + '
    ' + '<% var me = this; var idx = 0; %>' + '<% $(colors).each(function(num, item) { %>' + '<% if (me.isBlankSeparator(item)) { %>
    ' + @@ -76,6 +78,9 @@ define([ ' ' + '' + '<% } else if (me.isEffect(item)) { %>' + + '<% if (idx>0 && me.columns>0 && idx%me.columns===0) { %> ' + + '
    ' + + '<% } %>' + '' + ' ' + '' + @@ -85,9 +90,11 @@ define([ '<% }); %>' + '
    ' + '<% if (me.options.dynamiccolors!==undefined) { %>' + - '
    ' + + '
    ' + + '
    ' + + '
    <%=me.textRecentColors%>
    ' + '<% for (var i=0; i' + - '' + + '' + ' ' + '<% } %>' + '<% } %>' + @@ -103,10 +110,12 @@ define([ el = me.$el || $(this.el); this.colors = me.options.colors || this.generateColorData(me.options.themecolors, me.options.effects, me.options.standardcolors, me.options.transparent); + this.columns = me.options.columns || 0; this.enableKeyEvents= me.options.enableKeyEvents; this.tabindex = me.options.tabindex || 0; this.outerMenu = me.options.outerMenu; this.lastSelectedIdx = -1; + this.emptyColorsClass = me.options.hideEmptyColors ? 'hidden' : ''; me.colorItems = []; if (me.options.keyMoveDirection=='vertical') @@ -123,6 +132,15 @@ define([ this.updateColors(this.options.updateColorsArr[0], this.options.updateColorsArr[1]); if (this.options.value) this.select(this.options.value, true); + if (this.options.outerMenu && this.options.outerMenu.focusOnShow && this.options.outerMenu.menu) { + el.addClass('focused'); + this.options.outerMenu.menu.on('show:after', function(menu) { + _.delay(function() { + me.showLastSelected(); + me.focus(); + }, 10); + }); + } this.updateCustomColors(); el.closest('.btn-group').on('show.bs.dropdown', _.bind(this.updateCustomColors, this)); el.closest('.dropdown-submenu').on('show.bs.dropdown', _.bind(this.updateCustomColors, this)); @@ -171,15 +189,19 @@ define([ if (color) { // custom color was selected color = color.toUpperCase(); selected.removeClass(this.selectedCls); + this.lastSelectedIdx = -1; } var colors = Common.localStorage.getItem('asc.'+Common.localStorage.getId()+'.colors.custom'); colors = colors ? colors.split(',') : []; var i = -1, colorEl, c = colors.length < this.options.dynamiccolors ? colors.length : this.options.dynamiccolors; + if (this.options.hideEmptyColors && this._layoutParams && el.find('.dynamic-empty-color').length !== (this.options.dynamiccolors - c)) {// recalc indexed if change custom colors + this._layoutParams = undefined; + } while (++i < c) { colorEl = el.find('.color-dynamic-'+ i); - colorEl.removeClass('dynamic-empty-color').attr('color', colors[i]); + colorEl.removeClass('dynamic-empty-color').removeClass(this.emptyColorsClass).attr('color', colors[i]); colorEl.find('span').css({ 'background-color': '#'+colors[i] }); @@ -189,6 +211,16 @@ define([ color = undefined; //select only first found color } } + while (i < this.options.dynamiccolors) { + colorEl = el.find('.color-dynamic-'+ i); + colorEl.removeAttr('color'); + colorEl.addClass('dynamic-empty-color').addClass(this.emptyColorsClass); + colorEl.find('span').css({ + 'background-color': 'transparent' + }); + i++; + } + el.find('.palette-color-dynamiccolors').toggleClass(this.emptyColorsClass, c===0); } }, @@ -197,7 +229,7 @@ define([ var target = $(e.target).closest('a'); var color, cmp; - if (target.length==0) return; + if (target.length==0) return false; if (target.hasClass('color-transparent') ) { me.clearSelection(true); @@ -265,12 +297,16 @@ define([ if (child.length==0) { this.updateCustomColors(); child = el.find('.color-dynamic-' + (this.options.dynamiccolors - 1)); + } else { + if (this.options.hideEmptyColors && this._layoutParams) // recalc indexed + this._layoutParams = undefined; } - child.first().removeClass('dynamic-empty-color').addClass(this.selectedCls).attr('color', color[1]); + child.first().removeClass('dynamic-empty-color').removeClass(this.emptyColorsClass).addClass(this.selectedCls).attr('color', color[1]); child.first().find('span').css({ 'background-color': '#'+color[1] }); + el.find('.palette-color-dynamiccolors').removeClass(this.emptyColorsClass); this.select(color[1], true); } }, @@ -483,7 +519,7 @@ define([ var arr = [], len = (themecolors>0 && effects>0) ? themecolors * effects : 0; if (themecolors>0) { - arr = [this.textThemeColors, '-']; + arr = [this.textThemeColors]; for (var i=0; i 0))); + } + + var _onKeyDown = function (e) { + if ( Common.UI.HintManager.isHintVisible() ) { + native.execCommand('althints:keydown', JSON.stringify({code:e.keyCode})); + console.log('hint keydown', e.keyCode); + } + } + return { init: function (opts) { _.extend(config, opts); @@ -256,12 +271,13 @@ define([ Common.NotificationCenter.on({ 'modal:show': _onModalDialog.bind(this, 'open'), - 'modal:close': _onModalDialog.bind(this, 'close') - , 'uitheme:changed' : function (name) { + 'modal:close': _onModalDialog.bind(this, 'close'), + 'uitheme:changed' : function (name) { var theme = Common.UI.Themes.get(name); if ( theme ) native.execCommand("uitheme:changed", JSON.stringify({name:name, type:theme.type})); - } + }, + 'hints:show': _onHintsShow.bind(this), }); webapp.addListeners({ @@ -278,6 +294,8 @@ define([ }, }, }, {id: 'desktop'}); + + $(document).on('keydown', _onKeyDown.bind(this)); } }, process: function (opts) { @@ -313,6 +331,16 @@ define([ // return webapp.getController('Main').api.asc_isOffline(); return webapp.getController('Main').appOptions.isOffline; }, + isFeatureAvailable: function (feature) { + return !!native && !!native[feature]; + }, + call: function (name) { + if ( native[name] ) { + let args = [].slice.call(arguments, 1); + // return native[name](...args); + return native[name].apply(this, args); + } + }, }; }; diff --git a/apps/common/main/lib/controller/ExternalOleEditor.js b/apps/common/main/lib/controller/ExternalOleEditor.js new file mode 100644 index 000000000..35de11350 --- /dev/null +++ b/apps/common/main/lib/controller/ExternalOleEditor.js @@ -0,0 +1,259 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2022 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * +*/ +/** + * ExternalOleEditor.js + * + * Created by Julia Radzhabova on 3/10/22 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +if (Common === undefined) + var Common = {}; + +Common.Controllers = Common.Controllers || {}; + +define([ + 'core', + 'common/main/lib/view/ExternalOleEditor' +], function () { 'use strict'; + Common.Controllers.ExternalOleEditor = Backbone.Controller.extend(_.extend((function() { + var appLang = '{{DEFAULT_LANG}}', + customization = undefined, + targetApp = '', + externalEditor = null, + isAppFirstOpened = true; + + + var createExternalEditor = function() { + !!customization && (customization.uiTheme = Common.localStorage.getItem("ui-theme-id", "theme-light")); + externalEditor = new DocsAPI.DocEditor('id-ole-editor-placeholder', { + width : '100%', + height : '100%', + documentType: 'cell', + document : { + url : '_chart_', + permissions : { + edit : true, + download: false + } + }, + editorConfig: { + mode : 'editole', + targetApp : targetApp, + lang : appLang, + canCoAuthoring : false, + canBackToFolder : false, + canCreateNew : false, + customization : customization, + user : {id: ('uid-'+Date.now())} + }, + events: { + 'onAppReady' : function() {}, + 'onDocumentStateChange' : function() {}, + 'onError' : function() {}, + 'onInternalMessage' : _.bind(this.onInternalMessage, this) + } + }); + Common.Gateway.on('processmouse', _.bind(this.onProcessMouse, this)); + }; + + return { + views: ['Common.Views.ExternalOleEditor'], + + initialize: function() { + this.addListeners({ + 'Common.Views.ExternalOleEditor': { + 'setoledata': _.bind(this.setOleData, this), + 'drag': _.bind(function(o, state){ + externalEditor && externalEditor.serviceCommand('window:drag', state == 'start'); + },this), + 'show': _.bind(function(cmp){ + var h = this.oleEditorView.getHeight(), + innerHeight = Common.Utils.innerHeight() - Common.Utils.InternalSettings.get('window-inactive-area-top'); + if (innerHeight>h && h<700 || innerHeight 0); + _needShow = (Common.Utils.InternalSettings.get(_appPrefix + "settings-use-alt-key") && !e.shiftKey && e.keyCode == Common.UI.Keys.ALT && !Common.Utils.ModalWindow.isVisible() && _isDocReady && _arrAlphabet.length > 0); if (e.altKey && e.keyCode !== 115) { e.preventDefault(); } @@ -647,7 +656,7 @@ Common.UI.HintManager = new(function() { }; var _setMode = function (mode) { - _isEditDiagram = mode.isEditDiagram; + _isEditDiagram = mode.isEditDiagram || mode.isEditMailMerge || mode.isEditOle; }; return { diff --git a/apps/common/main/lib/controller/History.js b/apps/common/main/lib/controller/History.js index cdac7eb07..17b00a7b3 100644 --- a/apps/common/main/lib/controller/History.js +++ b/apps/common/main/lib/controller/History.js @@ -262,7 +262,7 @@ define([ store.where({isRevision: false}).forEach(function(item){ item.set('isVisible', needExpand); }); - this.panelHistory.viewHistoryList.scroller.update({minScrollbarLength: 40}); + this.panelHistory.viewHistoryList.scroller.update({minScrollbarLength: this.panelHistory.viewHistoryList.minScrollbarLength}); this.panelHistory.btnExpand.cmpEl.text(needExpand ? this.panelHistory.textHideAll : this.panelHistory.textShowAll); }, diff --git a/apps/common/main/lib/controller/Plugins.js b/apps/common/main/lib/controller/Plugins.js index 98d3f0c56..9632e386e 100644 --- a/apps/common/main/lib/controller/Plugins.js +++ b/apps/common/main/lib/controller/Plugins.js @@ -63,7 +63,7 @@ define([ 'render:before' : function (toolbar) { var appOptions = me.getApplication().getController('Main').appOptions; - if ( !appOptions.isEditMailMerge && !appOptions.isEditDiagram ) { + if ( !appOptions.isEditMailMerge && !appOptions.isEditDiagram && !appOptions.isEditOle ) { var tab = {action: 'plugins', caption: me.panelPlugins.groupCaption, dataHintTitle: 'E', layoutname: 'toolbar-plugins'}; me.$toolbarPanelPlugins = me.panelPlugins.getPanel(); diff --git a/apps/common/main/lib/controller/ReviewChanges.js b/apps/common/main/lib/controller/ReviewChanges.js index aab8177c2..64386ade3 100644 --- a/apps/common/main/lib/controller/ReviewChanges.js +++ b/apps/common/main/lib/controller/ReviewChanges.js @@ -287,6 +287,9 @@ define([ this.popover = Common.Views.ReviewPopover.prototype.getPopover({ reviewStore : this.popoverChanges, renderTo : this.sdkViewName, + canRequestUsers: (this.appConfig) ? this.appConfig.canRequestUsers : undefined, + canRequestSendNotify: (this.appConfig) ? this.appConfig.canRequestSendNotify : undefined, + mentionShare: (this.appConfig) ? this.appConfig.mentionShare : true, api: this.api }); this.popover.setReviewStore(this.popoverChanges); diff --git a/apps/common/main/lib/controller/Themes.js b/apps/common/main/lib/controller/Themes.js index 039232879..a25ad217a 100644 --- a/apps/common/main/lib/controller/Themes.js +++ b/apps/common/main/lib/controller/Themes.js @@ -11,7 +11,16 @@ define([ Common.UI.Themes = new (function(locale) { !locale && (locale = {}); + + const THEME_TYPE_LIGHT = 'light'; + const THEME_TYPE_DARK = 'dark'; + const THEME_TYPE_SYSTEM = 'system'; var themes_map = { + 'theme-system': { + text: locale.txtThemeSystem || 'Same as system', + type: THEME_TYPE_SYSTEM, + source: 'static', + }, 'theme-light': { text: locale.txtThemeLight || 'Light', type: 'light', @@ -261,6 +270,21 @@ define([ } }; + const is_theme_type_system = function (id) { return themes_map[id].type == THEME_TYPE_SYSTEM; } + const get_system_theme_type = function () { return window.matchMedia('(prefers-color-scheme: dark)').matches ? THEME_TYPE_DARK : THEME_TYPE_LIGHT; } + const get_system_default_theme = function () { + const id = get_system_theme_type() == THEME_TYPE_DARK ? + id_default_dark_theme : id_default_light_theme; + + return {id: id, info: themes_map[id]}; + }; + + const on_system_theme_dark = function (mql) { + if (Common.localStorage.getBool('ui-theme-use-system', false)) { + this.setTheme('theme-system'); + } + }; + return { init: function (api) { var me = this; @@ -313,6 +337,8 @@ define([ obj.name = theme_name; api.asc_setSkin(obj); + if ( !(Common.Utils.isIE10 || Common.Utils.isIE11) ) + window.matchMedia('(prefers-color-scheme: dark)').addEventListener('change', on_system_theme_dark.bind(this)); Common.NotificationCenter.on('document:ready', on_document_ready.bind(this)); }, @@ -333,6 +359,9 @@ define([ }, currentThemeId: function () { + if ( Common.localStorage.getBool('ui-theme-use-system', false) ) + return 'theme-system'; + var t = Common.localStorage.getItem('ui-theme') || Common.localStorage.getItem('ui-theme-id'); var id = get_ui_theme_name(t); return !!themes_map[id] ? id : id_default_light_theme; @@ -346,8 +375,9 @@ define([ return themes_map[this.defaultThemeId(type)] }, - isDarkTheme: function () { - return themes_map[this.currentThemeId()].type == 'dark'; + isDarkTheme: function (id) { + !id && (id = this.currentThemeId()); + return (is_theme_type_system(id) ? get_system_default_theme().info.type : themes_map[id].type) == THEME_TYPE_DARK; }, isContentThemeDark: function () { @@ -384,6 +414,14 @@ define([ if ( !obj ) return; var id = get_ui_theme_name(obj); + + if ( is_theme_type_system(id) ) { + Common.localStorage.setBool('ui-theme-use-system', true); + id = get_system_default_theme().id; + } else { + Common.localStorage.setBool('ui-theme-use-system', false); + } + if ( (this.currentThemeId() != id || force) && !!themes_map[id] ) { document.body.className = document.body.className.replace(/theme-[\w-]+\s?/gi, '').trim(); document.body.classList.add(id, 'theme-type-' + themes_map[id].type); diff --git a/apps/common/main/lib/extend/Bootstrap.js b/apps/common/main/lib/extend/Bootstrap.js index f5ae4fedc..5f6593b55 100755 --- a/apps/common/main/lib/extend/Bootstrap.js +++ b/apps/common/main/lib/extend/Bootstrap.js @@ -128,8 +128,9 @@ function patchDropDownKeyDown(e) { var mnu = $('> [role=menu]', li), $subitems = mnu.find('> li:not(.divider):not(.disabled):visible > a'), $dataviews = mnu.find('> li:not(.divider):not(.disabled):visible .dataview'), + $palette = mnu.find('> li:not(.divider):not(.disabled):visible .theme-colorpalette.focused'), $internal_menu = mnu.find('> li:not(.divider):not(.disabled):visible ul.internal-menu'); - if ($subitems.length>0 && $dataviews.length<1 && $internal_menu.length<1) + if ($subitems.length>0 && $dataviews.length<1 && $internal_menu.length<1 && $palette.length<1) ($subitems.index($subitems.filter(':focus'))<0) && $subitems.eq(0).focus(); }, 250); } diff --git a/apps/common/main/lib/template/SearchPanel.template b/apps/common/main/lib/template/SearchPanel.template new file mode 100644 index 000000000..bdba42b87 --- /dev/null +++ b/apps/common/main/lib/template/SearchPanel.template @@ -0,0 +1,63 @@ + \ No newline at end of file diff --git a/apps/common/main/lib/util/Tip.js b/apps/common/main/lib/util/Tip.js index b0521586d..4a9574c24 100644 --- a/apps/common/main/lib/util/Tip.js +++ b/apps/common/main/lib/util/Tip.js @@ -109,7 +109,7 @@ var me = this; Common.NotificationCenter.on({'layout:changed': function(e){ - if (!me.options.hideonclick && me.tip().is(':visible')) + if (!me.options.keepvisible && !me.options.hideonclick && me.tip().is(':visible')) me.hide(); }}); }, diff --git a/apps/common/main/lib/util/define.js b/apps/common/main/lib/util/define.js index df54c82e2..b0dae8936 100644 --- a/apps/common/main/lib/util/define.js +++ b/apps/common/main/lib/util/define.js @@ -800,7 +800,7 @@ define(function(){ 'use strict'; {id: 'menu-effect-group-entrance', value: AscFormat.PRESET_CLASS_ENTR, caption: this.textEntrance, iconClsCustom: 'animation-entrance-custom'}, {id: 'menu-effect-group-emphasis', value: AscFormat.PRESET_CLASS_EMPH, caption: this.textEmphasis, iconClsCustom: 'animation-emphasis-custom'}, {id: 'menu-effect-group-exit', value: AscFormat.PRESET_CLASS_EXIT, caption: this.textExit, iconClsCustom: 'animation-exit-custom'}, - {id: 'menu-effect-group-path', value: AscFormat.PRESET_CLASS_PATH, caption: this.textPath, iconClsCustom: 'animation-motion_paths-custom'} + {id: 'menu-effect-group-path', value: AscFormat.PRESET_CLASS_PATH, caption: this.textPath, iconClsCustom: 'animation-motion-paths-custom'} ]; }, @@ -808,49 +808,49 @@ define(function(){ 'use strict'; return [ {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_APPEAR, iconCls: 'animation-entrance-appear', displayValue: this.textAppear}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_FADE, iconCls: 'animation-entrance-fade', displayValue: this.textFade}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_FLY_IN_FROM, iconCls: 'animation-entrance-fly_in', displayValue: this.textFlyIn}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_FLOAT_UP, iconCls: 'animation-entrance-float_in', displayValue: this.textFloatIn, familyEffect: 'entrfloat'}, + {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_FLY_IN_FROM, iconCls: 'animation-entrance-fly-in', displayValue: this.textFlyIn}, + {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_FLOAT_UP, iconCls: 'animation-entrance-float-in', displayValue: this.textFloatIn, familyEffect: 'entrfloat'}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_SPLIT, iconCls: 'animation-entrance-split', displayValue: this.textSplit}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_WIPE_FROM, iconCls: 'animation-entrance-wipe', displayValue: this.textWipe}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_CIRCLE, iconCls: 'animation-entrance-shape', displayValue: this.textShape, familyEffect: 'entrshape'}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_WHEEL, iconCls: 'animation-entrance-wheel', displayValue: this.textWheel}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_RANDOM_BARS, iconCls: 'animation-entrance-random_bars', displayValue: this.textRandomBars}, - {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_GROW_AND_TURN, iconCls: 'animation-entrance-grow_turn', displayValue: this.textGrowTurn}, + {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_RANDOM_BARS, iconCls: 'animation-entrance-random-bars', displayValue: this.textRandomBars}, + {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_GROW_AND_TURN, iconCls: 'animation-entrance-grow-turn', displayValue: this.textGrowTurn}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_ZOOM, iconCls: 'animation-entrance-zoom', displayValue: this.textZoom}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_SWIVEL, iconCls: 'animation-entrance-swivel', displayValue: this.textSwivel}, {group: 'menu-effect-group-entrance', value: AscFormat.ENTRANCE_BOUNCE, iconCls: 'animation-entrance-bounce', displayValue: this.textBounce}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_PULSE, iconCls: 'animation-emphasis-pulse', displayValue: this.textPulse}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_COLOR_PULSE, iconCls: 'animation-emphasis-color_pulse', displayValue: this.textColorPulse}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_COLOR_PULSE, iconCls: 'animation-emphasis-color-pulse', displayValue: this.textColorPulse}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_TEETER, iconCls: 'animation-emphasis-teeter', displayValue: this.textTeeter}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_SPIN, iconCls: 'animation-emphasis-spin', displayValue: this.textSpin}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_GROW_SHRINK, iconCls: 'animation-emphasis-grow_or_Shrink', displayValue: this.textGrowShrink}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_GROW_SHRINK, iconCls: 'animation-emphasis-grow-or-shrink', displayValue: this.textGrowShrink}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_DESATURATE, iconCls: 'animation-emphasis-desaturate', displayValue: this.textDesaturate}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_CONTRASTING_DARKEN, iconCls: 'animation-emphasis-darken', displayValue: this.textDarken}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_LIGHTEN, iconCls: 'animation-emphasis-lighten', displayValue: this.textLighten}, {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_TRANSPARENCY, iconCls: 'animation-emphasis-transparency', displayValue: this.textTransparency}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_OBJECT_COLOR, iconCls: 'animation-emphasis-object_color', displayValue: this.textObjectColor}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_COMPLEMENTARY_COLOR, iconCls: 'animation-emphasis-complementary_color', displayValue: this.textComplementaryColor}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_LINE_COLOR, iconCls: 'animation-emphasis-line_color', displayValue: this.textLineColor}, - {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_FILL_COLOR, iconCls: 'animation-emphasis-fill_color', displayValue: this.textFillColor}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_OBJECT_COLOR, iconCls: 'animation-emphasis-object-color', displayValue: this.textObjectColor}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_COMPLEMENTARY_COLOR, iconCls: 'animation-emphasis-complementary-color', displayValue: this.textComplementaryColor}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_LINE_COLOR, iconCls: 'animation-emphasis-line-color', displayValue: this.textLineColor}, + {group: 'menu-effect-group-emphasis', value: AscFormat.EMPHASIS_FILL_COLOR, iconCls: 'animation-emphasis-fill-color', displayValue: this.textFillColor}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_DISAPPEAR, iconCls: 'animation-exit-disappear', displayValue: this.textDisappear}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_FADE, iconCls: 'animation-exit-fade', displayValue: this.textFade}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_FLY_OUT_TO, iconCls: 'animation-exit-fly_out', displayValue: this.textFlyOut}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_FLOAT_DOWN, iconCls: 'animation-exit-float_out', displayValue: this.textFloatOut, familyEffect: 'exitfloat'}, + {group: 'menu-effect-group-exit', value: AscFormat.EXIT_FLY_OUT_TO, iconCls: 'animation-exit-fly-out', displayValue: this.textFlyOut}, + {group: 'menu-effect-group-exit', value: AscFormat.EXIT_FLOAT_DOWN, iconCls: 'animation-exit-float-out', displayValue: this.textFloatOut, familyEffect: 'exitfloat'}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_SPLIT, iconCls: 'animation-exit-split', displayValue: this.textSplit}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_WIPE_FROM, iconCls: 'animation-exit-wipe', displayValue: this.textWipe}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_CIRCLE, iconCls: 'animation-exit-shape', displayValue: this.textShape, familyEffect: 'shape'}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_WHEEL, iconCls: 'animation-exit-wheel', displayValue: this.textWheel}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_RANDOM_BARS, iconCls: 'animation-exit-random_bars', displayValue: this.textRandomBars}, - {group: 'menu-effect-group-exit', value: AscFormat.EXIT_SHRINK_AND_TURN, iconCls: 'animation-exit-shrink_turn', displayValue: this.textShrinkTurn}, + {group: 'menu-effect-group-exit', value: AscFormat.EXIT_RANDOM_BARS, iconCls: 'animation-exit-random-bars', displayValue: this.textRandomBars}, + {group: 'menu-effect-group-exit', value: AscFormat.EXIT_SHRINK_AND_TURN, iconCls: 'animation-exit-shrink-turn', displayValue: this.textShrinkTurn}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_ZOOM, iconCls: 'animation-exit-zoom', displayValue: this.textZoom}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_SWIVEL, iconCls: 'animation-exit-swivel', displayValue: this.textSwivel}, {group: 'menu-effect-group-exit', value: AscFormat.EXIT_BOUNCE, iconCls: 'animation-exit-bounce', displayValue: this.textBounce}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_DOWN, iconCls: 'animation-motion_paths-lines', displayValue: this.textLines, familyEffect: 'pathlines'}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_DOWN, iconCls: 'animation-motion_paths-arcs', displayValue: this.textArcs, familyEffect: 'patharcs'}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_DOWN, iconCls: 'animation-motion_paths-turns', displayValue: this.textTurns, familyEffect: 'pathturns'}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_CIRCLE, iconCls: 'animation-motion_paths-shapes', displayValue: this.textShapes, familyEffect: 'pathshapes'}, - {group: 'menu-effect-group-path', value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, iconCls: 'animation-motion_paths-loops', displayValue: this.textLoops, familyEffect: 'pathloops'}//, - //{group: 'menu-effect-group-path', value: AscFormat.MOTION_CUSTOM_PATH, iconCls: 'animation-motion_paths-custom_path', displayValue: this.textCustomPath} + {group: 'menu-effect-group-path', value: AscFormat.MOTION_DOWN, iconCls: 'animation-motion-paths-lines', displayValue: this.textLines, familyEffect: 'pathlines'}, + {group: 'menu-effect-group-path', value: AscFormat.MOTION_ARC_DOWN, iconCls: 'animation-motion-paths-arcs', displayValue: this.textArcs, familyEffect: 'patharcs'}, + {group: 'menu-effect-group-path', value: AscFormat.MOTION_TURN_DOWN, iconCls: 'animation-motion-paths-turns', displayValue: this.textTurns, familyEffect: 'pathturns'}, + {group: 'menu-effect-group-path', value: AscFormat.MOTION_CIRCLE, iconCls: 'animation-motion-paths-shapes', displayValue: this.textShapes, familyEffect: 'pathshapes'}, + {group: 'menu-effect-group-path', value: AscFormat.MOTION_HORIZONTAL_FIGURE_8_FOUR, iconCls: 'animation-motion-paths-loops', displayValue: this.textLoops, familyEffect: 'pathloops'}//, + //{group: 'menu-effect-group-path', value: AscFormat.MOTION_CUSTOM_PATH, iconCls: 'animation-motion-paths-custom-path', displayValue: this.textCustomPath} ]; }, @@ -915,9 +915,11 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-entrance', level: 'menu-effect-level-exciting', value: AscFormat.ENTRANCE_WHIP, displayValue: this.textWhip}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_FILL_COLOR, displayValue: this.textFillColor}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_GROW_SHRINK, displayValue: this.textGrowShrink}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_FONT_COLOR, displayValue: this.textFontColor, notsupported: true}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_LINE_COLOR, displayValue: this.textLineColor}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_SPIN, displayValue: this.textSpin}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-basic', value: AscFormat.EMPHASIS_TRANSPARENCY, displayValue: this.textTransparency}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_BOLD_FLASH, displayValue: this.textBoldFlash, notsupported: true}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_COMPLEMENTARY_COLOR, displayValue: this.textComplementaryColor}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_COMPLEMENTARY_COLOR_2, displayValue: this.textComplementaryColor2}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_CONTRASTING_COLOR, displayValue: this.textContrastingColor}, @@ -926,11 +928,15 @@ define(function(){ 'use strict'; {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_LIGHTEN, displayValue: this.textLighten}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_OBJECT_COLOR, displayValue: this.textObjectColor}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_PULSE, displayValue: this.textPulse}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_UNDERLINE, displayValue: this.textUnderline, notsupported: true}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-subtle', value: AscFormat.EMPHASIS_BRUSH_COLOR, displayValue: this.textBrushColor, notsupported: true}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-moderate', value: AscFormat.EMPHASIS_COLOR_PULSE, displayValue: this.textColorPulse}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-moderate', value: AscFormat.EMPHASIS_GROW_WITH_COLOR, displayValue: this.textGrowWithColor}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-moderate', value: AscFormat.EMPHASIS_SHIMMER, displayValue: this.textShimmer}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-moderate', value: AscFormat.EMPHASIS_TEETER, displayValue: this.textTeeter}, {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-exciting', value: AscFormat.EMPHASIS_BLINK, displayValue: this.textBlink}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-exciting', value: AscFormat.EMPHASIS_BOLD_REVEAL, displayValue: this.textBoldReveal, notsupported: true}, + {group: 'menu-effect-group-emphasis', level: 'menu-effect-level-exciting', value: AscFormat.EMPHASIS_WAVE, displayValue: this.textWave, notsupported: true}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_BLINDS, displayValue: this.textBlinds}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_BOX, displayValue: this.textBox, familyEffect: 'shape'}, {group: 'menu-effect-group-exit', level: 'menu-effect-level-basic', value: AscFormat.EXIT_CHECKERBOARD, displayValue: this.textCheckerboard}, diff --git a/apps/common/main/lib/util/themeinit.js b/apps/common/main/lib/util/themeinit.js index 6b3ea3839..665e33407 100644 --- a/apps/common/main/lib/util/themeinit.js +++ b/apps/common/main/lib/util/themeinit.js @@ -1,5 +1,9 @@ +function init_themes() { + if ( localStorage.getItem("ui-theme-use-system") == '1' ) { + localStorage.removeItem("ui-theme-id"); + } + var objtheme = localStorage.getItem("ui-theme"); if ( typeof(objtheme) == 'string' && objtheme.startsWith("{") && objtheme.endsWith("}") ) diff --git a/apps/common/main/lib/view/Chat.js b/apps/common/main/lib/view/Chat.js index 9017293c4..583c90461 100644 --- a/apps/common/main/lib/view/Chat.js +++ b/apps/common/main/lib/view/Chat.js @@ -136,7 +136,7 @@ define([ this.txtMessage.on('keydown', _.bind(this._onKeyDown, this)); this.setupLayout(); - + this.trigger('render:after', this); return this; }, diff --git a/apps/common/main/lib/view/Comments.js b/apps/common/main/lib/view/Comments.js index dd04ce064..21732dd11 100644 --- a/apps/common/main/lib/view/Comments.js +++ b/apps/common/main/lib/view/Comments.js @@ -443,7 +443,8 @@ define([ textReply: me.textReply, textClose: me.textClose, maxCommLength: Asc.c_oAscMaxCellOrCommentLength - })) + })), + emptyText: me.txtEmpty }); var addtooltip = function (dataview, view, record) { @@ -492,7 +493,7 @@ define([ }, updateScrolls: function () { if (this.commentsView && this.commentsView.scroller) { - this.commentsView.scroller.update({minScrollbarLength: 40, alwaysVisibleY: true}); + this.commentsView.scroller.update({minScrollbarLength: this.commentsView.minScrollbarLength, alwaysVisibleY: true}); } }, @@ -860,6 +861,7 @@ define([ textClosePanel: 'Close comments', textViewResolved: 'You have not permission for reopen comment', mniFilterGroups: 'Filter by Group', - textAll: 'All' + textAll: 'All', + txtEmpty: 'There are no comments in the document.' }, Common.Views.Comments || {})) }); \ No newline at end of file diff --git a/apps/common/main/lib/view/ExternalMergeEditor.js b/apps/common/main/lib/view/ExternalMergeEditor.js index 390430587..d3e800794 100644 --- a/apps/common/main/lib/view/ExternalMergeEditor.js +++ b/apps/common/main/lib/view/ExternalMergeEditor.js @@ -61,8 +61,8 @@ define([ '
    ', '
    ', '' ].join(''); diff --git a/apps/common/main/lib/view/ExternalOleEditor.js b/apps/common/main/lib/view/ExternalOleEditor.js new file mode 100644 index 000000000..00260f675 --- /dev/null +++ b/apps/common/main/lib/view/ExternalOleEditor.js @@ -0,0 +1,164 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2022 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * +*/ +/** + * ExternalOleEditor.js + * + * Created by Julia Radzhabova on 3/10/22 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'common/main/lib/component/Window' +], function () { 'use strict'; + + Common.Views.ExternalOleEditor = Common.UI.Window.extend(_.extend({ + initialize : function(options) { + var _options = {}; + var _inner_height = Common.Utils.innerHeight() - Common.Utils.InternalSettings.get('window-inactive-area-top'); + _.extend(_options, { + title: this.textTitle, + width: 910, + height: (_inner_height - 700)<0 ? _inner_height : 700, + cls: 'advanced-settings-dlg', + header: true, + toolclose: 'hide', + toolcallback: _.bind(this.onToolClose, this) + }, options); + + this.template = [ + '
    ', + '
    ', + '
    ', + '
    ', + '' + ].join(''); + + _options.tpl = _.template(this.template)(_options); + + this.handler = _options.handler; + this._oleData = null; + this._isNewOle = true; + Common.UI.Window.prototype.initialize.call(this, _options); + }, + + render: function() { + Common.UI.Window.prototype.render.call(this); + + this.btnSave = new Common.UI.Button({ + el: $('#id-btn-ole-editor-apply'), + disabled: true + }); + this.btnCancel = new Common.UI.Button({ + el: $('#id-btn-ole-editor-cancel') + }); + + this.$window.find('.dlg-btn').on('click', _.bind(this.onDlgBtnClick, this)); + }, + + show: function() { + this.setPlaceholder(); + Common.UI.Window.prototype.show.apply(this, arguments); + }, + + setOleData: function(data) { + this._oleData = data; + if (this._isExternalDocReady) + this.fireEvent('setoledata', this); + }, + + setEditMode: function(mode) { + this._isNewOle = !mode; + }, + + isEditMode: function() { + return !this._isNewOle; + }, + + setControlsDisabled: function(disable) { + this.btnSave.setDisabled(disable); + this.btnCancel.setDisabled(disable); + (disable) ? this.$window.find('.tool.close').addClass('disabled') : this.$window.find('.tool.close').removeClass('disabled'); + }, + + onDlgBtnClick: function(event) { + if ( this.handler ) { + this.handler.call(this, event.currentTarget.attributes['result'].value); + return; + } + this.hide(); + }, + + onToolClose: function() { + if ( this.handler ) { + this.handler.call(this, 'cancel'); + return; + } + this.hide(); + }, + + setHeight: function(height) { + if (height >= 0) { + var min = parseInt(this.$window.css('min-height')); + height < min && (height = min); + this.$window.height(height); + + var header_height = (this.initConfig.header) ? parseInt(this.$window.find('> .header').css('height')) : 0; + + this.$window.find('> .body').css('height', height-header_height); + this.$window.find('> .body > .box').css('height', height-85); + + var top = (Common.Utils.innerHeight() - Common.Utils.InternalSettings.get('window-inactive-area-top') - parseInt(height)) / 2; + var left = (Common.Utils.innerWidth() - parseInt(this.initConfig.width)) / 2; + + this.$window.css('left',left); + this.$window.css('top', Common.Utils.InternalSettings.get('window-inactive-area-top') + top); + } + }, + + setPlaceholder: function(placeholder) { + this._placeholder = placeholder; + }, + + getPlaceholder: function() { + return this._placeholder; + }, + + textSave: 'Save & Exit', + textClose: 'Close', + textTitle: 'Spreadsheet Editor' + }, Common.Views.ExternalOleEditor || {})); +}); diff --git a/apps/common/main/lib/view/Header.js b/apps/common/main/lib/view/Header.js index f4c5c5c9e..7f7fcc26a 100644 --- a/apps/common/main/lib/view/Header.js +++ b/apps/common/main/lib/view/Header.js @@ -52,7 +52,7 @@ define([ Common.Views.Header = Backbone.View.extend(_.extend(function(){ var storeUsers, appConfig; - var $userList, $panelUsers, $btnUsers, $btnUserName; + var $userList, $panelUsers, $btnUsers, $btnUserName, $labelDocName; var _readonlyRights = false; var templateUserItem = @@ -105,6 +105,7 @@ define([ '
    ' + '
    ' + '
    ' + + '' + '
    ' + '
    ' + // '
    ' + @@ -186,11 +187,13 @@ define([ } else { $panelUsers['hide'](); } + updateDocNamePosition(appConfig); } function onLostEditRights() { _readonlyRights = true; this.btnShare && this.btnShare.setVisible(false); + updateDocNamePosition(appConfig); } function onUsersClick(e) { @@ -203,27 +206,39 @@ define([ } } - function onAppShowed(config) { - //config.isCrypted =true; //delete fore merge! - if ( this.labelDocName ) { - if ( config.isCrypted ) { - this.labelDocName.attr({'style':'text-align: left;'}); - this.labelDocName.before( - '
    ' + - '' + - '
    '); - this.imgCrypted = this.labelDocName.parent().find('.crypted'); - } - + function updateDocNamePosition(config) { + if ( $labelDocName && config) { + var $parent = $labelDocName.parent(); if (!config.isEdit || !config.customization || !config.customization.compactHeader) { - var $parent = this.labelDocName.parent(); var _left_width = $parent.position().left, _right_width = $parent.next().outerWidth(); - - if ( _left_width < _right_width ) - this.labelDocName.parent().css('padding-left', _right_width - _left_width); - else this.labelDocName.parent().css('padding-right', _left_width - _right_width); + $parent.css('padding-left', _left_width < _right_width ? Math.max(2, _right_width - _left_width) : 2); + $parent.css('padding-right', _left_width < _right_width ? 2 : Math.max(2, _left_width - _right_width)); } + + if (!(config.customization && config.customization.toolbarHideFileName) && (!config.isEdit || config.customization && config.customization.compactHeader)) { + var basis = parseFloat($parent.css('padding-left') || 0) + parseFloat($parent.css('padding-right') || 0) + parseInt($labelDocName.css('min-width') || 50); // 2px - box-shadow + config.isCrypted && (basis += 20); + $parent.css('flex-basis', Math.ceil(basis) + 'px'); + $parent.closest('.extra.right').css('flex-basis', Math.ceil(basis) + $parent.next().outerWidth() + 'px'); + Common.NotificationCenter.trigger('tab:resize'); + } + } + } + + function onAppShowed(config) { + // config.isCrypted =true; //delete fore merge! + if ( $labelDocName ) { + if ( config.isCrypted ) { + $labelDocName.before( + ''); + this.imgCrypted = $labelDocName.parent().find('.crypted'); + this._showImgCrypted = true; + } + + updateDocNamePosition(config); } } @@ -249,6 +264,7 @@ define([ }); me.btnShare.updateHint(me.tipAccessRights); me.btnShare.setVisible(!_readonlyRights && appConfig && (appConfig.sharingSettingsUrl && appConfig.sharingSettingsUrl.length || appConfig.canRequestSharingSettings)); + updateDocNamePosition(appConfig); } if ( me.logo ) @@ -279,6 +295,7 @@ define([ }); $btnUsers.on('click', onUsersClick.bind(me)); $panelUsers[(editingUsers > 1 && appConfig && (appConfig.isEdit || appConfig.isRestrictedEdit)) ? 'show' : 'hide'](); + updateDocNamePosition(appConfig); } if (appConfig.user.guest && appConfig.canRenameAnonymous) { @@ -332,60 +349,64 @@ define([ }); } } + + if (me.btnSearch) + me.btnSearch.updateHint(me.tipSearch + Common.Utils.String.platformKey('Ctrl+F')); } function onFocusDocName(e){ var me = this; - me.imgCrypted && me.imgCrypted.attr('hidden', true); + me.imgCrypted && me.imgCrypted.toggleClass('hidden', true); me.isSaveDocName =false; if(me.withoutExt) return; - var name = me.cutDocName(me.labelDocName.val()); - _.delay(function(){ - me.labelDocName.val(name); - },100); + var name = me.cutDocName($labelDocName.val()); me.withoutExt = true; + _.delay(function(){ + me.setDocTitle(name); + $labelDocName.select(); + },100); } function onDocNameKeyDown(e) { var me = this; - var name = me.labelDocName.val(); + var name = $labelDocName.val(); if ( e.keyCode == Common.UI.Keys.RETURN ) { name = name.trim(); - me.isSaveDocName =true; if ( !_.isEmpty(name) && me.cutDocName(me.documentCaption) !== name ) { + me.isSaveDocName =true; if ( /[\t*\+:\"<>?|\\\\/]/gim.test(name) ) { _.defer(function() { Common.UI.error({ msg: (new Common.Views.RenameDialog).txtInvalidName + "*+:\"<>?|\/" , callback: function() { _.delay(function() { - me.labelDocName.focus(); + $labelDocName.focus(); me.isSaveDocName =true; }, 50); } }); - //me.labelDocName.blur(); }) } else if(me.withoutExt) { name = me.cutDocName(name); me.options.wopi ? me.api.asc_wopi_renameFile(name) : Common.Gateway.requestRename(name); name += me.fileExtention; - me.labelDocName.val(name); me.withoutExt = false; + me.setDocTitle(name); Common.NotificationCenter.trigger('edit:complete', me); } } else { - Common.NotificationCenter.trigger('edit:complete', me); } } else if ( e.keyCode == Common.UI.Keys.ESC ) { Common.NotificationCenter.trigger('edit:complete', this); } else { - me.labelDocName.attr('size', name.length + me.fileExtention.length > 10 ? name.length + me.fileExtention.length : 10); + _.delay(function(){ + me.setDocTitle(); + },10); } } @@ -430,6 +451,15 @@ define([ reset : onResetUsers }); + me.btnSearch = new Common.UI.Button({ + cls: 'btn-header no-caret', + iconCls: 'toolbar__icon icon--inverse btn-menu-search', + enableToggle: true, + dataHint: '0', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }); + me.btnFavorite = new Common.UI.Button({ id: 'btn-favorite', cls: 'btn-header', @@ -442,6 +472,7 @@ define([ Common.NotificationCenter.on({ 'app:ready': function(mode) {Common.Utils.asyncCall(onAppReady, me, mode);}, 'app:face': function(mode) {Common.Utils.asyncCall(onAppShowed, me, mode);}, + 'tab:visible': function() {Common.Utils.asyncCall(updateDocNamePosition, me, appConfig);}, 'collaboration:sharingdeny': function(mode) {Common.Utils.asyncCall(onLostEditRights, me, mode);} }); Common.NotificationCenter.on('uitheme:changed', this.changeLogo.bind(this)); @@ -487,18 +518,16 @@ define([ textShare: this.textShare })); - if ( !me.labelDocName ) { - me.labelDocName = $html.find('#rib-doc-name'); + if ( !$labelDocName ) { + $labelDocName = $html.find('#rib-doc-name'); if ( me.documentCaption ) { - me.labelDocName.val(me.documentCaption); + me.setDocTitle(me.documentCaption); } } else { $html.find('#rib-doc-name').hide(); } - if ( !_.isUndefined(this.options.canRename) ) { - this.setCanRename(this.options.canRename); - } + this.setCanRename(!!this.options.canRename); if ( this.options.canBack === true ) { me.btnGoBack.render($html.find('#slot-btn-back')); @@ -524,6 +553,7 @@ define([ if ( config.canEdit && config.canRequestEditRights ) this.btnEdit = createTitleButton('toolbar__icon icon--inverse btn-edit', $html.findById('#slot-hbtn-edit'), undefined, 'bottom', 'big'); } + me.btnSearch.render($html.find('#slot-btn-search')); if (!config.isEdit || config.customization && !!config.customization.compactHeader) { if (config.user.guest && config.canRenameAnonymous) { @@ -567,10 +597,11 @@ define([ if ( role == 'title' ) { var $html = $(_.template(templateTitleBox)()); - !!me.labelDocName && me.labelDocName.hide().off(); // hide document title if it was created in right box - me.labelDocName = $html.find('#title-doc-name'); - me.labelDocName.val( me.documentCaption ); - me.options.wopi && me.labelDocName.attr('maxlength', me.options.wopi.FileNameMaxLength); + !!$labelDocName && $labelDocName.hide().off(); // hide document title if it was created in right box + $labelDocName = $html.find('#title-doc-name'); + me.setDocTitle( me.documentCaption ); + + me.options.wopi && $labelDocName.attr('maxlength', me.options.wopi.FileNameMaxLength); if (config.user.guest && config.canRenameAnonymous) { me.btnUserName = new Common.UI.Button({ @@ -598,19 +629,6 @@ define([ me.btnUndo = createTitleButton('toolbar__icon icon--inverse btn-undo', $html.findById('#slot-btn-dt-undo'), true, undefined, undefined, 'Z'); me.btnRedo = createTitleButton('toolbar__icon icon--inverse btn-redo', $html.findById('#slot-btn-dt-redo'), true, undefined, undefined, 'Y'); - if ( me.btnSave.$icon.is('svg') ) { - me.btnSave.$icon.addClass('icon-save btn-save'); - var _create_use = function (extid, intid) { - var _use = document.createElementNS('http://www.w3.org/2000/svg', 'use'); - _use.setAttributeNS('http://www.w3.org/1999/xlink', 'xlink:href', extid); - _use.setAttribute('id', intid); - - return $(_use); - }; - - _create_use('#svg-btn-save-coauth', 'coauth').appendTo(me.btnSave.$icon); - _create_use('#svg-btn-save-sync', 'sync').appendTo(me.btnSave.$icon); - } return $html; } }, @@ -655,12 +673,8 @@ define([ if (idx>0) this.fileExtention = this.documentCaption.substring(idx); this.isModified && (value += '*'); - if ( this.labelDocName ) { - this.labelDocName.val( value ); - // this.labelDocName.attr('size', value.length); - this.setCanRename(this.options.canRename); - - //this.setCanRename(true); + if ( $labelDocName ) { + this.setDocTitle( value ); } return value; }, @@ -675,7 +689,7 @@ define([ var _name = this.documentCaption; changed && (_name += '*'); - this.labelDocName.val(_name); + this.setDocTitle(_name); }, setCanBack: function (value, text) { @@ -683,7 +697,7 @@ define([ this.btnGoBack[value ? 'show' : 'hide'](); if (value) this.btnGoBack.updateHint((text && typeof text == 'string') ? text : this.textBack); - + updateDocNamePosition(appConfig); return this; }, @@ -696,7 +710,7 @@ define([ this.btnFavorite[value!==undefined && value!==null ? 'show' : 'hide'](); this.btnFavorite.changeIcon(!!value ? {next: 'btn-in-favorite'} : {curr: 'btn-in-favorite'}); this.btnFavorite.updateHint(!value ? this.textAddFavorite : this.textRemoveFavorite); - + updateDocNamePosition(appConfig); return this; }, @@ -705,12 +719,10 @@ define([ }, setCanRename: function (rename) { - //rename = true; //comment out for merge - var me = this; me.options.canRename = rename; - if ( me.labelDocName ) { - var label = me.labelDocName; + if ( $labelDocName ) { + var label = $labelDocName; if ( rename ) { label.removeAttr('disabled').tooltip({ title: me.txtRename, @@ -721,17 +733,17 @@ define([ 'keydown': onDocNameKeyDown.bind(this), 'focus': onFocusDocName.bind(this), 'blur': function (e) { - me.imgCrypted && me.imgCrypted.attr('hidden', false); + me.imgCrypted && me.imgCrypted.toggleClass('hidden', false); + label[0].selectionStart = label[0].selectionEnd = 0; if(!me.isSaveDocName) { - me.labelDocName.val(me.documentCaption); me.withoutExt = false; + me.setDocTitle(me.documentCaption); } }, 'paste': function (e) { setTimeout(function() { - var name = me.cutDocName(me.labelDocName.val()); - me.labelDocName.val(name); - me.labelDocName.attr('size', name.length + me.fileExtention.length > 10 ? name.length + me.fileExtention.length : 10); + var name = me.cutDocName($labelDocName.val()); + me.setDocTitle(name); }); } }); @@ -750,12 +762,37 @@ define([ }, cutDocName: function(name) { - if(name.length <= this.fileExtention.length) return; + if(name.length <= this.fileExtention.length) return name; var idx =name.length - this.fileExtention.length; return (name.substring(idx) == this.fileExtention) ? name.substring(0, idx) : name ; }, + setDocTitle: function(name){ + if(name) + $labelDocName.val(name); + else + name = $labelDocName.val(); + var width = this.getTextWidth(name); + (width>=0) && $labelDocName.width(width); + if (this._showImgCrypted && width>=0) { + this.imgCrypted.toggleClass('hidden', false); + this._showImgCrypted = false; + } + }, + + getTextWidth: function(text) { + if (!this._testCanvas ) { + var font = ($labelDocName.css('font-size') + ' ' + $labelDocName.css('font-family')).trim(); + if (font) { + var canvas = document.createElement("canvas"); + this._testCanvas = canvas.getContext('2d'); + this._testCanvas.font = font; + } + } + return this._testCanvas ? this._testCanvas.measureText(text).width : -1; + }, + setUserName: function(name) { this.options.userName = name; if ( this.btnUserName ) { @@ -852,6 +889,7 @@ define([ textRemoveFavorite: 'Remove from Favorites', textAddFavorite: 'Mark as favorite', textHideNotes: 'Hide Notes', + tipSearch: 'Search', textShare: 'Share' } }(), Common.Views.Header || {})) diff --git a/apps/common/main/lib/view/History.js b/apps/common/main/lib/view/History.js index a8d0b5130..5c79d22b9 100644 --- a/apps/common/main/lib/view/History.js +++ b/apps/common/main/lib/view/History.js @@ -110,7 +110,7 @@ define([ for(var i=1; i', '', '', + '', + '', + '', + '', + '', + '
    ', + '', + '', + '', '', '', '', @@ -106,7 +122,7 @@ define([ '', '', '', - '', + '', '', '', '', @@ -123,6 +139,8 @@ define([ this.props = options.props; this.options.tpl = _.template(this.template)(this.options); this.color = '000000'; + this.storage = !!options.storage; + this.api = options.api; Common.UI.Window.prototype.initialize.call(this, this.options); }, @@ -179,7 +197,9 @@ define([ [ '<% _.each(items, function(item) { %>', '
  • ', - '<%= item.displayValue %><% if (item.value === 0) { %><%=item.symbol%><% } %>', + '<%= item.displayValue %>', + '<% if (item.value === 0) { %><%=item.symbol%>', + '<% } else if (item.value === 2) { %><% } %>', '
  • ', '<% }); %>' ]; @@ -201,22 +221,30 @@ define([ template : _.template(template.join('')), itemsTemplate: _.template(itemsTemplate.join('')), data : [ - { displayValue: this.txtNone, value: -1 }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "•", font: 'Arial' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "o", font: 'Courier New' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "§", font: 'Wingdings' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "v", font: 'Wingdings' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "Ø", font: 'Wingdings' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "ü", font: 'Wingdings' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "w", font: 'Wingdings' }, - { displayValue: this.txtSymbol + ': ', value: 0, symbol: "–", font: 'Arial' }, - { displayValue: this.txtNewBullet, value: 1 } + { displayValue: this.txtNone, value: _BulletTypes.none }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "•", font: 'Arial' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "o", font: 'Courier New' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "§", font: 'Wingdings' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "v", font: 'Wingdings' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "Ø", font: 'Wingdings' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "ü", font: 'Wingdings' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "w", font: 'Wingdings' }, + { displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: "–", font: 'Arial' }, + { displayValue: this.txtNewBullet, value: _BulletTypes.newSymbol }, + { displayValue: this.txtNewImage, value: _BulletTypes.newImage } ], updateFormControl: function(record) { var formcontrol = $(this.el).find('.form-control'); if (record) { - if (record.get('value')==0) + if (record.get('value')===_BulletTypes.symbol) formcontrol[0].innerHTML = record.get('displayValue') + '' + record.get('symbol') + ''; + else if (record.get('value')===_BulletTypes.image) { + formcontrol[0].innerHTML = record.get('displayValue') + ''; + var bullet = new Asc.asc_CBullet(); + bullet.asc_fillBulletImage(me.imageProps.id); + bullet.drawSquareImage('id-dlg-list-bullet-combo-preview'); + } else if (record.get('value')===_BulletTypes.newImage) + formcontrol[0].innerHTML = me.txtImage; else formcontrol[0].innerHTML = record.get('displayValue'); } else @@ -227,7 +255,9 @@ define([ this.cmbBulletFormat.selectRecord(rec); this.bulletProps = {symbol: rec.get('symbol'), font: rec.get('font')}; this.cmbBulletFormat.on('selected', _.bind(function (combo, record) { - if (record.value === 1) { + this.imageControls.toggleClass('hidden', !(record.value === _BulletTypes.image || record.value === _BulletTypes.newImage)); + this.colorControls.toggleClass('hidden', record.value === _BulletTypes.image || record.value === _BulletTypes.newImage); + if (record.value === _BulletTypes.newSymbol) { var me = this, props = me.bulletProps, handler = function(dlg, result, settings) { @@ -242,10 +272,14 @@ define([ } } var store = combo.store; - if (!store.findWhere({value: 0, symbol: props.symbol, font: props.font})) - store.add({ displayValue: me.txtSymbol + ': ', value: 0, symbol: props.symbol, font: props.font }, {at: store.length-1}); + if (!store.findWhere({value: _BulletTypes.symbol, symbol: props.symbol, font: props.font})) { + var idx = store.indexOf(store.findWhere({value: _BulletTypes.image})); + if (idx<0) + idx = store.indexOf(store.findWhere({value: _BulletTypes.newSymbol})); + store.add({ displayValue: me.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: props.symbol, font: props.font }, {at: idx}); + } combo.setData(store.models); - combo.selectRecord(combo.store.findWhere({value: 0, symbol: props.symbol, font: props.font})); + combo.selectRecord(combo.store.findWhere({value: _BulletTypes.symbol, symbol: props.symbol, font: props.font})); }, win = new Common.Views.SymbolTableDialog({ api: me.options.api, @@ -258,7 +292,11 @@ define([ }); win.show(); win.on('symbol:dblclick', handler); - } else if (record.value == -1) { + } else if (record.value == _BulletTypes.newImage) { // new image + } else if (record.value == _BulletTypes.image) { // image + if (this._changedProps) + this._changedProps.asc_fillBulletImage(this.imageProps.id); + } else if (record.value == _BulletTypes.none) { if (this._changedProps) this._changedProps.asc_putListType(0, record.value); } else { @@ -271,7 +309,9 @@ define([ this._changedProps.asc_putSymbol(this.bulletProps.symbol); } } + this.btnOk.setDisabled(record.value === _BulletTypes.newImage); }, this)); + this.cmbBulletFormat.on('show:after', _.bind(this.onBulletFormatOpen, this)); this.spnSize = new Common.UI.MetricSpinner({ el : $window.find('#id-dlg-list-size'), @@ -314,7 +354,32 @@ define([ } }); - me.numberingControls = $window.find('.numbering'); + this.btnSelectImage = new Common.UI.Button({ + parentEl: $('#id-dlg-list-image'), + cls: 'btn-text-menu-default', + caption: this.textSelect, + style: 'width: 100%;', + menu: new Common.UI.Menu({ + style: 'min-width: 100px;', + maxHeight: 200, + additionalAlign: this.menuAddAlign, + items: [ + {caption: this.textFromFile, value: 0}, + {caption: this.textFromUrl, value: 1}, + {caption: this.textFromStorage, value: 2} + ] + }) + }); + this.btnSelectImage.menu.on('item:click', _.bind(this.onImageSelect, this)); + this.btnSelectImage.menu.items[2].setVisible(this.storage); + + this.btnOk = new Common.UI.Button({ + el: $window.find('.primary') + }); + + me.numberingControls = $window.find('tr.numbering'); + me.imageControls = $window.find('tr.image'); + me.colorControls = $window.find('tr.color'); var el = $window.find('table tr:first() td:first()'); el.width(Math.max($window.find('.numbering .text').width(), el.width())); @@ -323,12 +388,52 @@ define([ }, getFocusedComponents: function() { - return [this.cmbNumFormat, this.cmbBulletFormat, this.spnSize, this.spnStart, this.btnColor]; + return [this.cmbNumFormat, this.cmbBulletFormat, this.btnSelectImage, this.spnSize, this.spnStart, this.btnColor]; }, afterRender: function() { this.updateThemeColors(); this._setDefaults(this.props); + + var me = this; + var onApiImageLoaded = function(bullet) { + me.imageProps = {id: bullet.asc_getImageId(), redraw: true}; + if (me._changedProps) + me._changedProps.asc_fillBulletImage(me.imageProps.id); + // add or update record for image to btnBulletFormat and select it + var store = me.cmbBulletFormat.store; + if (!store.findWhere({value: _BulletTypes.image})) { + var idx = store.indexOf(store.findWhere({value: _BulletTypes.newSymbol})); + store.add({ displayValue: me.txtImage + ':', value: _BulletTypes.image }, {at: idx}); + } + me.cmbBulletFormat.setData(store.models); + me.cmbBulletFormat.selectRecord(me.cmbBulletFormat.store.findWhere({value: _BulletTypes.image})); + me.btnOk.setDisabled(false); + }; + this.api.asc_registerCallback('asc_onBulletImageLoaded', onApiImageLoaded); + + var insertImageFromStorage = function(data) { + if (data && data._urls && data.c=='bullet') { + (new Asc.asc_CBullet()).asc_putImageUrl(data._urls[0], data.token); + } + }; + Common.NotificationCenter.on('storage:image-insert', insertImageFromStorage); + + this.on('close', function(obj){ + me.api.asc_unregisterCallback('asc_onBulletImageLoaded', onApiImageLoaded); + Common.NotificationCenter.off('storage:image-insert', insertImageFromStorage); + }); + }, + + onBulletFormatOpen: function(combo) { + var store = combo.store, + rec = store.findWhere({value: _BulletTypes.image}); + if (rec && this.imageProps.redraw) { + var bullet = new Asc.asc_CBullet(); + bullet.asc_fillBulletImage(this.imageProps.id); + bullet.drawSquareImage('id-dlg-list-bullet-image-preview'); + this.imageProps.redraw = false; + } }, updateThemeColors: function() { @@ -347,9 +452,14 @@ define([ }, ShowHideElem: function(value) { + var isImage = value==0 && (this.cmbBulletFormat.getValue()===_BulletTypes.image || this.cmbBulletFormat.getValue()===_BulletTypes.newImage || + (this.cmbBulletFormat.getValue()===undefined || this.cmbBulletFormat.getValue()==='') && this.originalType === AscFormat.BULLET_TYPE_BULLET_BLIP); this.numberingControls.toggleClass('hidden', value==0); + this.imageControls.toggleClass('hidden', !isImage); + this.colorControls.toggleClass('hidden', isImage); this.cmbNumFormat.setVisible(value==1); this.cmbBulletFormat.setVisible(value==0); + this.btnOk.setDisabled(isImage && (this.cmbBulletFormat.getValue()===_BulletTypes.newImage)); var me = this; _.delay(function(){ if (value) @@ -362,18 +472,28 @@ define([ _handleInput: function(state) { if (this.options.handler) { + if (state == 'ok' && this.btnOk.isDisabled()) { + return; + } var type = this.btnBullet.pressed ? 0 : 1; if (this.originalType == AscFormat.BULLET_TYPE_BULLET_NONE) { this._changedProps = new Asc.asc_CBullet(); - this._changedProps.asc_putColor(Common.Utils.ThemeColor.getRgbColor(this.color)); this._changedProps.asc_putSize(this.spnSize.getNumberValue()); + if (type==0 && this.cmbBulletFormat.getValue()===_BulletTypes.image && this.imageProps) {//image + this._changedProps.asc_fillBulletImage(this.imageProps.id); + } else { + this._changedProps.asc_putColor(Common.Utils.ThemeColor.getRgbColor(this.color)); + } } if (this.originalType == AscFormat.BULLET_TYPE_BULLET_NONE || - this.originalType == AscFormat.BULLET_TYPE_BULLET_CHAR && type==1 || this.originalType == AscFormat.BULLET_TYPE_BULLET_AUTONUM && type==0) { // changed list type + (this.originalType == AscFormat.BULLET_TYPE_BULLET_CHAR || this.originalType == AscFormat.BULLET_TYPE_BULLET_BLIP) && type==1 || + this.originalType == AscFormat.BULLET_TYPE_BULLET_AUTONUM && type==0) { // changed list type if (type==0) {//markers - if (this.cmbBulletFormat.getValue()==-1) { + if (this.cmbBulletFormat.getValue()==_BulletTypes.none) { this._changedProps.asc_putListType(0, -1); + } else if (this.cmbBulletFormat.getValue()==_BulletTypes.image) { + } else { this._changedProps.asc_putFont(this.bulletProps.font); this._changedProps.asc_putSymbol(this.bulletProps.symbol); @@ -432,16 +552,28 @@ define([ if (this.originalType == AscFormat.BULLET_TYPE_BULLET_NONE) { this.cmbNumFormat.setValue(-1); - this.cmbBulletFormat.setValue(-1); + this.cmbBulletFormat.setValue(_BulletTypes.none); type = this.type; } else if (this.originalType == AscFormat.BULLET_TYPE_BULLET_CHAR) { var symbol = bullet.asc_getSymbol(); if (symbol) { this.bulletProps = {symbol: symbol, font: bullet.asc_getFont()}; - if (!this.cmbBulletFormat.store.findWhere({value: 0, symbol: this.bulletProps.symbol, font: this.bulletProps.font})) - this.cmbBulletFormat.store.add({ displayValue: this.txtSymbol + ': ', value: 0, symbol: this.bulletProps.symbol, font: this.bulletProps.font }, {at: this.cmbBulletFormat.store.length-1}); + if (!this.cmbBulletFormat.store.findWhere({value: _BulletTypes.symbol, symbol: this.bulletProps.symbol, font: this.bulletProps.font})) + this.cmbBulletFormat.store.add({ displayValue: this.txtSymbol + ': ', value: _BulletTypes.symbol, symbol: this.bulletProps.symbol, font: this.bulletProps.font }, {at: this.cmbBulletFormat.store.length-2}); this.cmbBulletFormat.setData(this.cmbBulletFormat.store.models); - this.cmbBulletFormat.selectRecord(this.cmbBulletFormat.store.findWhere({value: 0, symbol: this.bulletProps.symbol, font: this.bulletProps.font})); + this.cmbBulletFormat.selectRecord(this.cmbBulletFormat.store.findWhere({value: _BulletTypes.symbol, symbol: this.bulletProps.symbol, font: this.bulletProps.font})); + } else + this.cmbBulletFormat.setValue(''); + this._changedProps = bullet; + type = 0; + } else if (this.originalType == AscFormat.BULLET_TYPE_BULLET_BLIP) { + var id = bullet.asc_getImageId(); + if (id) { + this.imageProps = {id: id, redraw: true}; + if (!this.cmbBulletFormat.store.findWhere({value: _BulletTypes.image})) + this.cmbBulletFormat.store.add({ displayValue: this.txtImage + ':', value: _BulletTypes.image}, {at: this.cmbBulletFormat.store.length-2}); + this.cmbBulletFormat.setData(this.cmbBulletFormat.store.models); + this.cmbBulletFormat.selectRecord(this.cmbBulletFormat.store.findWhere({value: _BulletTypes.image})); } else this.cmbBulletFormat.setValue(''); this._changedProps = bullet; @@ -458,7 +590,7 @@ define([ } } else {// different bullet types this.cmbNumFormat.setValue(-1); - this.cmbBulletFormat.setValue(-1); + this.cmbBulletFormat.setValue(_BulletTypes.none); this._changedProps = new Asc.asc_CBullet(); type = this.type; } @@ -468,6 +600,26 @@ define([ this.ShowHideElem(type); }, + onImageSelect: function(menu, item) { + if (item.value==1) { + var me = this; + (new Common.Views.ImageFromUrlDialog({ + handler: function(result, value) { + if (result == 'ok') { + var checkUrl = value.replace(/ /g, ''); + if (!_.isEmpty(checkUrl)) { + (new Asc.asc_CBullet()).asc_putImageUrl(checkUrl); + } + } + } + })).show(); + } else if (item.value==2) { + Common.NotificationCenter.trigger('storage:image-load', 'bullet'); + } else { + (new Asc.asc_CBullet()).asc_showFileDialog(); + } + }, + txtTitle: 'List Settings', txtSize: 'Size', txtColor: 'Color', @@ -478,6 +630,13 @@ define([ txtType: 'Type', txtNone: 'None', txtNewBullet: 'New bullet', - txtSymbol: 'Symbol' + txtSymbol: 'Symbol', + txtNewImage: 'New image', + txtImage: 'Image', + txtImport: 'Import', + textSelect: 'Select From', + textFromUrl: 'From URL', + textFromFile: 'From File', + textFromStorage: 'From Storage' }, Common.Views.ListSettingsDialog || {})) }); \ No newline at end of file diff --git a/apps/common/main/lib/view/OpenDialog.js b/apps/common/main/lib/view/OpenDialog.js index 1a1681619..ad039555a 100644 --- a/apps/common/main/lib/view/OpenDialog.js +++ b/apps/common/main/lib/view/OpenDialog.js @@ -183,6 +183,8 @@ define([ _options.tpl = _.template(this.template)(_options); + this._previewTdWidth = []; + this._previewTdMaxLength = 0; Common.UI.Window.prototype.initialize.call(this, _options); }, render: function () { @@ -203,6 +205,8 @@ define([ this.inputPwd = new Common.UI.InputFieldBtnPassword({ el: $('#id-password-txt'), type: 'password', + showCls: (this.options.iconType==='svg' ? 'svg-icon' : 'toolbar__icon') + ' btn-sheet-view', + hideCls: (this.options.iconType==='svg' ? 'svg-icon' : 'toolbar__icon') + ' hide-password', validateOnBlur: false, showPwdOnClick: true, validation : function(value) { @@ -417,6 +421,9 @@ define([ }, updatePreview: function() { + this._previewTdWidth = []; + this._previewTdMaxLength = 0; + var encoding = (this.cmbEncoding && !this.cmbEncoding.isDisabled()) ? this.cmbEncoding.getValue() : ((this.settings && this.settings.asc_getCodePage()) ? this.settings.asc_getCodePage() : 0); var delimiter = this.cmbDelimiter ? this.cmbDelimiter.getValue() : null, @@ -488,15 +495,24 @@ define([ if (str.length>maxlength) maxlength = str.length; } + this._previewTdMaxLength = Math.max(this._previewTdMaxLength, maxlength); var tpl = ''; for (var i=0; i'; + var style = ''; + if (i==0 && this._previewTdWidth[j]) { // set td style only for first tr + style = 'style="min-width:' + this._previewTdWidth[j] + 'px;"'; + } + tpl += ''; } - for (j=str.length; j'; } tpl += ''; } @@ -511,6 +527,14 @@ define([ } this.previewPanel.html(tpl); + if (data.length>0) { + var me = this; + (this._previewTdWidth.length===0) && this.previewScrolled.scrollLeft(0); + this.previewPanel.find('tr:first td').each(function(index, el){ + me._previewTdWidth[index] = Math.max(Math.max(Math.ceil($(el).outerWidth()), 30), me._previewTdWidth[index] || 0); + }); + } + this.scrollerX = new Common.UI.Scroller({ el: this.previewPanel, suppressScrollY: true, @@ -521,7 +545,9 @@ define([ onCmbDelimiterSelect: function(combo, record){ this.inputDelimiter.setVisible(record.value == -1); - (record.value == -1) && this.inputDelimiter.cmpEl.find('input').focus(); + var me = this; + if (record.value == -1) + setTimeout(function(){me.inputDelimiter.focus();}, 10); if (this.preview) this.updatePreview(); }, diff --git a/apps/common/main/lib/view/SearchBar.js b/apps/common/main/lib/view/SearchBar.js new file mode 100644 index 000000000..55b91e303 --- /dev/null +++ b/apps/common/main/lib/view/SearchBar.js @@ -0,0 +1,194 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2019 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * +*/ +/** + * SearchBar.js + * + * Created by Julia Svinareva on 03.02.2022 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'common/main/lib/component/Window' +], function () { + 'use strict'; + + Common.UI.SearchBar = Common.UI.Window.extend(_.extend({ + options: { + modal: false, + width: 328, + height: 54, + header: false, + cls: 'search-bar', + alias: 'SearchBar' + }, + + initialize : function(options) { + _.extend(this.options, options || {}); + + this.template = [ + '
    ', + '', + '
    ', + '
    ', + '
    ', + '
    ', + '
    ', + '
    ', + '
    ' + ].join(''); + + this.options.tpl = _.template(this.template)(this.options); + + Common.UI.Window.prototype.initialize.call(this, this.options); + + Common.NotificationCenter.on('layout:changed', _.bind(this.onLayoutChanged, this)); + $(window).on('resize', _.bind(this.onLayoutChanged, this)); + }, + + render: function() { + Common.UI.Window.prototype.render.call(this); + + this.inputSearch = this.$window.find('#search-bar-text'); + this.inputSearch.on('input', _.bind(function () { + this.disableNavButtons(); + this.fireEvent('search:input', [this.inputSearch.val()]); + }, this)).on('keydown', _.bind(function (e) { + this.fireEvent('search:keydown', [this.inputSearch.val(), e]); + }, this)); + + this.btnBack = new Common.UI.Button({ + parentEl: $('#search-bar-back'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-arrow-up', + hint: this.tipPreviousResult + }); + this.btnBack.on('click', _.bind(this.onBtnNextClick, this, 'back')); + + this.btnNext = new Common.UI.Button({ + parentEl: $('#search-bar-next'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-arrow-down', + hint: this.tipNextResult + }); + this.btnNext.on('click', _.bind(this.onBtnNextClick, this, 'next')); + + this.btnOpenPanel = new Common.UI.Button({ + parentEl: $('#search-bar-open-panel'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon more-vertical', + hint: this.tipOpenAdvancedSettings + }); + this.btnOpenPanel.on('click', _.bind(this.onOpenPanel, this)); + + this.btnClose = new Common.UI.Button({ + parentEl: $('#search-bar-close'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-close', + hint: this.tipCloseSearch + }); + this.btnClose.on('click', _.bind(function () { + this.hide(); + }, this)) + + this.on('animate:before', _.bind(this.focus, this)); + + Common.NotificationCenter.on('search:updateresults', _.bind(this.disableNavButtons, this)); + + return this; + }, + + show: function(text) { + var top = $('#app-title').height() + $('#toolbar').height() + 2, + left = Common.Utils.innerWidth() - ($('#right-menu').is(':visible') ? $('#right-menu').width() : 0) - this.options.width - 32; + Common.UI.Window.prototype.show.call(this, left, top); + + if (text) { + this.inputSearch.val(text); + this.fireEvent('search:input', [text]); + } else { + this.inputSearch.val(''); + } + + this.disableNavButtons(); + this.focus(); + }, + + focus: function() { + var me = this; + setTimeout(function(){ + me.inputSearch.focus(); + me.inputSearch.select(); + }, 10); + }, + + setText: function (text) { + this.inputSearch.val(text); + this.fireEvent('search:input', [text]); + }, + + getSettings: function() { + return { + + }; + }, + + onLayoutChanged: function () { + var top = $('#app-title').height() + $('#toolbar').height() + 2, + left = Common.Utils.innerWidth() - ($('#right-menu').is(':visible') ? $('#right-menu').width() : 0) - this.options.width - 32; + this.$window.css({left: left, top: top}); + }, + + onBtnNextClick: function(action) { + this.fireEvent('search:'+action, [this.inputSearch.val(), false]); + }, + + onOpenPanel: function () { + this.hide(); + this.fireEvent('search:show', [true, this.inputSearch.val()]); + }, + + disableNavButtons: function (resultNumber, allResults) { + var disable = this.inputSearch.val() === ''; + this.btnBack.setDisabled(disable || !allResults || resultNumber === 0); + this.btnNext.setDisabled(disable || resultNumber + 1 === allResults); + }, + + textFind: 'Find', + tipPreviousResult: 'Previous result', + tipNextResult: 'Next result', + tipOpenAdvancedSettings: 'Open advanced settings', + tipCloseSearch: 'Close search' + + }, Common.UI.SearchBar || {})); +}); \ No newline at end of file diff --git a/apps/common/main/lib/view/SearchDialog.js b/apps/common/main/lib/view/SearchDialog.js index 142dfa690..7620173a1 100644 --- a/apps/common/main/lib/view/SearchDialog.js +++ b/apps/common/main/lib/view/SearchDialog.js @@ -171,7 +171,7 @@ this.txtSearch.on('keydown', null, 'search', _.bind(this.onKeyPress, this)); this.txtReplace.on('keydown', null, 'replace', _.bind(this.onKeyPress, this)); - this.on('animate:before', _.bind(this.focus, this)); + this.on('animate:before', _.bind(this.onAnimateBefore, this)); return this; }, @@ -191,14 +191,18 @@ this.focus(); }, - focus: function() { - var me = this; + focus: function(type) { + var field = (type==='replace') ? this.txtReplace : this.txtSearch; setTimeout(function(){ - me.txtSearch.focus(); - me.txtSearch.select(); + field.focus(); + field.select(); }, 10); }, + onAnimateBefore: function() { + this.focus(); + }, + onKeyPress: function(event) { if (!this.isLocked()) { if (event.keyCode == Common.UI.Keys.RETURN) { diff --git a/apps/common/main/lib/view/SearchPanel.js b/apps/common/main/lib/view/SearchPanel.js new file mode 100644 index 000000000..1f1d52163 --- /dev/null +++ b/apps/common/main/lib/view/SearchPanel.js @@ -0,0 +1,418 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2019 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * +*/ +/** + * User: Julia.Svinareva + * Date: 11.02.2022 + */ + +define([ + 'text!common/main/lib/template/SearchPanel.template', + 'common/main/lib/util/utils', + 'common/main/lib/component/BaseView', + 'common/main/lib/component/Layout' +], function (template) { + 'use strict'; + + Common.Views.SearchPanel = Common.UI.BaseView.extend(_.extend({ + el: '#left-panel-search', + template: _.template(template), + + initialize: function(options) { + _.extend(this, options); + Common.UI.BaseView.prototype.initialize.call(this, arguments); + + this.mode = false; + + window.SSE && (this.extendedOptions = Common.localStorage.getBool('sse-search-options-extended', true)); + }, + + render: function(el) { + var me = this; + if (!this.rendered) { + el = el || this.el; + $(el).html(this.template({ + scope: this + })); + this.$el = $(el); + + this.inputText = new Common.UI.InputField({ + el: $('#search-adv-text'), + placeHolder: this.textFind, + allowBlank: true, + validateOnBlur: false, + style: 'width: 100%;', + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + this.inputText._input.on('input', _.bind(function () { + this.fireEvent('search:input', [this.inputText._input.val()]); + }, this)).on('keydown', _.bind(function (e) { + this.fireEvent('search:keydown', [this.inputText._input.val(), e]); + }, this)); + + this.inputReplace = new Common.UI.InputField({ + el: $('#search-adv-replace-text'), + placeHolder: this.textReplaceWith, + allowBlank: true, + validateOnBlur: false, + style: 'width: 100%;', + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + + this.btnBack = new Common.UI.Button({ + parentEl: $('#search-adv-back'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-arrow-up', + hint: this.tipPreviousResult, + dataHint: '1', + dataHintDirection: 'bottom' + }); + this.btnBack.on('click', _.bind(this.onBtnNextClick, this, 'back')); + + this.btnNext = new Common.UI.Button({ + parentEl: $('#search-adv-next'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-arrow-down', + hint: this.tipNextResult, + dataHint: '1', + dataHintDirection: 'bottom' + }); + this.btnNext.on('click', _.bind(this.onBtnNextClick, this, 'next')); + + this.btnReplace = new Common.UI.Button({ + el: $('#search-adv-replace') + }); + this.btnReplace.on('click', _.bind(this.onReplaceClick, this, 'replace')); + + this.btnReplaceAll = new Common.UI.Button({ + el: $('#search-adv-replace-all') + }); + this.btnReplaceAll.on('click', _.bind(this.onReplaceClick, this, 'replaceall')); + + this.$reaultsNumber = $('#search-adv-results-number'); + this.updateResultsNumber('no-results'); + + this.chCaseSensitive = new Common.UI.CheckBox({ + el: $('#search-adv-case-sensitive'), + labelText: this.textCaseSensitive, + value: false, + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }).on('change', function(field) { + me.fireEvent('search:options', ['case-sensitive', field.getValue() === 'checked']); + }); + + /*this.chUseRegExp = new Common.UI.CheckBox({ + el: $('#search-adv-use-regexp'), + labelText: this.textMatchUsingRegExp, + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }).on('change', function(field) { + me.fireEvent('search:options', ['regexp', field.getValue() === 'checked']); + });*/ + + this.chMatchWord = new Common.UI.CheckBox({ + el: $('#search-adv-match-word'), + labelText: window.SSE ? this.textItemEntireCell : this.textWholeWords, + value: false, + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }).on('change', function(field) { + me.fireEvent('search:options', ['match-word', field.getValue() === 'checked']); + }); + + this.buttonClose = new Common.UI.Button({ + parentEl: $('#search-btn-close', this.$el), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-close', + hint: this.textCloseSearch, + dataHint: '1', + dataHintDirection: 'bottom', + dataHintOffset: 'medium' + }); + this.buttonClose.on('click', _.bind(this.onClickClosePanel, this)); + + this.$resultsContainer = $('#search-results'); + this.$resultsContainer.hide(); + + Common.NotificationCenter.on('search:updateresults', _.bind(this.disableNavButtons, this)); + if (window.SSE) { + this.cmbWithin = new Common.UI.ComboBox({ + el: $('#search-adv-cmb-within'), + menuStyle: 'min-width: 100%;', + style: "width: 219px;", + editable: false, + cls: 'input-group-nr', + data: [ + { value: 0, displayValue: this.textSheet }, + { value: 1, displayValue: this.textWorkbook }, + { value: 2, displayValue: this.textSpecificRange} + ], + dataHint: '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }).on('selected', function(combo, record) { + me.fireEvent('search:options', ['within', record.value]); + }); + + this.inputSelectRange = new Common.UI.InputFieldBtn({ + el: $('#search-adv-select-range'), + placeHolder: this.textSelectDataRange, + allowBlank: true, + validateOnChange: true, + validateOnBlur: true, + style: "width: 219px; margin-top: 8px", + disabled: true, + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'small' + }).on('keyup:after', function(input, e) { + me.fireEvent('search:options', ['range', input.getValue(), e.keyCode !== Common.UI.Keys.RETURN]); + }); + + this.cmbSearch = new Common.UI.ComboBox({ + el: $('#search-adv-cmb-search'), + menuStyle: 'min-width: 100%;', + style: "width: 219px;", + editable: false, + cls: 'input-group-nr', + data: [ + { value: 0, displayValue: this.textByRows }, + { value: 1, displayValue: this.textByColumns } + ], + dataHint: '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }).on('selected', function(combo, record) { + me.fireEvent('search:options', ['search', !record.value]); + }); + + this.cmbLookIn = new Common.UI.ComboBox({ + el: $('#search-adv-cmb-look-in'), + menuStyle: 'min-width: 100%;', + style: "width: 219px;", + editable: false, + cls: 'input-group-nr', + data: [ + { value: 0, displayValue: this.textFormulas }, + { value: 1, displayValue: this.textValues } + ], + dataHint: '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }).on('selected', function(combo, record) { + me.fireEvent('search:options', ['lookIn', !record.value]); + }); + + this.$searchOptionsBlock = $('.search-options-block'); + this.$searchOptionsBlock.show(); + $('#open-search-options').on('click', _.bind(this.expandSearchOptions, this)); + + if (!this.extendedOptions) { + this.$searchOptionsBlock.addClass('no-expand'); + } + + this.cmbWithin.setValue(0); + this.cmbSearch.setValue(0); + this.cmbLookIn.setValue(0); + + var tableTemplate = '
    ' + + '
    ' + this.textSheet + '
    ' + + '
    ' + this.textName + '
    ' + + '
    ' + this.textCell + '
    ' + + '
    ' + this.textValue + '
    ' + + '
    ' + this.textFormula + '
    ' + + '
    ' + + '
    ', + $resultTable = $(tableTemplate).appendTo(this.$resultsContainer); + this.$resultsContainer.scroller = new Common.UI.Scroller({ + el: $resultTable.find('.search-items'), + includePadding: true, + useKeyboard: true, + minScrollbarLength: 40, + alwaysVisibleY: true + }); + } else { + this.$resultsContainer.scroller = new Common.UI.Scroller({ + el: this.$resultsContainer, + includePadding: true, + useKeyboard: true, + minScrollbarLength: 40, + alwaysVisibleY: true + }); + } + Common.NotificationCenter.on('window:resize', function() { + me.$resultsContainer.outerHeight($('#search-box').outerHeight() - $('#search-header').outerHeight() - $('#search-adv-settings').outerHeight()); + me.$resultsContainer.scroller.update({alwaysVisibleY: true}); + }); + } + + this.rendered = true; + this.trigger('render:after', this); + return this; + }, + + show: function () { + Common.UI.BaseView.prototype.show.call(this,arguments); + this.fireEvent('show', this ); + + this.$resultsContainer.outerHeight($('#search-box').outerHeight() - $('#search-header').outerHeight() - $('#search-adv-settings').outerHeight()); + this.$resultsContainer.scroller.update({alwaysVisibleY: true}); + }, + + hide: function () { + Common.UI.BaseView.prototype.hide.call(this,arguments); + this.fireEvent('hide', this ); + }, + + focus: function(type) { + var me = this, + el = type === 'replace' ? me.inputReplace.$el : (type === 'range' ? me.inputSelectRange.$el : me.inputText.$el); + setTimeout(function(){ + el.find('input').focus(); + el.find('input').select(); + }, 10); + }, + + setSearchMode: function (mode) { + if (this.mode !== mode) { + this.$el.find('.edit-setting')[mode !== 'no-replace' ? 'show' : 'hide'](); + this.$el.find('#search-adv-title').text(mode !== 'no-replace' ? this.textFindAndReplace : this.textFind); + this.mode = mode; + } + }, + + ChangeSettings: function(props) { + }, + + updateResultsNumber: function (current, count) { + var text; + if (count > 300) { + text = this.textTooManyResults; + } else { + text = current === 'no-results' ? this.textNoSearchResults : (!count ? this.textNoMatches : Common.Utils.String.format(this.textSearchResults, current + 1, count)); + } + this.$reaultsNumber.text(text); + this.disableReplaceButtons(!count); + }, + + onClickClosePanel: function() { + Common.NotificationCenter.trigger('leftmenu:change', 'hide'); + this.fireEvent('hide', this ); + }, + + onBtnNextClick: function (action) { + this.fireEvent('search:'+action, [this.inputText.getValue(), true]); + }, + + onReplaceClick: function (action) { + this.fireEvent('search:'+action, [this.inputText.getValue(), this.inputReplace.getValue()]); + }, + + getSettings: function() { + return { + textsearch: this.inputText.getValue(), + matchcase: this.chCaseSensitive.checked, + matchword: this.chMatchWord.checked + }; + }, + + expandSearchOptions: function () { + this.extendedOptions = !this.extendedOptions; + this.$searchOptionsBlock[this.extendedOptions ? 'removeClass' : 'addClass']('no-expand'); + Common.localStorage.setBool('sse-search-options-extended', this.extendedOptions); + + this.$resultsContainer.outerHeight($('#search-box').outerHeight() - $('#search-header').outerHeight() - $('#search-adv-settings').outerHeight()); + this.$resultsContainer.scroller.update({alwaysVisibleY: true}); + }, + + setFindText: function (val) { + this.inputText.setValue(val); + }, + + clearResultsNumber: function () { + this.updateResultsNumber('no-results'); + }, + + disableNavButtons: function (resultNumber, allResults) { + var disable = this.inputText._input.val() === ''; + this.btnBack.setDisabled(disable || !allResults || resultNumber === 0); + this.btnNext.setDisabled(disable || !allResults || resultNumber + 1 === allResults); + }, + + disableReplaceButtons: function (disable) { + this.btnReplace.setDisabled(disable); + this.btnReplaceAll.setDisabled(disable); + }, + + textFind: 'Find', + textFindAndReplace: 'Find and replace', + textCloseSearch: 'Close search', + textReplace: 'Replace', + textReplaceAll: 'Replace All', + textSearchResults: 'Search results: {0}/{1}', + textReplaceWith: 'Replace with', + textCaseSensitive: 'Case sensitive', + textMatchUsingRegExp: 'Match using regular expressions', + textWholeWords: 'Whole words only', + textWithin: 'Within', + textSelectDataRange: 'Select Data range', + textSearch: 'Search', + textLookIn: 'Look in', + textSheet: 'Sheet', + textWorkbook: 'Workbook', + textSpecificRange: 'Specific range', + textByRows: 'By rows', + textByColumns: 'By columns', + textFormulas: 'Formulas', + textValues: 'Values', + textSearchOptions: 'Search options', + textNoMatches: 'No matches', + textNoSearchResults: 'No search results', + textItemEntireCell: 'Entire cell contents', + textTooManyResults: 'There are too many results to show here', + tipPreviousResult: 'Previous result', + tipNextResult: 'Next result', + textName: 'Name', + textCell: 'Cell', + textValue: 'Value', + textFormula: 'Formula' + + }, Common.Views.SearchPanel || {})); +}); \ No newline at end of file diff --git a/apps/common/main/resources/img/dimension-picker/dimension-highlighted.png b/apps/common/main/resources/img/dimension-picker/dimension-highlighted.png index 459f654b7..548820257 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-highlighted.png and b/apps/common/main/resources/img/dimension-picker/dimension-highlighted.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.25x.png b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.25x.png index 1dca0df85..178c9055d 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.25x.png and b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.25x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.5x.png b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.5x.png index 4568ac129..9ef48ad45 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.5x.png and b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.5x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.75x.png b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.75x.png index 7fa5bca27..bcaaa8ffb 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.75x.png and b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@1.75x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@2x.png b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@2x.png index f70ca1d69..ddf0f3026 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-highlighted@2x.png and b/apps/common/main/resources/img/dimension-picker/dimension-highlighted@2x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted.png b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted.png index 60dffd10c..8d30523bf 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted.png and b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.25x.png b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.25x.png index dd3837e9d..04909bc10 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.25x.png and b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.25x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.5x.png b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.5x.png index 887033138..543060016 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.5x.png and b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.5x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.75x.png b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.75x.png index e114299c7..e675f1b19 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.75x.png and b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@1.75x.png differ diff --git a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@2x.png b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@2x.png index 4945a9f4e..67b98e9a2 100644 Binary files a/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@2x.png and b/apps/common/main/resources/img/dimension-picker/dimension-unhighlighted@2x.png differ diff --git a/apps/common/main/resources/img/doc-formats/blank.svg b/apps/common/main/resources/img/doc-formats/blank.svg index 224c65fbf..b8969571b 100644 --- a/apps/common/main/resources/img/doc-formats/blank.svg +++ b/apps/common/main/resources/img/doc-formats/blank.svg @@ -1,5 +1,5 @@ - + - + \ No newline at end of file diff --git a/apps/common/main/resources/img/doc-formats/csv.svg b/apps/common/main/resources/img/doc-formats/csv.svg index 41be9da1a..fdd2fc1ad 100644 --- a/apps/common/main/resources/img/doc-formats/csv.svg +++ b/apps/common/main/resources/img/doc-formats/csv.svg @@ -1,5 +1,5 @@ - + @@ -30,5 +30,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/docm.svg b/apps/common/main/resources/img/doc-formats/docm.svg index 6a17105c9..86e7c54dd 100644 --- a/apps/common/main/resources/img/doc-formats/docm.svg +++ b/apps/common/main/resources/img/doc-formats/docm.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/docx.svg b/apps/common/main/resources/img/doc-formats/docx.svg index 12839165e..f5416b33e 100644 --- a/apps/common/main/resources/img/doc-formats/docx.svg +++ b/apps/common/main/resources/img/doc-formats/docx.svg @@ -1,8 +1,8 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/docxf.svg b/apps/common/main/resources/img/doc-formats/docxf.svg index c5b1846c3..c7a21a112 100644 --- a/apps/common/main/resources/img/doc-formats/docxf.svg +++ b/apps/common/main/resources/img/doc-formats/docxf.svg @@ -1,5 +1,5 @@ - + @@ -13,5 +13,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/dotx.svg b/apps/common/main/resources/img/doc-formats/dotx.svg index b13d8c92f..a47d3f4b9 100644 --- a/apps/common/main/resources/img/doc-formats/dotx.svg +++ b/apps/common/main/resources/img/doc-formats/dotx.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/epub.svg b/apps/common/main/resources/img/doc-formats/epub.svg index ef7ed8564..54657ca33 100644 --- a/apps/common/main/resources/img/doc-formats/epub.svg +++ b/apps/common/main/resources/img/doc-formats/epub.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/fb2.svg b/apps/common/main/resources/img/doc-formats/fb2.svg index fc2472911..6e22697a1 100644 --- a/apps/common/main/resources/img/doc-formats/fb2.svg +++ b/apps/common/main/resources/img/doc-formats/fb2.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/html.svg b/apps/common/main/resources/img/doc-formats/html.svg index 212e63e09..50feffdc9 100644 --- a/apps/common/main/resources/img/doc-formats/html.svg +++ b/apps/common/main/resources/img/doc-formats/html.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/jpg.svg b/apps/common/main/resources/img/doc-formats/jpg.svg index 68d4c826e..bccd0c419 100644 --- a/apps/common/main/resources/img/doc-formats/jpg.svg +++ b/apps/common/main/resources/img/doc-formats/jpg.svg @@ -1,5 +1,5 @@ - + @@ -10,5 +10,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/odp.svg b/apps/common/main/resources/img/doc-formats/odp.svg index 3fc77de30..e80d53836 100644 --- a/apps/common/main/resources/img/doc-formats/odp.svg +++ b/apps/common/main/resources/img/doc-formats/odp.svg @@ -1,9 +1,9 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/ods.svg b/apps/common/main/resources/img/doc-formats/ods.svg index 0356d3255..a0414214f 100644 --- a/apps/common/main/resources/img/doc-formats/ods.svg +++ b/apps/common/main/resources/img/doc-formats/ods.svg @@ -1,10 +1,9 @@ - + - diff --git a/apps/common/main/resources/img/doc-formats/odt.svg b/apps/common/main/resources/img/doc-formats/odt.svg index c2122c0a4..863112b87 100644 --- a/apps/common/main/resources/img/doc-formats/odt.svg +++ b/apps/common/main/resources/img/doc-formats/odt.svg @@ -1,9 +1,9 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/oform.svg b/apps/common/main/resources/img/doc-formats/oform.svg index 80dba56e1..e2ab98f2f 100644 --- a/apps/common/main/resources/img/doc-formats/oform.svg +++ b/apps/common/main/resources/img/doc-formats/oform.svg @@ -1,5 +1,5 @@ - + @@ -14,5 +14,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/otp.svg b/apps/common/main/resources/img/doc-formats/otp.svg index 70dcbc974..32e67c8f7 100644 --- a/apps/common/main/resources/img/doc-formats/otp.svg +++ b/apps/common/main/resources/img/doc-formats/otp.svg @@ -1,5 +1,5 @@ - + @@ -7,5 +7,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/ots.svg b/apps/common/main/resources/img/doc-formats/ots.svg index 96aef7046..d534da861 100644 --- a/apps/common/main/resources/img/doc-formats/ots.svg +++ b/apps/common/main/resources/img/doc-formats/ots.svg @@ -1,5 +1,5 @@ - + @@ -8,5 +8,4 @@ - diff --git a/apps/common/main/resources/img/doc-formats/ott.svg b/apps/common/main/resources/img/doc-formats/ott.svg index b2a7e1a43..194bf7da2 100644 --- a/apps/common/main/resources/img/doc-formats/ott.svg +++ b/apps/common/main/resources/img/doc-formats/ott.svg @@ -1,5 +1,5 @@ - + @@ -7,5 +7,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/pdf.svg b/apps/common/main/resources/img/doc-formats/pdf.svg index 8c9a6ed5a..c532b23bc 100644 --- a/apps/common/main/resources/img/doc-formats/pdf.svg +++ b/apps/common/main/resources/img/doc-formats/pdf.svg @@ -1,8 +1,8 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/pdfa.svg b/apps/common/main/resources/img/doc-formats/pdfa.svg index ef9a17b4e..19efd108e 100644 --- a/apps/common/main/resources/img/doc-formats/pdfa.svg +++ b/apps/common/main/resources/img/doc-formats/pdfa.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/png.svg b/apps/common/main/resources/img/doc-formats/png.svg index 59d7edf61..30f3ee2c0 100644 --- a/apps/common/main/resources/img/doc-formats/png.svg +++ b/apps/common/main/resources/img/doc-formats/png.svg @@ -1,5 +1,5 @@ - + @@ -10,5 +10,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/potx.svg b/apps/common/main/resources/img/doc-formats/potx.svg index 150957769..6dee1140d 100644 --- a/apps/common/main/resources/img/doc-formats/potx.svg +++ b/apps/common/main/resources/img/doc-formats/potx.svg @@ -1,5 +1,5 @@ - + @@ -10,5 +10,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/ppsx.svg b/apps/common/main/resources/img/doc-formats/ppsx.svg index 37ab966b2..3557f5bb2 100644 --- a/apps/common/main/resources/img/doc-formats/ppsx.svg +++ b/apps/common/main/resources/img/doc-formats/ppsx.svg @@ -1,5 +1,5 @@ - + @@ -15,5 +15,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/pptm.svg b/apps/common/main/resources/img/doc-formats/pptm.svg index 7c15a6807..ce2944715 100644 --- a/apps/common/main/resources/img/doc-formats/pptm.svg +++ b/apps/common/main/resources/img/doc-formats/pptm.svg @@ -1,5 +1,5 @@ - + @@ -10,5 +10,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/pptx.svg b/apps/common/main/resources/img/doc-formats/pptx.svg index 51a385103..92a066231 100644 --- a/apps/common/main/resources/img/doc-formats/pptx.svg +++ b/apps/common/main/resources/img/doc-formats/pptx.svg @@ -1,5 +1,5 @@ - + @@ -8,5 +8,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/rtf.svg b/apps/common/main/resources/img/doc-formats/rtf.svg index 1b613a81d..2197fb903 100644 --- a/apps/common/main/resources/img/doc-formats/rtf.svg +++ b/apps/common/main/resources/img/doc-formats/rtf.svg @@ -1,5 +1,5 @@ - + @@ -14,5 +14,4 @@ - diff --git a/apps/common/main/resources/img/doc-formats/txt.svg b/apps/common/main/resources/img/doc-formats/txt.svg index bed12e3f8..206714aab 100644 --- a/apps/common/main/resources/img/doc-formats/txt.svg +++ b/apps/common/main/resources/img/doc-formats/txt.svg @@ -1,5 +1,5 @@ - + @@ -12,5 +12,5 @@ - + diff --git a/apps/common/main/resources/img/doc-formats/xlsm.svg b/apps/common/main/resources/img/doc-formats/xlsm.svg index 347be30e4..ae16f316f 100644 --- a/apps/common/main/resources/img/doc-formats/xlsm.svg +++ b/apps/common/main/resources/img/doc-formats/xlsm.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/xlsx.svg b/apps/common/main/resources/img/doc-formats/xlsx.svg index 277d27536..84aeec80f 100644 --- a/apps/common/main/resources/img/doc-formats/xlsx.svg +++ b/apps/common/main/resources/img/doc-formats/xlsx.svg @@ -1,8 +1,8 @@ - + - + diff --git a/apps/common/main/resources/img/doc-formats/xltx.svg b/apps/common/main/resources/img/doc-formats/xltx.svg index f676c3772..220c7489a 100644 --- a/apps/common/main/resources/img/doc-formats/xltx.svg +++ b/apps/common/main/resources/img/doc-formats/xltx.svg @@ -1,10 +1,10 @@ - + - + diff --git a/apps/common/main/resources/img/header/buttons.svg b/apps/common/main/resources/img/header/buttons.svg deleted file mode 100644 index 25c94131f..000000000 --- a/apps/common/main/resources/img/header/buttons.svg +++ /dev/null @@ -1,184 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/apps/common/main/resources/img/header/buttons150.svg b/apps/common/main/resources/img/header/buttons150.svg deleted file mode 100644 index ae53c467c..000000000 --- a/apps/common/main/resources/img/header/buttons150.svg +++ /dev/null @@ -1,170 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/apps/common/main/resources/img/header/icons.svg b/apps/common/main/resources/img/header/icons.svg new file mode 100644 index 000000000..3599fad38 --- /dev/null +++ b/apps/common/main/resources/img/header/icons.svg @@ -0,0 +1,8 @@ + + + + + + + + diff --git a/apps/common/main/resources/img/toolbar/1.25x/collapse-all.png b/apps/common/main/resources/img/toolbar/1.25x/collapse-all.png new file mode 100644 index 000000000..82d8c71c8 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/collapse-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/demote.png b/apps/common/main/resources/img/toolbar/1.25x/demote.png new file mode 100644 index 000000000..749308be5 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/demote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/expand-all.png b/apps/common/main/resources/img/toolbar/1.25x/expand-all.png new file mode 100644 index 000000000..7099f53cc Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/expand-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/latex.png b/apps/common/main/resources/img/toolbar/1.25x/latex.png new file mode 100644 index 000000000..536c2988d Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/latex.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/linear-equation.png b/apps/common/main/resources/img/toolbar/1.25x/linear-equation.png new file mode 100644 index 000000000..41b8bb37e Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/linear-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/more-vertical.png b/apps/common/main/resources/img/toolbar/1.25x/more-vertical.png new file mode 100644 index 000000000..2abea9e3f Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/more-vertical.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/professional-equation.png b/apps/common/main/resources/img/toolbar/1.25x/professional-equation.png new file mode 100644 index 000000000..cdea17d67 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/professional-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/promote.png b/apps/common/main/resources/img/toolbar/1.25x/promote.png new file mode 100644 index 000000000..e2f21f415 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/promote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/select-all.png b/apps/common/main/resources/img/toolbar/1.25x/select-all.png new file mode 100644 index 000000000..635055e43 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/select-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.25x/unicode.png b/apps/common/main/resources/img/toolbar/1.25x/unicode.png new file mode 100644 index 000000000..d58fc9eb2 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.25x/unicode.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/collapse-all.png b/apps/common/main/resources/img/toolbar/1.5x/collapse-all.png new file mode 100644 index 000000000..4a54af18a Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/collapse-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/demote.png b/apps/common/main/resources/img/toolbar/1.5x/demote.png new file mode 100644 index 000000000..a7baf19a6 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/demote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/expand-all.png b/apps/common/main/resources/img/toolbar/1.5x/expand-all.png new file mode 100644 index 000000000..30b628b8f Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/expand-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/latex.png b/apps/common/main/resources/img/toolbar/1.5x/latex.png new file mode 100644 index 000000000..3091b2578 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/latex.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/linear-equation.png b/apps/common/main/resources/img/toolbar/1.5x/linear-equation.png new file mode 100644 index 000000000..495cd97ed Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/linear-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/more-vertical.png b/apps/common/main/resources/img/toolbar/1.5x/more-vertical.png new file mode 100644 index 000000000..44d1c6f79 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/more-vertical.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/professional-equation.png b/apps/common/main/resources/img/toolbar/1.5x/professional-equation.png new file mode 100644 index 000000000..d679b8861 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/professional-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/promote.png b/apps/common/main/resources/img/toolbar/1.5x/promote.png new file mode 100644 index 000000000..7c9f302df Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/promote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/select-all.png b/apps/common/main/resources/img/toolbar/1.5x/select-all.png new file mode 100644 index 000000000..309d723ea Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/select-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.5x/unicode.png b/apps/common/main/resources/img/toolbar/1.5x/unicode.png new file mode 100644 index 000000000..4cff6dfe5 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.5x/unicode.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/collapse-all.png b/apps/common/main/resources/img/toolbar/1.75x/collapse-all.png new file mode 100644 index 000000000..afb04e789 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/collapse-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/demote.png b/apps/common/main/resources/img/toolbar/1.75x/demote.png new file mode 100644 index 000000000..904ce73a5 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/demote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/expand-all.png b/apps/common/main/resources/img/toolbar/1.75x/expand-all.png new file mode 100644 index 000000000..f492a3710 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/expand-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/latex.png b/apps/common/main/resources/img/toolbar/1.75x/latex.png new file mode 100644 index 000000000..86eb1793c Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/latex.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/linear-equation.png b/apps/common/main/resources/img/toolbar/1.75x/linear-equation.png new file mode 100644 index 000000000..7884be171 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/linear-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/more-vertical.png b/apps/common/main/resources/img/toolbar/1.75x/more-vertical.png new file mode 100644 index 000000000..a9158bfc4 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/more-vertical.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/professional-equation.png b/apps/common/main/resources/img/toolbar/1.75x/professional-equation.png new file mode 100644 index 000000000..ae9bcfd8e Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/professional-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/promote.png b/apps/common/main/resources/img/toolbar/1.75x/promote.png new file mode 100644 index 000000000..63f2ca874 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/promote.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/select-all.png b/apps/common/main/resources/img/toolbar/1.75x/select-all.png new file mode 100644 index 000000000..63d478378 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/select-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1.75x/unicode.png b/apps/common/main/resources/img/toolbar/1.75x/unicode.png new file mode 100644 index 000000000..f5164c1ea Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1.75x/unicode.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/collapse-all.png b/apps/common/main/resources/img/toolbar/1x/collapse-all.png new file mode 100644 index 000000000..abc945bea Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/collapse-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/demote.png b/apps/common/main/resources/img/toolbar/1x/demote.png new file mode 100644 index 000000000..18dfa6620 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/demote.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/expand-all.png b/apps/common/main/resources/img/toolbar/1x/expand-all.png new file mode 100644 index 000000000..a0b04ee1b Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/expand-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/latex.png b/apps/common/main/resources/img/toolbar/1x/latex.png new file mode 100644 index 000000000..bcbe5a8fe Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/latex.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/linear-equation.png b/apps/common/main/resources/img/toolbar/1x/linear-equation.png new file mode 100644 index 000000000..25159df42 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/linear-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/more-vertical.png b/apps/common/main/resources/img/toolbar/1x/more-vertical.png new file mode 100644 index 000000000..07d127a25 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/more-vertical.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/professional-equation.png b/apps/common/main/resources/img/toolbar/1x/professional-equation.png new file mode 100644 index 000000000..f27f5c28b Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/professional-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/promote.png b/apps/common/main/resources/img/toolbar/1x/promote.png new file mode 100644 index 000000000..5bf67f805 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/promote.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/select-all.png b/apps/common/main/resources/img/toolbar/1x/select-all.png new file mode 100644 index 000000000..bce163822 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/select-all.png differ diff --git a/apps/common/main/resources/img/toolbar/1x/unicode.png b/apps/common/main/resources/img/toolbar/1x/unicode.png new file mode 100644 index 000000000..65da0b6c5 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/1x/unicode.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/collapse-all.png b/apps/common/main/resources/img/toolbar/2x/collapse-all.png new file mode 100644 index 000000000..0299cba1b Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/collapse-all.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/demote.png b/apps/common/main/resources/img/toolbar/2x/demote.png new file mode 100644 index 000000000..00d687ad3 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/demote.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/expand-all.png b/apps/common/main/resources/img/toolbar/2x/expand-all.png new file mode 100644 index 000000000..b6eb9dc75 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/expand-all.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/latex.png b/apps/common/main/resources/img/toolbar/2x/latex.png new file mode 100644 index 000000000..a0e04466d Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/latex.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/linear-equation.png b/apps/common/main/resources/img/toolbar/2x/linear-equation.png new file mode 100644 index 000000000..db3fd11bc Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/linear-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/more-vertical.png b/apps/common/main/resources/img/toolbar/2x/more-vertical.png new file mode 100644 index 000000000..b2338321d Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/more-vertical.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/professional-equation.png b/apps/common/main/resources/img/toolbar/2x/professional-equation.png new file mode 100644 index 000000000..2edd56048 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/professional-equation.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/promote.png b/apps/common/main/resources/img/toolbar/2x/promote.png new file mode 100644 index 000000000..1918cc2f0 Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/promote.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/select-all.png b/apps/common/main/resources/img/toolbar/2x/select-all.png new file mode 100644 index 000000000..e9fa78a6b Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/select-all.png differ diff --git a/apps/common/main/resources/img/toolbar/2x/unicode.png b/apps/common/main/resources/img/toolbar/2x/unicode.png new file mode 100644 index 000000000..2a570cd4b Binary files /dev/null and b/apps/common/main/resources/img/toolbar/2x/unicode.png differ diff --git a/apps/common/main/resources/less/combo-dataview.less b/apps/common/main/resources/less/combo-dataview.less index 645eb51cb..fecb3727e 100644 --- a/apps/common/main/resources/less/combo-dataview.less +++ b/apps/common/main/resources/less/combo-dataview.less @@ -111,7 +111,7 @@ .box-shadow(none); @minus-px-ie: -1px; - @minus-px: calc(-1px / @pixel-ratio-factor); + @minus-px: calc((-1px / @pixel-ratio-factor)); margin: 0 @minus-px-ie @minus-px-ie 0; margin: 0 @minus-px @minus-px 0; height: @combo-dataview-height; diff --git a/apps/common/main/resources/less/combobox.less b/apps/common/main/resources/less/combobox.less index d561e6ee7..4b8615ed6 100644 --- a/apps/common/main/resources/less/combobox.less +++ b/apps/common/main/resources/less/combobox.less @@ -144,7 +144,7 @@ -webkit-filter: @img-border-type-filter; filter: @img-border-type-filter; } - canvas { + .font-item canvas { -webkit-filter: @img-border-type-filter; filter: @img-border-type-filter; } @@ -154,7 +154,7 @@ -webkit-filter: @img-border-type-filter-selected; filter: @img-border-type-filter-selected; } - canvas { + .font-item canvas { -webkit-filter: @img-border-type-filter-selected; filter: @img-border-type-filter-selected; } diff --git a/apps/common/main/resources/less/comments.less b/apps/common/main/resources/less/comments.less index dd05eb9a1..0044cf2f2 100644 --- a/apps/common/main/resources/less/comments.less +++ b/apps/common/main/resources/less/comments.less @@ -45,6 +45,22 @@ margin-bottom: 5px; right: 4px !important; } + + .dataview-ct.inner { + .empty-text { + text-align: center; + height: 100%; + width: 100%; + color: @text-tertiary-ie; + color: @text-tertiary; + tr { + vertical-align: top; + td { + padding-top: 18px; + } + } + } + } } .add-link-ct { diff --git a/apps/common/main/resources/less/common.less b/apps/common/main/resources/less/common.less index 15f2deb5b..0ec08f6e4 100644 --- a/apps/common/main/resources/less/common.less +++ b/apps/common/main/resources/less/common.less @@ -20,6 +20,7 @@ label { } &.disabled { + opacity: @component-disabled-opacity-ie; opacity: @component-disabled-opacity; } } @@ -91,6 +92,10 @@ label { #left-panel-comments { height: 100%; } + + #left-panel-search { + height: 100%; + } } .right-panel { diff --git a/apps/common/main/resources/less/dimension-picker.less b/apps/common/main/resources/less/dimension-picker.less index 421bf8ec1..f6f736c53 100644 --- a/apps/common/main/resources/less/dimension-picker.less +++ b/apps/common/main/resources/less/dimension-picker.less @@ -1,5 +1,5 @@ .dimension-picker { - font-size: 18px; + font-size: 20px; } .dimension-picker div { @@ -19,7 +19,7 @@ position: absolute; //background: transparent repeat scroll 0 0; - .background-ximage-all('dimension-picker/dimension-highlighted.png', 18px); + .background-ximage-all('dimension-picker/dimension-highlighted.png', 20px); background-repeat: repeat; .pixel-ratio__1_25 &, .pixel-ratio__1_75 & { @@ -29,7 +29,7 @@ .dimension-picker-unhighlighted { //background: transparent repeat scroll 0 0; - .background-ximage-all('dimension-picker/dimension-unhighlighted.png', 18px); + .background-ximage-all('dimension-picker/dimension-unhighlighted.png', 20px); background-repeat: repeat; .pixel-ratio__1_25 &, .pixel-ratio__1_75 & { diff --git a/apps/common/main/resources/less/dropdown-menu.less b/apps/common/main/resources/less/dropdown-menu.less index 0b090f8c1..840465c8d 100644 --- a/apps/common/main/resources/less/dropdown-menu.less +++ b/apps/common/main/resources/less/dropdown-menu.less @@ -159,6 +159,7 @@ height: @scaled-one-px-value; background-color: @border-divider-ie; background-color: @border-divider; + margin: 4px 0; } .dataview { diff --git a/apps/common/main/resources/less/header.less b/apps/common/main/resources/less/header.less index 5bd584d65..287beb641 100644 --- a/apps/common/main/resources/less/header.less +++ b/apps/common/main/resources/less/header.less @@ -51,6 +51,8 @@ &.right { flex-grow: 1; + flex-shrink: 0; + overflow: hidden; } .status-label { @@ -94,6 +96,9 @@ flex-grow: 1; display: flex; justify-content: center; + padding: 4px 2px; + overflow: hidden; + flex-shrink: 0; } #rib-doc-name { @@ -102,13 +107,20 @@ overflow: hidden; min-width: 50px; text-align: center; - color: @text-toolbar-header-ie; color: @text-toolbar-header; background-color: transparent; border: 0 none; + padding: 1px 5px; cursor: default; - line-height: 32px; + line-height: 24px; + + &:hover:not(:disabled),&:focus { + box-shadow: 0 0 0 1px @highlight-header-button-hover-ie; + box-shadow: 0 0 0 1px @highlight-header-button-hover; + border-radius: 1px; + cursor: text; + } } #rib-save-status { @@ -487,6 +499,7 @@ display: flex; justify-content: center; overflow: hidden; + padding: 4px 2px; } #title-doc-name { @@ -495,10 +508,19 @@ overflow: hidden; text-align: center; font-size: 12px; - line-height: 28px; + line-height: 24px; + padding: 1px 5px; background-color: transparent; border: 0 none; cursor: default; + + &:hover:not(:disabled),&:focus{ + box-shadow: 0 0 0 1px @highlight-header-button-hover-ie; + box-shadow: 0 0 0 1px @highlight-header-button-hover; + border-radius: 1px; + cursor: text; + } + } .lr-separator { @@ -510,7 +532,9 @@ .inner-box-icon.crypted { width: 20px; position: relative; - + margin-right: 1px; + flex-shrink: 0; + flex-grow: 0; > svg { position: absolute; width: 20px; diff --git a/apps/common/main/resources/less/input.less b/apps/common/main/resources/less/input.less index 89d49c239..84218bb34 100644 --- a/apps/common/main/resources/less/input.less +++ b/apps/common/main/resources/less/input.less @@ -42,7 +42,7 @@ content: ''; position: absolute; right: 3px; - top: 4px; + top: 3px; width: 16px; height: 16px; background-position: @input-error-offset-x @input-error-offset-y; @@ -126,11 +126,13 @@ textarea.form-control:focus { position: absolute; right: @scaled-one-px-value-ie; right: @scaled-one-px-value; + top: @scaled-one-px-value-ie; + top: @scaled-one-px-value; .btn-group > .btn-toolbar, & > .btn-toolbar { - height: 22px; - padding-top: 1px; + height: 20px; + height: calc(22px - @scaled-one-px-value * 2); } } diff --git a/apps/common/main/resources/less/radiobox.less b/apps/common/main/resources/less/radiobox.less index 6aebe8c2f..56c440701 100644 --- a/apps/common/main/resources/less/radiobox.less +++ b/apps/common/main/resources/less/radiobox.less @@ -11,11 +11,14 @@ svg { margin-right: 8px; .rb-circle { + fill: @background-normal-ie; fill: @background-normal; + stroke: @border-regular-control-ie; stroke: @border-regular-control; } .rb-check-mark { + fill: @text-normal-ie; fill: @text-normal; } } @@ -32,6 +35,7 @@ &.disabled, &:disabled { svg, span { + opacity: @component-disabled-opacity-ie; opacity: @component-disabled-opacity; pointer-events: none; } diff --git a/apps/common/main/resources/less/searchdialog.less b/apps/common/main/resources/less/searchdialog.less index 322fb7845..8e0ec2cab 100644 --- a/apps/common/main/resources/less/searchdialog.less +++ b/apps/common/main/resources/less/searchdialog.less @@ -80,4 +80,164 @@ } } } +} + +.search-bar { + z-index: 950; + .box { + padding: 16px; + display: flex; + input[type=text] { + width: 192px; + } + .tools { + display: flex; + align-items: center; + div { + margin-left: 5px; + &:first-of-type { + margin-left: 7px; + } + } + } + } +} + +.search-panel { + display: table; + position: relative; + border-collapse: collapse; + line-height: 15px; + + > div { + display: table-row; + } + + #search-header { + position: absolute; + height: 45px; + left: 0; + top: 0; + right: 0; + padding: 12px; + overflow: hidden; + border-bottom: @scaled-one-px-value-ie solid @border-toolbar-ie; + border-bottom: @scaled-one-px-value solid @border-toolbar; + + label { + font-size: 12px; + .font-weight-bold(); + margin-top: 2px; + } + + #search-btn-close { + float: right; + } + } + + #search-adv-settings { + position: absolute; + left: 0; + right: 0; + top: 45px; + padding: 10px 15px 0 15px; + + table { + width: 100%; + } + + .padding-small { + padding-bottom: 8px; + } + + .padding-large { + padding-bottom: 14px; + } + + #search-adv-results-number { + padding-top: 2px; + width: calc(100% - 48px); + color: @text-secondary-ie; + color: @text-secondary; + } + } + + .search-options-block { + display: none; + } + + #open-search-options { + cursor: pointer; + margin-left: 15px; + + .search-options-txt { + display: inline-block; + padding: 5px 0; + } + + .search-options-caret { + width: 24px; + height: 24px; + background-position: 3px -270px; + display: inline-block; + position: absolute; + left: 0; + cursor: pointer; + margin-left: 8px; + } + + } + + #search-options { + + label { + margin-top: 6px; + &:not(:first-of-type) { + margin-top: 8px; + } + } + } + + .no-expand { + #search-options { + display: none; + } + .search-options-caret { + transform: rotate(270deg); + } + } + + #search-results { + position: absolute; + left: 0; + right: 0; + bottom: 0; + width: 100%; + border-top: @scaled-one-px-value-ie solid @border-toolbar-ie; + border-top: @scaled-one-px-value solid @border-toolbar; + padding: 12px 0; + overflow: hidden; + + .item { + padding: 6px 15px; + word-break: break-all; + cursor: pointer; + + &:hover { + background-color: @highlight-button-hover-ie; + background-color: @highlight-button-hover; + } + &.selected { + background-color: @highlight-button-pressed-ie; + background-color: @highlight-button-pressed; + color: @text-normal-pressed-ie; + color: @text-normal-pressed; + } + + b { + font-style: italic; + } + } + } + } \ No newline at end of file diff --git a/apps/common/main/resources/less/slider.less b/apps/common/main/resources/less/slider.less index b6f193d4b..240da9c2b 100644 --- a/apps/common/main/resources/less/slider.less +++ b/apps/common/main/resources/less/slider.less @@ -8,13 +8,13 @@ .track { @track-height: 4px; height: @track-height; - border: @track-height / 2 solid @border-regular-control-ie; - border: @track-height / 2 solid @border-regular-control; - border-radius: @track-height / 2; + border: (@track-height / 2) solid @border-regular-control-ie; + border: (@track-height / 2) solid @border-regular-control; + border-radius: (@track-height / 2); background-color: @border-regular-control-ie; background-color: @border-regular-control; width: calc(100% + @track-height); - margin-left: -@track-height / 2; + margin-left: (-@track-height / 2); } .thumb { @@ -26,10 +26,10 @@ border: @scaled-one-px-value solid @icon-normal; background-color: @background-normal-ie; background-color: @background-normal; - border-radius: @thumb-width / 2; + border-radius: (@thumb-width / 2); top: 3px; - margin-left: @thumb-width / -2; + margin-left: (@thumb-width / -2); &.active { } @@ -46,14 +46,14 @@ height: calc(100% + @track-height); width: @track-height; margin-left: 0; - margin-top: -@track-height / 2; + margin-top: (-@track-height / 2); } .thumb { @thumb-width: 12px; top: auto; left: 3px; margin-left: 0; - margin-top: @thumb-width / -2; + margin-top: (@thumb-width / -2); } } } diff --git a/apps/common/main/resources/less/spinner.less b/apps/common/main/resources/less/spinner.less index c1e5d5aab..e33fb2b65 100644 --- a/apps/common/main/resources/less/spinner.less +++ b/apps/common/main/resources/less/spinner.less @@ -18,7 +18,7 @@ display: block; position: relative; width: @trigger-width; - height: @spin-height/2 - 1; + height: (@spin-height/2) - 1; height: calc(@spin-height/2 - 1px/@pixel-ratio-factor); padding: 0; margin: 0; diff --git a/apps/common/main/resources/less/synchronize-tip.less b/apps/common/main/resources/less/synchronize-tip.less index 06b72e9f7..2e3297484 100644 --- a/apps/common/main/resources/less/synchronize-tip.less +++ b/apps/common/main/resources/less/synchronize-tip.less @@ -195,7 +195,6 @@ top: 0; left: 8px; width: 16px; - .box-shadow(0 0 8px -1px rgba(0, 0, 0, 0.2)); } } } @@ -212,7 +211,6 @@ top: 0; left: -8px; width: 16px; - .box-shadow(0 4px 8px -1px rgba(0, 0, 0, 0.2)); } } } @@ -324,7 +322,6 @@ &:before { top: -8px; left: -8px; - .box-shadow(2px 2px 8px -1px rgba(0, 0, 0, 0.2)); } &:after { top: -6px; @@ -346,7 +343,6 @@ &:before { top: 8px; left: 8px; - .box-shadow(0 0 8px -1px rgba(0, 0, 0, 0.2)); } &:after { top: 6px; @@ -368,7 +364,6 @@ &:before { top: 8px; left: -8px; - .box-shadow(0 0 8px -1px rgba(0, 0, 0, 0.2)); } &:after { top: 6px; @@ -412,8 +407,6 @@ &:before { bottom: -7px; left: -7px; - //width: 15px; - .box-shadow(0 0 8px -1px rgba(0, 0, 0, 0.2)); } &:after { top: -2px; @@ -475,7 +468,6 @@ -o-transform: rotate(45deg); transform: rotate(45deg); - .box-shadow(0 4px 8px -1px rgba(0, 0, 0, 0.2)); border: @scaled-one-px-value-ie solid @background-notification-popover-ie; border: @scaled-one-px-value solid @background-notification-popover; } diff --git a/apps/common/main/resources/less/theme-colorpalette.less b/apps/common/main/resources/less/theme-colorpalette.less index 9d81c90fd..3c71fba63 100644 --- a/apps/common/main/resources/less/theme-colorpalette.less +++ b/apps/common/main/resources/less/theme-colorpalette.less @@ -14,6 +14,13 @@ } } + &.palette-large em { + span{ + height: 28px; + width: 28px; + } + } + a { padding: 0; margin: calc(1px - 1px / @pixel-ratio-factor); diff --git a/apps/common/main/resources/less/toolbar.less b/apps/common/main/resources/less/toolbar.less index ad6b24277..c78364c45 100644 --- a/apps/common/main/resources/less/toolbar.less +++ b/apps/common/main/resources/less/toolbar.less @@ -60,6 +60,7 @@ position: relative; overflow: hidden; display: flex; + flex-shrink: 1; > ul { padding: 4px 0 0; @@ -194,6 +195,7 @@ .inner-box-caption { justify-content: center; align-items: center; + padding: 0 2px; } .compact-caret { @@ -543,6 +545,10 @@ #rib-doc-name { color: @text-normal-ie; color: @text-normal; + &:hover:not(:disabled),&:focus { + box-shadow: 0 0 0 1px @highlight-button-hover-ie; + box-shadow: 0 0 0 1px @highlight-button-hover; + } } &.editor-native-color { @@ -554,7 +560,7 @@ } &.style-skip-docname .toolbar { - #box-doc-name > label { + #box-doc-name > input { display: none; } } diff --git a/apps/common/main/resources/less/treeview.less b/apps/common/main/resources/less/treeview.less index 295850fba..059dfddff 100644 --- a/apps/common/main/resources/less/treeview.less +++ b/apps/common/main/resources/less/treeview.less @@ -53,7 +53,7 @@ .tree-item { width: 100%; min-height: 28px; - padding: 0px 6px 0 24px; + padding: 0px 12px 0 24px; } .name { diff --git a/apps/common/main/resources/less/variables.less b/apps/common/main/resources/less/variables.less index f3810aec7..5ebe3b98a 100644 --- a/apps/common/main/resources/less/variables.less +++ b/apps/common/main/resources/less/variables.less @@ -772,11 +772,11 @@ // Input error @input-error-offset-x: -73px; -@input-error-offset-y: -170px; +@input-error-offset-y: -169px; // Input warning @input-warning-offset-x: -57px; -@input-warning-offset-y: -170px; +@input-warning-offset-y: -169px; // Spinner @spinner-offset-x: -41px; diff --git a/apps/common/mobile/lib/controller/ContextMenu.jsx b/apps/common/mobile/lib/controller/ContextMenu.jsx index 94cce47c8..9a41688bc 100644 --- a/apps/common/mobile/lib/controller/ContextMenu.jsx +++ b/apps/common/mobile/lib/controller/ContextMenu.jsx @@ -105,6 +105,9 @@ class ContextMenuController extends Component { onApiOpenContextMenu(x, y) { if ( !this.state.opened && $$('.dialog.modal-in, .popover.modal-in, .sheet-modal.modal-in, .popup.modal-in, #pe-preview, .add-comment-popup, .actions-modal.modal-in').length < 1) { + const subNav = document.querySelector('.subnavbar'); + const rect = subNav.getBoundingClientRect(); + this.setState({ items: this.initMenuItems(), extraItems: this.initExtraItems() @@ -112,8 +115,8 @@ class ContextMenuController extends Component { if ( this.state.items.length > 0 ) { const api = Common.EditorApi.get(); - - this.$targetEl.css({left: `${x}px`, top: `${y}px`}); + + this.$targetEl.css({left: `${x}px`, top: y < rect.bottom ? `${rect.bottom}px` : `${y}px`}); const popover = f7.popover.open(idContextMenuElement, idCntextMenuTargetElement); if (Device.android) diff --git a/apps/common/mobile/lib/controller/collaboration/Collaboration.jsx b/apps/common/mobile/lib/controller/collaboration/Collaboration.jsx index 6cb82db7c..31e8b7b5f 100644 --- a/apps/common/mobile/lib/controller/collaboration/Collaboration.jsx +++ b/apps/common/mobile/lib/controller/collaboration/Collaboration.jsx @@ -46,6 +46,11 @@ class CollaborationController extends Component { api.asc_SetFastCollaborative(isFastCoauth); window.editorType === 'de' && api.SetCollaborativeMarksShowType(Asc.c_oAscCollaborativeMarksShowType.None); api.asc_setAutoSaveGap(1); + } else if (appOptions.canLiveView) { // viewer + isFastCoauth = !(appOptions.config.coEditing && appOptions.config.coEditing.mode==='strict'); + api.asc_SetFastCollaborative(isFastCoauth); + window.editorType === 'de' && api.SetCollaborativeMarksShowType(Asc.c_oAscCollaborativeMarksShowType.None); + api.asc_setAutoSaveGap(1); } else { isFastCoauth = false; api.asc_SetFastCollaborative(isFastCoauth); diff --git a/apps/common/mobile/lib/view/About.jsx b/apps/common/mobile/lib/view/About.jsx index 3dd4cac9a..f553ab95c 100644 --- a/apps/common/mobile/lib/view/About.jsx +++ b/apps/common/mobile/lib/view/About.jsx @@ -58,7 +58,7 @@ const PageAbout = props => { {mailCustomer && mailCustomer.length ? (

    - {mailCustomer} + {mailCustomer}

    ) : null} {urlCustomer && urlCustomer.length ? ( @@ -103,11 +103,11 @@ const PageAbout = props => {

    - {__SUPPORT_EMAIL__} + {__SUPPORT_EMAIL__}

    - {__PUBLISHER_PHONE__} + {__PUBLISHER_PHONE__}

    {publisherPrintUrl} diff --git a/apps/common/mobile/lib/view/Search.jsx b/apps/common/mobile/lib/view/Search.jsx index 6547b0dc5..6fb8d59b5 100644 --- a/apps/common/mobile/lib/view/Search.jsx +++ b/apps/common/mobile/lib/view/Search.jsx @@ -118,8 +118,6 @@ class SearchView extends Component { on: { search: (bar, curval, prevval) => { }, - enable: this.onSearchbarShow.bind(this, true), - disable: this.onSearchbarShow.bind(this, false) } }); } @@ -183,11 +181,11 @@ class SearchView extends Component { } } - onSearchbarShow(isshowed, bar) { - if ( !isshowed ) { - this.$replace.val(''); - } - } + // onSearchbarShow(isshowed, bar) { + // if ( !isshowed ) { + // // this.$replace.val(''); + // } + // } onEditorTouchStart(e) { console.log('taouch start'); @@ -235,6 +233,12 @@ class SearchView extends Component { replaceQuery: value }); } + + onSearchKeyBoard(event) { + if(event.keyCode === 13) { + this.props.onSearchQuery(this.searchParams()); + } + } render() { const usereplace = searchOptions.usereplace; @@ -261,6 +265,7 @@ class SearchView extends Component {

    this.onSearchKeyBoard(e)} onChange={e => {this.changeSearchQuery(e.target.value)}} /> {isIos ? : null} this.changeSearchQuery('')} /> @@ -268,7 +273,7 @@ class SearchView extends Component { {/* {usereplace || isReplaceAll ? */}
    {/* style={!usereplace ? hidden: null} */} - {this.changeReplaceQuery(e.target.value)}} /> {isIos ? : null} this.changeReplaceQuery('')} /> diff --git a/apps/common/mobile/lib/view/collaboration/Comments.jsx b/apps/common/mobile/lib/view/collaboration/Comments.jsx index 582a7bd99..d8927fca7 100644 --- a/apps/common/mobile/lib/view/collaboration/Comments.jsx +++ b/apps/common/mobile/lib/view/collaboration/Comments.jsx @@ -639,7 +639,7 @@ const ViewComments = inject("storeComments", "storeAppOptions", "storeReview")(o const viewMode = !storeAppOptions.canComments; const comments = storeComments.groupCollectionFilter || storeComments.collectionComments; - const isEdit = storeAppOptions.isEdit; + const isEdit = storeAppOptions.isEdit || storeAppOptions.isRestrictedEdit; const sortComments = comments.length > 0 ? [...comments].sort((a, b) => a.time > b.time ? -1 : 1) : null; const [clickComment, setComment] = useState(); @@ -749,7 +749,7 @@ const CommentList = inject("storeComments", "storeAppOptions", "storeReview")(ob const displayMode = storeReview.displayMode; const viewMode = !storeAppOptions.canComments; - const isEdit = storeAppOptions.isEdit; + const isEdit = storeAppOptions.isEdit || storeAppOptions.isRestrictedEdit; const comments = storeComments.showComments; const [currentIndex, setCurrentIndex] = useState(0); diff --git a/apps/common/mobile/resources/less/about.less b/apps/common/mobile/resources/less/about.less index 6b71c1c41..7b5e3f1e8 100644 --- a/apps/common/mobile/resources/less/about.less +++ b/apps/common/mobile/resources/less/about.less @@ -3,11 +3,11 @@ .about { .page-content { - text-align: center; + text-align: center /*rtl:ignore*/; } .content-block:first-child { - margin: 15px 0; + margin: 15px 0 /*rtl:append20px*/; } .content-block { diff --git a/apps/common/mobile/resources/less/colors-table-dark.less b/apps/common/mobile/resources/less/colors-table-dark.less index 51062c360..e97d2d9a0 100644 --- a/apps/common/mobile/resources/less/colors-table-dark.less +++ b/apps/common/mobile/resources/less/colors-table-dark.less @@ -5,7 +5,7 @@ --background-primary: #232323; --background-secondary: #333; --background-tertiary: #131313; - --background-menu-divider: fade(#545458, 65%); + --background-menu-divider: fade(#545458, 50%); --background-button: #333333; --text-normal: fade(#FFF, 87%); diff --git a/apps/common/mobile/resources/less/colors-table.less b/apps/common/mobile/resources/less/colors-table.less index 739b351c6..0ce2667ca 100644 --- a/apps/common/mobile/resources/less/colors-table.less +++ b/apps/common/mobile/resources/less/colors-table.less @@ -10,7 +10,7 @@ --background-primary: #FFF; --background-secondary: #FFF; --background-tertiary: #EFF0F5; - --background-menu-divider: fade(#3C3C43, 36%); + --background-menu-divider: fade(#3C3C43, 15%); --background-button: #EFF0F5; --text-normal: #000000; diff --git a/apps/common/mobile/resources/less/comments.less b/apps/common/mobile/resources/less/comments.less index fb2945ff8..804867be3 100644 --- a/apps/common/mobile/resources/less/comments.less +++ b/apps/common/mobile/resources/less/comments.less @@ -6,6 +6,10 @@ .wrap-comment { padding: 16px 24px 0 16px; + background-color: @background-tertiary; + .comment-date { + color: @text-secondary; + } .name { font-weight: 600; font-size: 16px; diff --git a/apps/common/mobile/resources/less/common-ios.less b/apps/common/mobile/resources/less/common-ios.less index aa4f116eb..3921ef9bb 100644 --- a/apps/common/mobile/resources/less/common-ios.less +++ b/apps/common/mobile/resources/less/common-ios.less @@ -89,15 +89,6 @@ .popover__titled { .list { - ul { - background-color: var(--f7-list-bg-color); - li:first-child, li:last-child { - border-radius: 0; - a { - border-radius: 0; - } - } - } &:first-child, &:last-child { ul { border-radius: 0; @@ -127,20 +118,16 @@ } } - .list:first-child { - li:first-child { - a { - border-radius: 0; - } - } - } + // .list:first-child { + // li:first-child { + // a { + // border-radius: 0; + // } + // } + // } .list:last-child { li:last-child { - a { - //border-radius: 0; - } - &:after { content: ''; position: absolute; @@ -163,70 +150,6 @@ } } - // Bullets, numbers and multilevels - .bullets, - .numbers, - .multilevels { - .list{ - margin: 5px; - ul { - &:before, &:after { - display: none; - } - display: flex; - justify-content: space-around; - width: 100%; - margin-top: 10px; - padding: 0 5px; - background: none; - } - &:first-child li:first-child, &:last-child li:last-child { - border-radius: 0; - } - &:last-child li:last-child:after { - display: none; - } - } - - .list .item-content { - padding-left: 0; - min-height: 68px; - .item-inner{ - padding: 0; - &:after { - display: none; - } - } - } - - li { - width: 70px; - height: 70px; - border: 1px solid #c4c4c4; - html.pixel-ratio-2 & { - border: 0.5px solid #c4c4c4; - } - html.pixel-ratio-3 & { - border: 0.33px solid #c4c4c4; - } - - .thumb { - width: 100%; - height: 100%; - background-color: @fill-white; - background-size: cover; - - label { - width: 100%; - text-align: center; - position: absolute; - top: 34%; - color: @fill-black; - } - } - } - } - .popover { li:last-child { .segmented a { @@ -250,9 +173,6 @@ } .list { - li { - color: @text-normal; - } .item-content { .color-preview { width: 22px; @@ -261,9 +181,6 @@ margin-top: 21px; box-sizing: border-box; box-shadow: 0 0 0 1px rgba(0, 0, 0, .15) inset; - &.auto { - background-color: @autoColor; - } } .item-after { .color-preview { @@ -273,22 +190,9 @@ } } } - li.no-indicator { - .item-link { - .item-inner { - padding-right: 15px; - &:before { - content: none; - } - } - } - } .item-inner { - color: @text-normal; padding-top: 7px; - color: @text-normal; .item-after { - color: @text-normal; .after-start { margin: 0 5px; } @@ -315,11 +219,6 @@ display: flex; align-items: center; justify-content: center; - &.active { - color: @brandColor; - // background-color: var(--button-active-opacity); - background-color: @button-active-opacity; - } } } } @@ -396,13 +295,6 @@ font-family: inherit; cursor: pointer; outline: 0; - &.active { - background: @brandColor; - color: @fill-white; - i.icon { - background-color: @fill-white; - } - } } .button-fill { @@ -528,7 +420,7 @@ } } - .searchbar input[type=search] { + .searchbar input { box-sizing: border-box; width: 100%; height: 100%; diff --git a/apps/common/mobile/resources/less/common-material.less b/apps/common/mobile/resources/less/common-material.less index 783b1b4c8..f86d8a78e 100644 --- a/apps/common/mobile/resources/less/common-material.less +++ b/apps/common/mobile/resources/less/common-material.less @@ -103,10 +103,10 @@ } .add-popup { - .view{ - .block-title{ - margin-bottom: 0; - margin-top: 8px; + .view { + .block-title { + // margin-bottom: 0; + // margin-top: 8px; } .add-image, .inputs-list { ul:after { @@ -116,7 +116,7 @@ } } - .coauth__sheet{ + .coauth__sheet { max-height: 65%; } @@ -263,29 +263,6 @@ } // List .list { - li { - color: @text-normal; - } - .item-inner { - color: @text-normal; - } - li.no-indicator { - .item-link { - .item-inner{ - padding-right: 15px; - &:before { - content: none; - } - } - } - } - .item-link { - .item-inner { - .item-after { - color: @text-normal; - } - } - } &.inputs-list { .item-input, .item-link { .item-inner { @@ -324,14 +301,6 @@ &:first-child { margin-left: 0; } - &.active { - color: @brandColor; - // background-color: var(--button-active-opacity); - background-color: @button-active-opacity; - // i.icon { - // background-color: @white; - // } - } } } } @@ -345,78 +314,6 @@ margin-top: -3px; box-shadow: 0 0 0 1px rgba(0, 0, 0, .15) inset; background: @fill-white; - &.auto { - background-color: @autoColor; - } - } - } - } - // Bullets, numbers and multilevels - .bullets, - .numbers, - .multilevels { - .list{ - margin: 5px; - ul { - background: none; - &:before, &:after { - display: none; - } - display: flex; - justify-content: space-around; - width: 100%; - margin-top: 10px; - padding: 0 5px; - } - &:first-child li:first-child, &:last-child li:last-child { - border-radius: 0; - } - } - - .list .item-content { - padding-left: 0; - min-height: 68px; - .item-inner{ - padding: 0; - &:after { - display: none; - } - } - } - - li { - width: 70px; - height: 70px; - border: 1px solid @gray; - html.pixel-ratio-2 & { - border: 0.5px solid @gray; - } - html.pixel-ratio-3 & { - border: 0.33px solid @gray; - } - - .thumb { - width: 100%; - height: 100%; - background-color: @fill-white; - background-size: cover; - - label { - width: 100%; - text-align: center; - position: absolute; - top: 34%; - color: @fill-black; - } - } - } - } - .popover__titled { - .list:last-child { - li:last-child { - a { - border-radius: 0; - } } } } @@ -491,7 +388,7 @@ } } - .searchbar input[type=search] { + .searchbar input { box-sizing: border-box; width: 100%; display: block; @@ -513,12 +410,11 @@ background-size: 24px 24px; transition-duration: .3s; .encoded-svg-background(''); + &::placeholder { + color: @fill-white; + } } - - .searchbar input[type=search]::placeholder { - color: @fill-white; - } - + .navbar { .searchbar-expandable.searchbar-enabled { top: 0; diff --git a/apps/common/mobile/resources/less/common-rtl.less b/apps/common/mobile/resources/less/common-rtl.less new file mode 100644 index 000000000..57f77664f --- /dev/null +++ b/apps/common/mobile/resources/less/common-rtl.less @@ -0,0 +1,220 @@ +[dir="rtl"].device-android { + + .app-layout { + .searchbar input { + padding-right: 24px; + padding-left: 36px; + background-position: right; + } + } + + .wrap-comment, .comment-list{ + .comment-header .initials { + margin-right: 0; + margin-left: 10px; + } + } + + .actions-modal { + .actions-button-text { + text-align: right; + } + } + + .navigation-sheet { + &__title { + padding-left: 0; + padding-right: 16px; + } + } +} + +[dir="rtl"].device-ios .app-layout{ + + .subnavbar,.navbar .left a + a { + margin-right: 0; + } + + .subnavbar,.navbar .right a + a { + margin-right: 0; + } + + .tab-buttons { + .tab-link:first-child { + border-radius: 0px 5px 5px 0px; + } + + .tab-link:last-child { + border-radius: 5px 0px 0px 5px; + } + } + + .popover { + li:last-child, li:first-child { + .segmented a:first-child { + border-radius: 0 var(--f7-button-border-radius) var(--f7-button-border-radius) 0; + } + .segmented a:last-child { + border-radius: var(--f7-button-border-radius) 0 0 var(--f7-button-border-radius); + } + } + } + + .list { + .item-inner { + .item-after .segmented { + margin-left: 0px; + margin-right: 10px; + } + } + } + + .searchbar-inner__right .buttons-row a.next { + margin-left: 0; + margin-right: 15px; + } + + .searchbar-inner__left { + margin-right: 0; + margin-left: 10px; + } + + .navbar .searchbar-input-wrap { + margin-left: 10px; + margin-right: 0; + } + + .comment-list .item-content .item-inner .comment-header { + padding-left: 16px; + } +} + +[dir="rtl"] { + .comment-list .item-content .item-inner{ + padding-left: 0; + .comment-header { + .right { + justify-content: space-between; + .comment-resolve { + margin-right: 0px; + margin-left: 10px; + } + } + + .name { + text-align: right; + } + } + } + + .comment-quote { + border-right: 1px solid var(--text-secondary); + border-left: 0; + padding-left: 16px; + padding-right: 10px; + } + + .comment-text, .reply-text { + padding-right: 0; + padding-left: 15px; + } + + // .comment-list .item-content .item-inner .comment-header { + // padding-left: 16px; + // } + + #add-comment-dialog .dialog .dialog-inner .wrap-comment .name, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .name, #add-reply-dialog .dialog .dialog-inner .wrap-comment .name, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .name, #add-comment-dialog .dialog .dialog-inner .wrap-comment .comment-date, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .comment-date, #add-reply-dialog .dialog .dialog-inner .wrap-comment .comment-date, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .comment-date, #add-comment-dialog .dialog .dialog-inner .wrap-comment .reply-date, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .reply-date, #add-reply-dialog .dialog .dialog-inner .wrap-comment .reply-date, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .reply-date { + text-align: right; + } + + #view-comment-popover .page .page-content { + padding: 16px 0 60px 16px; + } + + .wrap-comment { + padding: 16px 16px 0 24px; + } + + .shapes { + .thumb { + transform: scaleX(-1); + } + } + + .settings-popup, + #settings-popover{ + .link { + display: inline; + } + } + + #edit-table-style { + ul { + padding-right: 0; + } + } + + .color-schemes-menu { + .item-title{ + margin-right: 20px; + } + } + + .list [slot="root-start"] { + padding: 15px 15px 0 0px; + } + + .numbers, .bullets, .multilevels { + .item-content { + padding-right: 0; + } + } + + .dataview .active::after { + left: -5px; + right: unset; + } + + .popup .list .range-number, .popover .list .range-number, .sheet-modal .list .range-number { + text-align: left; + } + + .popup .list .inner-range-title, .popover .list .inner-range-title, .sheet-modal .list .inner-range-title { + padding-left: 0; + padding-right: 15px; + } + + #color-picker .right-block { + margin-left: 0px; + margin-right: 20px; + } + + .page-review .toolbar #btn-reject-change { + margin-left: 0; + margin-right: 20px; + } + + .list li.no-indicator .item-link .item-inner { + padding-right: 0; + } +} + +@media (max-width: 550px) { + .device-ios[dir=rtl] .app-layout { + .searchbar-expandable.searchbar-enabled .searchbar-inner__right { + margin-right: 10px; + margin-left: 0; + } + + .navbar .searchbar-input-wrap { + margin-left: 0; + } + } + + .device-android[dir=rtl] .app-layout { + .searchbar-expandable.searchbar-enabled .searchbar-inner__left { + margin-right: 0; + margin-left: 33px; + } + } +} diff --git a/apps/common/mobile/resources/less/common.less b/apps/common/mobile/resources/less/common.less index 5c3de925b..b54e508d6 100644 --- a/apps/common/mobile/resources/less/common.less +++ b/apps/common/mobile/resources/less/common.less @@ -68,8 +68,15 @@ margin-top: 0; } .inner-range-title { + color: @text-normal; padding: 15px 0 0 15px; } + + .range-number { + color: @text-normal; + min-width: 60px; + text-align: right; + } } .page-content { &.no-padding-top { @@ -88,6 +95,20 @@ } .list { + max-width: 100%; + ul { + width: 100%; + } + li.no-indicator { + .item-link { + .item-inner{ + padding-right: 15px; + &:before { + content: none; + } + } + } + } .item-text { text-overflow: initial; white-space: normal; @@ -98,6 +119,105 @@ .font-item img { filter: var(--image-border-types-filter, none) } + .buttons { + .button.active { + background-color: @button-active-opacity; + } + } + .item-content { + .color-preview.auto { + background-color: @autoColor; + } + } + .item-link .item-inner { + width: 100%; + } +} + +// Bullets, numbers and multilevels + +.bullets, +.numbers, +.multilevels { + .row.list { + margin: 0; + ul { + background: none; + &:before, &:after { + display: none; + } + display: grid; + grid-template-columns: repeat(4, auto); + justify-content: space-around; + grid-gap: 10px; + width: 100%; + padding: 5px; + li { + width: 70px; + height: 70px; + border: 1px solid @gray; + html.pixel-ratio-2 & { + border: 0.5px solid @gray; + } + html.pixel-ratio-3 & { + border: 0.33px solid @gray; + } + + .thumb { + width: 100%; + height: 100%; + background-color: @fill-white; + background-size: cover; + + label { + width: 100%; + text-align: center; + position: absolute; + top: 34%; + color: @fill-black; + } + } + + .item-number, .item-marker, .item-multilevellist { + width: 68px; + height: 68px; + } + } + } + } + + .row.list .item-content { + padding-left: 0; + padding-right: 0; + min-height: 68px; + .item-inner{ + padding: 0; + &:after { + display: none; + } + } + } +} + +.popover { + .page .list { + ul { + background-color: var(--f7-list-bg-color); + li:first-child, li:last-child { + .item-link { + border-radius: 0; + } + } + } + } +} + +// .popover .list + .list { +// margin-top: 0; +// } + +.popover .list:first-child li:first-child, .popover .list:first-child li:first-child a, .popover .list:first-child li:first-child > label, .popover .list:last-child li:last-child, .popover .list:last-child li:last-child a, .popover .list:last-child li:last-child > label { + border-radius: 0; } .shapes { @@ -166,6 +286,9 @@ margin: 32px 0; padding: 0 16px; box-sizing: border-box; + p { + color: @text-normal; + } } @@ -501,13 +624,15 @@ padding-left: 5px; padding-right: 5px; padding-top: 5px; + background-color: @background-tertiary; li.item-theme { - border: 0.5px solid #c8c7cc; + // border: 0.5px solid #c8c7cc; + border: 2px solid @fill-white; padding: 1px; background-repeat: no-repeat; width: 108px; - height: 52px; - margin-bottom: 10px; + height: 53px; + margin-bottom: 8px; background-position: center; .item-content { width: 100%; @@ -540,6 +665,9 @@ .encoded-svg-background(''); } } + &:after { + display: none; + } } } @@ -792,6 +920,11 @@ input[type="number"]::-webkit-inner-spin-button { } } +.dlg-macros-request { + .dialog-text { + word-break: break-word; + } +} // Skeleton of document @keyframes flickerAnimation { @@ -950,6 +1083,9 @@ input[type="number"]::-webkit-inner-spin-button { .popover__functions { box-shadow: 0px 10px 100px rgba(0, 0, 0, 0.3); + .view { + transition: .2s height; + } } .target-function-list { @@ -970,6 +1106,29 @@ input[type="number"]::-webkit-inner-spin-button { } } +.swiper-container { + height: 100%; +} + +.swiper-pagination-bullet { + background: @background-menu-divider; + opacity: 1; + &-active { + background: @text-secondary; + } +} + +.preview-cell-style { + background-position: center; + background-repeat: no-repeat; + background-size: cover; + width: 104px; + height: 44px; + background-color: @fill-white; + border-radius: 4px; + border: 0.5px solid @background-menu-divider; +} + diff --git a/apps/common/mobile/resources/less/common.rtl.less b/apps/common/mobile/resources/less/common.rtl.less new file mode 100644 index 000000000..3b1173096 --- /dev/null +++ b/apps/common/mobile/resources/less/common.rtl.less @@ -0,0 +1,204 @@ +.device-ios[dir=rtl] { + .app-layout { + .subnavbar,.navbar .left a + a { + margin-right: 0; + } + + .subnavbar,.navbar .right a + a { + margin-right: 0; + } + + .tab-buttons { + .tab-link:last-child { + border-radius: 5px 0 0 5px; + } + .tab-link:first-child { + border-radius: 0 5px 5px 0; + } + } + + .popover { + li:last-child, li:first-child { + .segmented a:first-child { + border-radius: 0 var(--f7-button-border-radius) var(--f7-button-border-radius) 0; + } + .segmented a:last-child { + border-radius: var(--f7-button-border-radius) 0 0 var(--f7-button-border-radius); + } + } + } + + .list .item-inner .item-after .segmented { + margin-right: 10px; + margin-left: 0; + } + + #editor-navbar.navbar .right a + a, #editor-navbar.navbar .left a + a { + margin-right: 0; + } + + .searchbar-inner__right .buttons-row a.next { + margin-left: 0; + margin-right: 15px; + } + + .searchbar-inner__left { + margin-right: 0; + margin-left: 10px; + } + + .navbar .searchbar-input-wrap { + margin-left: 10px; + margin-right: 0; + } + } + + .comment-list .item-content .item-inner .comment-header { + padding-left: 16px; + } +} + +.device-android[dir=rtl] { + .app-layout { + .searchbar input { + padding-right: 24px; + padding-left: 36px; + background-position: right; + } + } + + .wrap-comment, .comment-list{ + .comment-header .initials { + margin-right: 0; + margin-left: 10px; + } + } + + .actions-modal { + .actions-button-text { + text-align: right; + } + } + + .comment-list .item-content .item-inner .comment-header { + padding-left: 0; + } + + .navigation-sheet { + &__title { + padding-left: 0; + padding-right: 16px; + } + } +} + +[dir=rtl] { + .color-schemes-menu .item-title { + margin-right: 20px; + } + + .popup .list .range-number, .popover .list .range-number, .sheet-modal .list .range-number { + text-align: left; + } + + .popup .list .inner-range-title, .popover .list .inner-range-title, .sheet-modal .list .inner-range-title { + padding-left: 0; + padding-right: 15px; + } + + #color-picker .right-block { + margin-right: 20px; + } + + .page-review .toolbar #btn-reject-change { + margin-left: 0; + margin-right: 20px; + } + + .list li.no-indicator .item-link .item-inner { + padding-right: 0; + padding-left: 15px; + } + + .numbers, .bullets, .multilevels { + .item-content { + padding-right: 0; + } + } + + .settings-popup, #settings-popover{ + .link { + display: inline; + } + } + + .comment-list { + .item-content .item-inner { + padding-left: 0; + .comment-header { + padding-right: 0; + .right { + justify-content: space-between; + .comment-resolve { + margin-right: 0px; + margin-left: 10px; + } + } + + .name { + text-align: right; + } + } + } + + .comment-quote { + border-right: 1px solid var(--text-secondary); + border-left: 0; + padding-left: 16px; + padding-right: 10px; + } + + .comment-text, .reply-text { + padding-right: 0; + padding-left: 15px; + } + } + + #add-comment-dialog .dialog .dialog-inner .wrap-comment .name, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .name, #add-reply-dialog .dialog .dialog-inner .wrap-comment .name, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .name, #add-comment-dialog .dialog .dialog-inner .wrap-comment .comment-date, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .comment-date, #add-reply-dialog .dialog .dialog-inner .wrap-comment .comment-date, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .comment-date, #add-comment-dialog .dialog .dialog-inner .wrap-comment .reply-date, #edit-comment-dialog .dialog .dialog-inner .wrap-comment .reply-date, #add-reply-dialog .dialog .dialog-inner .wrap-comment .reply-date, #edit-reply-dialog .dialog .dialog-inner .wrap-comment .reply-date { + text-align: right; + } + + #view-comment-popover .page .page-content { + padding: 16px 0 60px 16px; + } + + .wrap-comment { + padding: 16px 16px 0 24px; + } + + .inline-labels .item-label + .item-input-wrap, .inline-label .item-label + .item-input-wrap, .inline-labels .item-floating-label + .item-input-wrap, .inline-label .item-floating-label + .item-input-wrap { + margin-right: 0; + } +} + +@media (max-width: 550px) { + .device-ios[dir=rtl] { + .app-layout { + .searchbar-expandable.searchbar-enabled .searchbar-inner__right { + margin-right: 10px; + margin-left: 0; + } + .navbar .searchbar-input-wrap { + margin-left: 0; + } + } + } + .device-android[dir=rtl] { + .app-layout { + .searchbar-expandable.searchbar-enabled .searchbar-inner__left { + margin-right: 0; + margin-left: 33px; + } + } + } +} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/dataview.less b/apps/common/mobile/resources/less/dataview.less index 8ca304ead..d47858754 100644 --- a/apps/common/mobile/resources/less/dataview.less +++ b/apps/common/mobile/resources/less/dataview.less @@ -14,7 +14,11 @@ } } - .active { + .row.list:last-child li:not(.active):last-child::after { + content: none; + } + + .row.list:last-child li.active:last-child, .active { position: relative; z-index: 1; @@ -24,8 +28,10 @@ width: 22px; height: 22px; right: -5px; + left: auto; bottom: -5px; - .encoded-svg-background(''); + transform: none; + .encoded-svg-mask(''); } } } \ No newline at end of file diff --git a/apps/common/mobile/resources/less/icons.less b/apps/common/mobile/resources/less/icons.less index 076f36865..1521fdcca 100644 --- a/apps/common/mobile/resources/less/icons.less +++ b/apps/common/mobile/resources/less/icons.less @@ -30,6 +30,11 @@ i.icon { height: 24px; .encoded-svg-background(''); } + &.icon-remove-style { + width: 24px; + height: 24px; + .encoded-svg-background('') + } // Formats @@ -43,4 +48,34 @@ i.icon { height: 22px; .encoded-svg-background(''); } + + // Numbers + + &.icon-numbers-1 { + .encoded-svg-background(''); + } + + &.icon-numbers-2 { + .encoded-svg-background(''); + } + + &.icon-numbers-3 { + .encoded-svg-background(''); + } + + &.icon-numbers-4 { + .encoded-svg-background(''); + } + + &.icon-numbers-5 { + .encoded-svg-background(''); + } + + &.icon-numbers-6 { + .encoded-svg-background(''); + } + + &.icon-numbers-7 { + .encoded-svg-background(''); + } } diff --git a/apps/common/mobile/resources/less/icons.rtl.less b/apps/common/mobile/resources/less/icons.rtl.less new file mode 100644 index 000000000..8407cf0b2 --- /dev/null +++ b/apps/common/mobile/resources/less/icons.rtl.less @@ -0,0 +1,53 @@ +[dir="rtl"] { + // Common rtl-icons + i.icon { + &.icon-next, &.icon-prev, &.icon-text-align-right, &.icon-text-align-left, + &.icon-table-add-column-left, &.icon-table-add-column-right, &.icon-table-remove-column, + &.icon-table-borders-left, &.icon-table-borders-right, &.icon-numbers-3, &.icon-numbers-7 { + transform: scaleX(-1); + } + + &.icon-numbers-1 { + .encoded-svg-background(''); + } + + &.icon-numbers-2 { + .encoded-svg-background(''); + } + + &.icon-numbers-4 { + .encoded-svg-background(''); + } + + &.icon-numbers-5 { + .encoded-svg-background(''); + } + + &.icon-numbers-6 { + .encoded-svg-background(''); + } + } + + // [PE] rtl-icons + i.icon { + &.icon-align-left, &.icon-align-right { + transform: scaleX(-1); + } + } + + // [SSE] rtl-icons + + i.icon { + &.icon-text-orientation-horizontal { + .encoded-svg-mask(''); + } + + &.icon-text-orientation-anglecount { + .encoded-svg-mask(''); + } + + &.icon-text-orientation-angleclock { + .encoded-svg-mask(''); + } + } +} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_about.less b/apps/common/mobile/resources/less/ios/_about.less deleted file mode 100644 index 28d7460f2..000000000 --- a/apps/common/mobile/resources/less/ios/_about.less +++ /dev/null @@ -1,38 +0,0 @@ -// About -.about { - .page-content { - text-align: center; - } - - .content-block:first-child { - margin: 15px 0; - } - - .content-block { - margin: 0 auto 15px; - - a { - color: #000; - } - } - - h3 { - font-weight: normal; - margin: 0; - - &.vendor { - color: #000; - font-weight: bold; - margin-top: 15px; - } - } - - p > label { - margin-right: 5px; - } - - .logo { - background: url('../../../../common/mobile/resources/img/about/logo.svg') no-repeat center; - margin-top: 20px; - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_button.less b/apps/common/mobile/resources/less/ios/_button.less deleted file mode 100644 index da6c4d105..000000000 --- a/apps/common/mobile/resources/less/ios/_button.less +++ /dev/null @@ -1,8 +0,0 @@ -// Active button icon color -.button { - &.active { - i.icon { - background-color: #fff; - } - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_collaboration.less b/apps/common/mobile/resources/less/ios/_collaboration.less deleted file mode 100644 index e55a265a7..000000000 --- a/apps/common/mobile/resources/less/ios/_collaboration.less +++ /dev/null @@ -1,460 +0,0 @@ -.page-change { - background-color: @fill-white; - .block-description { - background-color: @fill-white; - padding-top: 15px; - padding-bottom: 15px; - margin: 0; - max-width: 100%; - word-wrap: break-word; - } - #user-name { - font-size: 17px; - line-height: 22px; - color: @fill-black; - margin: 0; - } - #date-change { - font-size: 14px; - line-height: 18px; - color: @text-tertiary; - margin: 0; - margin-top: 3px; - } - #text-change { - color: @fill-black; - font-size: 15px; - line-height: 20px; - margin: 0; - margin-top: 10px; - } - .block-btn, .content-block.block-btn:first-child { - position: absolute; - bottom: 0; - display: flex; - flex-direction: row; - justify-content: space-between; - margin: 0; - width: 100%; - height: 44px; - align-items: center; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2); - - #btn-reject-change { - margin-left: 20px; - } - #btn-goto-change { - margin-left: 10px; - } - .change-buttons, .accept-reject { - display: flex; - } - .next-prev { - display: flex; - .link { - width: 44px; - } - } - .link { - position: relative; - display: flex; - justify-content: center; - align-items: center; - font-size: 17px; - height: 44px; - min-width: 44px; - } - } - #no-changes { - padding: 16px; - } -} -.navbar .center-collaboration { - display: flex; - justify-content: space-around; -} -.container-collaboration { - .navbar .right.close-collaboration { - position: absolute; - right: 10px; - } - .page-content .list-block:first-child { - margin-top: -1px; - } -} - -//Display mode -.page-display-mode[data-page="display-mode-view"] { - .list-block { - li.media-item { - .item-title { - font-weight: normal; - } - .item-subtitle { - font-size: 14px; - color: @gray; - } - } - } -} - -//Edit users -@initialEditUser: #373737; - -#user-list { - .item-content { - padding-left: 0; - } - .item-inner { - justify-content: flex-start; - padding-left: 15px; - } - .length { - margin-left: 4px; - } - .color { - min-width: 40px; - min-height: 40px; - margin-right: 20px; - text-align: center; - border-radius: 50px; - line-height: 40px; - color: @initialEditUser; - font-weight: 500; - - } - ul:before { - content: none; - } -} - -//Comments -.page-comments, .add-comment, .page-view-comments, .container-edit-comment, .container-add-reply, .page-edit-comment, .page-add-reply, .page-edit-reply { - .header-comment { - display: flex; - justify-content: space-between; - padding-right: 16px; - .comment-right { - display: flex; - justify-content: space-between; - width: 70px; - } - } - .list-block .item-inner { - display: block; - padding: 16px 0; - word-wrap: break-word; - } - - .list-reply { - padding-left: 26px; - } - .reply-textarea, .comment-textarea, .edit-reply-textarea { - resize: vertical; - } - .user-name { - font-size: 17px; - line-height: 22px; - color: @fill-black; - margin: 0; - font-weight: bold; - } - .comment-date, .reply-date { - font-size: 13px; - line-height: 18px; - color: @text-secondary; - margin: 0; - margin-top: 0px; - } - .comment-text, .reply-text { - color: @fill-black; - font-size: 15px; - line-height: 25px; - margin: 0; - max-width: 100%; - padding-right: 15px; - pre { - white-space: pre-wrap; - } - } - .reply-item { - margin-top: 15px; - padding-right: 16px; - padding-top: 13px; - .header-reply { - display: flex; - justify-content: space-between; - } - .user-name { - padding-top: 3px; - } - &:before { - content: ''; - position: absolute; - left: auto; - bottom: 0; - right: auto; - top: 0; - height: 1px; - width: 100%; - background-color: @listBlockBorderColor; - display: block; - z-index: 15; - -webkit-transform-origin: 50% 100%; - transform-origin: 50% 100%; - } - } - .comment-quote { - color: @text-secondary; - border-left: 1px solid @text-secondary; - padding-left: 10px; - padding-right: 16px; - margin: 5px 0; - font-size: 15px; - } - - .wrap-comment, .wrap-reply { - padding: 16px 24px 0 16px; - } - .comment-textarea, .reply-textarea, .edit-reply-textarea { - margin-top: 10px; - background:transparent; - outline:none; - width: 100%; - font-size: 17px; - border: none; - border-radius: 3px; - min-height: 100px; - } -} -.settings.popup .list-block ul.list-reply:last-child:after, .settings.popover .list-block ul.list-reply:last-child:after { - display: none; -} - -.container-edit-comment { - .page { - background-color: @fill-white; - } -} - -//view comment -.container-view-comment { - position: fixed; - -webkit-transition: height 100ms; - transition: height 120ms; - background-color: #FFFFFF; - border-top-left-radius: 4px; - border-top-right-radius: 4px; - height: 50%; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2), 0px 4px 5px rgba(0, 0, 0, 0.12); - .pages { - background-color: #FFFFFF; - } - .page-view-comments { - background-color: #FFFFFF; - .list-block { - margin-bottom: 100px; - ul:before, ul:after { - content: none; - } - .item-inner { - padding: 0; - } - } - - } - .toolbar { - position: fixed; - background-color: #FFFFFF; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2), 0px 4px 5px rgba(0, 0, 0, 0.12), 0px 2px 4px rgba(0, 0, 0, 0.14); - &:before { - content: none; - } - .toolbar-inner { - display: flex; - justify-content: space-between; - padding: 0 16px; - .button-left { - min-width: 80px; - } - .button-right { - min-width: 62px; - display: flex; - justify-content: space-between; - a { - padding: 0 12px; - } - } - } - } - .swipe-container { - display: flex; - justify-content: center; - height: 40px; - .icon-swipe { - margin-top: 8px; - width: 40px; - height: 4px; - background: rgba(0, 0, 0, 0.12); - border-radius: 2px; - } - } - .list-block { - margin-top: 0; - } - &.popover { - position: absolute; - border-radius: 4px; - min-height: 170px; - height: 400px; - max-height: 600px; - - .toolbar { - position: absolute; - border-radius: 0 0 4px 4px; - .toolbar-inner { - padding-right: 0; - } - } - - .pages { - position: absolute; - - .page { - border-radius: 13px; - - .page-content { - padding: 16px; - padding-bottom: 80px; - - .list-block { - margin-bottom: 0px; - - .item-content { - padding-left: 0; - - .header-comment, .reply-item { - padding-right: 0; - } - } - } - - .block-reply { - margin-top: 10px; - - .reply-textarea { - min-height: 70px; - width: 278px; - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 5px; - } - } - - .edit-reply-textarea { - min-height: 60px; - width: 100%; - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 5px; - height: 60px; - margin-top: 10px; - } - - .comment-text { - padding-right: 0; - - .comment-textarea { - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 8px; - min-height: 80px; - height: 80px; - } - } - } - } - } - - } -} - -#done-comment { - color: @brandColor; -} -.page-add-comment { - background-color: @fill-white; - .wrap-comment, .wrap-reply { - padding: 16px 24px 0 16px; - .header-comment { - justify-content: flex-start; - } - .user-name { - font-weight: bold; - font-size: 17px; - padding-left: 5px; - } - .comment-date { - font-size: 13px; - color: @text-secondary; - padding-left: 5px; - } - .wrap-textarea { - margin-top: 16px; - padding-right: 6px; - .comment-textarea { - font-size: 17px; - border: none; - margin-top: 0; - min-height: 100px; - border-radius: 4px; - width: 100%; - padding-left: 5px; - &::placeholder { - color: @gray; - font-size: 17px; - } - } - } - } -} -.container-add-reply { - height: 100%; - .navbar { - a.link i + span { - margin-left: 0; - } - } - .page { - background-color: #FFFFFF; - } -} - -.actions-modal-button.color-red { - color: @red; -} - -.page-edit-comment, .page-add-reply, .page-edit-reply { - background-color: #FFFFFF; - .header-comment { - justify-content: flex-start; - } - .navbar { - .right { - height: 100%; - #add-reply, #edit-comment, #edit-reply { - display: flex; - align-items: center; - padding-left: 16px; - padding-right: 16px; - height: 100%; - } - } - } -} - -.container-edit-comment { - position: fixed; - -} - diff --git a/apps/common/mobile/resources/less/ios/_color-palette.less b/apps/common/mobile/resources/less/ios/_color-palette.less deleted file mode 100644 index b9c504f21..000000000 --- a/apps/common/mobile/resources/less/ios/_color-palette.less +++ /dev/null @@ -1,171 +0,0 @@ -// Color palette - -.color-palette { - a { - flex-grow: 1; - position: relative; - min-width: 10px; - min-height: 26px; - margin: 1px 1px 0 0; - box-shadow: 0 0 0 1px rgba(0,0,0,0.15) inset; - - &.active { - &:after { - content:' '; - position: absolute; - width: 100%; - height: 100%; - box-shadow: 0 0 0 1px white, 0 0 0 4px @brandColor; - z-index: 1; - border-radius: 1px; - } - } - - &.transparent { - background-repeat: no-repeat; - background-size: 100% 100%; - .encoded-svg-background(""); - } - } - - .theme-colors { - .item-inner { - display: inline-block; - overflow: visible; - } - } - - .standart-colors, .dynamic-colors { - .item-inner { - overflow: visible; - } - } -} - -.custom-colors { - display: flex; - justify-content: space-around; - align-items: center; - margin: 15px; - &.phone { - max-width: 300px; - margin: 0 auto; - margin-top: 4px; - .button-round { - margin-top: 20px; - } - } - .right-block { - margin-left: 20px; - } - .button-round { - height: 72px; - width: 72px; - padding: 0; - display: flex; - justify-content: center; - align-items: center; - border-radius: 100px; - background-color: #ffffff; - box-shadow: 0px 4px 4px rgba(0, 0, 0, 0.25); - border-color: transparent; - margin-top: 25px; - &.active-state { - background-color: rgba(0, 0, 0, 0.1); - } - } - .color-hsb-preview { - width: 72px; - height: 72px; - border-radius: 100px; - overflow: hidden; - border: 1px solid #c4c4c4; - } - .new-color-hsb-preview { - width: 100%; - height: 36px; - } - .current-color-hsb-preview { - width: 100%; - height: 36px; - } - .list-block ul:before, .list-block ul:after { - content: none; - } - .list-block ul li { - border: 1px solid rgba(0, 0, 0, 0.3); - } - .color-picker-wheel { - position: relative; - width: 290px; - max-width: 100%; - height: auto; - font-size: 0; - - svg { - width: 100%; - height: auto; - } - - .color-picker-wheel-handle { - width: calc(100% / 6); - height: calc(100% / 6); - position: absolute; - box-sizing: border-box; - border: 2px solid #fff; - box-shadow: 0px 0px 5px rgba(0, 0, 0, 0.5); - background: red; - border-radius: 50%; - left: 0; - top: 0; - } - - .color-picker-sb-spectrum { - background-color: #000; - background-image: linear-gradient(to bottom, rgba(0, 0, 0, 0) 0%, #000 100%), linear-gradient(to left, rgba(255, 255, 255, 0) 0%, #fff 100%); - position: relative; - width: 45%; - height: 45%; - left: 50%; - top: 50%; - transform: translate3d(-50%, -50%, 0); - position: absolute; - } - - .color-picker-sb-spectrum-handle { - width: 4px; - height: 4px; - position: absolute; - left: -2px; - top: -2px; - z-index: 1; - - &:after { - background-color: inherit; - content: ''; - position: absolute; - width: 16px; - height: 16px; - border: 1px solid #fff; - border-radius: 50%; - box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.5); - box-sizing: border-box; - left: 50%; - top: 50%; - transform: translate(-50%, -50%); - transition: 150ms; - transition-property: transform; - transform-origin: center; - } - - &.color-picker-sb-spectrum-handle-pressed:after { - transform: scale(1.5) translate(-33.333%, -33.333%); - } - } - } -} - -#font-color-auto.active .color-auto { - box-shadow: 0 0 0 1px white, 0 0 0 4px @brandColor; - border-radius: 1px; -} diff --git a/apps/common/mobile/resources/less/ios/_color-schema.less b/apps/common/mobile/resources/less/ios/_color-schema.less deleted file mode 100644 index 2c4dc2449..000000000 --- a/apps/common/mobile/resources/less/ios/_color-schema.less +++ /dev/null @@ -1,21 +0,0 @@ -.color-schemes-menu { - cursor: pointer; - display: block; - background-color: #fff; - .item-inner { - justify-content: flex-start; - } - .color-schema-block { - display: flex; - } - .color { - min-width: 26px; - min-height: 26px; - margin: 0 2px 0 0; - box-shadow: 0 0 0 1px rgba(0, 0, 0, 0.15) inset; - } - .text { - margin-left: 20px; - color: #212121; - } -} diff --git a/apps/common/mobile/resources/less/ios/_container.less b/apps/common/mobile/resources/less/ios/_container.less deleted file mode 100644 index 3d1885edf..000000000 --- a/apps/common/mobile/resources/less/ios/_container.less +++ /dev/null @@ -1,117 +0,0 @@ -// Container -.phone.ios { - .container-edit, - .container-collaboration, - .container-filter { - .navbar { - .hairline(top, @toolbarBorderColor); - } - - .page-content { - .list-block:first-child { - margin-top: -1px; - } - } - } -} - -.container-edit, -.container-add, -.container-settings, -.container-collaboration, -.container-filter { - &.popover { - width: 360px; - } -} - -.settings { - &.popup, - &.popover { - .list-block { - - ul { - border-radius: 0 !important; - background: #fff; - - &:last-child { - .hairline(bottom, @listBlockBorderColor); - } - } - - &:first-child { - margin-top: 0; - } - - &:last-child { - margin-bottom: 30px; - } - - li:first-child a, - li:last-child a { - border-radius: 0 !important; - } - } - - &, - .popover-inner { - > .content-block { - width: 100%; - height: 100%; - margin: 0; - padding: 0; - color: #000; - } - } - - .popover-view { - border-radius: 13px; - - > .pages { - border-radius: 13px; - } - } - - .content-block:first-child { - margin-top: 0; - .content-block-inner { - &:before { - height: 0; - } - } - } - } - - .categories { - width: 100%; - - > .buttons-row { - width: 100%; - - .button { - padding: 0 1px; - } - } - } - - .popover-inner { - height: 400px; - } -} - -.container-add { - .categories { - > .buttons-row { - .button { - &.active { - i.icon { - background-color: transparent; - } - } - display: flex; - justify-content: center; - align-items: center; - } - } - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_contextmenu.less b/apps/common/mobile/resources/less/ios/_contextmenu.less deleted file mode 100644 index 9528ee37e..000000000 --- a/apps/common/mobile/resources/less/ios/_contextmenu.less +++ /dev/null @@ -1,95 +0,0 @@ -// Context menu - -.document-menu { - @contextMenuBg: rgba(0,0,0,0.9); - @modalHairlineColor: rgba(230,230,230,0.9); - @modalButtonColor : rgba(200,200,200,0.9); - - background-color: @contextMenuBg; - width: auto; - border-radius: 8px; - z-index: 12500; - - .popover-angle { - &:after { - background: @contextMenuBg; - } - } - - .list-block { - font-size: 14px; - white-space: pre; - - &:first-child { - ul { - .hairline-remove(left); - border-radius: 7px 0 0 7px; - } - li:first-child a{ - border-radius: 7px 0 0 7px; - } - } - &:last-child { - ul { - .hairline-remove(right); - border-radius: 0 7px 7px 0; - } - li:last-child a{ - border-radius: 0 7px 7px 0; - } - } - &:first-child:last-child { - li:first-child:last-child a, ul:first-child:last-child { - border-radius: 7px; - } - } - - .item-link { - display: inline-block; - - html:not(.watch-active-state) &:active, &.active-state { - //.transition(0ms); - background-color: #d9d9d9; - .item-inner { - .hairline-color(right, transparent); - } - } - - html.phone & { - padding: 0 10px; - } - - &.list-button { - color: @white; - .hairline(right, @modalHairlineColor); - line-height: 36px; - } - } - - // List items - li { - display: inline-block; - } - - // Last-childs - li { - &:last-child { - .list-button { - .hairline-remove(right); - } - } - &:last-child, &:last-child li:last-child { - .item-inner { - .hairline-remove(right); - } - } - li:last-child, &:last-child li { - .item-inner { - .hairline(right, @modalHairlineColor); - } - } - } - .no-hairlines(); - .no-hairlines-between() - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_dataview.less b/apps/common/mobile/resources/less/ios/_dataview.less deleted file mode 100644 index 6ddb04406..000000000 --- a/apps/common/mobile/resources/less/ios/_dataview.less +++ /dev/null @@ -1,35 +0,0 @@ -// Data view - -.dataview { - &.page-content { - background: @white; - } - - .row { - justify-content: space-around; - } - - ul { - padding: 0 10px; - list-style: none; - - li { - display: inline-block; - } - } - - .active { - position: relative; - z-index: 1; - - &::after { - content: ''; - position: absolute; - width: 22px; - height: 22px; - right: -5px; - bottom: -5px; - .encoded-svg-background(''); - } - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/_listview.less b/apps/common/mobile/resources/less/ios/_listview.less deleted file mode 100644 index 9a5d40fe5..000000000 --- a/apps/common/mobile/resources/less/ios/_listview.less +++ /dev/null @@ -1,93 +0,0 @@ -// List extend - -.item-content { - .item-after { - &.splitter { - color: #000; - - label { - margin: 0 5px; - } - - .buttons-row { - min-width: 90px; - margin-left: 10px; - } - } - - &.value { - display: block; - min-width: 60px; - color: @black; - margin-left: 10px; - text-align: right; - } - - input.field { - color: @brandColor; - - &.placeholder-color::-webkit-input-placeholder { - color: @brandColor; - } - - &.right { - text-align: right; - } - } - } - - &.buttons { - .item-inner { - padding-top: 0; - padding-bottom: 0; - align-items: stretch; - - > .row { - width: 100%; - align-items: stretch; - - .button { - flex: 1; - border: none; - height: inherit; - border-radius: 0; - font-size: 17px; - display: flex; - align-items: center; - justify-content: center; - } - } - } - } - - .item-after .color-preview { - width: 75px; - height: 30px; - margin-top: -3px; - box-shadow: 0 0 0 1px rgba(0,0,0,0.15) inset; - } - - i .color-preview { - width: 22px; - height: 8px; - display: inline-block; - margin-top: 21px; - box-sizing: border-box; - box-shadow: 0 0 0 1px rgba(0,0,0,0.15) inset; - } -} - -.item-link { - &.no-indicator { - .item-inner { - background-image: none; - padding-right: 15px; - } - } -} - -.list-block { - .item-link.list-button { - color: @brandColor; - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/ios/comments.less b/apps/common/mobile/resources/less/ios/comments.less index cde7c1f88..a00df23c6 100644 --- a/apps/common/mobile/resources/less/ios/comments.less +++ b/apps/common/mobile/resources/less/ios/comments.less @@ -1,10 +1,6 @@ .device-ios { .wrap-comment { height: calc(100% - 60px); - background-color: @background-tertiary; - .comment-date { - color: @text-secondary; - } } .add-comment-popup, .add-reply-popup, .add-comment-dialog, .add-reply-dialog { .wrap-textarea { diff --git a/apps/common/mobile/resources/less/material/_about.less b/apps/common/mobile/resources/less/material/_about.less deleted file mode 100644 index ce52c8b3e..000000000 --- a/apps/common/mobile/resources/less/material/_about.less +++ /dev/null @@ -1,38 +0,0 @@ -// About - -.about { - .page-content { - text-align: center; - } - - .content-block:first-child { - margin: 15px 0; - } - - .content-block { - margin: 0 auto 15px; - - a { - color: #000; - } - } - - h3 { - font-weight: normal; - margin: 0; - - &.vendor { - color: #000; - font-weight: bold; - margin-top: 15px; - } - } - - p > label { - margin-right: 5px; - } - - .logo { - background: url('../../../../common/mobile/resources/img/about/logo.svg') no-repeat center; - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/_button.less b/apps/common/mobile/resources/less/material/_button.less deleted file mode 100644 index f680dcb57..000000000 --- a/apps/common/mobile/resources/less/material/_button.less +++ /dev/null @@ -1,9 +0,0 @@ -// Active button icon color - -.button { - &.active { - i.icon { - background-color: #fff; - } - } -} diff --git a/apps/common/mobile/resources/less/material/_collaboration.less b/apps/common/mobile/resources/less/material/_collaboration.less deleted file mode 100644 index 2d89a7280..000000000 --- a/apps/common/mobile/resources/less/material/_collaboration.less +++ /dev/null @@ -1,507 +0,0 @@ -.page-change { - .block-description { - background-color: @fill-white; - padding-top: 15px; - padding-bottom: 15px; - margin: 0; - max-width: 100%; - word-wrap: break-word; - } - #user-name { - font-size: 16px; - line-height: 22px; - color: @fill-black; - margin: 0; - } - #date-change { - font-size: 14px; - line-height: 18px; - color: @text-tertiary; - margin: 0; - margin-top: 3px; - } - #text-change { - color: @fill-black; - font-size: 15px; - line-height: 20px; - margin: 0; - margin-top: 10px; - } - .block-btn { - position: absolute; - bottom: 0; - display: flex; - flex-direction: row; - justify-content: space-between; - margin: 0; - width: 100%; - height: 56px; - align-items: center; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2); - - #btn-reject-change { - margin-left: 15px; - } - .change-buttons, .accept-reject, .next-prev { - display: flex; - } - .link { - position: relative; - display: flex; - justify-content: center; - align-items: center; - font-size: 14px; - text-transform: uppercase; - font-weight: 500; - height: 56px; - min-width: 48px; - } - } - .header-change { - display: flex; - justify-content: flex-start; - padding-right: 16px; - .initials-change { - height: 40px; - width: 40px; - border-radius: 50px; - color: #FFFFFF; - display: flex; - justify-content: center; - align-items: center; - margin-right: 16px; - font-size: 18px; - } - } - #no-changes { - padding: 16px; - } -} -.container-collaboration { - .navbar .right.close-collaboration { - position: absolute; - right: 5px; - } - .page-content .list-block:first-child { - margin-top: -1px; - } -} - -//Display mode -.page-display-mode { - .list-block { - .item-subtitle { - font-size: 14px; - color: @gray; - } - } -} - -//Edit users -@initialEditUser: #373737; - -#user-list { - .item-content { - padding-left: 0; - } - .item-inner { - justify-content: flex-start; - padding-left: 15px; - } - .length { - margin-left: 4px; - } - .color { - min-width: 40px; - min-height: 40px; - margin-right: 20px; - text-align: center; - border-radius: 50px; - line-height: 40px; - color: @initialEditUser; - font-weight: 400; - } - ul:before { - content: none; - } -} - -//Comments -.page-comments, .page-add-comment, .page-view-comments, .container-edit-comment, .container-add-reply, .page-edit-comment, .page-add-reply, .page-edit-reply { - .list-block { - ul { - &:before, &:after { - content: none; - } - } - .item-inner { - display: block; - padding: 16px 0; - word-wrap: break-word; - &:after { - content: none; - } - } - } - .list-reply { - padding-left: 26px; - } - .reply-textarea, .comment-textarea, .edit-reply-textarea { - resize: vertical; - } - .user-name { - font-size: 16px; - line-height: 22px; - color: @fill-black; - margin: 0; - } - .comment-date, .reply-date { - font-size: 12px; - line-height: 18px; - color: @text-secondary; - margin: 0; - margin-top: 0px; - } - .comment-text, .reply-text { - color: @fill-black; - font-size: 15px; - line-height: 25px; - margin: 0; - max-width: 100%; - padding-right: 15px; - pre { - white-space: pre-wrap; - } - } - .reply-item { - padding-right: 16px; - padding-top: 13px; - .header-reply { - display: flex; - justify-content: space-between; - } - .user-name { - padding-top: 3px; - } - } - .comment-quote { - color: @text-secondary; - border-left: 1px solid @text-secondary; - padding-left: 10px; - padding-right: 16px; - margin: 5px 0; - font-size: 15px; - } - - .wrap-comment, .wrap-reply { - padding: 16px 24px 0 16px; - } - .comment-textarea, .reply-textarea, .edit-reply-textarea { - margin-top: 10px; - background:transparent; - outline:none; - width: 100%; - font-size: 15px; - border: none; - border-radius: 3px; - min-height: 100px; - } - - .header-comment { - display: flex; - justify-content: space-between; - padding-right: 16px; - .comment-right { - display: flex; - justify-content: space-between; - width: 70px; - } - .comment-left { - display: flex; - justify-content: space-between; - } - .initials-comment { - height: 40px; - width: 40px; - border-radius: 50px; - color: #FFFFFF; - display: flex; - justify-content: center; - align-items: center; - margin-right: 16px; - font-size: 18px; - } - } - .header-reply { - .reply-left { - display: flex; - justify-content: space-between; - align-items: flex-start; - } - .initials-reply { - width: 24px; - height: 24px; - color: #FFFFFF; - font-size: 11px; - display: flex; - justify-content: center; - align-items: center; - margin-right: 16px; - border-radius: 50px; - margin-top: 5px; - } - } -} -.settings.popup .list-block ul.list-reply:last-child:after, .settings.popover .list-block ul.list-reply:last-child:after { - display: none; -} - -//view comment -.container-view-comment { - position: fixed; - -webkit-transition: height 100ms; - transition: height 100ms; - background-color: #FFFFFF; - border-top-left-radius: 4px; - border-top-right-radius: 4px; - height: 50%; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2), 0px 4px 5px rgba(0, 0, 0, 0.12), 0px 2px 4px rgba(0, 0, 0, 0.14); - .page-view-comments { - background-color: #FFFFFF; - .list-block { - margin-bottom: 120px; - ul:before, ul:after { - content: none; - } - .item-inner { - padding: 0; - } - } - - } - .toolbar { - position: fixed; - background-color: #FFFFFF; - box-shadow: 0px 1px 10px rgba(0, 0, 0, 0.2), 0px 4px 5px rgba(0, 0, 0, 0.12), 0px 2px 4px rgba(0, 0, 0, 0.14); - &.toolbar-bottom { - top: auto; - } - &:before { - content: none; - } - a { - &.link { - color: @brandColor; - font-size: 16px; - } - } - .toolbar-inner { - display: flex; - justify-content: space-between; - padding: 0 16px; - .button-left { - min-width: 80px; - } - .button-right { - min-width: 62px; - display: flex; - justify-content: space-between; - a { - padding: 0 8px; - } - } - } - } - .swipe-container { - display: flex; - justify-content: center; - height: 40px; - background-color: @background-primary; - .icon-swipe { - margin-top: 8px; - width: 40px; - height: 4px; - background: rgba(0, 0, 0, 0.12); - border-radius: 2px; - } - } - .list-block { - margin-top: 0; - } - &.popover { - position: absolute; - border-radius: 4px; - min-height: 170px; - height: 400px; - max-height: 600px; - - .toolbar { - position: absolute; - border-radius: 0 0 4px 4px; - .toolbar-inner { - padding-right: 0; - } - } - - .pages { - position: absolute; - - .page { - border-radius: 13px; - - .page-content { - padding: 16px; - padding-bottom: 80px; - - .list-block { - margin-bottom: 0px; - - .item-content { - padding-left: 0; - - .header-comment, .reply-item { - padding-right: 0; - } - } - } - - .block-reply { - margin-top: 10px; - - .reply-textarea { - min-height: 70px; - width: 278px; - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 5px; - } - } - - .edit-reply-textarea { - min-height: 60px; - width: 100%; - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 5px; - height: 60px; - margin-top: 10px; - } - - .comment-text { - padding-right: 0; - - .comment-textarea { - border: 1px solid #c4c4c4; - border-radius: 6px; - padding: 8px; - min-height: 80px; - height: 80px; - } - } - } - } - } - - } -} - -#done-comment { - padding: 0 16px; -} -.page-add-comment { - .wrap-comment, .wrap-reply { - padding: 16px 24px 0 16px; - .header-comment { - justify-content: flex-start; - } - .user-name { - font-size: 17px; - font-weight: bold; - } - .comment-date { - font-size: 13px; - color: @text-secondary; - } - .wrap-textarea { - margin-top: 16px; - padding-right: 6px; - .comment-textarea { - font-size: 17px; - border: none; - margin-top: 0; - min-height: 100px; - border-radius: 4px; - &::placeholder { - color: @gray; - font-size: 17px; - } - } - } - } -} - -.container-edit-comment, .container-add-reply { - height: 100%; - .navbar { - &:after { - content: ''; - position: absolute; - left: 0; - bottom: 0; - right: auto; - top: auto; - height: 1px; - width: 100%; - background-color: #c4c4c4; - display: block; - z-index: 15; - -webkit-transform-origin: 50% 100%; - transform-origin: 50% 100%; - } - .navbar-inner { - justify-content: space-between; - } - a.link i + span { - margin-left: 0; - } - .center { - font-size: 18px; - } - .right { - margin-left: 0; - } - } - .page-add-comment { - background-color: @fill-white; - } - .header-comment { - justify-content: flex-start; - } -} - -.actions-modal-button.color-red { - color: @red; -} - -.page-edit-comment, .page-add-reply, .page-edit-reply { - background-color: @fill-white; - .header-comment { - justify-content: flex-start; - } - .navbar { - .right { - height: 100%; - #add-new-reply, #edit-comment, #edit-reply { - display: flex; - align-items: center; - padding-left: 16px; - padding-right: 16px; - height: 100%; - } - } - } -} - -.container-edit-comment { - position: fixed; -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/_color-palette.less b/apps/common/mobile/resources/less/material/_color-palette.less deleted file mode 100644 index ab77c10a0..000000000 --- a/apps/common/mobile/resources/less/material/_color-palette.less +++ /dev/null @@ -1,175 +0,0 @@ -// Color palette - -.color-palette { - a { - flex-grow: 1; - position: relative; - min-width: 10px; - min-height: 26px; - margin: 1px 1px 0 0; - box-shadow: 0 0 0 1px rgba(0,0,0,0.15) inset; - - &.active { - &:after { - content:' '; - position: absolute; - width: 100%; - height: 100%; - box-shadow: 0 0 0 1px white, 0 0 0 4px @brandColor; - z-index: 1; - border-radius: 1px; - } - } - - &.transparent { - background-repeat: no-repeat; - background-size: 100% 100%; - .encoded-svg-background(""); - } - } - - .theme-colors { - .item-inner { - display: inline-block; - overflow: visible; - } - } - - .standart-colors, .dynamic-colors { - .item-inner { - overflow: visible; - } - } - - &.list-block:last-child li:last-child a { - border-radius: 0; - } - -} - -.custom-colors { - display: flex; - justify-content: space-around; - align-items: center; - margin: 15px; - &.phone { - max-width: 300px; - margin: 0 auto; - margin-top: 4px; - .button-round { - margin-top: 20px; - } - } - .right-block { - margin-left: 20px; - } - .button-round { - height: 72px; - width: 72px; - padding: 0; - display: flex; - justify-content: center; - align-items: center; - border-radius: 100px; - background-color: @brandColor; - box-shadow: 0px 4px 4px rgba(0, 0, 0, 0.25); - border-color: transparent; - margin-top: 25px; - &.active-state { - background-color: rgba(0, 0, 0, 0.1); - } - } - .color-hsb-preview { - width: 72px; - height: 72px; - border-radius: 100px; - overflow: hidden; - border: 1px solid #ededed; - } - .new-color-hsb-preview { - width: 100%; - height: 36px; - } - .current-color-hsb-preview { - width: 100%; - height: 36px; - } - .list-block ul:before, .list-block ul:after { - content: none; - } - .list-block ul li { - border: 1px solid rgba(0, 0, 0, 0.3); - } - .color-picker-wheel { - position: relative; - width: 290px; - max-width: 100%; - height: auto; - font-size: 0; - - svg { - width: 100%; - height: auto; - } - - .color-picker-wheel-handle { - width: calc(100% / 6); - height: calc(100% / 6); - position: absolute; - box-sizing: border-box; - border: 2px solid #fff; - box-shadow: 0px 0px 5px rgba(0, 0, 0, 0.5); - background: red; - border-radius: 50%; - left: 0; - top: 0; - } - - .color-picker-sb-spectrum { - background-color: #000; - background-image: linear-gradient(to bottom, rgba(0, 0, 0, 0) 0%, #000 100%), linear-gradient(to left, rgba(255, 255, 255, 0) 0%, #fff 100%); - position: relative; - width: 45%; - height: 45%; - left: 50%; - top: 50%; - transform: translate3d(-50%, -50%, 0); - position: absolute; - } - - .color-picker-sb-spectrum-handle { - width: 4px; - height: 4px; - position: absolute; - left: -2px; - top: -2px; - z-index: 1; - - &:after { - background-color: inherit; - content: ''; - position: absolute; - width: 16px; - height: 16px; - border: 1px solid #fff; - border-radius: 50%; - box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.5); - box-sizing: border-box; - left: 50%; - top: 50%; - transform: translate(-50%, -50%); - transition: 150ms; - transition-property: transform; - transform-origin: center; - } - - &.color-picker-sb-spectrum-handle-pressed:after { - transform: scale(1.5) translate(-33.333%, -33.333%); - } - } - } -} -#font-color-auto.active .color-auto { - box-shadow: 0 0 0 1px white, 0 0 0 4px @brandColor; - border-radius: 1px; -} diff --git a/apps/common/mobile/resources/less/material/_color-schema.less b/apps/common/mobile/resources/less/material/_color-schema.less deleted file mode 100644 index 2c4dc2449..000000000 --- a/apps/common/mobile/resources/less/material/_color-schema.less +++ /dev/null @@ -1,21 +0,0 @@ -.color-schemes-menu { - cursor: pointer; - display: block; - background-color: #fff; - .item-inner { - justify-content: flex-start; - } - .color-schema-block { - display: flex; - } - .color { - min-width: 26px; - min-height: 26px; - margin: 0 2px 0 0; - box-shadow: 0 0 0 1px rgba(0, 0, 0, 0.15) inset; - } - .text { - margin-left: 20px; - color: #212121; - } -} diff --git a/apps/common/mobile/resources/less/material/_container.less b/apps/common/mobile/resources/less/material/_container.less deleted file mode 100644 index 00f1877cd..000000000 --- a/apps/common/mobile/resources/less/material/_container.less +++ /dev/null @@ -1,77 +0,0 @@ -// Container - -.phone.android { - .container-edit, - .container-collaboration, - .container-filter { - - .page-content { - .list-block:first-child { - margin-top: -1px; - } - } - } -} - -.container-edit, -.container-add, -.container-settings, -.container-collaboration, -.container-filter { - &.popover { - width: 360px; - } -} - -.settings { - &.popup, - &.popover { - .list-block { - ul { - border-radius: 0; - background: #fff; - } - - &:first-child { - margin-top: 0; - - li:first-child a { - border-radius: 0; - } - } - } - - &, - .popover-inner { - > .content-block { - width: 100%; - height: 100%; - margin: 0; - padding: 0; - } - } - - .popover-view { - border-radius: 2px; - - > .pages { - border-radius: 2px; - } - } - } - - .categories { - width: 100%; - height: 100%; - margin: 0; - padding: 0; - - > .toolbar { - top: 0; - height: 100%; - } - } - .popover-inner { - height: 400px; - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/_contextmenu.less b/apps/common/mobile/resources/less/material/_contextmenu.less deleted file mode 100644 index 84e376cca..000000000 --- a/apps/common/mobile/resources/less/material/_contextmenu.less +++ /dev/null @@ -1,29 +0,0 @@ -// Context menu - -.document-menu { - width: auto; - line-height: 1 !important; - z-index: 12500; - - .popover-inner { - overflow: hidden; - } - - .list-block { - white-space: pre; - - ul { - height: 48px; - } - - li { - display: inline-block; - } - - .item-link { - html.phone & { - padding: 0 10px; - } - } - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/_dataview.less b/apps/common/mobile/resources/less/material/_dataview.less deleted file mode 100644 index fca18dbd7..000000000 --- a/apps/common/mobile/resources/less/material/_dataview.less +++ /dev/null @@ -1,32 +0,0 @@ -// Data view - -.dataview { - .row { - justify-content: space-around; - } - - ul { - padding: 0 10px; - list-style: none; - justify-content: space-around; - - li { - display: inline-block; - } - } - - .active { - position: relative; - z-index: 1; - - &::after { - content: ''; - position: absolute; - width: 22px; - height: 22px; - right: -5px; - bottom: -5px; - .encoded-svg-background(''); - } - } -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/_listview.less b/apps/common/mobile/resources/less/material/_listview.less deleted file mode 100644 index ba134cc39..000000000 --- a/apps/common/mobile/resources/less/material/_listview.less +++ /dev/null @@ -1,73 +0,0 @@ -// List extend - -.item-content{ - .item-after { - &.splitter { - label { - color: #000; - margin:0 5px; - line-height: 36px; - } - - .button { - min-width: 40px; - margin-left: 0; - } - } - - &.value { - display: block; - min-width: 50px; - color: @black; - margin-left: 10px; - text-align: right; - } - } - - &.buttons { - .item-inner { - padding-top: 0; - padding-bottom: 0; - - > .row { - width: 100%; - - .button { - flex: 1; - font-size: 17px; - margin-left: 5px; - - &:first-child { - margin-left: 0; - } - - &.active { - color: #fff; - background-color: @brandColor; - } - } - } - } - } - - .color-preview { - width: 30px; - height: 30px; - border-radius: 16px; - margin-top: -3px; - box-shadow: 0 0 0 1px rgba(0,0,0,0.15) inset; - } -} - -.item-link { - &.no-indicator { - .item-inner { - background-image: none; - padding-right: 16px; - } - } -} - -.popover .list-block:last-child li:last-child .buttons a { - border-radius: 3px; -} \ No newline at end of file diff --git a/apps/common/mobile/resources/less/material/comments.less b/apps/common/mobile/resources/less/material/comments.less index 98bd8ec3a..4b877c191 100644 --- a/apps/common/mobile/resources/less/material/comments.less +++ b/apps/common/mobile/resources/less/material/comments.less @@ -1,10 +1,6 @@ .device-android { .wrap-comment { height: calc(100% - 72px); - background-color: @background-tertiary; - .comment-date { - color: @text-secondary; - } } .add-comment-popup, .add-reply-popup, .add-comment-dialog, .add-reply-dialog { .wrap-textarea { diff --git a/apps/common/mobile/resources/less/material/icons.less b/apps/common/mobile/resources/less/material/icons.less index 2a34e8c73..d047cf12d 100644 --- a/apps/common/mobile/resources/less/material/icons.less +++ b/apps/common/mobile/resources/less/material/icons.less @@ -37,7 +37,7 @@ &.icon-edit { width: 22px; height: 22px; - .encoded-svg-mask(''); + .encoded-svg-mask('', @toolbar-icons); } } } diff --git a/apps/common/mobile/utils/utils.js b/apps/common/mobile/utils/utils.js index 5a3481c5b..af586a73b 100644 --- a/apps/common/mobile/utils/utils.js +++ b/apps/common/mobile/utils/utils.js @@ -127,4 +127,102 @@ define([ }, 500); } }; + + Common.Utils.CThumbnailLoader = function () { + this.image = null; + this.binaryFormat = null; + this.data = null; + this.width = 0; + this.height = 0; + this.heightOne = 0; + this.count = 0; + + this.load = function(url, callback) { + if (!callback) + return; + + var me = this; + var xhr = new XMLHttpRequest(); + xhr.open('GET', url + ".bin", true); + xhr.responseType = 'arraybuffer'; + + if (xhr.overrideMimeType) + xhr.overrideMimeType('text/plain; charset=x-user-defined'); + else xhr.setRequestHeader('Accept-Charset', 'x-user-defined'); + + xhr.onload = function() { + // TODO: check errors + me.binaryFormat = this.response; + callback(); + }; + + xhr.send(null); + }; + + this.openBinary = function(arrayBuffer) { + //var t1 = performance.now(); + + const binaryAlpha = new Uint8Array(arrayBuffer); + this.width = (binaryAlpha[0] << 24) | (binaryAlpha[1] << 16) | (binaryAlpha[2] << 8) | (binaryAlpha[3] << 0); + this.heightOne = (binaryAlpha[4] << 24) | (binaryAlpha[5] << 16) | (binaryAlpha[6] << 8) | (binaryAlpha[7] << 0); + this.count = (binaryAlpha[8] << 24) | (binaryAlpha[9] << 16) | (binaryAlpha[10] << 8) | (binaryAlpha[11] << 0); + this.height = this.count * this.heightOne; + + this.data = new Uint8ClampedArray(4 * this.width * this.height); + + var binaryIndex = 12; + var imagePixels = this.data; + var index = 0; + + var len0 = 0; + var tmpValue = 0; + while (binaryIndex < binaryAlpha.length) { + tmpValue = binaryAlpha[binaryIndex++]; + if (0 == tmpValue) { + len0 = binaryAlpha[binaryIndex++]; + while (len0 > 0) { + len0--; + imagePixels[index] = imagePixels[index + 1] = imagePixels[index + 2] = 255; + imagePixels[index + 3] = 0; // this value is already 0. + index += 4; + } + } else { + imagePixels[index] = imagePixels[index + 1] = imagePixels[index + 2] = 255 - tmpValue; + imagePixels[index + 3] = tmpValue; + index += 4; + } + } + + //var t2 = performance.now(); + //console.log(t2 - t1); + }; + + this.getImage = function(index, canvas, ctx) { + //var t1 = performance.now(); + if (!canvas) { + canvas = document.createElement("canvas"); + canvas.width = this.width; + canvas.height = this.heightOne; + canvas.style.width = iconWidth + "px"; + canvas.style.height = iconHeight + "px"; + + ctx = canvas.getContext("2d"); + } + + if (!this.data) { + this.openBinary(this.binaryFormat); + delete this.binaryFormat; + } + + var dataTmp = ctx.createImageData(this.width, this.heightOne); + const sizeImage = 4 * this.width * this.heightOne; + dataTmp.data.set(new Uint8ClampedArray(this.data.buffer, index * sizeImage, sizeImage)); + ctx.putImageData(dataTmp, 0, 0); + + //var t2 = performance.now(); + //console.log(t2 - t1); + + return canvas; + }; + }; }); diff --git a/apps/documenteditor/embed/index.html b/apps/documenteditor/embed/index.html index b4ba894b1..c6b115212 100644 --- a/apps/documenteditor/embed/index.html +++ b/apps/documenteditor/embed/index.html @@ -198,6 +198,7 @@
    +
    of 0
    +
    of 0
    ', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.DOCM || fileType=="docm") { %>', - '', + '', '<% } %>', '<% }) %>', '', @@ -175,9 +175,9 @@ define([ '', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.DOCM || fileType=="docm") { %>', - '', + '', '<% } %>', '<% }) %>', '', @@ -293,7 +293,7 @@ define([ '', '', '', - '', + '', '', '', '', @@ -305,6 +305,10 @@ define([ '', '', '','', + '', + '', + '', + '', '', '', '', @@ -318,6 +322,12 @@ define([ '', '', '', + '', + '', + '', + '', + '', + '', '', '', '', @@ -331,6 +341,9 @@ define([ '', '', '', + '', + '', + '', '', '', '', '', '', + '', + '', + '', + '', '', '', // '', // '', // '', // '', - '', + '', '', '', '', - '', + '', '', '', '', - '', + '', '', '', '', - '', - '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', '', '', '', '', '', - '', - '', + '', + '', '', - '', - '', + '', + '', '', '', '', @@ -1185,7 +1267,28 @@ define([ '', '', '', - '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', + '', '', ' + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    ' + Common.Utils.String.htmlEncode(str[j]) + '
    ', - '', - '
    ', + '
    ', + '
    ', - '', - '
    ', + '
    ', + '
    ', @@ -390,6 +403,14 @@ define([ dataHintOffset: 'small' }); + this.chUseAltKey = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-use-alt-key'), + labelText: Common.Utils.isMac ? this.txtUseOptionKey : this.txtUseAltKey, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + /** coauthoring begin **/ this.chLiveComment = new Common.UI.CheckBox({ el: $markup.findById('#fms-chb-live-comment'), @@ -416,6 +437,25 @@ define([ dataHint: '2', dataHintDirection: 'left', dataHintOffset: 'small' + }).on('change', function(field, newValue, oldValue, eOpts){ + me.chIgnoreUppercase.setDisabled(field.getValue()!=='checked'); + me.chIgnoreNumbers.setDisabled(field.getValue()!=='checked'); + }); + + this.chIgnoreUppercase = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-ignore-uppercase-words'), + labelText: this.strIgnoreWordsInUPPERCASE, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + + this.chIgnoreNumbers = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-ignore-numbers-words'), + labelText: this.strIgnoreWordsWithNumbers, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' }); this.chCompatible = new Common.UI.CheckBox({ @@ -552,6 +592,14 @@ define([ /** coauthoring end **/ + this.chLiveViewer = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-live-viewer'), + labelText: this.strShowOthersChanges, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + var itemsTemplate = _.template([ '<% _.each(items, function(item) { %>', @@ -642,7 +690,7 @@ define([ dataHintDirection: 'bottom', dataHintOffset: 'big' }).on('selected', function(combo, record) { - me.chDarkMode.setDisabled(record.themeType!=='dark'); + me.chDarkMode.setDisabled(!Common.UI.Themes.isDarkTheme(record.value)); }); this.chDarkMode = new Common.UI.CheckBox({ @@ -718,6 +766,7 @@ define([ $('tr.coauth', this.el)[mode.isEdit && mode.canCoAuthoring ? 'show' : 'hide'](); $('tr.coauth.changes-mode', this.el)[mode.isEdit && !mode.isOffline && mode.canCoAuthoring && mode.canChangeCoAuthoring ? 'show' : 'hide'](); $('tr.coauth.changes-show', this.el)[mode.isEdit && !mode.isOffline && mode.canCoAuthoring ? 'show' : 'hide'](); + $('tr.live-viewer', this.el)[mode.canLiveView && !mode.isOffline && mode.canChangeCoAuthoring ? 'show' : 'hide'](); $('tr.view-review', this.el)[mode.canViewReview ? 'show' : 'hide'](); $('tr.spellcheck', this.el)[mode.isEdit && Common.UI.FeaturesManager.canChange('spellcheck') ? 'show' : 'hide'](); $('tr.comments', this.el)[mode.canCoAuthoring ? 'show' : 'hide'](); @@ -738,6 +787,8 @@ define([ updateSettings: function() { this.chInputMode.setValue(Common.Utils.InternalSettings.get("de-settings-inputmode")); + this.chUseAltKey.setValue(Common.Utils.InternalSettings.get("de-settings-use-alt-key")); + var value = Common.Utils.InternalSettings.get("de-settings-zoom"); value = (value!==null) ? parseInt(value) : (this.mode.customization && this.mode.customization.zoom ? parseInt(this.mode.customization.zoom) : 100); var item = this.cmbZoom.store.findWhere({value: value}); @@ -752,6 +803,8 @@ define([ this.rbCoAuthModeStrict.setValue(!fast_coauth); this.fillShowChanges(fast_coauth); + this.chLiveViewer.setValue(Common.Utils.InternalSettings.get("de-settings-coauthmode")); + value = Common.Utils.InternalSettings.get((fast_coauth) ? "de-settings-showchanges-fast" : "de-settings-showchanges-strict"); this.rbShowChangesNone.setValue(value=='none'); @@ -780,8 +833,11 @@ define([ if (this.mode.canForcesave) this.chForcesave.setValue(Common.Utils.InternalSettings.get("de-settings-forcesave")); - if (Common.UI.FeaturesManager.canChange('spellcheck')) + if (Common.UI.FeaturesManager.canChange('spellcheck')) { this.chSpell.setValue(Common.Utils.InternalSettings.get("de-settings-spellcheck")); + this.chIgnoreUppercase.setValue(Common.Utils.InternalSettings.get("de-spellcheck-ignore-uppercase-words")); + this.chIgnoreNumbers.setValue(Common.Utils.InternalSettings.get("de-spellcheck-ignore-numbers-words")); + } this.chAlignGuides.setValue(Common.Utils.InternalSettings.get("de-settings-showsnaplines")); this.chCompatible.setValue(Common.Utils.InternalSettings.get("de-settings-compatible")); @@ -815,6 +871,8 @@ define([ if (!this.chDarkMode.isDisabled() && (this.chDarkMode.isChecked() !== Common.UI.Themes.isContentThemeDark())) Common.UI.Themes.toggleContentTheme(); Common.localStorage.setItem("de-settings-inputmode", this.chInputMode.isChecked() ? 1 : 0); + Common.localStorage.setItem("de-settings-use-alt-key", this.chUseAltKey.isChecked() ? 1 : 0); + Common.Utils.InternalSettings.set("de-settings-use-alt-key", Common.localStorage.getBool("de-settings-use-alt-key")); Common.localStorage.setItem("de-settings-zoom", this.cmbZoom.getValue()); Common.Utils.InternalSettings.set("de-settings-zoom", Common.localStorage.getItem("de-settings-zoom")); @@ -825,18 +883,23 @@ define([ this.mode.canChangeCoAuthoring && Common.localStorage.setItem("de-settings-coauthmode", this.rbCoAuthModeFast.getValue() ? 1 : 0 ); Common.localStorage.setItem(this.rbCoAuthModeFast.getValue() ? "de-settings-showchanges-fast" : "de-settings-showchanges-strict", this.rbShowChangesNone.getValue()?'none':this.rbShowChangesLast.getValue()?'last':'all'); + } else if (this.mode.canLiveView && !this.mode.isOffline && this.mode.canChangeCoAuthoring) { // viewer + Common.localStorage.setItem("de-settings-view-coauthmode", this.chLiveViewer.isChecked() ? 1 : 0); } /** coauthoring end **/ Common.localStorage.setItem("de-settings-fontrender", this.cmbFontRender.getValue()); var item = this.cmbFontRender.store.findWhere({value: 'custom'}); Common.localStorage.setItem("de-settings-cachemode", item && !item.get('checked') ? 0 : 1); Common.localStorage.setItem("de-settings-unit", this.cmbUnit.getValue()); - if (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("de-settings-coauthmode")) + if (this.mode.isEdit && (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("de-settings-coauthmode"))) Common.localStorage.setItem("de-settings-autosave", this.chAutosave.isChecked() ? 1 : 0); if (this.mode.canForcesave) Common.localStorage.setItem("de-settings-forcesave", this.chForcesave.isChecked() ? 1 : 0); - if (Common.UI.FeaturesManager.canChange('spellcheck')) + if (Common.UI.FeaturesManager.canChange('spellcheck') && this.mode.isEdit) { Common.localStorage.setItem("de-settings-spellcheck", this.chSpell.isChecked() ? 1 : 0); + Common.localStorage.setBool("de-spellcheck-ignore-uppercase-words", this.chIgnoreUppercase.isChecked()); + Common.localStorage.setBool("de-spellcheck-ignore-numbers-words", this.chIgnoreNumbers.isChecked()); + } Common.localStorage.setItem("de-settings-compatible", this.chCompatible.isChecked() ? 1 : 0); Common.Utils.InternalSettings.set("de-settings-compatible", this.chCompatible.isChecked() ? 1 : 0); Common.Utils.InternalSettings.set("de-settings-showsnaplines", this.chAlignGuides.isChecked()); @@ -896,7 +959,7 @@ define([ strZoom: 'Default Zoom Value', /** coauthoring begin **/ - strShowChanges: 'Realtime Collaboration Changes', + strShowChanges: 'Real-time Collaboration Changes', txtAll: 'View All', txtNone: 'View Nothing', txtLast: 'View Last', @@ -948,10 +1011,15 @@ define([ txtShowTrackChanges: 'Show track changes', txtWorkspace: 'Workspace', txtHieroglyphs: 'Hieroglyphs', + txtUseAltKey: 'Use Alt key to navigate the user interface using the keyboard', + txtUseOptionKey: 'Use Option key to navigate the user interface using the keyboard', strShowComments: 'Show comments in text', strShowResolvedComments: 'Show resolved comments', txtFastTip: 'Real-time co-editing. All changes are saved automatically', - txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make' + txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make', + strIgnoreWordsInUPPERCASE: 'Ignore words in UPPERCASE', + strIgnoreWordsWithNumbers: 'Ignore words with numbers', + strShowOthersChanges: 'Show changes from other users' }, DE.Views.FileMenuPanels.Settings || {})); DE.Views.FileMenuPanels.RecentFiles = Common.UI.BaseView.extend({ @@ -978,9 +1046,9 @@ define([ itemTemplate: _.template([ '
    ', '
    ', - '', - '', - '', + '
    ', + '
    ', + '
    ', '
    ', '
    <% if (typeof title !== "undefined") {%><%= Common.Utils.String.htmlEncode(title || "") %><% } %>
    ', '
    <% if (typeof folder !== "undefined") {%><%= Common.Utils.String.htmlEncode(folder || "") %><% } %>
    ', @@ -1029,7 +1097,7 @@ define([ '<% if (blank) { %> ', '
    ', '
    ', - '', + '
    ', '
    ', '
    <%= scope.txtBlank %>
    ', '
    ', @@ -1040,7 +1108,7 @@ define([ '<% if (!_.isEmpty(item.image)) {%> ', ' style="background-image: url(<%= item.image %>);">', ' <%} else {' + - 'print(\">\")' + + 'print(\">
    \")' + ' } %>', '
    ', '
    <%= Common.Utils.String.htmlEncode(item.title || item.name || "") %>
    ', @@ -1147,36 +1215,50 @@ define([ '
    ', '', @@ -1230,6 +1333,7 @@ define([ this.lblStatParagraphs = $markup.findById('#id-info-paragraphs'); this.lblStatSymbols = $markup.findById('#id-info-symbols'); this.lblStatSpaces = $markup.findById('#id-info-spaces'); + this.lblPageSize = $markup.findById('#id-info-pages-size'); // this.lblEditTime = $markup.find('#id-info-edittime'); // edited info @@ -1323,6 +1427,16 @@ define([ } }).on('keydown:before', keyDownBefore); + // pdf info + this.lblPageSize = $markup.findById('#id-info-page-size'); + this.lblPdfTitle = $markup.findById('#id-lbl-info-title'); + this.lblPdfSubject = $markup.findById('#id-lbl-info-subject'); + this.lblPdfAuthor = $markup.findById('#id-lbl-info-author'); + this.lblPdfVer = $markup.findById('#id-info-pdf-ver'); + this.lblPdfTagged = $markup.findById('#id-info-pdf-tagged'); + this.lblPdfProducer = $markup.findById('#id-info-pdf-produce'); + this.lblFastWV = $markup.findById('#id-info-fast-wv'); + this.btnApply = new Common.UI.Button({ el: $markup.findById('#fminfo-btn-apply') }); @@ -1399,10 +1513,16 @@ define([ this._ShowHideDocInfo(false); $('tr.divider.general', this.el)[visible?'show':'hide'](); + var pdfProps = (this.api) ? this.api.asc_getPdfProps() : null; var appname = (this.api) ? this.api.asc_getAppProps() : null; if (appname) { + $('.pdf-info', this.el).hide(); appname = (appname.asc_getApplication() || '') + (appname.asc_getAppVersion() ? ' ' : '') + (appname.asc_getAppVersion() || ''); this.lblApplication.text(appname); + } else if (pdfProps) { + $('.docx-info', this.el).hide(); + appname = pdfProps ? pdfProps.Creator || '' : ''; + this.lblApplication.text(appname); } this._ShowHideInfoItem(this.lblApplication, !!appname); @@ -1412,7 +1532,8 @@ define([ if (value) this.lblDate.text(value.toLocaleString(this.mode.lang, {year: 'numeric', month: '2-digit', day: '2-digit'}) + ' ' + value.toLocaleString(this.mode.lang, {timeStyle: 'short'})); this._ShowHideInfoItem(this.lblDate, !!value); - } + } else if (pdfProps) + this.updatePdfInfo(pdfProps); }, updateFileInfo: function() { @@ -1424,14 +1545,6 @@ define([ value; this.coreProps = props; - // var app = (this.api) ? this.api.asc_getAppProps() : null; - // if (app) { - // value = app.asc_getTotalTime(); - // if (value) - // this.lblEditTime.text(value + ' ' + this.txtMinutes); - // } - // this._ShowHideInfoItem(this.lblEditTime, !!value); - if (props) { var visible = false; value = props.asc_getModified(); @@ -1466,6 +1579,86 @@ define([ this.SetDisabled(); }, + updatePdfInfo: function(props) { + if (!this.rendered) + return; + + var me = this, + value; + + if (props) { + value = props.CreationDate; + if (value) { + value = new Date(value); + this.lblDate.text(value.toLocaleString(this.mode.lang, {year: 'numeric', month: '2-digit', day: '2-digit'}) + ' ' + value.toLocaleString(this.mode.lang, {timeStyle: 'short'})); + } + this._ShowHideInfoItem(this.lblDate, !!value); + + var visible = false; + value = props.ModDate; + if (value) { + value = new Date(value); + this.lblModifyDate.text(value.toLocaleString(this.mode.lang, {year: 'numeric', month: '2-digit', day: '2-digit'}) + ' ' + value.toLocaleString(this.mode.lang, {timeStyle: 'short'})); + } + visible = this._ShowHideInfoItem(this.lblModifyDate, !!value) || visible; + visible = this._ShowHideInfoItem(this.lblModifyBy, false) || visible; + $('tr.divider.modify', this.el)[visible?'show':'hide'](); + + if (props.PageWidth && props.PageHeight && (typeof props.PageWidth === 'number') && (typeof props.PageHeight === 'number')) { + var w = props.PageWidth, + h = props.PageHeight; + switch (Common.Utils.Metric.getCurrentMetric()) { + case Common.Utils.Metric.c_MetricUnits.cm: + w = parseFloat((w* 25.4 / 72000.).toFixed(2)); + h = parseFloat((h* 25.4 / 72000.).toFixed(2)); + break; + case Common.Utils.Metric.c_MetricUnits.pt: + w = parseFloat((w/100.).toFixed(2)); + h = parseFloat((h/100.).toFixed(2)); + break; + case Common.Utils.Metric.c_MetricUnits.inch: + w = parseFloat((w/7200.).toFixed(2)); + h = parseFloat((h/7200.).toFixed(2)); + break; + } + this.lblPageSize.text(w + ' ' + Common.Utils.Metric.getCurrentMetricName() + ' x ' + h + ' ' + Common.Utils.Metric.getCurrentMetricName()); + this._ShowHideInfoItem(this.lblPageSize, true); + } else + this._ShowHideInfoItem(this.lblPageSize, false); + + value = props.Title; + value && this.lblPdfTitle.text(value); + visible = this._ShowHideInfoItem(this.lblPdfTitle, !!value); + + value = props.Subject; + value && this.lblPdfSubject.text(value); + visible = this._ShowHideInfoItem(this.lblPdfSubject, !!value) || visible; + $('tr.divider.pdf-title', this.el)[visible?'show':'hide'](); + + value = props.Author; + value && this.lblPdfAuthor.text(value); + this._ShowHideInfoItem(this.lblPdfAuthor, !!value); + + value = props.Version; + value && this.lblPdfVer.text(value); + this._ShowHideInfoItem(this.lblPdfVer, !!value); + + value = props.Tagged; + if (value !== undefined) + this.lblPdfTagged.text(value===true ? this.txtYes : this.txtNo); + this._ShowHideInfoItem(this.lblPdfTagged, value !== undefined); + + value = props.Producer; + value && this.lblPdfProducer.text(value); + this._ShowHideInfoItem(this.lblPdfProducer, !!value); + + value = props.FastWebView; + if (value !== undefined) + this.lblFastWV.text(value===true ? this.txtYes : this.txtNo); + this._ShowHideInfoItem(this.lblFastWV, value !== undefined); + } + }, + _ShowHideInfoItem: function(el, visible) { el.closest('tr')[visible?'show':'hide'](); return visible; @@ -1618,7 +1811,15 @@ define([ txtAddAuthor: 'Add Author', txtAddText: 'Add Text', txtMinutes: 'min', - okButtonText: 'Apply' + okButtonText: 'Apply', + txtPageSize: 'Page Size', + txtPdfVer: 'PDF Version', + txtPdfTagged: 'Tagged PDF', + txtFastWV: 'Fast Web View', + txtYes: 'Yes', + txtNo: 'No', + txtPdfProducer: 'PDF Producer' + }, DE.Views.FileMenuPanels.DocumentInfo || {})); DE.Views.FileMenuPanels.DocumentRights = Common.UI.BaseView.extend(_.extend({ diff --git a/apps/documenteditor/main/app/view/FormSettings.js b/apps/documenteditor/main/app/view/FormSettings.js index 2af5d2f4f..17cfd67b3 100644 --- a/apps/documenteditor/main/app/view/FormSettings.js +++ b/apps/documenteditor/main/app/view/FormSettings.js @@ -1150,7 +1150,6 @@ define([ '33CCCC', '3366FF', '800080', '999999', 'FF00FF', 'FFCC00', 'FFFF00', '00FF00', '00FFFF', '00CCFF', '993366', 'C0C0C0', 'FF99CC', 'FFCC99', 'FFFF99', 'CCFFCC', 'CCFFFF', 'C9C8FF', 'CC99FF', 'FFFFFF' ], - paletteHeight: 94, dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'big' diff --git a/apps/documenteditor/main/app/view/FormsTab.js b/apps/documenteditor/main/app/view/FormsTab.js index 9498a7b43..d3a0a2199 100644 --- a/apps/documenteditor/main/app/view/FormsTab.js +++ b/apps/documenteditor/main/app/view/FormsTab.js @@ -258,7 +258,6 @@ define([ '33CCCC', '3366FF', '800080', '999999', 'FF00FF', 'FFCC00', 'FFFF00', '00FF00', '00FFFF', '00CCFF', '993366', 'C0C0C0', 'FF99CC', 'FFCC99', 'FFFF99', 'CCFFCC', 'CCFFFF', 'C9C8FF', 'CC99FF', 'FFFFFF' ], - paletteHeight: 94, dataHint: '1', dataHintDirection: 'left', dataHintOffset: 'small' @@ -308,7 +307,7 @@ define([ cls: 'btn-toolbar x-huge icon-top', lock: [_set.lostConnect, _set.disableOnStart], iconCls: 'toolbar__icon save-form', - caption: this.capBtnSaveForm, + caption: this.appConfig.canRequestSaveAs || !!this.appConfig.saveAsUrl ? this.capBtnSaveForm : this.capBtnDownloadForm, // disabled: this.appConfig.isEdit && this.appConfig.canFeatureContentControl && this.appConfig.canFeatureForms, // disable only for edit mode, dataHint: '1', dataHintDirection: 'bottom', @@ -356,7 +355,7 @@ define([ me.btnPrevForm.updateHint(me.tipPrevForm); me.btnNextForm.updateHint(me.tipNextForm); me.btnSubmit && me.btnSubmit.updateHint(me.tipSubmit); - me.btnSaveForm && me.btnSaveForm.updateHint(me.tipSaveForm); + me.btnSaveForm && me.btnSaveForm.updateHint(config.canRequestSaveAs || !!config.saveAsUrl ? me.tipSaveForm : me.tipDownloadForm); setEvents.call(me); }); @@ -438,11 +437,13 @@ define([ tipSubmit: 'Submit form', textSubmited: 'Form submitted successfully', textRequired: 'Fill all required fields to send form.', - capBtnSaveForm: 'Save as a Form', + capBtnSaveForm: 'Save as oform', tipSaveForm: 'Save a file as a fillable OFORM document', txtUntitled: 'Untitled', textCreateForm: 'Add fields and create a fillable OFORM document', - textGotIt: 'Got it' + textGotIt: 'Got it', + capBtnDownloadForm: 'Download as oform', + tipDownloadForm: 'Download a file as a fillable OFORM document' } }()), DE.Views.FormsTab || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/ImageSettings.js b/apps/documenteditor/main/app/view/ImageSettings.js index 5f60017b4..df4817e88 100644 --- a/apps/documenteditor/main/app/view/ImageSettings.js +++ b/apps/documenteditor/main/app/view/ImageSettings.js @@ -181,7 +181,18 @@ define([ this.btnOriginalSize.on('click', _.bind(this.setOriginalSize, this)); this.btnEditObject.on('click', _.bind(function(btn){ - if (this.api) this.api.asc_startEditCurrentOleObject(); + if (this.api) { + var oleobj = this.api.asc_canEditTableOleObject(true); + if (oleobj) { + var oleEditor = DE.getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor'); + if (oleEditor) { + oleEditor.setEditMode(true); + oleEditor.show(); + oleEditor.setOleData(Asc.asc_putBinaryDataToFrameFromTableOleObject(oleobj)); + } + } else + this.api.asc_startEditCurrentOleObject(); + } this.fireEvent('editcomplete', this); }, this)); this.btnFitMargins.on('click', _.bind(this.setFitMargins, this)); @@ -424,7 +435,7 @@ define([ if (this._state.isOleObject) { var plugin = DE.getCollection('Common.Collections.Plugins').findWhere({guid: pluginGuid}); - this.btnEditObject.setDisabled(plugin===null || plugin ===undefined || this._locked); + this.btnEditObject.setDisabled(!this.api.asc_canEditTableOleObject() && (plugin===null || plugin ===undefined) || this._locked); } else { this.btnSelectImage.setDisabled(pluginGuid===null || this._locked); } diff --git a/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js b/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js index 9e3e36bb5..5a345e2d2 100644 --- a/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js @@ -106,6 +106,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.api = this.options.api; this._changedProps = null; this._changedShapeProps = null; + this._isSmartArt = false; }, render: function() { @@ -253,7 +254,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat minValue: 0 }); this.spnShapeWidth.on('change', _.bind(function(field, newValue, oldValue, eOpts){ - if (this.chRatio.getValue()=='checked' && !this.chRatio.isDisabled()) { + if (this.chRatio.getValue()=='checked' && (!this.chRatio.isDisabled() || this._isSmartArt)) { var w = field.getNumberValue(); var h = w/this._nRatio; if (h>this.sizeMax.height) { @@ -281,7 +282,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat }); this.spnShapeHeight.on('change', _.bind(function(field, newValue, oldValue, eOpts){ var h = field.getNumberValue(), w = null; - if (this.chRatio.getValue()=='checked' && !this.chRatio.isDisabled()) { + if (this.chRatio.getValue()=='checked' && (!this.chRatio.isDisabled() || this._isSmartArt)) { w = h * this._nRatio; if (w>this.sizeMax.width) { w = this.sizeMax.width; @@ -1408,7 +1409,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this._setShapeDefaults(shapeprops); this.setTitle(this.textTitleShape); value = props.asc_getLockAspect(); - this.chRatio.setValue(value); + this.chRatio.setValue(value || this._isSmartArt, true); // can resize smart art only proportionately this.spnShapeWidth.setMaxValue(this.sizeMax.width); this.spnShapeHeight.setMaxValue(this.sizeMax.height); @@ -1450,7 +1451,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat value = props.get_Height(); this.spnShapeHeight.setValue((value!==undefined) ? Common.Utils.Metric.fnRecalcFromMM(value).toFixed(2) : '', true); } - this.chRatio.setDisabled(this.radioVSizePc.getValue() || this.radioHSizePc.getValue()); + this.chRatio.setDisabled(this.radioVSizePc.getValue() || this.radioHSizePc.getValue() || this._isSmartArt); var margins = shapeprops.get_paddings(); if (margins) { @@ -1558,9 +1559,13 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.radioHSizePc.setDisabled(true); this.radioVSizePc.setDisabled(true); this.btnsCategory[2].setDisabled(true); + this._isSmartArt = true; } if (props.get_FromSmartArtInternal()) { this.chAutofit.setDisabled(true); + this.chFlipHor.setDisabled(true); + this.chFlipVert.setDisabled(true); + this.btnsCategory[1].setDisabled(true); } var stroke = props.get_stroke(); diff --git a/apps/documenteditor/main/app/view/LeftMenu.js b/apps/documenteditor/main/app/view/LeftMenu.js index a6ad60492..1298b2a21 100644 --- a/apps/documenteditor/main/app/view/LeftMenu.js +++ b/apps/documenteditor/main/app/view/LeftMenu.js @@ -76,6 +76,10 @@ define([ 'click #left-btn-plugins': _.bind(this.onCoauthOptions, this), 'click #left-btn-navigation': _.bind(this.onCoauthOptions, this), 'click #left-btn-thumbnails': _.bind(this.onCoauthOptions, this), + 'click #left-btn-searchbar': _.bind(function () { + this.onCoauthOptions(); + this.fireEvent('search:aftershow', this.leftMenu); + }, this), 'click #left-btn-support': function() { var config = this.mode.customization; config && !!config.feedback && !!config.feedback.url ? @@ -93,12 +97,13 @@ define([ render: function () { var $markup = $(this.template({})); - this.btnSearch = new Common.UI.Button({ - action: 'search', - el: $markup.elementById('#left-btn-search'), - hint: this.tipSearch + Common.Utils.String.platformKey('Ctrl+F'), + this.btnSearchBar = new Common.UI.Button({ + action: 'advancedsearch', + el: $markup.elementById('#left-btn-searchbar'), + hint: this.tipSearch, disabled: true, - enableToggle: true + enableToggle: true, + toggleGroup: 'leftMenuGroup' }); this.btnAbout = new Common.UI.Button({ @@ -154,14 +159,14 @@ define([ this.btnNavigation = new Common.UI.Button({ el: $markup.elementById('#left-btn-navigation'), - hint: this.tipNavigation, + hint: this.tipOutline, enableToggle: true, disabled: true, toggleGroup: 'leftMenuGroup' }); this.btnNavigation.on('click', this.onBtnMenuClick.bind(this)); - this.btnSearch.on('click', this.onBtnMenuClick.bind(this)); + this.btnSearchBar.on('click', this.onBtnMenuClick.bind(this)); this.btnAbout.on('toggle', this.onBtnMenuToggle.bind(this)); this.menuFile = new DE.Views.FileMenu(); @@ -188,9 +193,6 @@ define([ btn.panel['show'](); if (!this._state.pluginIsRunning) this.$el.width(SCALE_MIN); - - if (this.btnSearch.isActive()) - this.btnSearch.toggle(false); } else { btn.panel['hide'](); } @@ -257,6 +259,14 @@ define([ this.panelThumbnails.hide(); } } + if (this.panelSearch) { + if (this.btnSearchBar.pressed) { + this.panelSearch.show(); + this.panelSearch.focus(); + } else { + this.panelSearch.hide(); + } + } /** coauthoring end **/ // if (this.mode.canPlugins && this.panelPlugins) { // if (this.btnPlugins.pressed) { @@ -284,6 +294,9 @@ define([ } else if (name == 'thumbnails') { this.panelThumbnails = panel.render('#left-panel-thumbnails'); + } else + if (name == 'advancedsearch') { + this.panelSearch = panel.render('#left-panel-search'); } }, @@ -329,6 +342,10 @@ define([ this.panelNavigation['hide'](); this.btnNavigation.toggle(false, true); } + if (this.panelSearch) { + this.panelSearch['hide'](); + this.btnSearchBar.toggle(false, true); + } if (this.panelThumbnails) { this.panelThumbnails['hide'](); this.btnThumbnails.toggle(false, true); @@ -337,7 +354,7 @@ define([ }, isOpened: function() { - var isopened = this.btnSearch.pressed; + var isopened = this.btnSearchBar.pressed; /** coauthoring begin **/ !isopened && (isopened = this.btnComments.pressed || this.btnChat.pressed); /** coauthoring end **/ @@ -345,7 +362,7 @@ define([ }, disableMenu: function(menu, disable) { - this.btnSearch.setDisabled(false); + this.btnSearchBar.setDisabled(false); this.btnAbout.setDisabled(false); this.btnSupport.setDisabled(false); /** coauthoring begin **/ @@ -357,7 +374,7 @@ define([ this.btnThumbnails.setDisabled(false); }, - showMenu: function(menu, opts) { + showMenu: function(menu, opts, suspendAfter) { var re = /^(\w+):?(\w*)$/.exec(menu); if ( re[1] == 'file' ) { if ( !this.menuFile.isVisible() ) { @@ -389,6 +406,15 @@ define([ this.onBtnMenuClick(this.btnNavigation); this.onCoauthOptions(); } + } else if (menu == 'advancedsearch') { + if (this.btnSearchBar.isVisible() && + !this.btnSearchBar.isDisabled() && !this.btnSearchBar.pressed) { + this.btnSearchBar.toggle(true); + this.onBtnMenuClick(this.btnSearchBar); + this.onCoauthOptions(); + this.panelSearch.focus(); + !suspendAfter && this.fireEvent('search:aftershow', this); + } } /** coauthoring end **/ } @@ -501,6 +527,7 @@ define([ txtTrial: 'TRIAL MODE', txtTrialDev: 'Trial Developer Mode', tipNavigation: 'Navigation', + tipOutline: 'Headings', txtLimit: 'Limit Access' }, DE.Views.LeftMenu || {})); }); diff --git a/apps/documenteditor/main/app/view/Links.js b/apps/documenteditor/main/app/view/Links.js index 346b7ab47..8ea79d0eb 100644 --- a/apps/documenteditor/main/app/view/Links.js +++ b/apps/documenteditor/main/app/view/Links.js @@ -81,6 +81,13 @@ define([ }, 10); }); + this.btnAddText.menu.on('item:click', function (menu, item, e) { + me.fireEvent('links:addtext', [item.value]); + }); + this.btnAddText.menu.on('show:after', function (menu, e) { + me.fireEvent('links:addtext-open', [menu]); + }); + this.btnsNotes.forEach(function(button) { button.menu.on('item:click', function (menu, item, e) { me.fireEvent('links:notes', [item.value]); @@ -174,7 +181,7 @@ define([ this.btnContentsUpdate = new Common.UI.Button({ parentEl: $host.find('#slot-btn-contents-update'), - cls: 'btn-toolbar x-huge icon-top', + cls: 'btn-toolbar', iconCls: 'toolbar__icon btn-update', lock: [ _set.previewReviewMode, _set.viewFormMode, _set.lostConnect, _set.disableOnStart], caption: this.capBtnContentsUpdate, @@ -182,10 +189,25 @@ define([ menu: true, dataHint: '1', dataHintDirection: 'bottom', - dataHintOffset: 'small' + dataHintOffset: '0, -8' }); this.paragraphControls.push(this.btnContentsUpdate); + this.btnAddText = new Common.UI.Button({ + parentEl: $host.find('#slot-btn-add-text'), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon add-text', + lock: [ _set.cantAddTextTOF, _set.inHeader, _set.inFootnote, _set.previewReviewMode, _set.viewFormMode, _set.lostConnect, _set.disableOnStart], + caption: this.capBtnAddText, + menu: new Common.UI.Menu({ + items: [] + }), + dataHint: '1', + dataHintDirection: 'left', + dataHintOffset: 'medium' + }); + this.paragraphControls.push(this.btnAddText); + this.btnBookmarks = new Common.UI.Button({ parentEl: $host.find('#slot-btn-bookmarks'), cls: 'btn-toolbar x-huge icon-top', @@ -294,6 +316,8 @@ define([ ] })); + me.btnAddText.updateHint(me.tipAddText); + me.contentsUpdateMenu = new Common.UI.Menu({ items: [ {caption: me.textUpdateAll, value: 'all'}, @@ -386,6 +410,27 @@ define([ }); }, + fillAddTextMenu: function(menu, endlevel, current) { + endlevel = Math.max(endlevel || 3, current+1); + menu.removeAll(); + menu.addItem(new Common.UI.MenuItem({ + caption: this.txtDontShowTof, + value: -1, + checkable: true, + checked: current<0, + toggleGroup : 'addTextGroup' + })); + for (var i=0; i', - // '', + '', '', '' @@ -63,8 +67,97 @@ define([ render: function(el) { el = el || this.el; $(el).html(this.template({scope: this})); + var isWrap = Common.localStorage.getBool("de-outline-wrap",true); + var fontSizeClass = Common.localStorage.getItem("de-outline-fontsize"); + if(!fontSizeClass) fontSizeClass = 'medium'; this.$el = $(el); + this.btnClose = new Common.UI.Button({ + parentEl: $('#navigation-btn-close', this.$el), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-close', + hint: this.txtClosePanel, + }); + + this.btnSettings = new Common.UI.Button({ + parentEl: $('#navigation-btn-settings', this.$el), + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-settings', + hint: this.txtSettings, + menu: new Common.UI.Menu({ + menuAlign: 'tr-br', + style: 'min-width: auto;', + items: [ + { + caption: this.txtExpand, + value: 'expand', + iconCls : 'menu__icon expand-all' + }, + { + caption: this.txtCollapse, + value: 'collapse', + iconCls : 'menu__icon collapse-all' + }, + { + caption: this.txtExpandToLevel, + value: 'expand-level', + menu: new Common.UI.Menu({ + menuAlign: 'tl-tr', + style: 'min-width: auto;', + items: [{ caption : '1', value: 1 }, { caption : '2', value: 2 }, { caption : '3', value: 3 }, + { caption : '4', value: 4 }, { caption : '5', value: 5 }, { caption : '6', value: 6 }, + { caption : '7', value: 7 }, { caption : '8', value: 8 }, { caption : '9', value: 9 }]}) + }, + { + caption: '--', + visible: true + }, + { + caption: this.txtFontSize, + value: 'font-size', + menu: new Common.UI.Menu({ + menuAlign: 'tl-tr', + style: 'min-width: auto;', + items: [ + { + caption: this.txtSmall, + checkable: true, + value: 'small', + checked: fontSizeClass == 'small', + toggleGroup: 'fontsize' + }, + { + caption: this.txtMedium, + checkable: true, + value: 'medium', + checked: fontSizeClass == 'medium', + toggleGroup: 'fontsize' + }, + { + caption: this.txtLarge, + checkable: true, + checked: fontSizeClass == 'large', + value: 'large', + toggleGroup: 'fontsize' + } + ]}) + + }, + { + caption: '--', + visible: true + }, + { + caption: this.txtWrapHeadings, + checkable: true, + checked: isWrap, + value: 'wrap' + } + ] + }) + }); + this.btnSettingsMenu = this.btnSettings.menu; + this.viewNavigationList = new Common.UI.TreeView({ el: $('#navigation-list'), store: this.storeNavigation, @@ -72,15 +165,22 @@ define([ emptyText: this.txtEmpty, emptyItemText: this.txtEmptyItem, style: 'border: none;', - delayRenderTips: true + delayRenderTips: true, + minScrollbarLength: 25 }); + this.viewNavigationList.cmpEl.off('click'); + this.viewNavigationList.$el.addClass( fontSizeClass); + isWrap && this.viewNavigationList.$el.addClass( 'wrap'); this.navigationMenu = new Common.UI.Menu({ + cls: 'shifted-right', items: [{ + iconCls : 'menu__icon promote', caption : this.txtPromote, value: 'promote' }, { + iconCls : 'menu__icon demote', caption : this.txtDemote, value: 'demote' }, @@ -103,6 +203,7 @@ define([ caption : '--' }, { + iconCls : 'menu__icon select-all', caption : this.txtSelect, value: 'select' }, @@ -110,10 +211,12 @@ define([ caption : '--' }, { + iconCls : 'menu__icon expand-all', caption : this.txtExpand, value: 'expand' }, { + iconCls : 'menu__icon collapse-all', caption : this.txtCollapse, value: 'collapse' }, @@ -130,7 +233,6 @@ define([ } ] }); - this.trigger('render:after', this); return this; }, @@ -145,6 +247,21 @@ define([ this.fireEvent('hide', this ); }, + changeWrapHeadings: function(){ + Common.localStorage.setBool("de-outline-wrap", this.btnSettingsMenu.items[6].checked); + if(!this.btnSettingsMenu.items[6].checked) + this.viewNavigationList.$el.removeClass('wrap'); + else + this.viewNavigationList.$el.addClass('wrap'); + }, + + changeFontSize: function (value){ + Common.localStorage.setItem("de-outline-fontsize", value); + this.viewNavigationList.$el.removeClass(); + this.viewNavigationList.$el.addClass( value); + this.changeWrapHeadings(); + }, + ChangeSettings: function(props) { }, @@ -158,7 +275,16 @@ define([ txtCollapse: 'Collapse all', txtExpandToLevel: 'Expand to level...', txtEmpty: 'There are no headings in the document.
    Apply a heading style to the text so that it appears in the table of contents.', - txtEmptyItem: 'Empty Heading' + txtEmptyItem: 'Empty Heading', + txtEmptyViewer: 'There are no headings in the document.', + strNavigate: "Headings", + txtWrapHeadings: "Wrap long headings", + txtFontSize: "Font size", + txtSmall: "Small", + txtMedium: "Medium", + txtLarge:"Large", + txtClosePanel: "Close headings", + txtSettings: "Headings settings" }, DE.Views.Navigation || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/ParagraphSettings.js b/apps/documenteditor/main/app/view/ParagraphSettings.js index 25ac7509c..9fa0b41b3 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettings.js +++ b/apps/documenteditor/main/app/view/ParagraphSettings.js @@ -87,6 +87,7 @@ define([ this.lockedControls = []; this._locked = true; this.isChart = false; + this.isSmartArtInternal = false; this._arrLineRule = [ {displayValue: this.textAtLeast,defaultValue: 5, value: c_paragraphLinerule.LINERULE_LEAST, minValue: 0.03, step: 0.01, defaultUnit: 'cm'}, @@ -452,7 +453,7 @@ define([ this.createDelayedElements(); this.disableControls(this._locked); - this.hideTextOnlySettings(this.isChart); + this.hideTextOnlySettings(this.isChart || this.isSmartArtInternal); if (prop) { var Spacing = { @@ -635,6 +636,7 @@ define([ paragraphProps: elValue, borderProps: me.borderAdvancedProps, isChart: me.isChart, + isSmartArtInternal: me.isSmartArtInternal, api: me.api, handler: function(result, value) { if (result == 'ok') { diff --git a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js index 23801f3e6..3b28e4bda 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js @@ -95,6 +95,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.api = this.options.api; this._originalProps = new Asc.asc_CParagraphProperty(this.options.paragraphProps); this.isChart = this.options.isChart; + this.isSmartArtInternal = this.options.isSmartArtInternal; this.CurLineRuleIdx = this._originalProps.get_Spacing().get_LineRule(); @@ -410,7 +411,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem _.each(_arrBorderPresets, function(item, index, list){ var _btn = new Common.UI.Button({ parentEl: $('#'+item[2]), - style: 'margin-left: 5px; margin-bottom: 4px;', + style: 'margin-left: 4px; margin-bottom: 4px;', cls: 'btn-options large border-off', iconCls: item[1], strId :item[0], @@ -549,7 +550,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem '
    ', '
    <%= value %>
    ', '
    <%= displayTabAlign %>
    ', - '
    <%= displayTabLeader %>
    ', + (this.isChart || this.isSmartArtInternal) ? '' : '
    <%= displayTabLeader %>
    ', '
    ' ].join('')), tabindex: 1 @@ -809,7 +810,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem if (props ){ this._originalProps = new Asc.asc_CParagraphProperty(props); - this.hideTextOnlySettings(this.isChart); + this.hideTextOnlySettings(this.isChart || this.isSmartArtInternal); this.FirstLine = (props.get_Ind() !== null) ? props.get_Ind().get_FirstLine() : null; this.LeftIndent = (props.get_Ind() !== null) ? props.get_Ind().get_Left() : null; diff --git a/apps/documenteditor/main/app/view/ShapeSettings.js b/apps/documenteditor/main/app/view/ShapeSettings.js index 8f7a7031d..58d01426b 100644 --- a/apps/documenteditor/main/app/view/ShapeSettings.js +++ b/apps/documenteditor/main/app/view/ShapeSettings.js @@ -822,6 +822,8 @@ define([ this._originalProps = new Asc.asc_CImgProperty(props); this._noApply = true; + this._state.isFromImage = !!shapeprops.get_FromImage(); + this._state.isFromSmartArtInternal = !!shapeprops.get_FromSmartArtInternal(); this.disableControls(this._locked, !shapeprops.get_CanFill()); this.hideShapeOnlySettings(shapeprops.get_FromChart() || !!shapeprops.get_FromImage()); @@ -832,10 +834,8 @@ define([ || shapetype=='curvedConnector3' || shapetype=='curvedConnector4' || shapetype=='curvedConnector5' || shapetype=='straightConnector1'; this.hideChangeTypeSettings(hidechangetype || control_props); - this._state.isFromImage = !!shapeprops.get_FromImage(); - this._state.isFromSmartArtInternal = !!shapeprops.get_FromSmartArtInternal(); if (!hidechangetype && this.btnChangeShape.menu.items.length) { - this.btnChangeShape.shapePicker.hideTextRect(shapeprops.get_FromImage() || shapeprops.get_FromSmartArtInternal()); + this.btnChangeShape.shapePicker.hideTextRect(shapeprops.get_FromImage() || this._state.isFromSmartArtInternal); } var value = props.get_WrappingStyle(); @@ -1986,6 +1986,8 @@ define([ }); this.linkAdvanced.toggleClass('disabled', disable); } + this.btnFlipV.setDisabled(disable || this._state.isFromSmartArtInternal); + this.btnFlipH.setDisabled(disable || this._state.isFromSmartArtInternal); }, hideShapeOnlySettings: function(value) { diff --git a/apps/documenteditor/main/app/view/StyleTitleDialog.js b/apps/documenteditor/main/app/view/StyleTitleDialog.js index c49039411..f673631ad 100644 --- a/apps/documenteditor/main/app/view/StyleTitleDialog.js +++ b/apps/documenteditor/main/app/view/StyleTitleDialog.js @@ -85,6 +85,7 @@ define([ style : 'width: 100%;', validateOnBlur: false, validation : function(value) { + value = value.trim(); var isvalid = value != ''; if (isvalid) { @@ -121,7 +122,7 @@ define([ getTitle: function () { var me = this; - return me.inputTitle.getValue(); + return me.inputTitle.getValue().trim(); }, getNextStyle: function () { diff --git a/apps/documenteditor/main/app/view/TableSettings.js b/apps/documenteditor/main/app/view/TableSettings.js index 864408c8e..7b5b4bba1 100644 --- a/apps/documenteditor/main/app/view/TableSettings.js +++ b/apps/documenteditor/main/app/view/TableSettings.js @@ -794,9 +794,9 @@ define([ }); if (this._state.beginPreviewStyles) { this._state.beginPreviewStyles = false; - self.mnuTableTemplatePicker.store.reset(arr); + self.mnuTableTemplatePicker && self.mnuTableTemplatePicker.store.reset(arr); } else - self.mnuTableTemplatePicker.store.add(arr); + self.mnuTableTemplatePicker && self.mnuTableTemplatePicker.store.add(arr); !this._state.currentStyleFound && this.selectCurrentTableStyle(); }, diff --git a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js index fb5306e99..87ce9d700 100644 --- a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js @@ -948,7 +948,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat _.each(_arrBorderPresets, function(item, index, list){ var _btn = new Common.UI.Button({ parentEl: $('#'+item[2]), - style: 'margin-left: 5px; margin-bottom: 4px;', + style: 'margin-left: 4px; margin-bottom: 4px;', cls: 'btn-options large border-off', iconCls: item[1], strId :item[0], @@ -974,7 +974,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat _.each(_arrTableBorderPresets, function(item, index, list){ var _btn = new Common.UI.Button({ parentEl: $('#'+item[3]), - style: 'margin-left: 5px; margin-bottom: 4px;', + style: 'margin-left: 4px; margin-bottom: 4px;', cls: 'btn-options large border-off', iconCls: item[2], strCellId :item[0], diff --git a/apps/documenteditor/main/app/view/Toolbar.js b/apps/documenteditor/main/app/view/Toolbar.js index c033aa68d..35fdb5245 100644 --- a/apps/documenteditor/main/app/view/Toolbar.js +++ b/apps/documenteditor/main/app/view/Toolbar.js @@ -109,6 +109,7 @@ define([ cantAddPageNum: 'cant-add-page-num', cantPageBreak: 'cant-page-break', cantUpdateTOF: 'cant-update-tof', + cantAddTextTOF: 'cant-addtext-tof', cantGroup: 'cant-group', cantWrap: 'cant-wrap', cantArrange: 'cant-arrange', @@ -354,7 +355,7 @@ define([ menu: new Common.UI.Menu({ style: 'min-width: 100px;', items: [ - {template: _.template('
    ')}, + {template: _.template('
    ')}, {caption: '--'}, this.mnuHighlightTransparent = new Common.UI.MenuItem({ caption: this.strMenuNoFill, @@ -367,7 +368,6 @@ define([ dataHintOffset: '0, -16' }); this.paragraphControls.push(this.btnHighlightColor); - this.textOnlyControls.push(this.btnHighlightColor); this.btnFontColor = new Common.UI.ButtonColored({ id: 'id-toolbar-btn-fontcolor', @@ -898,7 +898,8 @@ define([ checkable: true }), {caption: '--'}, - {template: _.template('
    ')}, + {template: _.template('
    ')}, + {caption: '--'}, { id: 'id-toolbar-menu-new-control-color', template: _.template('' + this.textNewColor + '') @@ -2103,6 +2104,9 @@ define([ {caption: this.mniEditHeader, value: 'header'}, {caption: this.mniEditFooter, value: 'footer'}, {caption: '--'}, + {caption: this.mniRemoveHeader, value: 'header-remove'}, + {caption: this.mniRemoveFooter, value: 'footer-remove'}, + {caption: '--'}, this.mnuInsertPageNum = new Common.UI.MenuItem({ caption: this.textInsertPageNumber, lock: this.mnuInsertPageNum.options.lock, @@ -2326,15 +2330,19 @@ define([ if (this.btnHighlightColor.cmpEl) { this.btnHighlightColor.currentColor = 'FFFF00'; this.btnHighlightColor.setColor(this.btnHighlightColor.currentColor); - this.mnuHighlightColorPicker = new Common.UI.ColorPalette({ + this.mnuHighlightColorPicker = new Common.UI.ThemeColorPalette({ el: $('#id-toolbar-menu-highlight'), colors: [ 'FFFF00', '00FF00', '00FFFF', 'FF00FF', '0000FF', 'FF0000', '00008B', '008B8B', '006400', '800080', '8B0000', '808000', 'FFFFFF', 'D3D3D3', 'A9A9A9', '000000' - ] + ], + value: 'FFFF00', + dynamiccolors: 0, + columns: 4, + outerMenu: {menu: this.btnHighlightColor.menu, index: 0, focusOnShow: true} }); - this.mnuHighlightColorPicker.select('FFFF00'); this.btnHighlightColor.setPicker(this.mnuHighlightColorPicker); + this.btnHighlightColor.menu.setInnerMenu([{menu: this.mnuHighlightColorPicker, index: 0}]); } if (this.btnFontColor.cmpEl) { @@ -2646,8 +2654,8 @@ define([ textInsertPageNumber: 'Insert page number', textToCurrent: 'To Current Position', tipEditHeader: 'Edit header or footer', - mniEditHeader: 'Edit Document Header', - mniEditFooter: 'Edit Document Footer', + mniEditHeader: 'Edit Header', + mniEditFooter: 'Edit Footer', mniHiddenChars: 'Nonprinting Characters', mniHiddenBorders: 'Hidden Table Borders', tipSynchronize: 'The document has been changed by another user. Please click to save your changes and reload the updates.', @@ -2825,7 +2833,9 @@ define([ tipMarkersCheckmark: 'Checkmark bullets', tipMarkersFRhombus: 'Filled rhombus bullets', tipMarkersDash: 'Dash bullets', - textTabView: 'View' + textTabView: 'View', + mniRemoveHeader: 'Remove Header', + mniRemoveFooter: 'Remove Footer' } })(), DE.Views.Toolbar || {})); }); diff --git a/apps/documenteditor/main/app/view/ViewTab.js b/apps/documenteditor/main/app/view/ViewTab.js index 76f3a51c1..407388c79 100644 --- a/apps/documenteditor/main/app/view/ViewTab.js +++ b/apps/documenteditor/main/app/view/ViewTab.js @@ -73,7 +73,7 @@ define([ '' + '' + '' + - '
    ' + + '
    ' + '
    ' + '
    ' + '' + @@ -135,7 +135,7 @@ define([ cls: 'btn-toolbar x-huge icon-top', iconCls: 'toolbar__icon btn-menu-navigation', lock: [_set.lostConnect, _set.disableOnStart], - caption: this.textNavigation, + caption: this.textOutline, enableToggle: true, dataHint: '1', dataHintDirection: 'bottom', @@ -305,6 +305,7 @@ define([ }, textNavigation: 'Navigation', + textOutline: 'Headings', textZoom: 'Zoom', textFitToPage: 'Fit To Page', textFitToWidth: 'Fit To Width', diff --git a/apps/documenteditor/main/app_dev.js b/apps/documenteditor/main/app_dev.js index cb8cdd5a4..ebb623df1 100644 --- a/apps/documenteditor/main/app_dev.js +++ b/apps/documenteditor/main/app_dev.js @@ -148,6 +148,7 @@ require([ 'LeftMenu', 'Main', 'ViewTab', + 'Search', 'Common.Controllers.Fonts', 'Common.Controllers.History' /** coauthoring begin **/ @@ -157,6 +158,7 @@ require([ ,'Common.Controllers.Plugins' ,'Common.Controllers.ExternalDiagramEditor' ,'Common.Controllers.ExternalMergeEditor' + ,'Common.Controllers.ExternalOleEditor' ,'Common.Controllers.ReviewChanges' ,'Common.Controllers.Protection' ] @@ -165,6 +167,9 @@ require([ Common.Locale.apply( function() { require([ + 'common/main/lib/util/LocalStorage', + 'common/main/lib/controller/Themes', + 'common/main/lib/controller/Desktop', 'documenteditor/main/app/controller/Viewport', 'documenteditor/main/app/controller/DocumentHolder', 'documenteditor/main/app/controller/Toolbar', @@ -177,6 +182,7 @@ require([ 'documenteditor/main/app/controller/LeftMenu', 'documenteditor/main/app/controller/Main', 'documenteditor/main/app/controller/ViewTab', + 'documenteditor/main/app/controller/Search', 'documenteditor/main/app/view/FileMenuPanels', 'documenteditor/main/app/view/ParagraphSettings', 'documenteditor/main/app/view/HeaderFooterSettings', @@ -186,7 +192,6 @@ require([ 'documenteditor/main/app/view/TextArtSettings', 'documenteditor/main/app/view/SignatureSettings', 'common/main/lib/util/utils', - 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Fonts', 'common/main/lib/controller/History' /** coauthoring begin **/ @@ -197,10 +202,9 @@ require([ ,'documenteditor/main/app/view/ChartSettings' ,'common/main/lib/controller/ExternalDiagramEditor' ,'common/main/lib/controller/ExternalMergeEditor' + ,'common/main/lib/controller/ExternalOleEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' - ,'common/main/lib/controller/Themes' - ,'common/main/lib/controller/Desktop' ], function() { window.compareVersions = true; app.start(); diff --git a/apps/documenteditor/main/index.html b/apps/documenteditor/main/index.html index cadf758c8..d5d34d2b4 100644 --- a/apps/documenteditor/main/index.html +++ b/apps/documenteditor/main/index.html @@ -255,8 +255,10 @@ window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; - if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) + if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) { document.write(' @@ -316,30 +318,9 @@ - - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - - diff --git a/apps/documenteditor/main/index_loader.html b/apps/documenteditor/main/index_loader.html index 58261a6de..72095a3aa 100644 --- a/apps/documenteditor/main/index_loader.html +++ b/apps/documenteditor/main/index_loader.html @@ -268,29 +268,9 @@
    - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + - - -
    diff --git a/apps/documenteditor/main/locale/az.json b/apps/documenteditor/main/locale/az.json index 4c78c9b14..c018b1eab 100644 --- a/apps/documenteditor/main/locale/az.json +++ b/apps/documenteditor/main/locale/az.json @@ -1704,21 +1704,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzalara baxın", "DE.Views.FileMenuPanels.Settings.okButtonText": "Tətbiq et", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Düzülüş bələdçilərini aktivləşdirin", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Avtomatik bərpanı aktivləşdirin", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Avtomatik Saxla funksiyasını aktivləşdirin", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Birgə redaktə Rejimi", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Digər istifadəçilər dəyişikliklərinizi dərhal görəcəklər", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dəyişiklikləri görməzdən əvvəl onları qəbul etməlisiniz", "DE.Views.FileMenuPanels.Settings.strFast": "Sürətli", "DE.Views.FileMenuPanels.Settings.strFontRender": "Şrift Hamarlaşdırma", "DE.Views.FileMenuPanels.Settings.strForcesave": "Yadda saxla və ya Ctrl+S düyməsinə kliklədikdən sonra versiyanı yaddaşa əlavə edin", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Heroqlifi aktivləşdirin", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Şərhlərin ekranını yandırın", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makro Parametrləri", - "DE.Views.FileMenuPanels.Settings.strPaste": "Kes, kopyala ve yapıştır", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Məzmun yapışdırıldıqda Yapışdırma Seçimləri düyməsini göstərin", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Həll edilmiş şərhlərin ekranını yandırın", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Dəyişiklikləri İzləmə ekranı", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Birgə redaktədə dəyişikliklər", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Orfoqrafiya yoxlamasını aktivləşdirin", "DE.Views.FileMenuPanels.Settings.strStrict": "Məhdudlaşdır", @@ -2100,6 +2091,7 @@ "DE.Views.Navigation.txtDemote": "Azalt", "DE.Views.Navigation.txtEmpty": "Heç bir məzmun qeydi tapılmadı.
    Mətn seçiminə başlıq üslubunun tətbiqi məzmun cədvəlində görünəcək.", "DE.Views.Navigation.txtEmptyItem": "Boş Başlıq", + "DE.Views.Navigation.txtEmptyViewer": "Heç bir məzmun qeydi tapılmadı.", "DE.Views.Navigation.txtExpand": "Hamısını genişləndir", "DE.Views.Navigation.txtExpandToLevel": "Səviyyəyə uyğun genişləndir", "DE.Views.Navigation.txtHeadingAfter": "Sonra yeni başlıq", diff --git a/apps/documenteditor/main/locale/be.json b/apps/documenteditor/main/locale/be.json index 01b681768..019484c50 100644 --- a/apps/documenteditor/main/locale/be.json +++ b/apps/documenteditor/main/locale/be.json @@ -103,7 +103,7 @@ "Common.define.chartData.textSurface": "Паверхня", "Common.Translation.warnFileLocked": "Дакумент зараз выкарыстоўваецца іншай праграмай.", "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", - "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", + "Common.UI.ButtonColored.textNewColor": "Адвольны колер", "Common.UI.Calendar.textApril": "Красавік", "Common.UI.Calendar.textAugust": "Жнівень", "Common.UI.Calendar.textDecember": "Снежань", @@ -844,7 +844,6 @@ "DE.Controllers.Toolbar.textScript": "Індэксы", "DE.Controllers.Toolbar.textSymbols": "Сімвалы", "DE.Controllers.Toolbar.textWarning": "Увага", - "DE.Controllers.Toolbar.tipMarkersArrow": "Маркеры-стрэлкі", "DE.Controllers.Toolbar.txtAccent_Accent": "Націск", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Стрэлка ўправа-ўлева зверху", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Стрэлка ўлева зверху", @@ -1438,7 +1437,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Абнавіць змест", "DE.Views.DocumentHolder.textWrap": "Стыль абцякання", "DE.Views.DocumentHolder.tipIsLocked": "Гэты элемент рэдагуецца іншым карыстальнікам.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Маркеры-стрэлкі", "DE.Views.DocumentHolder.toDictionaryText": "Дадаць у слоўнік", "DE.Views.DocumentHolder.txtAddBottom": "Дадаць ніжнюю мяжу", "DE.Views.DocumentHolder.txtAddFractionBar": "Дадаць рыску дробу", @@ -1634,20 +1632,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Прагляд подпісаў", "DE.Views.FileMenuPanels.Settings.okButtonText": "Ужыць", "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": "Перш чым убачыць змены іх патрэбна ухваліць", "DE.Views.FileMenuPanels.Settings.strFast": "Хуткі", "DE.Views.FileMenuPanels.Settings.strFontRender": "Хінтынг шрыфтоў", "DE.Views.FileMenuPanels.Settings.strForcesave": " Дадаваць версію ў сховішча пасля націскання кнопкі \"Захаваць\" або \"Ctrl+S\"", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Уключыць іерогліфы", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Уключыць адлюстраванне каментароў у тэксце", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Налады макрасаў", - "DE.Views.FileMenuPanels.Settings.strPaste": "Выразаць, капіяваць і ўставіць", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Паказваць кнопку параметраў устаўкі падчас устаўкі", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Уключыць адлюстраванне вырашаных каментароў", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Адлюстроўваць змены падчас сумеснай працы", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Уключыць праверку правапісу", "DE.Views.FileMenuPanels.Settings.strStrict": "Строгі", @@ -1971,6 +1961,7 @@ "DE.Views.Navigation.txtDemote": "Панізіць узровень", "DE.Views.Navigation.txtEmpty": "У гэтага дакумента няма загалоўка
    Выкарыстайце стыль загалоўка да тэксту, каб ён з’явіўся ў змесце.", "DE.Views.Navigation.txtEmptyItem": "Пусты загаловак", + "DE.Views.Navigation.txtEmptyViewer": "У гэтага дакумента няма загалоўка.", "DE.Views.Navigation.txtExpand": "Пашырыць усе", "DE.Views.Navigation.txtExpandToLevel": "Пашырыць да ўзроўня", "DE.Views.Navigation.txtHeadingAfter": "Новы загаловак пасля", @@ -2488,7 +2479,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Звычайныя", "DE.Views.Toolbar.textMarginsUsNormal": "Звычайныя (US)", "DE.Views.Toolbar.textMarginsWide": "Шырокія", - "DE.Views.Toolbar.textNewColor": "Дадаць новы адвольны колер", + "DE.Views.Toolbar.textNewColor": "Адвольны колер", "DE.Views.Toolbar.textNextPage": "Наступная старонка", "DE.Views.Toolbar.textNoHighlight": "Без падсвятлення", "DE.Views.Toolbar.textNone": "Няма", @@ -2568,6 +2559,7 @@ "DE.Views.Toolbar.tipLineSpace": "Міжрадковы прамежак у абзацах", "DE.Views.Toolbar.tipMailRecepients": "Аб’яднанне", "DE.Views.Toolbar.tipMarkers": "Спіс з адзнакамі", + "DE.Views.Toolbar.tipMarkersArrow": "Маркеры-стрэлкі", "DE.Views.Toolbar.tipMultilevels": "Шматузроўневы спіс", "DE.Views.Toolbar.tipNumbers": "Пранумараваны спіс", "DE.Views.Toolbar.tipPageBreak": "Уставіць разрыў старонкі альбо раздзела", diff --git a/apps/documenteditor/main/locale/bg.json b/apps/documenteditor/main/locale/bg.json index 976de4ca2..93f238eb9 100644 --- a/apps/documenteditor/main/locale/bg.json +++ b/apps/documenteditor/main/locale/bg.json @@ -1381,17 +1381,10 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Преглед на подписи", "DE.Views.FileMenuPanels.Settings.okButtonText": "Приложи", "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": "Трябва да приемете промените, преди да можете да ги видите", "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.strResolvedComment": "Включете показването на разрешените коментари", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Промени в сътрудничеството в реално време", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включване на опцията за проверка на правописа", "DE.Views.FileMenuPanels.Settings.strStrict": "Стриктен", @@ -1638,6 +1631,7 @@ "DE.Views.Navigation.txtDemote": "Понижавам", "DE.Views.Navigation.txtEmpty": "Този документ не съдържа заглавия", "DE.Views.Navigation.txtEmptyItem": "Празно заглавие", + "DE.Views.Navigation.txtEmptyViewer": "Този документ не съдържа заглавия.", "DE.Views.Navigation.txtExpand": "Разгънете всички", "DE.Views.Navigation.txtExpandToLevel": "Разширяване до ниво", "DE.Views.Navigation.txtHeadingAfter": "Нова позиция след", diff --git a/apps/documenteditor/main/locale/ca.json b/apps/documenteditor/main/locale/ca.json index b88c489b2..8c9f52257 100644 --- a/apps/documenteditor/main/locale/ca.json +++ b/apps/documenteditor/main/locale/ca.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", "Common.Translation.warnFileLockedBtnView": "Obre per a la seva visualització", "Common.UI.ButtonColored.textAutoColor": "Automàtic", - "Common.UI.ButtonColored.textNewColor": "Afegeix un color personalitzat nou ", + "Common.UI.ButtonColored.textNewColor": "Color personalitzat nou ", "Common.UI.Calendar.textApril": "abril", "Common.UI.Calendar.textAugust": "agost", "Common.UI.Calendar.textDecember": "desembre", @@ -262,6 +262,7 @@ "Common.Views.Comments.textResolved": "S'ha resolt", "Common.Views.Comments.textSort": "Ordena els comentaris", "Common.Views.Comments.textViewResolved": "No teniu permís per tornar a obrir el comentari", + "Common.Views.Comments.txtEmpty": "No hi ha cap comentari al document", "Common.Views.CopyWarningDialog.textDontShow": "No tornis a mostrar aquest missatge", "Common.Views.CopyWarningDialog.textMsg": "Les accions de copia, talla i enganxa mitjançant els botons de la barra d’eines de l’editor i les accions del menú contextual només es realitzaran dins d’aquesta pestanya editor.

    Per copiar o enganxar a o des d’aplicacions fora de la pestanya de l'editor, utilitzeu les combinacions de teclat següents:", "Common.Views.CopyWarningDialog.textTitle": "Accions de copia, talla i enganxa ", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "Si continueu i deseu en aquest format, es perdran totes les característiques, excepte el text.
    Voleu continuar?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "El vostre {0} es convertirà a un format editable. Això pot trigar una estona. El document resultant s'optimitzarà perquè pugueu editar el text, de manera que pot ser que no se sembli a l'original {0}, sobretot si el fitxer original contenia molts gràfics.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Si continueu i deseu en aquest format, es pot perdre part del format.
    Voleu continuar?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} no és un caràcter especial vàlid per al camp de substitució.", "DE.Controllers.Main.applyChangesTextText": "S'estan carregant els canvis...", "DE.Controllers.Main.applyChangesTitleText": "S'estan carregant els canvis", "DE.Controllers.Main.convertationTimeoutText": "S'ha superat el temps de conversió.", @@ -918,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Símbols", "DE.Controllers.Toolbar.textTabForms": "Formularis", "DE.Controllers.Toolbar.textWarning": "Advertiment", - "DE.Controllers.Toolbar.tipMarkersArrow": "Pics de fletxa", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Pics de marca de selecció", - "DE.Controllers.Toolbar.tipMarkersDash": "Pics de guió", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Pics de rombes plens", - "DE.Controllers.Toolbar.tipMarkersFRound": "Pics rodons plens", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Pics quadrats plens", - "DE.Controllers.Toolbar.tipMarkersHRound": "Pics rodons buits", - "DE.Controllers.Toolbar.tipMarkersStar": "Pics d'estrella", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Pics numerats multinivell ", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Pics de símbols multinivell", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Pics numerats de diferents nivells", "DE.Controllers.Toolbar.txtAccent_Accent": "Agut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Fletxa dreta-esquerra superior", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Fletxa esquerra a sobre", @@ -1531,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Actualitza la taula de continguts", "DE.Views.DocumentHolder.textWrap": "Estil d'ajustament", "DE.Views.DocumentHolder.tipIsLocked": "Un altre usuari té obert ara aquest element.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Pics de fletxa", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Pics de marca de selecció", - "DE.Views.DocumentHolder.tipMarkersDash": "Pics de guió", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Pics de rombes plens", - "DE.Views.DocumentHolder.tipMarkersFRound": "Pics rodons plens", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Pics quadrats plens", - "DE.Views.DocumentHolder.tipMarkersHRound": "Pics rodons buits", - "DE.Views.DocumentHolder.tipMarkersStar": "Pics d'estrella", "DE.Views.DocumentHolder.toDictionaryText": "Afegeix al diccionari", "DE.Views.DocumentHolder.txtAddBottom": "Afegeix una línia inferior", "DE.Views.DocumentHolder.txtAddFractionBar": "Afegeix una barra de fracció", @@ -1681,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Tanca el menú", "DE.Views.FileMenu.btnCreateNewCaption": "Crea'n un de nou", "DE.Views.FileMenu.btnDownloadCaption": "Baixa-ho com a...", - "DE.Views.FileMenu.btnExitCaption": "Surt", + "DE.Views.FileMenu.btnExitCaption": "Tancar", "DE.Views.FileMenu.btnFileOpenCaption": "Obre...", "DE.Views.FileMenu.btnHelpCaption": "Ajuda...", "DE.Views.FileMenu.btnHistoryCaption": "Historial de versions", @@ -1708,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Canvia els drets d’accés", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentari", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "S'ha creat", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Vista ràpida de la Web", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "S'està carregant...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Darrera modificació feta per", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Darrera modificació", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "No", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Propietari", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pàgines", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Mida de la pàgina", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paràgrafs", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF Etiquetat", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versió PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Ubicació", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persones que tenen drets", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Símbols amb espais", @@ -1723,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Títol", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "S'ha carregat", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Paraules", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Sí", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Canvia els drets d’accés", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persones que tenen drets", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Advertiment", @@ -1738,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra les signatures", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplica", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Activa les guies d'alineació", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Activa la recuperació automàtica", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Activa el desament automàtic", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode de coedició", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Els altres usuaris veuran els teus canvis immediatament", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Hauràs d’acceptar els canvis abans de poder-los veure", "DE.Views.FileMenuPanels.Settings.strFast": "Ràpid", "DE.Views.FileMenuPanels.Settings.strFontRender": "Tipus de lletra suggerides", "DE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix la versió a l'emmagatzematge després de clicar a Desa o Ctrl + S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Activa els jeroglífics", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activa la visualització dels comentaris", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de les macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Talla copia i enganxa", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostra el botó d'opcions d’enganxar quan s’enganxa contingut", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Activa la visualització dels comentaris resolts", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Visualització del control de canvis", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de col·laboració en temps real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activa l’opció de correcció ortogràfica", "DE.Views.FileMenuPanels.Settings.strStrict": "Estricte", @@ -2136,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "Rebaixa de nivell", "DE.Views.Navigation.txtEmpty": "No hi ha cap títol al document.
    Aplica un estil d’encapçalament al text de manera que aparegui a la taula de continguts.", "DE.Views.Navigation.txtEmptyItem": "Encapçalament buit", + "DE.Views.Navigation.txtEmptyViewer": "No hi ha cap títol al document.", "DE.Views.Navigation.txtExpand": "Expandeix-ho tot", "DE.Views.Navigation.txtExpandToLevel": "Expandeix al nivell", "DE.Views.Navigation.txtHeadingAfter": "Crea un títol després", @@ -2691,7 +2672,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Ample", - "DE.Views.Toolbar.textNewColor": "Afegeix un color personalitzat nou ", + "DE.Views.Toolbar.textNewColor": "Color personalitzat nou ", "DE.Views.Toolbar.textNextPage": "Pàgina següent", "DE.Views.Toolbar.textNoHighlight": "Sense ressaltar", "DE.Views.Toolbar.textNone": "Cap", @@ -2771,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "Interlineat del paràgraf", "DE.Views.Toolbar.tipMailRecepients": "Combina la correspondència", "DE.Views.Toolbar.tipMarkers": "Pics", + "DE.Views.Toolbar.tipMarkersArrow": "Pics de fletxa", + "DE.Views.Toolbar.tipMarkersCheckmark": "Pics de marca de selecció", + "DE.Views.Toolbar.tipMarkersDash": "Pics de guió", + "DE.Views.Toolbar.tipMarkersFRhombus": "Pics de rombes plens", + "DE.Views.Toolbar.tipMarkersFRound": "Pics rodons plens", + "DE.Views.Toolbar.tipMarkersFSquare": "Pics quadrats plens", + "DE.Views.Toolbar.tipMarkersHRound": "Pics rodons buits", + "DE.Views.Toolbar.tipMarkersStar": "Pics d'estrella", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Pics numerats multinivell ", "DE.Views.Toolbar.tipMultilevels": "Llista amb diversos nivells", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Pics de símbols multinivell", + "DE.Views.Toolbar.tipMultiLevelVarious": "Pics numerats de diferents nivells", "DE.Views.Toolbar.tipNumbers": "Numeració", "DE.Views.Toolbar.tipPageBreak": "Insereix un salt de pàgina o de secció", "DE.Views.Toolbar.tipPageMargins": "Marges de la pàgina", diff --git a/apps/documenteditor/main/locale/cs.json b/apps/documenteditor/main/locale/cs.json index a865066a9..b2fedf03b 100644 --- a/apps/documenteditor/main/locale/cs.json +++ b/apps/documenteditor/main/locale/cs.json @@ -262,6 +262,7 @@ "Common.Views.Comments.textResolved": "Vyřešeno", "Common.Views.Comments.textSort": "Řadit komentáře", "Common.Views.Comments.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", + "Common.Views.Comments.txtEmpty": "Dokument neobsahuje komentáře.", "Common.Views.CopyWarningDialog.textDontShow": "Tuto zprávu už nezobrazovat", "Common.Views.CopyWarningDialog.textMsg": "Akce kopírovat, vyjmout a vložit použitím lišty nástrojů editoru a kontextové nabídky budou prováděny pouze v tomto okně editoru.

    Pro kopírování do nebo vkládání z aplikací mimo okno editoru použijte následující klávesové zkratky:", "Common.Views.CopyWarningDialog.textTitle": "Akce kopírovat, vyjmout a vložit", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "Pokud budete pokračovat v ukládání v tomto formátu, vše kromě textu bude ztraceno.
    Opravdu chcete pokračovat?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Vašich {0} bude převedeno do editovatelného formátu. Tato operace může chvíli trvat. Výsledný dokument bude optimalizován a umožní editaci textu. Nemusí vypadat totožně jako původní {0}, zvláště pokud původní soubor obsahoval velké množství grafiky. ", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Uložením v tomto formátu může být ztracena část formátování dokumentu.
    Opravdu chcete pokračovat?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} je neplatný speciální znak pro nahrazení.", "DE.Controllers.Main.applyChangesTextText": "Načítání změn…", "DE.Controllers.Main.applyChangesTitleText": "Načítání změn", "DE.Controllers.Main.convertationTimeoutText": "Překročen časový limit pro provedení převodu.", @@ -918,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symboly", "DE.Controllers.Toolbar.textTabForms": "Formuláře", "DE.Controllers.Toolbar.textWarning": "Varování", - "DE.Controllers.Toolbar.tipMarkersArrow": "Šipkové odrážky", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Zatržítkové odrážky", - "DE.Controllers.Toolbar.tipMarkersDash": "Pomlčkové odrážky", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", - "DE.Controllers.Toolbar.tipMarkersFRound": "Vyplněné kulaté odrážky", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Plné čtvercové odrážky", - "DE.Controllers.Toolbar.tipMarkersHRound": "Duté kulaté odrážky", - "DE.Controllers.Toolbar.tipMarkersStar": "Hvězdičkové odrážky", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Víceúrovňové číslované odrážky", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Víceúrovňové symbolové odrážky", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Víceúrovňové různé číslované odrážky", "DE.Controllers.Toolbar.txtAccent_Accent": "Čárka", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Šipka vlevo-vpravo nad", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Šipka vlevo nad", @@ -1531,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Obnovit obsah", "DE.Views.DocumentHolder.textWrap": "Obtékání textu", "DE.Views.DocumentHolder.tipIsLocked": "Tento prvek je právě upravován jiným uživatelem.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Šipkové odrážky", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Zatržítkové odrážky", - "DE.Views.DocumentHolder.tipMarkersDash": "Pomlčkové odrážky", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", - "DE.Views.DocumentHolder.tipMarkersFRound": "Vyplněné kulaté odrážky", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Plné čtvercové odrážky", - "DE.Views.DocumentHolder.tipMarkersHRound": "Duté kulaté odrážky", - "DE.Views.DocumentHolder.tipMarkersStar": "Hvězdičkové odrážky", "DE.Views.DocumentHolder.toDictionaryText": "Přidat do slovníku", "DE.Views.DocumentHolder.txtAddBottom": "Přidat spodní ohraničení", "DE.Views.DocumentHolder.txtAddFractionBar": "Přidat zlomkovou čáru", @@ -1681,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Zavřít nabídku", "DE.Views.FileMenu.btnCreateNewCaption": "Vytvořit nový", "DE.Views.FileMenu.btnDownloadCaption": "Stáhnout jako…", - "DE.Views.FileMenu.btnExitCaption": "Konec", + "DE.Views.FileMenu.btnExitCaption": "Zavřít", "DE.Views.FileMenu.btnFileOpenCaption": "Otevřít...", "DE.Views.FileMenu.btnHelpCaption": "Nápověda…", "DE.Views.FileMenu.btnHistoryCaption": "Historie verzí", @@ -1708,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Změnit přístupová práva", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentář", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Vytvořeno", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Rychlé zobrazení stránky", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Načítání…", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Naposledy upravil(a)", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Naposledy upraveno", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Ne", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Vlastník", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Stránky", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Velikost stránky", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Odstavce", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "Označené PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Verze PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Umístění", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Osoby, které mají práva", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symboly s mezerami", @@ -1723,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Název", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Nahráno", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Slova", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Ano", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Změnit přístupová práva", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby, které mají práva", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Varování", @@ -1738,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobrazit podpisy", "DE.Views.FileMenuPanels.Settings.okButtonText": "Použít", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Zapnout vodítka pro zarovnávání", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Zapnout automatickou obnovu", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Zapnout automatické ukládání", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Režim spolupráce na úpravách", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ostatní uživatelé okamžitě uvidí vámi prováděné změny", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Abyste změny uviděli, je třeba je nejprve přijmout", "DE.Views.FileMenuPanels.Settings.strFast": "Automatický", "DE.Views.FileMenuPanels.Settings.strFontRender": "Vyhlazování hran znaků", "DE.Views.FileMenuPanels.Settings.strForcesave": "Přidejte verzi do úložiště kliknutím na Uložit nebo Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Zapnout podporu pro obrázková písma", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Zapnout zobrazování komentářů.", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Nastavení maker", - "DE.Views.FileMenuPanels.Settings.strPaste": "Vyjmout, kopírovat, vložit", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Zobrazit možnosti vložení, při vkládání obsahu", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Zobrazovat i vyřešené komentáře", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Zobrazit sledovaní změn", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Změny při spolupráci v reálném čase", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Zapnout kontrolu pravopisu", "DE.Views.FileMenuPanels.Settings.strStrict": "Statický", @@ -2136,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "Degradovat", "DE.Views.Navigation.txtEmpty": "Tento dokument neobsahuje nadpisy.
    Pro zahrnutí v textu v obsahu použijte na text stylování nadpisů.", "DE.Views.Navigation.txtEmptyItem": "Prázdné záhlaví", + "DE.Views.Navigation.txtEmptyViewer": "Tento dokument neobsahuje nadpisy.", "DE.Views.Navigation.txtExpand": "Rozbalit vše", "DE.Views.Navigation.txtExpandToLevel": "Rozbalit po úroveň", "DE.Views.Navigation.txtHeadingAfter": "Nový nadpis po", @@ -2771,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "Řádkování v odstavci", "DE.Views.Toolbar.tipMailRecepients": "Korespondence", "DE.Views.Toolbar.tipMarkers": "Odrážky", + "DE.Views.Toolbar.tipMarkersArrow": "Šipkové odrážky", + "DE.Views.Toolbar.tipMarkersCheckmark": "Zatržítkové odrážky", + "DE.Views.Toolbar.tipMarkersDash": "Pomlčkové odrážky", + "DE.Views.Toolbar.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", + "DE.Views.Toolbar.tipMarkersFRound": "Vyplněné kulaté odrážky", + "DE.Views.Toolbar.tipMarkersFSquare": "Plné čtvercové odrážky", + "DE.Views.Toolbar.tipMarkersHRound": "Duté kulaté odrážky", + "DE.Views.Toolbar.tipMarkersStar": "Hvězdičkové odrážky", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Víceúrovňové číslované odrážky", "DE.Views.Toolbar.tipMultilevels": "Seznam s více úrovněmi", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Víceúrovňové symbolové odrážky", + "DE.Views.Toolbar.tipMultiLevelVarious": "Víceúrovňové různé číslované odrážky", "DE.Views.Toolbar.tipNumbers": "Číslování", "DE.Views.Toolbar.tipPageBreak": "Vložit rozdělení stránky nebo sekce", "DE.Views.Toolbar.tipPageMargins": "Okraje stránky", diff --git a/apps/documenteditor/main/locale/da.json b/apps/documenteditor/main/locale/da.json index b98baf1ac..ecef6db09 100644 --- a/apps/documenteditor/main/locale/da.json +++ b/apps/documenteditor/main/locale/da.json @@ -1704,21 +1704,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Se underskrifter", "DE.Views.FileMenuPanels.Settings.okButtonText": "Anvend", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Slå justeringsguide til", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Slå automatisk genoprettelse til", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Slå gem automatisk til", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Fællesredigeringstilstand", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andre brugere vil se dine ændringer på en gang", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Du skal acceptere ændringer før du kan se dem", "DE.Views.FileMenuPanels.Settings.strFast": "Hurtig", "DE.Views.FileMenuPanels.Settings.strFontRender": "Skrifttype hentydning", "DE.Views.FileMenuPanels.Settings.strForcesave": "Gem altid til serveren (ellers gem til serveren når dokumentet lukkes)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Slå hieroglyfher til ", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Slå visning af kommentarer til ", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makroindstillinger", - "DE.Views.FileMenuPanels.Settings.strPaste": "Klip, kopier og indsæt", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Vis knappen for Indsæt-optioner når indhold indsættes", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Slå visning af de løste kommentarer", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Spor ændringer Display", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Real tids samarbejdsændringer", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Slå stavekontrolstilstand til ", "DE.Views.FileMenuPanels.Settings.strStrict": "Striks", @@ -2100,6 +2091,7 @@ "DE.Views.Navigation.txtDemote": "Degrader", "DE.Views.Navigation.txtEmpty": "Der er ingen overskrifter i dokumentet.
    Anvend en overskriftstil på teksten, så den vises i indholdsfortegnelsen.", "DE.Views.Navigation.txtEmptyItem": "Tom overskrift", + "DE.Views.Navigation.txtEmptyViewer": "Der er ingen overskrifter i dokumentet.", "DE.Views.Navigation.txtExpand": "Expander alle", "DE.Views.Navigation.txtExpandToLevel": "Udvid til niveu", "DE.Views.Navigation.txtHeadingAfter": "Ny overskrift efter", @@ -2647,7 +2639,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Bredde", - "DE.Views.Toolbar.textNewColor": "Tilføj ny brugerdefineret farve", + "DE.Views.Toolbar.textNewColor": "Brugerdefineret farve", "DE.Views.Toolbar.textNextPage": "Næste side", "DE.Views.Toolbar.textNoHighlight": "Ingen fremhævning", "DE.Views.Toolbar.textNone": "ingen", diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json index 1be778ad1..a65bcc81f 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Kopie erstellen", "Common.Translation.warnFileLockedBtnView": "Schreibgeschützt öffnen", "Common.UI.ButtonColored.textAutoColor": "Automatisch", - "Common.UI.ButtonColored.textNewColor": "Neue benutzerdefinierte Farbe hinzufügen", + "Common.UI.ButtonColored.textNewColor": "Benutzerdefinierte Farbe", "Common.UI.Calendar.textApril": "April", "Common.UI.Calendar.textAugust": "August", "Common.UI.Calendar.textDecember": "Dezember", @@ -916,17 +916,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symbole", "DE.Controllers.Toolbar.textTabForms": "Formulare", "DE.Controllers.Toolbar.textWarning": "Achtung", - "DE.Controllers.Toolbar.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Häkchenaufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersDash": "Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersHRound": "Leere runde Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMarkersStar": "Sternförmige Aufzählungszeichen", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Nummerierte Liste mit mehreren Ebenen", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Aufzählungsliste mit mehreren Ebenen", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Kombinierte Liste mit mehreren Ebenen", "DE.Controllers.Toolbar.txtAccent_Accent": "Akut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Pfeil nach rechts und links oben", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Pfeil nach links oben", @@ -1527,14 +1516,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Das Inhaltsverzeichnis aktualisieren", "DE.Views.DocumentHolder.textWrap": "Textumbruch", "DE.Views.DocumentHolder.tipIsLocked": "Dieses Element wird gerade von einem anderen Benutzer bearbeitet.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Häkchenaufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersDash": "Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersHRound": "Leere runde Aufzählungszeichen", - "DE.Views.DocumentHolder.tipMarkersStar": "Sternförmige Aufzählungszeichen", "DE.Views.DocumentHolder.toDictionaryText": "Zum Wörterbuch hinzufügen", "DE.Views.DocumentHolder.txtAddBottom": "Unteren Rahmen hinzufügen", "DE.Views.DocumentHolder.txtAddFractionBar": "Bruchstrich hinzufügen", @@ -1719,6 +1700,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titel", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Hochgeladen", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Wörter", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF-Ersteller", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zugriffsrechte ändern", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Personen mit Berechtigungen", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Warnung", @@ -1734,21 +1716,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Signaturen anzeigen", "DE.Views.FileMenuPanels.Settings.okButtonText": "Anwenden", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Ausrichtungslinien einschalten", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "AutoWiederherstellen einschalten ", - "DE.Views.FileMenuPanels.Settings.strAutosave": "AutoSpeichern einschalten", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modus \"Gemeinsame Bearbeitung\"", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andere Benutzer werden Ihre Änderungen gleichzeitig sehen", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Sie müssen die Änderungen annehmen, bevor Sie diese sehen können", "DE.Views.FileMenuPanels.Settings.strFast": "Schnell", "DE.Views.FileMenuPanels.Settings.strFontRender": "Schriftglättung", "DE.Views.FileMenuPanels.Settings.strForcesave": "Immer auf dem Server speichern (ansonsten auf dem Server beim Schließen des Dokuments speichern)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Hieroglyphen einschalten", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Live-Kommentare einschalten", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Einstellungen von Makros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Ausschneiden, Kopieren und Einfügen", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Die Anzeige der aufgelösten Kommentare einschalten", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Änderungen bei der Überprüfung anzeigen", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Änderungen bei der Echtzeit-Zusammenarbeit zeigen", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Rechtschreibprüfung einschalten", "DE.Views.FileMenuPanels.Settings.strStrict": "Formal", @@ -2132,6 +2105,7 @@ "DE.Views.Navigation.txtDemote": "Tieferstufen", "DE.Views.Navigation.txtEmpty": "Dieses Dokument enthält keine Überschriften.
    Wenden Sie ein Überschriftenformat auf den Text an, damit es im Inhaltsverzeichnis angezeigt wird.", "DE.Views.Navigation.txtEmptyItem": "Leere Überschrift", + "DE.Views.Navigation.txtEmptyViewer": "Dieses Dokument enthält keine Überschriften.", "DE.Views.Navigation.txtExpand": "Alle ausklappen", "DE.Views.Navigation.txtExpandToLevel": "Auf Ebene erweitern", "DE.Views.Navigation.txtHeadingAfter": "Neue Überschrift nach", @@ -2765,7 +2739,18 @@ "DE.Views.Toolbar.tipLineSpace": "Zeilenabstand", "DE.Views.Toolbar.tipMailRecepients": "Serienbrief", "DE.Views.Toolbar.tipMarkers": "Aufzählung", + "DE.Views.Toolbar.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersCheckmark": "Häkchenaufzählungszeichen", + "DE.Views.Toolbar.tipMarkersDash": "Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersHRound": "Leere runde Aufzählungszeichen", + "DE.Views.Toolbar.tipMarkersStar": "Sternförmige Aufzählungszeichen", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Nummerierte Liste mit mehreren Ebenen", "DE.Views.Toolbar.tipMultilevels": "Liste mit mehreren Ebenen", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Aufzählungsliste mit mehreren Ebenen", + "DE.Views.Toolbar.tipMultiLevelVarious": "Kombinierte Liste mit mehreren Ebenen", "DE.Views.Toolbar.tipNumbers": "Nummerierung", "DE.Views.Toolbar.tipPageBreak": "Seiten- oder Abschnittsumbruch einfügen", "DE.Views.Toolbar.tipPageMargins": "Seitenränder", diff --git a/apps/documenteditor/main/locale/el.json b/apps/documenteditor/main/locale/el.json index bafd79202..b49d30c21 100644 --- a/apps/documenteditor/main/locale/el.json +++ b/apps/documenteditor/main/locale/el.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Δημιουργία αντιγράφου", "Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή", "Common.UI.ButtonColored.textAutoColor": "Αυτόματα", - "Common.UI.ButtonColored.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "Common.UI.ButtonColored.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "Common.UI.Calendar.textApril": "Απρίλιος", "Common.UI.Calendar.textAugust": "Αύγουστος", "Common.UI.Calendar.textDecember": "Δεκέμβριος", @@ -213,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Αυτόματες λίστες κουκκίδων", "Common.Views.AutoCorrectDialog.textBy": "Από", "Common.Views.AutoCorrectDialog.textDelete": "Διαγραφή", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Εισαγωγή διπλού διαστήματος", "Common.Views.AutoCorrectDialog.textFLCells": "Να γίνει κεφαλαίο το πρώτο γράμμα των κελιών του πίνακα", "Common.Views.AutoCorrectDialog.textFLSentence": "Κεφαλαιοποιήστε το πρώτο γράμμα των προτάσεων", "Common.Views.AutoCorrectDialog.textHyperlink": "Μονοπάτια δικτύου και διαδικτύου με υπερσυνδέσμους", @@ -511,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "Το έγγραφο θα αποθηκευτεί στη νέα μορφή. Θα επιτρέπεται η χρήση όλων των χαρακτηριστικών του συντάκτη, αλλά μπορεί να επηρεαστεί η διάταξη του εγγράφου.
    Χρησιμοποιήστε την επιλογή 'Συμβατότητα' των προηγμένων ρυθμίσεων αν θέλετε να κάνετε τα αρχεία συμβατά με παλαιότερες εκδόσεις MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Άτιτλο", "DE.Controllers.LeftMenu.warnDownloadAs": "Αν προχωρήσετε με την αποθήκευση σε αυτή τη μορφή, όλα τα χαρακτηριστικά πλην του κειμένου θα χαθούν.
    Θέλετε σίγουρα να συνεχίσετε;", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Το δικό σας {0} θα μετατραπεί σε μια επεξεργάσιμη μορφή. Αυτό μπορεί να διαρκέσει αρκετά. Το τελικό έγγραφο θα είναι βελτιστοποιημένο ως προς τη δυνατότητα επεξεργασίας, οπότε ίσως να διαφέρει από το αρχικό {0}, ειδικά αν περιέχει πολλά γραφικά.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Αν προχωρήσετε στην αποθήκευση σε αυτή τη μορφή, κάποιες από τις μορφοποιήσεις μπορεί να χαθούν.
    Θέλετε σίγουρα να συνεχίσετε;", "DE.Controllers.Main.applyChangesTextText": "Φόρτωση των αλλαγών...", "DE.Controllers.Main.applyChangesTitleText": "Φόρτωση των Αλλαγών", @@ -916,17 +918,6 @@ "DE.Controllers.Toolbar.textSymbols": "Σύμβολα", "DE.Controllers.Toolbar.textTabForms": "Φόρμες", "DE.Controllers.Toolbar.textWarning": "Προειδοποίηση", - "DE.Controllers.Toolbar.tipMarkersArrow": "Κουκίδες βέλη", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Κουκίδες τσεκαρίσματος", - "DE.Controllers.Toolbar.tipMarkersDash": "Κουκίδες παύλας", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", - "DE.Controllers.Toolbar.tipMarkersFRound": "Κουκίδες πλήρεις στρογγυλές", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Κουκίδες πλήρεις τετράγωνες", - "DE.Controllers.Toolbar.tipMarkersHRound": "Κουκίδες κούφιες στρογγυλές", - "DE.Controllers.Toolbar.tipMarkersStar": "Κουκίδες αστέρια", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Κουκίδες αριθμημένες πολυεπίπεδες", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Κουκίδες συμβόλων πολυεπίπεδες", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Κουκίδες πολλαπλώς αριθμημένες πολυεπίπεδες", "DE.Controllers.Toolbar.txtAccent_Accent": "Οξεία", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Από πάνω βέλος δεξιά-αριστερά", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Από πάνω βέλος προς αριστερά", @@ -1460,6 +1451,7 @@ "DE.Views.DocumentHolder.strSign": "Σύμβολο", "DE.Views.DocumentHolder.styleText": "Μορφοποίηση ως Τεχνοτροπία", "DE.Views.DocumentHolder.tableText": "Πίνακας", + "DE.Views.DocumentHolder.textAccept": "Αποδοχή Αλλαγής", "DE.Views.DocumentHolder.textAlign": "Στοίχιση", "DE.Views.DocumentHolder.textArrange": "Τακτοποίηση", "DE.Views.DocumentHolder.textArrangeBack": "Μεταφορά στο Παρασκήνιο", @@ -1494,6 +1486,7 @@ "DE.Views.DocumentHolder.textPaste": "Επικόλληση", "DE.Views.DocumentHolder.textPrevPage": "Προηγούμενη Σελίδα", "DE.Views.DocumentHolder.textRefreshField": "Ενημέρωση πεδίου", + "DE.Views.DocumentHolder.textReject": "Απόρριψη Αλλαγής", "DE.Views.DocumentHolder.textRemCheckBox": "Αφαίρεση Πλαισίου Επιλογής", "DE.Views.DocumentHolder.textRemComboBox": "Αφαίρεση Πολλαπλών Επιλογών", "DE.Views.DocumentHolder.textRemDropdown": "Αφαίρεση Πτυσσόμενης Λίστας ", @@ -1527,14 +1520,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Ενημέρωση πίνακα περιεχομένων", "DE.Views.DocumentHolder.textWrap": "Τεχνοτροπία Αναδίπλωσης", "DE.Views.DocumentHolder.tipIsLocked": "Αυτό το στοιχείο επεξεργάζεται αυτήν τη στιγμή από άλλο χρήστη.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Κουκίδες βέλη", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Κουκίδες τσεκαρίσματος", - "DE.Views.DocumentHolder.tipMarkersDash": "Κουκίδες παύλας", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", - "DE.Views.DocumentHolder.tipMarkersFRound": "Κουκίδες πλήρεις στρογγυλές", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Κουκίδες πλήρεις τετράγωνες", - "DE.Views.DocumentHolder.tipMarkersHRound": "Κουκίδες κούφιες στρογγυλές", - "DE.Views.DocumentHolder.tipMarkersStar": "Κουκίδες αστέρια", "DE.Views.DocumentHolder.toDictionaryText": "Προσθήκη στο Λεξικό", "DE.Views.DocumentHolder.txtAddBottom": "Προσθήκη κάτω περιγράμματος", "DE.Views.DocumentHolder.txtAddFractionBar": "Προσθήκη γραμμής κλάσματος", @@ -1734,21 +1719,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Προβολή υπογραφών", "DE.Views.FileMenuPanels.Settings.okButtonText": "Εφαρμογή", "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": "Θα χρειαστεί να αποδεχτείτε τις αλλαγές προτού τις δείτε", "DE.Views.FileMenuPanels.Settings.strFast": "Γρήγορη", "DE.Views.FileMenuPanels.Settings.strFontRender": "Βελτιστοποίηση Γραμματοσειράς", "DE.Views.FileMenuPanels.Settings.strForcesave": "Προσθήκη έκδοσης στο χώρο αποθήκευσης μετά την Αποθήκευση ή Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Ενεργοποίηση ιερογλυφικών", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Ενεργοποίηση προβολής σχολίων", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ρυθμίσεις Mακροεντολών", - "DE.Views.FileMenuPanels.Settings.strPaste": "Αποκοπή, αντιγραφή και επικόλληση", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Εμφάνιση κουμπιού Επιλογών Επικόλλησης κατά την επικόλληση περιεχομένου", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Ενεργοποίηση εμφάνισης επιλυμένων σχολίων", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Οθόνη Παρακολούθησης Αλλαγών", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Αλλαγές Συνεργασίας Πραγματικού Χρόνου", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ενεργοποίηση επιλογής ορθογραφικού ελέγχου", "DE.Views.FileMenuPanels.Settings.strStrict": "Αυστηρή", @@ -2132,6 +2108,7 @@ "DE.Views.Navigation.txtDemote": "Υποβίβαση", "DE.Views.Navigation.txtEmpty": "Δεν υπάρχουν επικεφαλίδες στο έγγραφο.
    Εφαρμόστε μια τεχνοτροπία επικεφαλίδων στο κείμενο ώστε να εμφανίζεται στον πίνακα περιεχομένων.", "DE.Views.Navigation.txtEmptyItem": "Κενή Επικεφαλίδα", + "DE.Views.Navigation.txtEmptyViewer": "Δεν υπάρχουν επικεφαλίδες στο έγγραφο.", "DE.Views.Navigation.txtExpand": "Επέκταση όλων", "DE.Views.Navigation.txtExpandToLevel": "Επέκταση σε επίπεδο", "DE.Views.Navigation.txtHeadingAfter": "Νέα επικεφαλίδα μετά", @@ -2378,6 +2355,8 @@ "DE.Views.Statusbar.pageIndexText": "Σελίδα {0} από {1}", "DE.Views.Statusbar.tipFitPage": "Προσαρμογή στη σελίδα", "DE.Views.Statusbar.tipFitWidth": "Προσαρμογή στο πλάτος", + "DE.Views.Statusbar.tipHandTool": "Εργαλείο χειρός", + "DE.Views.Statusbar.tipSelectTool": "Εργαλείο επιλογής", "DE.Views.Statusbar.tipSetLang": "Ορισμός γλώσσας κειμένου", "DE.Views.Statusbar.tipZoomFactor": "Εστίαση", "DE.Views.Statusbar.tipZoomIn": "Μεγέθυνση", @@ -2685,7 +2664,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Κανονικό", "DE.Views.Toolbar.textMarginsUsNormal": "ΗΠΑ Κανονικό", "DE.Views.Toolbar.textMarginsWide": "Πλατύ", - "DE.Views.Toolbar.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "DE.Views.Toolbar.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "DE.Views.Toolbar.textNextPage": "Επόμενη Σελίδα", "DE.Views.Toolbar.textNoHighlight": "Χωρίς επισήμανση", "DE.Views.Toolbar.textNone": "Κανένα", @@ -2765,7 +2744,18 @@ "DE.Views.Toolbar.tipLineSpace": "Διάστιχο παραγράφου", "DE.Views.Toolbar.tipMailRecepients": "Συγχώνευση αλληλογραφίας", "DE.Views.Toolbar.tipMarkers": "Κουκκίδες", + "DE.Views.Toolbar.tipMarkersArrow": "Κουκίδες βέλη", + "DE.Views.Toolbar.tipMarkersCheckmark": "Κουκίδες τσεκαρίσματος", + "DE.Views.Toolbar.tipMarkersDash": "Κουκίδες παύλας", + "DE.Views.Toolbar.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", + "DE.Views.Toolbar.tipMarkersFRound": "Κουκίδες πλήρεις στρογγυλές", + "DE.Views.Toolbar.tipMarkersFSquare": "Κουκίδες πλήρεις τετράγωνες", + "DE.Views.Toolbar.tipMarkersHRound": "Κουκίδες κούφιες στρογγυλές", + "DE.Views.Toolbar.tipMarkersStar": "Κουκίδες αστέρια", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Κουκίδες αριθμημένες πολυεπίπεδες", "DE.Views.Toolbar.tipMultilevels": "Πολυεπίπεδη λίστα", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Κουκίδες συμβόλων πολυεπίπεδες", + "DE.Views.Toolbar.tipMultiLevelVarious": "Κουκίδες πολλαπλώς αριθμημένες πολυεπίπεδες", "DE.Views.Toolbar.tipNumbers": "Αρίθμηση", "DE.Views.Toolbar.tipPageBreak": "Εισαγωγή αλλαγής σελίδας ή τμήματος", "DE.Views.Toolbar.tipPageMargins": "Περιθώρια σελίδας", diff --git a/apps/documenteditor/main/locale/en.json b/apps/documenteditor/main/locale/en.json index e7c26a0a8..060ac72a1 100644 --- a/apps/documenteditor/main/locale/en.json +++ b/apps/documenteditor/main/locale/en.json @@ -183,11 +183,13 @@ "Common.UI.SearchDialog.txtBtnReplaceAll": "Replace All", "Common.UI.SynchronizeTip.textDontShow": "Don't show this message again", "Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.
    Please click to save your changes and reload the updates.", + "Common.UI.ThemeColorPalette.textRecentColors": "Recent Colors", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.UI.Themes.txtThemeClassicLight": "Classic Light", "Common.UI.Themes.txtThemeDark": "Dark", "Common.UI.Themes.txtThemeLight": "Light", + "Common.UI.Themes.txtThemeSystem": "Same as system", "Common.UI.Window.cancelButtonText": "Cancel", "Common.UI.Window.closeButtonText": "Close", "Common.UI.Window.noButtonText": "No", @@ -198,6 +200,11 @@ "Common.UI.Window.textInformation": "Information", "Common.UI.Window.textWarning": "Warning", "Common.UI.Window.yesButtonText": "Yes", + "Common.UI.SearchBar.textFind": "Find", + "Common.UI.SearchBar.tipPreviousResult": "Previous result", + "Common.UI.SearchBar.tipNextResult": "Next result", + "Common.UI.SearchBar.tipOpenAdvancedSettings": "Open advanced settings", + "Common.UI.SearchBar.tipCloseSearch": "Close search", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", "Common.Views.About.txtAddress": "address: ", @@ -263,6 +270,7 @@ "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", + "Common.Views.Comments.txtEmpty": "There are no comments in the document.", "Common.Views.CopyWarningDialog.textDontShow": "Don't show this message again", "Common.Views.CopyWarningDialog.textMsg": "Copy, cut and paste actions using the editor toolbar buttons and context menu actions will be performed within this editor tab only.

    To copy or paste to or from applications outside the editor tab use the following keyboard combinations:", "Common.Views.CopyWarningDialog.textTitle": "Copy, Cut and Paste Actions", @@ -285,6 +293,7 @@ "Common.Views.Header.textHideLines": "Hide Rulers", "Common.Views.Header.textHideStatusBar": "Hide Status Bar", "Common.Views.Header.textRemoveFavorite": "Remove from Favorites", + "Common.Views.Header.textShare": "Share", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Manage document access rights", "Common.Views.Header.tipDownload": "Download file", @@ -293,12 +302,12 @@ "Common.Views.Header.tipRedo": "Redo", "Common.Views.Header.tipSave": "Save", "Common.Views.Header.tipUndo": "Undo", + "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.tipViewSettings": "View settings", "Common.Views.Header.tipViewUsers": "View users and manage document access rights", - "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.txtAccessRights": "Change access rights", "Common.Views.Header.txtRename": "Rename", - "Common.Views.Header.textShare": "Share", + "Common.Views.Header.tipSearch": "Search", "Common.Views.History.textCloseHistory": "Close History", "Common.Views.History.textHide": "Collapse", "Common.Views.History.textHideAll": "Hide detailed changes", @@ -504,6 +513,21 @@ "Common.Views.UserNameDialog.textDontShow": "Don't ask me again", "Common.Views.UserNameDialog.textLabel": "Label:", "Common.Views.UserNameDialog.textLabelError": "Label must not be empty.", + "Common.Views.SearchPanel.textFind": "Find", + "Common.Views.SearchPanel.textFindAndReplace": "Find and replace", + "Common.Views.SearchPanel.textCloseSearch": "Close search", + "Common.Views.SearchPanel.textReplace": "Replace", + "Common.Views.SearchPanel.textReplaceAll": "Replace All", + "Common.Views.SearchPanel.textSearchResults": "Search results: {0}/{1}", + "Common.Views.SearchPanel.textReplaceWith": "Replace with", + "Common.Views.SearchPanel.textCaseSensitive": "Case sensitive", + "Common.Views.SearchPanel.textMatchUsingRegExp": "Match using regular expressions", + "Common.Views.SearchPanel.textWholeWords": "Whole words only", + "Common.Views.SearchPanel.textNoMatches": "No matches", + "Common.Views.SearchPanel.textNoSearchResults": "No search results", + "Common.Views.SearchPanel.textTooManyResults": "There are too many results to show here", + "Common.Views.SearchPanel.tipPreviousResult": "Previous result", + "Common.Views.SearchPanel.tipNextResult": "Next result", "DE.Controllers.LeftMenu.leavePageText": "All unsaved changes in this document will be lost.
    Click \"Cancel\" then \"Save\" to save them. Click \"OK\" to discard all the unsaved changes.", "DE.Controllers.LeftMenu.newDocumentTitle": "Unnamed document", "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning", @@ -517,6 +541,7 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
    Are you sure you want to continue?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Your {0} will be converted to an editable format. This may take a while. The resulting document will be optimized to allow you to edit the text, so it might not look exactly like the original {0}, especially if the original file contained lots of graphics.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "If you continue saving in this format some of the formatting might be lost.
    Are you sure you want to continue?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} is not a valid special character for the replacement field.", "DE.Controllers.Main.applyChangesTextText": "Loading the changes...", "DE.Controllers.Main.applyChangesTitleText": "Loading the Changes", "DE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", @@ -541,6 +566,7 @@ "DE.Controllers.Main.errorEditingDownloadas": "An error occurred during the work with the document.
    Use the 'Download as...' option to save the file backup copy to your computer hard drive.", "DE.Controllers.Main.errorEditingSaveas": "An error occurred during the work with the document.
    Use the 'Save as...' option to save the file backup copy to your computer hard drive.", "DE.Controllers.Main.errorEmailClient": "No email client could be found.", + "DE.Controllers.Main.errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", "DE.Controllers.Main.errorFilePassProtect": "The file is password protected and cannot be opened.", "DE.Controllers.Main.errorFileSizeExceed": "The file size exceeds the limitation set for your server.
    Please contact your Document Server administrator for details.", "DE.Controllers.Main.errorForceSave": "An error occurred while saving the file. Please use the 'Download as' option to save the file to your computer hard drive or try again later.", @@ -549,6 +575,7 @@ "DE.Controllers.Main.errorLoadingFont": "Fonts are not loaded.
    Please contact your Document Server administrator.", "DE.Controllers.Main.errorMailMergeLoadFile": "Loading the document failed. Please select a different file.", "DE.Controllers.Main.errorMailMergeSaveFile": "Merge failed.", + "DE.Controllers.Main.errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.", "DE.Controllers.Main.errorProcessSaveResult": "Saving failed.", "DE.Controllers.Main.errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", "DE.Controllers.Main.errorSessionAbsolute": "The document editing session has expired. Please reload the page.", @@ -616,6 +643,7 @@ "DE.Controllers.Main.textPaidFeature": "Paid feature", "DE.Controllers.Main.textReconnect": "Connection is restored", "DE.Controllers.Main.textRemember": "Remember my choice for all files", + "DE.Controllers.Main.textRememberMacros": "Remember my choice for all macros", "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", @@ -890,6 +918,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.textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?", "DE.Controllers.Navigation.txtBeginning": "Beginning of document", "DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document", "DE.Controllers.Statusbar.textDisconnect": "Connection is lost
    Trying to connect. Please check connection settings.", @@ -921,17 +950,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symbols", "DE.Controllers.Toolbar.textTabForms": "Forms", "DE.Controllers.Toolbar.textWarning": "Warning", - "DE.Controllers.Toolbar.tipMarkersArrow": "Arrow bullets", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Checkmark bullets", - "DE.Controllers.Toolbar.tipMarkersDash": "Dash bullets", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Filled rhombus bullets", - "DE.Controllers.Toolbar.tipMarkersFRound": "Filled round bullets", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Filled square bullets", - "DE.Controllers.Toolbar.tipMarkersHRound": "Hollow round bullets", - "DE.Controllers.Toolbar.tipMarkersStar": "Star bullets", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Multi-level numbered bullets", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Multi-level symbols bullets", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Multi-level various numbered bullets", "DE.Controllers.Toolbar.txtAccent_Accent": "Acute", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Right-left arrow above", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Leftwards arrow above", @@ -1253,6 +1271,8 @@ "DE.Controllers.Viewport.textFitPage": "Fit to Page", "DE.Controllers.Viewport.textFitWidth": "Fit to Width", "DE.Controllers.Viewport.txtDarkMode": "Dark mode", + "DE.Controllers.Search.notcriticalErrorTitle": "Warning", + "DE.Controllers.Search.warnReplaceString": "{0} is not a valid special character for the Replace With box.", "DE.Views.AddNewCaptionLabelDialog.textLabel": "Label:", "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Label must not be empty.", "DE.Views.BookmarksDialog.textAdd": "Add", @@ -1534,14 +1554,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Update table of contents", "DE.Views.DocumentHolder.textWrap": "Wrapping Style", "DE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Arrow bullets", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Checkmark bullets", - "DE.Views.DocumentHolder.tipMarkersDash": "Dash bullets", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Filled rhombus bullets", - "DE.Views.DocumentHolder.tipMarkersFRound": "Filled round bullets", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Filled square bullets", - "DE.Views.DocumentHolder.tipMarkersHRound": "Hollow round bullets", - "DE.Views.DocumentHolder.tipMarkersStar": "Star bullets", "DE.Views.DocumentHolder.toDictionaryText": "Add to Dictionary", "DE.Views.DocumentHolder.txtAddBottom": "Add bottom border", "DE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar", @@ -1684,7 +1696,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Close Menu", "DE.Views.FileMenu.btnCreateNewCaption": "Create New", "DE.Views.FileMenu.btnDownloadCaption": "Download as...", - "DE.Views.FileMenu.btnExitCaption": "Exit", + "DE.Views.FileMenu.btnExitCaption": "Close", "DE.Views.FileMenu.btnFileOpenCaption": "Open...", "DE.Views.FileMenu.btnHelpCaption": "Help...", "DE.Views.FileMenu.btnHistoryCaption": "Version History", @@ -1711,12 +1723,18 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Change access rights", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comment", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Created", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Fast Web View", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Loading...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Last Modified By", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Last Modified", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "No", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Owner", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pages", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Page Size", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraphs", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "Tagged PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF Version", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "PDF Producer", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Location", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persons who have rights", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symbols with spaces", @@ -1726,6 +1744,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Title", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Uploaded", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Words", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Yes", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Change access rights", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persons who have rights", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Warning", @@ -1751,14 +1770,16 @@ "DE.Views.FileMenuPanels.Settings.strForcesave": "Add version to storage after clicking Save or Ctrl+S", "del_DE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs", "del_DE.Views.FileMenuPanels.Settings.strLiveComment": "Turn on display of the comments", + "DE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Ignore words in UPPERCASE", + "DE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Ignore words with numbers", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Macros Settings", "del_DE.Views.FileMenuPanels.Settings.strPaste": "Cut, copy and paste", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Show the Paste Options button when the content is pasted", "del_DE.Views.FileMenuPanels.Settings.strResolvedComment": "Turn on display of the resolved comments", "del_DE.Views.FileMenuPanels.Settings.strReviewHover": "Track Changes Display", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Real-time Collaboration Changes", - "DE.Views.FileMenuPanels.Settings.strShowResolvedComments": "Show resolved comments", "DE.Views.FileMenuPanels.Settings.strShowComments": "Show comments in text", + "DE.Views.FileMenuPanels.Settings.strShowResolvedComments": "Show resolved comments", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Turn on spell checking option", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", "DE.Views.FileMenuPanels.Settings.strTheme": "Interface theme", @@ -1789,6 +1810,8 @@ "DE.Views.FileMenuPanels.Settings.txtFitPage": "Fit to Page", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Fit to Width", "DE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Hieroglyphs", + "DE.Views.FileMenuPanels.Settings.txtUseAltKey": "Use Alt key to navigate the user interface using the keyboard", + "DE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Use Option key to navigate the user interface using the keyboard", "DE.Views.FileMenuPanels.Settings.txtInch": "Inch", "DE.Views.FileMenuPanels.Settings.txtInput": "Alternate Input", "DE.Views.FileMenuPanels.Settings.txtLast": "View Last", @@ -1857,6 +1880,7 @@ "DE.Views.FormsTab.capBtnPrev": "Previous Field", "DE.Views.FormsTab.capBtnRadioBox": "Radio Button", "DE.Views.FormsTab.capBtnSaveForm": "Save as oform", + "DE.Views.FormsTab.capBtnDownloadForm": "Download as oform", "DE.Views.FormsTab.capBtnSubmit": "Submit", "DE.Views.FormsTab.capBtnText": "Text Field", "DE.Views.FormsTab.capBtnView": "View Form", @@ -1876,6 +1900,7 @@ "DE.Views.FormsTab.tipPrevForm": "Go to the previous field", "DE.Views.FormsTab.tipRadioBox": "Insert radio button", "DE.Views.FormsTab.tipSaveForm": "Save a file as a fillable OFORM document", + "DE.Views.FormsTab.tipDownloadForm": "Download a file as a fillable OFORM document", "DE.Views.FormsTab.tipSubmit": "Submit form", "DE.Views.FormsTab.tipTextField": "Insert text field", "DE.Views.FormsTab.tipViewForm": "View form", @@ -2024,6 +2049,7 @@ "DE.Views.LeftMenu.tipChat": "Chat", "DE.Views.LeftMenu.tipComments": "Comments", "DE.Views.LeftMenu.tipNavigation": "Navigation", + "DE.Views.LeftMenu.tipOutline": "Headings", "DE.Views.LeftMenu.tipPlugins": "Plugins", "DE.Views.LeftMenu.tipSearch": "Search", "DE.Views.LeftMenu.tipSupport": "Feedback & Support", @@ -2046,6 +2072,7 @@ "DE.Views.LineNumbersDialog.textStartAt": "Start at", "DE.Views.LineNumbersDialog.textTitle": "Line Numbers", "DE.Views.LineNumbersDialog.txtAutoText": "Auto", + "DE.Views.Links.capBtnAddText": "Add Text", "DE.Views.Links.capBtnBookmarks": "Bookmark", "DE.Views.Links.capBtnCaption": "Caption", "DE.Views.Links.capBtnContentsUpdate": "Update Table", @@ -2070,6 +2097,7 @@ "DE.Views.Links.textSwapNotes": "Swap Footnotes and Endnotes", "DE.Views.Links.textUpdateAll": "Update entire table", "DE.Views.Links.textUpdatePages": "Update page numbers only", + "DE.Views.Links.tipAddText": "Include heading in the Table of Contents", "DE.Views.Links.tipBookmarks": "Create a bookmark", "DE.Views.Links.tipCaption": "Insert caption", "DE.Views.Links.tipContents": "Insert table of contents", @@ -2080,6 +2108,8 @@ "DE.Views.Links.tipTableFigures": "Insert table of figures", "DE.Views.Links.tipTableFiguresUpdate": "Update table of figures", "DE.Views.Links.titleUpdateTOF": "Update Table of Figures", + "DE.Views.Links.txtDontShowTof": "Do Not Show in Table of Contents", + "DE.Views.Links.txtLevel": "Level", "DE.Views.ListSettingsDialog.textAuto": "Automatic", "DE.Views.ListSettingsDialog.textCenter": "Center", "DE.Views.ListSettingsDialog.textLeft": "Left", @@ -2144,17 +2174,26 @@ "DE.Views.MailMergeSettings.txtPrev": "To previous record", "DE.Views.MailMergeSettings.txtUntitled": "Untitled", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", + "DE.Views.Navigation.strNavigate": "Headings", + "DE.Views.Navigation.txtClosePanel": "Close headings", "DE.Views.Navigation.txtCollapse": "Collapse all", "DE.Views.Navigation.txtDemote": "Demote", "DE.Views.Navigation.txtEmpty": "There are no headings in the document.
    Apply a heading style to the text so that it appears in the table of contents.", "DE.Views.Navigation.txtEmptyItem": "Empty Heading", + "DE.Views.Navigation.txtEmptyViewer": "There are no headings in the document.", "DE.Views.Navigation.txtExpand": "Expand all", "DE.Views.Navigation.txtExpandToLevel": "Expand to level", + "DE.Views.Navigation.txtFontSize": "Font size", "DE.Views.Navigation.txtHeadingAfter": "New heading after", "DE.Views.Navigation.txtHeadingBefore": "New heading before", + "DE.Views.Navigation.txtLarge":"Large", + "DE.Views.Navigation.txtMedium": "Medium", "DE.Views.Navigation.txtNewHeading": "New subheading", "DE.Views.Navigation.txtPromote": "Promote", "DE.Views.Navigation.txtSelect": "Select content", + "DE.Views.Navigation.txtSettings": "Headings settings", + "DE.Views.Navigation.txtSmall": "Small", + "DE.Views.Navigation.txtWrapHeadings": "Wrap long headings", "DE.Views.NoteSettingsDialog.textApply": "Apply", "DE.Views.NoteSettingsDialog.textApplyTo": "Apply changes to", "DE.Views.NoteSettingsDialog.textContinue": "Continuous", @@ -2662,6 +2701,8 @@ "DE.Views.Toolbar.mniImageFromStorage": "Image from Storage", "DE.Views.Toolbar.mniImageFromUrl": "Image from URL", "DE.Views.Toolbar.mniLowerCase": "lowercase", + "DE.Views.Toolbar.mniRemoveFooter": "Remove Footer", + "DE.Views.Toolbar.mniRemoveHeader": "Remove Header", "DE.Views.Toolbar.mniSentenceCase": "Sentence case.", "DE.Views.Toolbar.mniTextToTable": "Convert Text to Table", "DE.Views.Toolbar.mniToggleCase": "tOGGLE cASE", @@ -2783,7 +2824,18 @@ "DE.Views.Toolbar.tipLineSpace": "Paragraph line spacing", "DE.Views.Toolbar.tipMailRecepients": "Mail merge", "DE.Views.Toolbar.tipMarkers": "Bullets", + "DE.Views.Toolbar.tipMarkersArrow": "Arrow bullets", + "DE.Views.Toolbar.tipMarkersCheckmark": "Checkmark bullets", + "DE.Views.Toolbar.tipMarkersDash": "Dash bullets", + "DE.Views.Toolbar.tipMarkersFRhombus": "Filled rhombus bullets", + "DE.Views.Toolbar.tipMarkersFRound": "Filled round bullets", + "DE.Views.Toolbar.tipMarkersFSquare": "Filled square bullets", + "DE.Views.Toolbar.tipMarkersHRound": "Hollow round bullets", + "DE.Views.Toolbar.tipMarkersStar": "Star bullets", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Multi-level numbered bullets", "DE.Views.Toolbar.tipMultilevels": "Multilevel list", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Multi-level symbols bullets", + "DE.Views.Toolbar.tipMultiLevelVarious": "Multi-level various numbered bullets", "DE.Views.Toolbar.tipNumbers": "Numbering", "DE.Views.Toolbar.tipPageBreak": "Insert page or section break", "DE.Views.Toolbar.tipPageMargins": "Page margins", @@ -2835,6 +2887,7 @@ "DE.Views.ViewTab.textFitToWidth": "Fit To Width", "DE.Views.ViewTab.textInterfaceTheme": "Interface theme", "DE.Views.ViewTab.textNavigation": "Navigation", + "DE.Views.ViewTab.textOutline": "Headings", "DE.Views.ViewTab.textRulers": "Rulers", "DE.Views.ViewTab.textStatusBar": "Status Bar", "DE.Views.ViewTab.textZoom": "Zoom", diff --git a/apps/documenteditor/main/locale/es.json b/apps/documenteditor/main/locale/es.json index c83e022c3..7480669bc 100644 --- a/apps/documenteditor/main/locale/es.json +++ b/apps/documenteditor/main/locale/es.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear una copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Color personalizado", "Common.UI.Calendar.textApril": "Abril", "Common.UI.Calendar.textAugust": "Agosto", "Common.UI.Calendar.textDecember": "Diciembre", @@ -213,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listas con viñetas automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Añadir punto con doble espacio", "Common.Views.AutoCorrectDialog.textFLCells": "Poner en mayúsculas la primera letra de las celdas de la tabla", "Common.Views.AutoCorrectDialog.textFLSentence": "Poner en mayúscula la primera letra de una oración", "Common.Views.AutoCorrectDialog.textHyperlink": "Rutas de red e Internet por hipervínculos", @@ -261,6 +262,7 @@ "Common.Views.Comments.textResolved": "Resuelto", "Common.Views.Comments.textSort": "Ordenar comentarios", "Common.Views.Comments.textViewResolved": "No tiene permiso para volver a abrir el documento", + "Common.Views.Comments.txtEmpty": "Sin comentarios en el documento", "Common.Views.CopyWarningDialog.textDontShow": "No volver a mostrar este mensaje", "Common.Views.CopyWarningDialog.textMsg": "Se puede realizar las acciones de copiar, cortar y pegar usando los botones en la barra de herramientas y el menú contextual sólo en esta pestaña del editor.

    Si quiere copiar o pegar algo fuera de esta pestaña, usa las combinaciones de teclas siguientes:", "Common.Views.CopyWarningDialog.textTitle": "Funciones de Copiar, Cortar y Pegar", @@ -511,7 +513,9 @@ "DE.Controllers.LeftMenu.txtCompatible": "El documento se guardará en el nuevo formato. Permitirá utilizar todas las características del editor, pero podría afectar el diseño del documento.
    Utilice la opción 'Compatibilidad' de la configuración avanzada si quiere hacer que los archivos sean compatibles con versiones anteriores de MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Sin título", "DE.Controllers.LeftMenu.warnDownloadAs": "Si sigue guardando en este formato todas las características a excepción del texto se perderán.
    ¿Está seguro de que quiere continuar?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Su {0} se convertirá en un formato editable. Esto puede llevar un tiempo. El documento resultante será optimizado para permitirle editar el texto, por lo que puede que no se vea exactamente como el {0} original, especialmente si el archivo original contenía muchos gráficos.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Si Usted sigue guardando en este formato, una parte de formateo puede perderse.
    ¿Está seguro de que desea continuar?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} no es un carácter especial válido para el campo de sustitución.", "DE.Controllers.Main.applyChangesTextText": "Cargando cambios...", "DE.Controllers.Main.applyChangesTitleText": "Cargando cambios", "DE.Controllers.Main.convertationTimeoutText": "Tiempo de conversión está superado.", @@ -916,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Símbolos", "DE.Controllers.Toolbar.textTabForms": "Formularios", "DE.Controllers.Toolbar.textWarning": "Aviso", - "DE.Controllers.Toolbar.tipMarkersArrow": "Viñetas de flecha", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", - "DE.Controllers.Toolbar.tipMarkersDash": "Viñetas guión", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Rombos rellenos", - "DE.Controllers.Toolbar.tipMarkersFRound": "Viñetas redondas rellenas", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Viñetas cuadradas rellenas", - "DE.Controllers.Toolbar.tipMarkersHRound": "Viñetas redondas huecas", - "DE.Controllers.Toolbar.tipMarkersStar": "Viñetas de estrella", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Viñetas numeradas de varios niveles", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Viñetas de símbolos de varios niveles", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Viñetas numeradas de varios niveles", "DE.Controllers.Toolbar.txtAccent_Accent": "Acento agudo", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Flecha derecha-izquierda superior", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Flecha superior hacia izquierda", @@ -1460,6 +1453,7 @@ "DE.Views.DocumentHolder.strSign": "Firmar", "DE.Views.DocumentHolder.styleText": "Formateando como Estilo", "DE.Views.DocumentHolder.tableText": "Tabla", + "DE.Views.DocumentHolder.textAccept": "Aceptar el cambio", "DE.Views.DocumentHolder.textAlign": "Alinear", "DE.Views.DocumentHolder.textArrange": "Arreglar", "DE.Views.DocumentHolder.textArrangeBack": "Enviar al fondo", @@ -1494,6 +1488,7 @@ "DE.Views.DocumentHolder.textPaste": "Pegar", "DE.Views.DocumentHolder.textPrevPage": "Página anterior", "DE.Views.DocumentHolder.textRefreshField": "Actualice el campo", + "DE.Views.DocumentHolder.textReject": "Rechazar el cambio", "DE.Views.DocumentHolder.textRemCheckBox": "Eliminar casilla", "DE.Views.DocumentHolder.textRemComboBox": "Eliminar cuadro combinado", "DE.Views.DocumentHolder.textRemDropdown": "Eliminar lista desplegable", @@ -1527,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Actualice la tabla de contenidos", "DE.Views.DocumentHolder.textWrap": "Ajuste de texto", "DE.Views.DocumentHolder.tipIsLocked": "Otro usuario está editando este elemento ahora.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Viñetas de flecha", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Viñetas de marca de verificación", - "DE.Views.DocumentHolder.tipMarkersDash": "Viñetas guión", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Rombos rellenos", - "DE.Views.DocumentHolder.tipMarkersFRound": "Viñetas redondas rellenas", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Viñetas cuadradas rellenas", - "DE.Views.DocumentHolder.tipMarkersHRound": "Viñetas redondas huecas", - "DE.Views.DocumentHolder.tipMarkersStar": "Viñetas de estrella", "DE.Views.DocumentHolder.toDictionaryText": "Agregar al diccionario", "DE.Views.DocumentHolder.txtAddBottom": "Agregar borde inferior", "DE.Views.DocumentHolder.txtAddFractionBar": "Agregar barra de fracción", @@ -1677,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Cerrar menú", "DE.Views.FileMenu.btnCreateNewCaption": "Crear nuevo", "DE.Views.FileMenu.btnDownloadCaption": "Descargar como...", - "DE.Views.FileMenu.btnExitCaption": "Salir", + "DE.Views.FileMenu.btnExitCaption": "Cerrar", "DE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "DE.Views.FileMenu.btnHelpCaption": "Ayuda...", "DE.Views.FileMenu.btnHistoryCaption": "Historial de las Versiones", @@ -1704,12 +1691,18 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Cambiar derechos de acceso", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentario", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Creado", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Vista rápida de la web", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Cargando...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última modificación por", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificación", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "No", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Propietario", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamaño de la página", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Párrafos", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF etiquetado", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versión PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Productor PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Ubicación", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personas que tienen derechos", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Símbolos con espacios", @@ -1719,6 +1712,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Subido", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Palabras", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Sí", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Cambiar derechos de acceso", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Personas que tienen derechos", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", @@ -1734,21 +1728,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver firmas", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Activar guías de alineación", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Activar autorecuperación", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Activar autoguardado", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "El modo Co-edición", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Otros usuarios verán los cambios a la vez", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Usted tendrá que aceptar los cambios antes de poder verlos", "DE.Views.FileMenuPanels.Settings.strFast": "rápido", "DE.Views.FileMenuPanels.Settings.strFontRender": "Hinting", "DE.Views.FileMenuPanels.Settings.strForcesave": "Agregar la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Activar jeroglíficos", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activar opción de demostración de comentarios", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ajustes de macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar y pegar", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar el botón Opciones de pegado cuando se pegue contenido", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Activar la visualización de los comentarios resueltos", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Mostrar el seguimiento de cambios", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Cambios de colaboración en tiempo real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar corrección ortográfica", "DE.Views.FileMenuPanels.Settings.strStrict": "Estricto", @@ -2132,6 +2117,7 @@ "DE.Views.Navigation.txtDemote": "Degradar", "DE.Views.Navigation.txtEmpty": "No hay títulos en el documento.
    Aplique un estilo de título al texto para que aparezca en la tabla de contenido.", "DE.Views.Navigation.txtEmptyItem": "Encabezado vacío", + "DE.Views.Navigation.txtEmptyViewer": "No hay títulos en el documento.", "DE.Views.Navigation.txtExpand": "Expandir todo", "DE.Views.Navigation.txtExpandToLevel": "Expandir a nivel", "DE.Views.Navigation.txtHeadingAfter": "Título nuevo después ", @@ -2378,6 +2364,8 @@ "DE.Views.Statusbar.pageIndexText": "Página {0} de {1}", "DE.Views.Statusbar.tipFitPage": "Ajustar a la página", "DE.Views.Statusbar.tipFitWidth": "Ajustar a ancho", + "DE.Views.Statusbar.tipHandTool": "Herramienta manual", + "DE.Views.Statusbar.tipSelectTool": "Seleccionar herramienta", "DE.Views.Statusbar.tipSetLang": "Establecer idioma de texto", "DE.Views.Statusbar.tipZoomFactor": "Ampliación", "DE.Views.Statusbar.tipZoomIn": "Acercar", @@ -2685,7 +2673,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Amplio", - "DE.Views.Toolbar.textNewColor": "Agregar nuevo color personalizado", + "DE.Views.Toolbar.textNewColor": "Color personalizado", "DE.Views.Toolbar.textNextPage": "Página siguiente", "DE.Views.Toolbar.textNoHighlight": "No resaltar", "DE.Views.Toolbar.textNone": "Ningún", @@ -2765,7 +2753,18 @@ "DE.Views.Toolbar.tipLineSpace": "Espaciado de línea de párrafo", "DE.Views.Toolbar.tipMailRecepients": "Combinación de Correspondencia", "DE.Views.Toolbar.tipMarkers": "Viñetas", + "DE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", + "DE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", + "DE.Views.Toolbar.tipMarkersDash": "Viñetas guión", + "DE.Views.Toolbar.tipMarkersFRhombus": "Rombos rellenos", + "DE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas rellenas", + "DE.Views.Toolbar.tipMarkersFSquare": "Viñetas cuadradas rellenas", + "DE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas huecas", + "DE.Views.Toolbar.tipMarkersStar": "Viñetas de estrella", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Viñetas numeradas de varios niveles", "DE.Views.Toolbar.tipMultilevels": "Esquema", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Viñetas de símbolos de varios niveles", + "DE.Views.Toolbar.tipMultiLevelVarious": "Viñetas numeradas de varios niveles", "DE.Views.Toolbar.tipNumbers": "Numeración", "DE.Views.Toolbar.tipPageBreak": "Insertar salto de página o de sección", "DE.Views.Toolbar.tipPageMargins": "Márgenes de Página", diff --git a/apps/documenteditor/main/locale/fi.json b/apps/documenteditor/main/locale/fi.json index 9b296c9a1..1c3453786 100644 --- a/apps/documenteditor/main/locale/fi.json +++ b/apps/documenteditor/main/locale/fi.json @@ -63,6 +63,7 @@ "Common.Controllers.ReviewChanges.textTabs": "Vaihda välilehtiä", "Common.Controllers.ReviewChanges.textUnderline": "Alleviivaus", "Common.Controllers.ReviewChanges.textWidow": "Leskirivien hallinta", + "Common.UI.ButtonColored.textNewColor": "Lisää uusi mukautettu väri", "Common.UI.ComboBorderSize.txtNoBorders": "Ei reunusta", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ei reunuksia", "Common.UI.ComboDataView.emptyComboText": "Ei tyylejä", @@ -1055,15 +1056,9 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Muokkaa asiakirjaa", "DE.Views.FileMenuPanels.Settings.okButtonText": "Käytä", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Aseta päälle tasauksen oppaat", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Aseta päälle automaattinen palautus", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Aseta päälle automaattinen talletus", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Yhteismuokkauksen tila", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Muut käyttäjät näkevät muutoksesi välittömästi", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Sinun tulee hyväksyä muutokset ennenkuin näet ne", "DE.Views.FileMenuPanels.Settings.strFast": "Nopea", "DE.Views.FileMenuPanels.Settings.strFontRender": "Fontin ehdotukset", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Aseta päälle hieroglyfit", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Aseta päälle kommenttien näkymä", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Reaaliaikaiset yhteistyöhön perustuvat muutokset ", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Aseta päälle oikeintarkistuksen valinta", "DE.Views.FileMenuPanels.Settings.strStrict": "Ehdoton", diff --git a/apps/documenteditor/main/locale/fr.json b/apps/documenteditor/main/locale/fr.json index b7a916f08..d397ab29a 100644 --- a/apps/documenteditor/main/locale/fr.json +++ b/apps/documenteditor/main/locale/fr.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Créer une copie", "Common.Translation.warnFileLockedBtnView": "Ouvrir pour visualisation", "Common.UI.ButtonColored.textAutoColor": "Automatique", - "Common.UI.ButtonColored.textNewColor": "Ajouter une nouvelle couleur personnalisée", + "Common.UI.ButtonColored.textNewColor": "Couleur personnalisée", "Common.UI.Calendar.textApril": "Avril", "Common.UI.Calendar.textAugust": "Août", "Common.UI.Calendar.textDecember": "décembre", @@ -262,6 +262,7 @@ "Common.Views.Comments.textResolved": "Résolu", "Common.Views.Comments.textSort": "Trier les commentaires", "Common.Views.Comments.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", + "Common.Views.Comments.txtEmpty": "Il n'y a pas de commentaires dans le document.", "Common.Views.CopyWarningDialog.textDontShow": "Ne plus afficher ce message", "Common.Views.CopyWarningDialog.textMsg": "Vous pouvez réaliser les actions de copier, couper et coller en utilisant les boutons de la barre d'outils et à l'aide du menu contextuel à partir de cet onglet uniquement.

    Pour copier ou coller de / vers les applications en dehors de l'onglet de l'éditeur, utilisez les combinaisons de touches suivantes :", "Common.Views.CopyWarningDialog.textTitle": "Fonctions de Copier, Couper et Coller", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "Si vous continuez à enregistrer dans ce format toutes les fonctions sauf le texte seront perdues.
    Êtes-vous sûr de vouloir continuer ?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Votre {0} sera converti en un format modifiable. Cette opération peut prendre quelque temps. Le document résultant sera optimisé pour l'édition de texte, il peut donc être différent de l'original {0}, surtout si le fichier original contient de nombreux éléments graphiques.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Si vous continuer à sauvegarder dans ce format une partie de la mise en forme peut être supprimée
    Êtes-vous sûr de vouloir continuer?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} n'est pas un caractère spécial valide pour le champ de remplacement.", "DE.Controllers.Main.applyChangesTextText": "Chargement des changemets...", "DE.Controllers.Main.applyChangesTitleText": "Chargement des changemets", "DE.Controllers.Main.convertationTimeoutText": "Délai de conversion expiré.", @@ -918,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symboles", "DE.Controllers.Toolbar.textTabForms": "Formulaires", "DE.Controllers.Toolbar.textWarning": "Avertissement", - "DE.Controllers.Toolbar.tipMarkersArrow": "Puces fléchées", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Puces coches", - "DE.Controllers.Toolbar.tipMarkersDash": "Tirets", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Losanges remplis", - "DE.Controllers.Toolbar.tipMarkersFRound": "Puces arrondies remplies", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Puces carrées remplies", - "DE.Controllers.Toolbar.tipMarkersHRound": "Puces rondes vides", - "DE.Controllers.Toolbar.tipMarkersStar": "Puces en étoile", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Puces numérotées à plusieurs niveaux", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Puces de symboles à plusieurs niveaux", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Puces numérotées à plusieurs niveaux", "DE.Controllers.Toolbar.txtAccent_Accent": "Aigu", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Flèche gauche-droite au-dessus", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Flèche vers la gauche au-dessus", @@ -1531,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Actualiser la table des matières", "DE.Views.DocumentHolder.textWrap": "Style d'habillage", "DE.Views.DocumentHolder.tipIsLocked": "Cet élément est en cours d'édition par un autre utilisateur.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Puces fléchées", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Puces coches", - "DE.Views.DocumentHolder.tipMarkersDash": "Tirets", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Losanges remplis", - "DE.Views.DocumentHolder.tipMarkersFRound": "Puces arrondies remplies", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Puces carrées remplies", - "DE.Views.DocumentHolder.tipMarkersHRound": "Puces rondes vides", - "DE.Views.DocumentHolder.tipMarkersStar": "Puces en étoile", "DE.Views.DocumentHolder.toDictionaryText": "Ajouter au dictionnaire", "DE.Views.DocumentHolder.txtAddBottom": "Ajouter bordure inférieure", "DE.Views.DocumentHolder.txtAddFractionBar": "Ajouter barre de fraction", @@ -1681,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Fermer le menu", "DE.Views.FileMenu.btnCreateNewCaption": "Nouveau document", "DE.Views.FileMenu.btnDownloadCaption": "Télécharger comme...", - "DE.Views.FileMenu.btnExitCaption": "Quitter", + "DE.Views.FileMenu.btnExitCaption": "Fermer", "DE.Views.FileMenu.btnFileOpenCaption": "Ouvrir...", "DE.Views.FileMenu.btnHelpCaption": "Aide...", "DE.Views.FileMenu.btnHistoryCaption": "Historique des versions", @@ -1708,12 +1691,18 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Changer les droits d'accès", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Commentaire", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Créé", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Affichage rapide sur le Web", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Chargement en cours...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Dernière modification par", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Dernière modification", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Non", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Propriétaire", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pages", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Taille de la page", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraphes", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF marqué", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Version PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Producteur PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Emplacement", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Personnes qui ont des droits", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Symboles avec des espaces", @@ -1723,6 +1712,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titre du document", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Chargé", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Mots", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Oui", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Changer les droits d'accès", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Personnes qui ont des droits", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avertissement", @@ -1738,21 +1728,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Voir les signatures", "DE.Views.FileMenuPanels.Settings.okButtonText": "Appliquer", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Activer les repères d'alignement", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Activer la récupération automatique", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Activer l'enregistrement automatique", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode de co-édition ", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Les autres utilisateurs verront vos modifications en temps reel", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Avant de pouvoir afficher les modifications, vous avez besoin de les accépter ", "DE.Views.FileMenuPanels.Settings.strFast": "Rapide", "DE.Views.FileMenuPanels.Settings.strFontRender": "Hinting de la police", "DE.Views.FileMenuPanels.Settings.strForcesave": "Ajouter une version à l'espace de stockage en cliquant Enregistrer ou Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Activer des hiéroglyphes", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activer l'affichage des commentaires", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Réglages macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Couper,copier et coller", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Afficher le bouton \"Options de collage\" lorsque le contenu est collé ", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Activer l'affichage des commentaires résolus", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Afficher le suivi des modifications", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Visibilité des modifications en co-édition", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activer la vérification de l'orthographe", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -2136,8 +2117,9 @@ "DE.Views.Navigation.txtDemote": "Dégrader", "DE.Views.Navigation.txtEmpty": "Aucune entrée de table des matières trouvée.
    L'application d'un style de titre sur une sélection de texte permettra l'affichage dans la table des matières. ", "DE.Views.Navigation.txtEmptyItem": "En-tête vide", + "DE.Views.Navigation.txtEmptyViewer": "Aucune entrée de table des matières trouvée.", "DE.Views.Navigation.txtExpand": "Développer tout", - "DE.Views.Navigation.txtExpandToLevel": "Décomprimer jusqu'au niveau", + "DE.Views.Navigation.txtExpandToLevel": "Développer jusqu'au niveau", "DE.Views.Navigation.txtHeadingAfter": "Nouvel en-tête après", "DE.Views.Navigation.txtHeadingBefore": "Nouvel en-tête avant", "DE.Views.Navigation.txtNewHeading": "Nouveau sous-titre", @@ -2691,7 +2673,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US normale", "DE.Views.Toolbar.textMarginsWide": "Large", - "DE.Views.Toolbar.textNewColor": "Ajouter une nouvelle couleur personnalisée", + "DE.Views.Toolbar.textNewColor": "Couleur personnalisée", "DE.Views.Toolbar.textNextPage": "Page suivante", "DE.Views.Toolbar.textNoHighlight": "Pas de surbrillance ", "DE.Views.Toolbar.textNone": "Aucune", @@ -2725,7 +2707,7 @@ "DE.Views.Toolbar.textTabLinks": "Références", "DE.Views.Toolbar.textTabProtect": "Protection", "DE.Views.Toolbar.textTabReview": "Révision", - "DE.Views.Toolbar.textTabView": "Afficher", + "DE.Views.Toolbar.textTabView": "Affichage", "DE.Views.Toolbar.textTitleError": "Erreur", "DE.Views.Toolbar.textToCurrent": "À la position actuelle", "DE.Views.Toolbar.textTop": "En haut: ", @@ -2771,7 +2753,18 @@ "DE.Views.Toolbar.tipLineSpace": "Interligne du paragraphe", "DE.Views.Toolbar.tipMailRecepients": "Fusion et publipostage", "DE.Views.Toolbar.tipMarkers": "Puces", + "DE.Views.Toolbar.tipMarkersArrow": "Puces fléchées", + "DE.Views.Toolbar.tipMarkersCheckmark": "Puces coches", + "DE.Views.Toolbar.tipMarkersDash": "Tirets", + "DE.Views.Toolbar.tipMarkersFRhombus": "Losanges remplis", + "DE.Views.Toolbar.tipMarkersFRound": "Puces arrondies remplies", + "DE.Views.Toolbar.tipMarkersFSquare": "Puces carrées remplies", + "DE.Views.Toolbar.tipMarkersHRound": "Puces rondes vides", + "DE.Views.Toolbar.tipMarkersStar": "Puces en étoile", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Puces numérotées à plusieurs niveaux", "DE.Views.Toolbar.tipMultilevels": "Liste multiniveau", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Puces de symboles à plusieurs niveaux", + "DE.Views.Toolbar.tipMultiLevelVarious": "Puces numérotées à plusieurs niveaux", "DE.Views.Toolbar.tipNumbers": "Numérotation", "DE.Views.Toolbar.tipPageBreak": "Insérer un saut de page ou de section", "DE.Views.Toolbar.tipPageMargins": "Marges de la page", diff --git a/apps/documenteditor/main/locale/gl.json b/apps/documenteditor/main/locale/gl.json index fbe4e2b4b..7d4c34146 100644 --- a/apps/documenteditor/main/locale/gl.json +++ b/apps/documenteditor/main/locale/gl.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear unha copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Engadir nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.Calendar.textApril": "Abril", "Common.UI.Calendar.textAugust": "Agosto", "Common.UI.Calendar.textDecember": "Decembro", @@ -916,17 +916,6 @@ "DE.Controllers.Toolbar.textSymbols": "Símbolos", "DE.Controllers.Toolbar.textTabForms": "Formularios", "DE.Controllers.Toolbar.textWarning": "Aviso", - "DE.Controllers.Toolbar.tipMarkersArrow": "Botóns das frechas", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", - "DE.Controllers.Toolbar.tipMarkersDash": "Viñetas guión", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Rombos recheos", - "DE.Controllers.Toolbar.tipMarkersFRound": "Viñetas redondas recheas", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Viñetas cadradas recheas", - "DE.Controllers.Toolbar.tipMarkersHRound": "Viñetas redondas ocas", - "DE.Controllers.Toolbar.tipMarkersStar": "Viñetas de estrela", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Viñetas numeradas de varios niveles", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Viñetas de símbolos de varios niveles", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Viñetas numeradas de varios niveles", "DE.Controllers.Toolbar.txtAccent_Accent": "Agudo", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Frecha superior dereita e esquerda", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Frecha superior esquerda", @@ -1527,14 +1516,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Actualizar a táboa de contido", "DE.Views.DocumentHolder.textWrap": "Axuste do texto", "DE.Views.DocumentHolder.tipIsLocked": "Este elemento está sendo actualmente editado por outro usuario.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Botóns das frechas", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Viñetas de marca de verificación", - "DE.Views.DocumentHolder.tipMarkersDash": "Viñetas guión", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Rombos recheos", - "DE.Views.DocumentHolder.tipMarkersFRound": "Viñetas redondas recheas", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Viñetas cadradas recheas", - "DE.Views.DocumentHolder.tipMarkersHRound": "Viñetas redondas ocas", - "DE.Views.DocumentHolder.tipMarkersStar": "Viñetas de estrela", "DE.Views.DocumentHolder.toDictionaryText": "Engadir ao Dicionario", "DE.Views.DocumentHolder.txtAddBottom": "Engadir bordo inferior", "DE.Views.DocumentHolder.txtAddFractionBar": "Engadir barra de fracción", @@ -1734,21 +1715,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver sinaturas", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Activar guías de aliñación", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Activar autorecuperación", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Activar autogardado", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "O modo Co-edición", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Outras persoas usuarias verán os cambios á vez", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Terá que aceptar os cambios antes de poder velos", "DE.Views.FileMenuPanels.Settings.strFast": "Rápido", "DE.Views.FileMenuPanels.Settings.strFontRender": "Busca das fontes", "DE.Views.FileMenuPanels.Settings.strForcesave": "Engadir a versión ao almacenamento despois de premer en Gardar ou Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Activar xeroglíficos", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activar opción de demostración de comentarios", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuración das macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar e pegar", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Amosar o botón Opcións de pegado cando se pegue contido", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Activar a visualización dos comentarios resoltos", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Amosar o seguemento dos cambios", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Cambios de colaboración en tempo real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar corrección ortográfica", "DE.Views.FileMenuPanels.Settings.strStrict": "Estrito", @@ -2132,6 +2104,7 @@ "DE.Views.Navigation.txtDemote": "Degradar", "DE.Views.Navigation.txtEmpty": "Non hai títulos no documento.
    Aplique un estilo do título ao texto para que apareza na táboa de contido.", "DE.Views.Navigation.txtEmptyItem": "Cabeceira vacía", + "DE.Views.Navigation.txtEmptyViewer": "Non hai títulos no documento.", "DE.Views.Navigation.txtExpand": "Expandir todo", "DE.Views.Navigation.txtExpandToLevel": "Expandir a nivel", "DE.Views.Navigation.txtHeadingAfter": "Novo título despois", @@ -2685,7 +2658,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Amplo", - "DE.Views.Toolbar.textNewColor": "Engadir nova cor personalizada", + "DE.Views.Toolbar.textNewColor": "Nova cor personalizada", "DE.Views.Toolbar.textNextPage": "Seguinte páxina", "DE.Views.Toolbar.textNoHighlight": "Non realzar", "DE.Views.Toolbar.textNone": "Ningún", @@ -2765,7 +2738,18 @@ "DE.Views.Toolbar.tipLineSpace": "Espazo da liña do parágrafo", "DE.Views.Toolbar.tipMailRecepients": "Combinación da Correspondencia", "DE.Views.Toolbar.tipMarkers": "Viñetas", + "DE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", + "DE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", + "DE.Views.Toolbar.tipMarkersDash": "Viñetas guión", + "DE.Views.Toolbar.tipMarkersFRhombus": "Rombos recheos", + "DE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas recheas", + "DE.Views.Toolbar.tipMarkersFSquare": "Viñetas cadradas recheas", + "DE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas ocas", + "DE.Views.Toolbar.tipMarkersStar": "Viñetas de estrela", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Viñetas numeradas de varios niveles", "DE.Views.Toolbar.tipMultilevels": "Contorno", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Viñetas de símbolos de varios niveles", + "DE.Views.Toolbar.tipMultiLevelVarious": "Viñetas numeradas de varios niveles", "DE.Views.Toolbar.tipNumbers": "Numeración", "DE.Views.Toolbar.tipPageBreak": "Inserir páxina ou salto de sección", "DE.Views.Toolbar.tipPageMargins": "Marxes da páxina", diff --git a/apps/documenteditor/main/locale/hu.json b/apps/documenteditor/main/locale/hu.json index a181e63bc..012046e31 100644 --- a/apps/documenteditor/main/locale/hu.json +++ b/apps/documenteditor/main/locale/hu.json @@ -213,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatikus felsorolásos listák", "Common.Views.AutoCorrectDialog.textBy": "Által", "Common.Views.AutoCorrectDialog.textDelete": "Törlés", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Pont hozzáadása dupla szóközzel", "Common.Views.AutoCorrectDialog.textFLCells": "A táblázat celláinak első betűje nagybetű legyen", "Common.Views.AutoCorrectDialog.textFLSentence": "A mondatok nagy betűvel kezdődjenek", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet és hálózati utak hiperhivatkozásokkal", @@ -261,6 +262,7 @@ "Common.Views.Comments.textResolved": "Feloldott", "Common.Views.Comments.textSort": "Megjegyzések rendezése", "Common.Views.Comments.textViewResolved": "Nincs engedélye a megjegyzés újranyitásához", + "Common.Views.Comments.txtEmpty": "A dokumentumban nincsenek megjegyzések.", "Common.Views.CopyWarningDialog.textDontShow": "Ne mutassa újra ezt az üzenetet", "Common.Views.CopyWarningDialog.textMsg": "A szerkesztés eszköztár gombjaival és a helyi menüvel végzett másolás, kivágás és beillesztés műveletek csak a szerkesztő oldalon használhatóak.

    A szerkesztő lapon kívüli alkalmazásokba való másoláshoz vagy beillesztéshez az alábbi billentyűzetkombinációkat használja:", "Common.Views.CopyWarningDialog.textTitle": "Másolás, kivágás és beillesztés", @@ -511,7 +513,9 @@ "DE.Controllers.LeftMenu.txtCompatible": "A dokumentumot az új formátumba menti. Ez lehetővé teszi az összes szerkesztő funkció használatát, de befolyásolhatja a dokumentum elrendezését.
    Ha a fájlokat kompatibilissá szeretné tenni a régebbi MS Word verziókkal, akkor használja a speciális beállítások 'Kompatibilitás' opcióját.", "DE.Controllers.LeftMenu.txtUntitled": "Névtelen", "DE.Controllers.LeftMenu.warnDownloadAs": "Ha ebbe a formátumba ment, a nyers szövegen kívül minden elveszik.
    Biztos benne, hogy folytatni akarja?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "A(z) {0} szerkeszthető formátumra lesz konvertálva. Ez eltarthat egy ideig. Az eredményül kapott dokumentumot úgy optimalizáljuk, hogy lehetővé tegye a szöveg szerkesztését, így előfordulhat, hogy nem úgy néz ki, mint az eredeti {0}, különösen, ha az eredeti fájl sok grafikát tartalmazott.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Ha ebbe a formátumba ment, a bizonyos formázási elemek elveszhetnek.
    Biztos benne, hogy folytatni akarja?", + "DE.Controllers.LeftMenu.warnReplaceString": "A(z) {0} nem érvényes speciális karakter a helyettesítő mezőben.", "DE.Controllers.Main.applyChangesTextText": "Módosítások betöltése...", "DE.Controllers.Main.applyChangesTitleText": "Módosítások betöltése", "DE.Controllers.Main.convertationTimeoutText": "Időtúllépés az átalakítás során.", @@ -916,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Szimbólumok", "DE.Controllers.Toolbar.textTabForms": "Űrlapok", "DE.Controllers.Toolbar.textWarning": "Figyelmeztetés", - "DE.Controllers.Toolbar.tipMarkersArrow": "Nyíl felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersDash": "Kötőjel felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersFRound": "Tömör kör felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersHRound": "Üreges kör felsorolásjelek", - "DE.Controllers.Toolbar.tipMarkersStar": "Csillag felsorolásjelek", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Többszintű számozott felsorolásjelek", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Többszintű szimbólum felsorolásjelek", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Többszintű különféle számozott felsorolásjelek", "DE.Controllers.Toolbar.txtAccent_Accent": "Akut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Jobbra-balra nyíl fent", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Balra mutató nyíl fent", @@ -1460,6 +1453,7 @@ "DE.Views.DocumentHolder.strSign": "Aláír", "DE.Views.DocumentHolder.styleText": "Formázás stílusként", "DE.Views.DocumentHolder.tableText": "Táblázat", + "DE.Views.DocumentHolder.textAccept": "Változtatás elfogadása", "DE.Views.DocumentHolder.textAlign": "Rendez", "DE.Views.DocumentHolder.textArrange": "Elrendez", "DE.Views.DocumentHolder.textArrangeBack": "Háttérbe küld", @@ -1494,6 +1488,7 @@ "DE.Views.DocumentHolder.textPaste": "Beilleszt", "DE.Views.DocumentHolder.textPrevPage": "Előző oldal", "DE.Views.DocumentHolder.textRefreshField": "Mező frissítése", + "DE.Views.DocumentHolder.textReject": "Változtatás elvetése", "DE.Views.DocumentHolder.textRemCheckBox": "Jelölőnégyzet eltávolítása", "DE.Views.DocumentHolder.textRemComboBox": "Legördülő eltávolítása", "DE.Views.DocumentHolder.textRemDropdown": "Legördülő eltávolítása", @@ -1527,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Tartalomjegyzék frissítése", "DE.Views.DocumentHolder.textWrap": "Tördelés stílus", "DE.Views.DocumentHolder.tipIsLocked": "Ezt az elemet jelenleg egy másik felhasználó szerkeszti.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Nyíl felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersDash": "Kötőjel felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersFRound": "Tömör kör felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersHRound": "Üreges kör felsorolásjelek", - "DE.Views.DocumentHolder.tipMarkersStar": "Csillag felsorolásjelek", "DE.Views.DocumentHolder.toDictionaryText": "Hozzáadás a szótárhoz", "DE.Views.DocumentHolder.txtAddBottom": "Alsó szegély hozzáadása", "DE.Views.DocumentHolder.txtAddFractionBar": "Törtjel hozzáadása", @@ -1677,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Menü bezárása", "DE.Views.FileMenu.btnCreateNewCaption": "Új létrehozása", "DE.Views.FileMenu.btnDownloadCaption": "Letöltés másként...", - "DE.Views.FileMenu.btnExitCaption": "Kilépés", + "DE.Views.FileMenu.btnExitCaption": "Bezár", "DE.Views.FileMenu.btnFileOpenCaption": "Megnyitás...", "DE.Views.FileMenu.btnHelpCaption": "Súgó...", "DE.Views.FileMenu.btnHistoryCaption": "Verziótörténet", @@ -1704,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Hozzáférési jogok módosítása", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Megjegyzés", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Létrehozva", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Gyors Web Nézet", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Betöltés...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Utoljára módosította", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Utoljára módosított", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Nem", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Tulajdonos", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Oldalak", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Lap méret", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Bekezdések", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "Címkézett PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF Verzió", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Hely", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Jogosult személyek", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Szimbólumlomok szóközökkel", @@ -1719,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Cím", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Feltöltve", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Szavak", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Igen", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Hozzáférési jogok módosítása", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Jogosult személyek", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Figyelmeztetés", @@ -1734,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Aláírások megtekintése", "DE.Views.FileMenuPanels.Settings.okButtonText": "Alkalmaz", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Elrendezési segéd bekapcsolása", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Automatikus visszaállítás bekapcsolása", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Automatikus mentés bekapcsolása", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Együttes szerkesztési mód", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Más felhasználók azonnal látják a módosításokat", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "El kell fogadnia a módosításokat mielőtt meg tudná nézni", "DE.Views.FileMenuPanels.Settings.strFast": "Gyors", "DE.Views.FileMenuPanels.Settings.strFontRender": "Betűtípus ajánlás", "DE.Views.FileMenuPanels.Settings.strForcesave": "A Mentés vagy a Ctrl+S gomb megnyomása után adja hozzá a verziót a tárhelyhez", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Hieroglifák bekapcsolása", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Kapcsolja be a megjegyzések megjelenítését", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makró beállítások", - "DE.Views.FileMenuPanels.Settings.strPaste": "Kivágás, másolás és beillesztés", "DE.Views.FileMenuPanels.Settings.strPasteButton": "A tartalom beillesztésekor jelenítse meg a beillesztési beállítások gombot", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Kapcsolja be a megoldott megjegyzések megjelenítését", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Változások követésének megjelenése", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Valós idejű együttműködés módosításai", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Helyesírás-ellenőrzés bekapcsolása", "DE.Views.FileMenuPanels.Settings.strStrict": "Biztonságos", @@ -2132,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "Lefokoz", "DE.Views.Navigation.txtEmpty": "Nincsenek címsorok a dokumentumban.
    Vigyen fel egy fejlécstílust a szövegre, hogy az megjelenjen a tartalomjegyzékben.", "DE.Views.Navigation.txtEmptyItem": "Üres fejléc", + "DE.Views.Navigation.txtEmptyViewer": "Nincsenek címsorok a dokumentumban.", "DE.Views.Navigation.txtExpand": "Összes kibontása", "DE.Views.Navigation.txtExpandToLevel": "Szintig kibont", "DE.Views.Navigation.txtHeadingAfter": "Új címsor utána", @@ -2378,6 +2363,8 @@ "DE.Views.Statusbar.pageIndexText": "{0}. / {1} oldal", "DE.Views.Statusbar.tipFitPage": "Oldalhoz igazít", "DE.Views.Statusbar.tipFitWidth": "Szélességhez igazít", + "DE.Views.Statusbar.tipHandTool": "Kéz eszköz", + "DE.Views.Statusbar.tipSelectTool": "Eszköz kiválasztása", "DE.Views.Statusbar.tipSetLang": "Szöveg nyelvének beállítása", "DE.Views.Statusbar.tipZoomFactor": "Nagyítás", "DE.Views.Statusbar.tipZoomIn": "Nagyítás", @@ -2765,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "Bekezdés sortávolság", "DE.Views.Toolbar.tipMailRecepients": "E-mail összevonás", "DE.Views.Toolbar.tipMarkers": "Felsorolás", + "DE.Views.Toolbar.tipMarkersArrow": "Nyíl felsorolásjelek", + "DE.Views.Toolbar.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", + "DE.Views.Toolbar.tipMarkersDash": "Kötőjel felsorolásjelek", + "DE.Views.Toolbar.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", + "DE.Views.Toolbar.tipMarkersFRound": "Tömör kör felsorolásjelek", + "DE.Views.Toolbar.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", + "DE.Views.Toolbar.tipMarkersHRound": "Üreges kör felsorolásjelek", + "DE.Views.Toolbar.tipMarkersStar": "Csillag felsorolásjelek", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Többszintű számozott felsorolásjelek", "DE.Views.Toolbar.tipMultilevels": "Többszintű lista", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Többszintű szimbólum felsorolásjelek", + "DE.Views.Toolbar.tipMultiLevelVarious": "Többszintű különféle számozott felsorolásjelek", "DE.Views.Toolbar.tipNumbers": "Számozás", "DE.Views.Toolbar.tipPageBreak": "Oldal vagy szakasztörés beszúrása", "DE.Views.Toolbar.tipPageMargins": "Oldal margók", diff --git a/apps/documenteditor/main/locale/id.json b/apps/documenteditor/main/locale/id.json index 31dfeedb8..db551b104 100644 --- a/apps/documenteditor/main/locale/id.json +++ b/apps/documenteditor/main/locale/id.json @@ -1,85 +1,164 @@ { - "Common.Controllers.Chat.notcriticalErrorTitle": "Warning", + "Common.Controllers.Chat.notcriticalErrorTitle": "Peringatan", "Common.Controllers.Chat.textEnterMessage": "Tuliskan pesan Anda di sini", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Anonim", "Common.Controllers.ExternalDiagramEditor.textClose": "Tutup", "Common.Controllers.ExternalDiagramEditor.warningText": "Obyek dinonaktifkan karena sedang diedit oleh pengguna lain.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "Peringatan", - "Common.Controllers.ExternalMergeEditor.textAnonymous": "Anonymous", - "Common.Controllers.ExternalMergeEditor.textClose": "Close", - "Common.Controllers.ExternalMergeEditor.warningText": "The object is disabled because it is being edited by another user.", - "Common.Controllers.ExternalMergeEditor.warningTitle": "Warning", - "Common.Controllers.History.notcriticalErrorTitle": "Warning", + "Common.Controllers.ExternalMergeEditor.textAnonymous": "Anonim", + "Common.Controllers.ExternalMergeEditor.textClose": "Tutup", + "Common.Controllers.ExternalMergeEditor.warningText": "Obyek dinonaktifkan karena sedang diedit oleh pengguna lain.", + "Common.Controllers.ExternalMergeEditor.warningTitle": "Peringatan", + "Common.Controllers.History.notcriticalErrorTitle": "Peringatan", + "Common.Controllers.ReviewChanges.textAcceptBeforeCompare": "Untuk membandingkan dokumen, semua perubahan yang ada akan dianggap sudah disetujui. Apakah Anda ingin melanjutkan?", "Common.Controllers.ReviewChanges.textAtLeast": "sekurang-kurangnya", - "Common.Controllers.ReviewChanges.textAuto": "auto", + "Common.Controllers.ReviewChanges.textAuto": "otomatis", "Common.Controllers.ReviewChanges.textBaseline": "Baseline", - "Common.Controllers.ReviewChanges.textBold": "Bold", - "Common.Controllers.ReviewChanges.textBreakBefore": "Page break before", - "Common.Controllers.ReviewChanges.textCaps": "All caps", - "Common.Controllers.ReviewChanges.textCenter": "Align center", - "Common.Controllers.ReviewChanges.textChart": "Chart", - "Common.Controllers.ReviewChanges.textColor": "Font color", - "Common.Controllers.ReviewChanges.textContextual": "Don't add interval between paragraphs of the same style", - "Common.Controllers.ReviewChanges.textDeleted": "Deleted:", - "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", - "Common.Controllers.ReviewChanges.textEquation": "Equation", + "Common.Controllers.ReviewChanges.textBold": "Tebal", + "Common.Controllers.ReviewChanges.textBreakBefore": "Jeda halaman sebelum", + "Common.Controllers.ReviewChanges.textCaps": "Semua caps", + "Common.Controllers.ReviewChanges.textCenter": "Sejajar tengah", + "Common.Controllers.ReviewChanges.textChar": "Level karakter", + "Common.Controllers.ReviewChanges.textChart": "Grafik", + "Common.Controllers.ReviewChanges.textColor": "Warna Huruf", + "Common.Controllers.ReviewChanges.textContextual": "Jangan tambahkan interval antar paragraf dengan model yang sama", + "Common.Controllers.ReviewChanges.textDeleted": "Dihapus:", + "Common.Controllers.ReviewChanges.textDStrikeout": "Garis coret ganda", + "Common.Controllers.ReviewChanges.textEquation": "Persamaan", "Common.Controllers.ReviewChanges.textExact": "persis", "Common.Controllers.ReviewChanges.textFirstLine": "Baris Pertama", - "Common.Controllers.ReviewChanges.textFontSize": "Font size", - "Common.Controllers.ReviewChanges.textFormatted": "Formatted", - "Common.Controllers.ReviewChanges.textHighlight": "Highlight color", + "Common.Controllers.ReviewChanges.textFontSize": "Ukuran Huruf", + "Common.Controllers.ReviewChanges.textFormatted": "Diformat", + "Common.Controllers.ReviewChanges.textHighlight": "Warna Sorot", "Common.Controllers.ReviewChanges.textImage": "Gambar", - "Common.Controllers.ReviewChanges.textIndentLeft": "Indent left", - "Common.Controllers.ReviewChanges.textIndentRight": "Indent right", - "Common.Controllers.ReviewChanges.textInserted": "Inserted:", - "Common.Controllers.ReviewChanges.textItalic": "Italic", - "Common.Controllers.ReviewChanges.textJustify": "Align justify", - "Common.Controllers.ReviewChanges.textKeepLines": "Keep lines together", - "Common.Controllers.ReviewChanges.textKeepNext": "Keep with next", - "Common.Controllers.ReviewChanges.textLeft": "Align left", - "Common.Controllers.ReviewChanges.textLineSpacing": "Spasi Antar Baris: ", - "Common.Controllers.ReviewChanges.textMultiple": "multiple", - "Common.Controllers.ReviewChanges.textNoBreakBefore": "No page break before", + "Common.Controllers.ReviewChanges.textIndentLeft": "Indent kiri", + "Common.Controllers.ReviewChanges.textIndentRight": "Indent kanan", + "Common.Controllers.ReviewChanges.textInserted": "Disisipkan:", + "Common.Controllers.ReviewChanges.textItalic": "Miring", + "Common.Controllers.ReviewChanges.textJustify": "Rata", + "Common.Controllers.ReviewChanges.textKeepLines": "Pertahankan garis bersama", + "Common.Controllers.ReviewChanges.textKeepNext": "Satukan dengan berikutnya", + "Common.Controllers.ReviewChanges.textLeft": "Sejajar kiri", + "Common.Controllers.ReviewChanges.textLineSpacing": "Spasi Antar Baris:", + "Common.Controllers.ReviewChanges.textMultiple": "banyak", + "Common.Controllers.ReviewChanges.textNoBreakBefore": "Tanpa break halaman sebelum", "Common.Controllers.ReviewChanges.textNoContextual": "Tambah jarak diantara", - "Common.Controllers.ReviewChanges.textNoKeepLines": "Don't keep lines together", - "Common.Controllers.ReviewChanges.textNoKeepNext": "Don't keep with next", - "Common.Controllers.ReviewChanges.textNot": "Not ", - "Common.Controllers.ReviewChanges.textNoWidow": "No widow control", - "Common.Controllers.ReviewChanges.textNum": "Change numbering", - "Common.Controllers.ReviewChanges.textParaDeleted": "Paragraph Deleted", - "Common.Controllers.ReviewChanges.textParaFormatted": "Paragraph Formatted", - "Common.Controllers.ReviewChanges.textParaInserted": "Paragraph Inserted", - "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Pindah ke bawah", - "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Pindah ke atas", - "Common.Controllers.ReviewChanges.textParaMoveTo": "Pindah", - "Common.Controllers.ReviewChanges.textPosition": "Position", - "Common.Controllers.ReviewChanges.textRight": "Align right", - "Common.Controllers.ReviewChanges.textShape": "Shape", - "Common.Controllers.ReviewChanges.textShd": "Background color", - "Common.Controllers.ReviewChanges.textSmallCaps": "Small caps", - "Common.Controllers.ReviewChanges.textSpacing": "Spacing", - "Common.Controllers.ReviewChanges.textSpacingAfter": "Spacing after", - "Common.Controllers.ReviewChanges.textSpacingBefore": "Spacing before", - "Common.Controllers.ReviewChanges.textStrikeout": "Strikeout", - "Common.Controllers.ReviewChanges.textSubScript": "Subscript", - "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", + "Common.Controllers.ReviewChanges.textNoKeepLines": "Jangan satukan garis", + "Common.Controllers.ReviewChanges.textNoKeepNext": "Jangan satukan dengan berikutnya", + "Common.Controllers.ReviewChanges.textNot": "Tidak ", + "Common.Controllers.ReviewChanges.textNoWidow": "Tanpa kontrol widow", + "Common.Controllers.ReviewChanges.textNum": "Ganti penomoran", + "Common.Controllers.ReviewChanges.textOff": "{0} tidak lagi menggunakan Lacak Perubahan.", + "Common.Controllers.ReviewChanges.textOffGlobal": "{0} menonaktifkan Lacak Perubahan untuk semua.", + "Common.Controllers.ReviewChanges.textOn": "{0} sedang menggunakan Lacak Perubahan.", + "Common.Controllers.ReviewChanges.textOnGlobal": "{0} mengaktifkan Lacak Perubahan untuk semua.", + "Common.Controllers.ReviewChanges.textParaDeleted": "Paragraf Dihapus", + "Common.Controllers.ReviewChanges.textParaFormatted": "Paragraf Diformat", + "Common.Controllers.ReviewChanges.textParaInserted": "Paragraf Disisipkan", + "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Pindah ke bawah:", + "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Pindah ke atas:", + "Common.Controllers.ReviewChanges.textParaMoveTo": "Pindah:", + "Common.Controllers.ReviewChanges.textPosition": "Posisi", + "Common.Controllers.ReviewChanges.textRight": "Rata kanan", + "Common.Controllers.ReviewChanges.textShape": "Bentuk", + "Common.Controllers.ReviewChanges.textShd": "Warna latar", + "Common.Controllers.ReviewChanges.textShow": "Tampilkan perubahan pada", + "Common.Controllers.ReviewChanges.textSmallCaps": "Huruf Ukuran Kecil", + "Common.Controllers.ReviewChanges.textSpacing": "Spasi", + "Common.Controllers.ReviewChanges.textSpacingAfter": "Spacing setelah", + "Common.Controllers.ReviewChanges.textSpacingBefore": "Spacing sebelum", + "Common.Controllers.ReviewChanges.textStrikeout": "Coret ganda", + "Common.Controllers.ReviewChanges.textSubScript": "Subskrip", + "Common.Controllers.ReviewChanges.textSuperScript": "Superskrip", "Common.Controllers.ReviewChanges.textTableChanged": "Setelan tabel", "Common.Controllers.ReviewChanges.textTableRowsAdd": "Baris tabel ditambah", "Common.Controllers.ReviewChanges.textTableRowsDel": "Baris Tabel dihapus", - "Common.Controllers.ReviewChanges.textTabs": "Change tabs", - "Common.Controllers.ReviewChanges.textUnderline": "Underline", - "Common.Controllers.ReviewChanges.textWidow": "Widow control", + "Common.Controllers.ReviewChanges.textTabs": "Ganti tab", + "Common.Controllers.ReviewChanges.textTitleComparison": "Pengaturan Perbandingan", + "Common.Controllers.ReviewChanges.textUnderline": "Garis bawah", + "Common.Controllers.ReviewChanges.textUrl": "Paste URL dokumen", + "Common.Controllers.ReviewChanges.textWidow": "Kontrol widow", + "Common.Controllers.ReviewChanges.textWord": "Level word", + "Common.define.chartData.textArea": "Area", + "Common.define.chartData.textAreaStacked": "Area yang ditumpuk", + "Common.define.chartData.textAreaStackedPer": "Area bertumpuk 100%", "Common.define.chartData.textBar": "Palang", + "Common.define.chartData.textBarNormal": "Grafik kolom klaster", + "Common.define.chartData.textBarNormal3d": "Kolom cluster 3-D", + "Common.define.chartData.textBarNormal3dPerspective": "Kolom 3-D", + "Common.define.chartData.textBarStacked": "Diagram kolom bertumpuk", + "Common.define.chartData.textBarStacked3d": "Kolom bertumpuk 3-D", + "Common.define.chartData.textBarStackedPer": "Kolom bertumpuk 100%", + "Common.define.chartData.textBarStackedPer3d": "Kolom bertumpuk 100% 3-D", "Common.define.chartData.textCharts": "Bagan", "Common.define.chartData.textColumn": "Kolom", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Area yang ditumpuk - kolom klaster", + "Common.define.chartData.textComboBarLine": "Grafik kolom klaster - garis", + "Common.define.chartData.textComboBarLineSecondary": "Grafik kolom klaster - garis pada sumbu sekunder", + "Common.define.chartData.textComboCustom": "Custom kombinasi", + "Common.define.chartData.textDoughnut": "Doughnut", + "Common.define.chartData.textHBarNormal": "Grafik batang klaster", + "Common.define.chartData.textHBarNormal3d": "Diagram Batang Cluster 3-D", + "Common.define.chartData.textHBarStacked": "Diagram batang bertumpuk", + "Common.define.chartData.textHBarStacked3d": "Diagram batang bertumpuk 3-D", + "Common.define.chartData.textHBarStackedPer": "Diagram batang bertumpuk 100%", + "Common.define.chartData.textHBarStackedPer3d": "Diagram batang bertumpuk 100% 3-D", "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textLine3d": "Garis 3-D", + "Common.define.chartData.textLineMarker": "Garis dengan tanda", + "Common.define.chartData.textLineStacked": "Diagram garis bertumpuk", + "Common.define.chartData.textLineStackedMarker": "Diagram garis bertumpuk dengan marker", + "Common.define.chartData.textLineStackedPer": "Garis bertumpuk 100%", + "Common.define.chartData.textLineStackedPerMarker": "Garis bertumpuk 100% dengan marker", "Common.define.chartData.textPie": "Diagram Lingkaran", + "Common.define.chartData.textPie3d": "Pie 3-D", + "Common.define.chartData.textPoint": "XY (Scatter)", + "Common.define.chartData.textScatter": "Sebar", + "Common.define.chartData.textScatterLine": "Diagram sebar dengan garis lurus", + "Common.define.chartData.textScatterLineMarker": "Diagram sebar dengan garis lurus dan marker", + "Common.define.chartData.textScatterSmooth": "Diagram sebar dengan garis mulus", + "Common.define.chartData.textScatterSmoothMarker": "Diagram sebar dengan garis mulus dan marker", "Common.define.chartData.textStock": "Diagram Garis", + "Common.define.chartData.textSurface": "Permukaan", + "Common.Translation.warnFileLocked": "Anda tidak bisa edit file ini karena sedang di edit di aplikasi lain.", "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "Common.Translation.warnFileLockedBtnView": "Buka untuk dilihat", "Common.UI.ButtonColored.textAutoColor": "Otomatis", "Common.UI.ButtonColored.textNewColor": "Tambahkan warna khusus baru", - "Common.UI.Calendar.textMonths": "bulan", - "Common.UI.Calendar.textYears": "tahun", + "Common.UI.Calendar.textApril": "April", + "Common.UI.Calendar.textAugust": "Agustus", + "Common.UI.Calendar.textDecember": "Desember", + "Common.UI.Calendar.textFebruary": "Februari", + "Common.UI.Calendar.textJanuary": "Januari", + "Common.UI.Calendar.textJuly": "Juli", + "Common.UI.Calendar.textJune": "Juni", + "Common.UI.Calendar.textMarch": "Maret", + "Common.UI.Calendar.textMay": "Mei", + "Common.UI.Calendar.textMonths": "Bulan", + "Common.UI.Calendar.textNovember": "November", + "Common.UI.Calendar.textOctober": "Oktober", + "Common.UI.Calendar.textSeptember": "September", + "Common.UI.Calendar.textShortApril": "Apr", + "Common.UI.Calendar.textShortAugust": "Ags", + "Common.UI.Calendar.textShortDecember": "Des", + "Common.UI.Calendar.textShortFebruary": "Feb", + "Common.UI.Calendar.textShortFriday": "Jum", + "Common.UI.Calendar.textShortJanuary": "Jan", + "Common.UI.Calendar.textShortJuly": "Jul", + "Common.UI.Calendar.textShortJune": "Jun", + "Common.UI.Calendar.textShortMarch": "Mar", + "Common.UI.Calendar.textShortMay": "Mei", + "Common.UI.Calendar.textShortMonday": "Sen", + "Common.UI.Calendar.textShortNovember": "Nov", + "Common.UI.Calendar.textShortOctober": "Okt", + "Common.UI.Calendar.textShortSaturday": "Sab", + "Common.UI.Calendar.textShortSeptember": "Sep", + "Common.UI.Calendar.textShortSunday": "Min", + "Common.UI.Calendar.textShortThursday": "Ka", + "Common.UI.Calendar.textShortTuesday": "Sel", + "Common.UI.Calendar.textShortWednesday": "Rab", + "Common.UI.Calendar.textYears": "Tahun", "Common.UI.ComboBorderSize.txtNoBorders": "Tidak ada pembatas", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Tidak ada pembatas", "Common.UI.ComboDataView.emptyComboText": "Tidak ada model", @@ -89,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Baru", "Common.UI.ExtendedColorDialog.textRGBErr": "Input yang Anda masukkan salah.
    Silakan masukkan input numerik antara 0 dan 255.", "Common.UI.HSBColorPicker.textNoColor": "Tidak ada Warna", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Sembunyikan password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Tampilkan password", "Common.UI.SearchDialog.textHighlight": "Sorot hasil", "Common.UI.SearchDialog.textMatchCase": "Harus sama persis", "Common.UI.SearchDialog.textReplaceDef": "Tuliskan teks pengganti", @@ -96,53 +177,91 @@ "Common.UI.SearchDialog.textTitle": "Cari dan Ganti", "Common.UI.SearchDialog.textTitle2": "Cari", "Common.UI.SearchDialog.textWholeWords": "Seluruh kata saja", + "Common.UI.SearchDialog.txtBtnHideReplace": "Sembunyikan Replace", "Common.UI.SearchDialog.txtBtnReplace": "Ganti", "Common.UI.SearchDialog.txtBtnReplaceAll": "Ganti Semua", "Common.UI.SynchronizeTip.textDontShow": "Jangan tampilkan pesan ini lagi", "Common.UI.SynchronizeTip.textSynchronize": "Dokumen telah diubah oleh pengguna lain.
    Silakan klik untuk menyimpan perubahan dan memuat ulang pembaruan.", "Common.UI.ThemeColorPalette.textStandartColors": "Warna Standar", "Common.UI.ThemeColorPalette.textThemeColors": "Warna Tema", + "Common.UI.Themes.txtThemeClassicLight": "Terang Klasik", + "Common.UI.Themes.txtThemeDark": "Gelap", + "Common.UI.Themes.txtThemeLight": "Cerah", "Common.UI.Window.cancelButtonText": "Batalkan", "Common.UI.Window.closeButtonText": "Tutup", "Common.UI.Window.noButtonText": "Tidak", "Common.UI.Window.okButtonText": "OK", "Common.UI.Window.textConfirmation": "Konfirmasi", - "Common.UI.Window.textDontShow": "Don't show this message again", - "Common.UI.Window.textError": "Error", + "Common.UI.Window.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.UI.Window.textError": "Kesalahan", "Common.UI.Window.textInformation": "Informasi", "Common.UI.Window.textWarning": "Peringatan", "Common.UI.Window.yesButtonText": "Ya", - "Common.Views.About.txtAddress": "alamat:", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "alamat: ", "Common.Views.About.txtLicensee": "PEMEGANG LISENSI", "Common.Views.About.txtLicensor": "PEMBERI LISENSI", - "Common.Views.About.txtMail": "email:", + "Common.Views.About.txtMail": "email: ", "Common.Views.About.txtPoweredBy": "Powered by", - "Common.Views.About.txtTel": "tel:", - "Common.Views.About.txtVersion": "Versi", + "Common.Views.About.txtTel": "tel: ", + "Common.Views.About.txtVersion": "Versi ", "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textApplyText": "Terapkan Sesuai yang Anda Tulis", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "AutoKoreksi Teks", + "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoFormat Sesuai yang Anda Mau", + "Common.Views.AutoCorrectDialog.textBulleted": "Butir list otomatis", "Common.Views.AutoCorrectDialog.textBy": "oleh", "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Tambahkan titik dengan spasi ganda", + "Common.Views.AutoCorrectDialog.textFLCells": "Besarkan huruf pertama di sel tabel", + "Common.Views.AutoCorrectDialog.textFLSentence": "Besarkan huruf pertama di kalimat", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet dan jalur jaringan dengan hyperlink.", + "Common.Views.AutoCorrectDialog.textHyphens": "Hyphens (--) dengan garis putus-putus (—)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "AutoCorrect Matematika", + "Common.Views.AutoCorrectDialog.textNumbered": "Penomoran list otomatis", + "Common.Views.AutoCorrectDialog.textQuotes": "\"Straight quotes\" dengan \"smart quotes\"", + "Common.Views.AutoCorrectDialog.textRecognized": "Fungsi yang Diterima", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Ekspresi ini merupakan ekspresi matematika. Ekspresi ini tidak akan dimiringkan secara otomatis.", "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "Common.Views.AutoCorrectDialog.textReplaceText": "Ganti Saat Anda Mengetik", + "Common.Views.AutoCorrectDialog.textReplaceType": "Ganti teks saat Anda mengetik", "Common.Views.AutoCorrectDialog.textReset": "Atur ulang", "Common.Views.AutoCorrectDialog.textResetAll": "Atur ulang kembali ke awal", "Common.Views.AutoCorrectDialog.textRestore": "Pemulihan", + "Common.Views.AutoCorrectDialog.textTitle": "AutoCorrect", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "Fungsi yang diterima harus memiliki huruf A sampai Z, huruf besar atau huruf kecil.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Semua ekspresi yang Anda tambahkan akan dihilangkan dan yang sudah terhapus akan dikembalikan. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnReplace": "Entri autocorrect untuk %1 sudah ada. Apakah Anda ingin menggantinya?", + "Common.Views.AutoCorrectDialog.warnReset": "Semua autocorrect yang Anda tambahkan akan dihilangkan dan yang sudah diganti akan dikembalikan ke nilai awalnya. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnRestore": "Entri autocorrect untuk %1 akan di reset ke nilai awal. Apakah Anda ingin melanjutkan?", "Common.Views.Chat.textSend": "Kirim", + "Common.Views.Comments.mniAuthorAsc": "Penulis A sampai Z", + "Common.Views.Comments.mniAuthorDesc": "Penulis Z sampai A", + "Common.Views.Comments.mniDateAsc": "Tertua", + "Common.Views.Comments.mniDateDesc": "Terbaru", + "Common.Views.Comments.mniFilterGroups": "Filter Berdasarkan Grup", + "Common.Views.Comments.mniPositionAsc": "Dari atas", + "Common.Views.Comments.mniPositionDesc": "Dari bawah", "Common.Views.Comments.textAdd": "Tambahkan", - "Common.Views.Comments.textAddComment": "Tambahkan", + "Common.Views.Comments.textAddComment": "Tambahkan Komentar", "Common.Views.Comments.textAddCommentToDoc": "Tambahkan Komentar untuk Dokumen", "Common.Views.Comments.textAddReply": "Tambahkan Balasan", "Common.Views.Comments.textAll": "Semua", "Common.Views.Comments.textAnonym": "Tamu", "Common.Views.Comments.textCancel": "Batalkan", "Common.Views.Comments.textClose": "Tutup", + "Common.Views.Comments.textClosePanel": "Tutup komentar", "Common.Views.Comments.textComments": "Komentar", - "Common.Views.Comments.textEdit": "Edit", + "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Tuliskan komentar Anda di sini", "Common.Views.Comments.textHintAddComment": "Tambahkan komentar", "Common.Views.Comments.textOpenAgain": "Buka Lagi", "Common.Views.Comments.textReply": "Balas", "Common.Views.Comments.textResolve": "Selesaikan", "Common.Views.Comments.textResolved": "Diselesaikan", + "Common.Views.Comments.textSort": "Sortir komentar", + "Common.Views.Comments.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", "Common.Views.CopyWarningDialog.textDontShow": "Jangan tampilkan pesan ini lagi", "Common.Views.CopyWarningDialog.textMsg": "Langkah salin, potong dan tempel menggunakan tombol editor toolbar dan menu konteks dapat dilakukan hanya dengan tab editor ni saja.

    Untuk menyalin atau menempel ke atau dari aplikasi di luar tab editor, gunakan kombinasi tombol keyboard berikut ini:", "Common.Views.CopyWarningDialog.textTitle": "Salin, Potong dan Tempel", @@ -154,23 +273,35 @@ "Common.Views.ExternalDiagramEditor.textClose": "Tutup", "Common.Views.ExternalDiagramEditor.textSave": "Simpan & Keluar", "Common.Views.ExternalDiagramEditor.textTitle": "Editor Bagan", - "Common.Views.ExternalMergeEditor.textClose": "Close", - "Common.Views.ExternalMergeEditor.textSave": "Save & Exit", - "Common.Views.ExternalMergeEditor.textTitle": "Mail Merge Recipients", + "Common.Views.ExternalMergeEditor.textClose": "Tutup", + "Common.Views.ExternalMergeEditor.textSave": "Simpan & Keluar", + "Common.Views.ExternalMergeEditor.textTitle": "Merge Email Penerima", + "Common.Views.Header.labelCoUsersDescr": "User yang sedang edit file:", + "Common.Views.Header.textAddFavorite": "Tandai sebagai favorit", "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", "Common.Views.Header.textBack": "Buka Dokumen", + "Common.Views.Header.textCompactView": "Sembunyikan Toolbar", "Common.Views.Header.textHideLines": "Sembunyikan Mistar", "Common.Views.Header.textHideStatusBar": "Sembunyikan Bilah Status", + "Common.Views.Header.textRemoveFavorite": "Hilangkan dari Favorit", "Common.Views.Header.textZoom": "Pembesaran", + "Common.Views.Header.tipAccessRights": "Atur perizinan akses dokumen", "Common.Views.Header.tipDownload": "Unduh File", + "Common.Views.Header.tipGoEdit": "Edit file saat ini", + "Common.Views.Header.tipPrint": "Print file", "Common.Views.Header.tipRedo": "Ulangi", "Common.Views.Header.tipSave": "Simpan", "Common.Views.Header.tipUndo": "Batalkan", "Common.Views.Header.tipViewSettings": "Lihat Pengaturan", + "Common.Views.Header.tipViewUsers": "Tampilkan user dan atur hak akses dokumen", "Common.Views.Header.txtAccessRights": "Ubah hak akses", "Common.Views.Header.txtRename": "Ganti nama", "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textHide": "Collapse", + "Common.Views.History.textHideAll": "Sembunyikan detail perubahan", "Common.Views.History.textRestore": "Pemulihan", + "Common.Views.History.textShow": "Perluas", + "Common.Views.History.textShowAll": "Tampilkan detail perubahan", "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "Tempel URL gambar:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Kolom ini harus diisi", @@ -183,98 +314,255 @@ "Common.Views.InsertTableDialog.txtTitle": "Ukuran Tabel", "Common.Views.InsertTableDialog.txtTitleSplit": "Pisahkan Sel", "Common.Views.LanguageDialog.labelSelect": "Pilih bahasa dokumen", - "Common.Views.OpenDialog.txtEncoding": "Encoding ", + "Common.Views.OpenDialog.closeButtonText": "Tutup File", + "Common.Views.OpenDialog.txtEncoding": "Enkoding ", + "Common.Views.OpenDialog.txtIncorrectPwd": "Password salah.", "Common.Views.OpenDialog.txtOpenFile": "Masukkan kata sandi untuk buka file", "Common.Views.OpenDialog.txtPassword": "Kata Sandi", "Common.Views.OpenDialog.txtPreview": "Pratinjau", - "Common.Views.OpenDialog.txtTitle": "Choose %1 options", + "Common.Views.OpenDialog.txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", + "Common.Views.OpenDialog.txtTitle": "Pilih %1 opsi", + "Common.Views.OpenDialog.txtTitleProtected": "File yang Diproteksi", + "Common.Views.PasswordDialog.txtDescription": "Buat password untuk melindungi dokumen ini", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Password konfirmasi tidak sama", "Common.Views.PasswordDialog.txtPassword": "Kata Sandi", + "Common.Views.PasswordDialog.txtRepeat": "Ulangi password", "Common.Views.PasswordDialog.txtTitle": "Setel kata sandi", - "Common.Views.PasswordDialog.txtWarning": "Perhatian: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PasswordDialog.txtWarning": "Peringatan: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PluginDlg.textLoading": "Memuat", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "Memuat", "Common.Views.Plugins.textStart": "Mulai", + "Common.Views.Plugins.textStop": "Stop", + "Common.Views.Protection.hintAddPwd": "Enkripsi dengan password", + "Common.Views.Protection.hintPwd": "Ganti atau hapus password", + "Common.Views.Protection.hintSignature": "Tambah tanda tangan digital atau garis tanda tangan", + "Common.Views.Protection.txtAddPwd": "Tambah password", "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.Protection.txtDeletePwd": "Nama file", + "Common.Views.Protection.txtEncrypt": "Enkripsi", + "Common.Views.Protection.txtInvisibleSignature": "Tambah tanda tangan digital", + "Common.Views.Protection.txtSignature": "Tanda Tangan", + "Common.Views.Protection.txtSignatureLine": "Tambah garis tanda tangan", "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.RenameDialog.txtInvalidName": "Nama file tidak boleh berisi karakter seperti: ", + "Common.Views.ReviewChanges.hintNext": "Ke perubahan berikutnya", + "Common.Views.ReviewChanges.hintPrev": "Ke perubahan sebelumnya", + "Common.Views.ReviewChanges.mniFromFile": "Dokumen dari File", + "Common.Views.ReviewChanges.mniFromStorage": "Dokumen dari Penyimpanan", + "Common.Views.ReviewChanges.mniFromUrl": "Dokumen dari URL", + "Common.Views.ReviewChanges.mniSettings": "Pengaturan Perbandingan", + "Common.Views.ReviewChanges.strFast": "Cepat", + "Common.Views.ReviewChanges.strFastDesc": "Co-editing real-time. Semua perubahan disimpan otomatis.", + "Common.Views.ReviewChanges.strStrict": "Strict", + "Common.Views.ReviewChanges.strStrictDesc": "Gunakan tombol 'Simpan' untuk sinkronisasi perubahan yang dibuat Anda dan orang lain.", "Common.Views.ReviewChanges.textEnable": "Aktifkan", + "Common.Views.ReviewChanges.textWarnTrackChanges": "Lacak Perubahan akan ON untuk semua user dengan akses penuh. Jika orang lain membuka doc di lain waktu, Lacak Perubahan tetap aktif.", + "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "Aktifkan Lacak Perubahan untuk semua?", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Terima perubahan saat ini", + "Common.Views.ReviewChanges.tipCoAuthMode": "Atur mode co-editing", + "Common.Views.ReviewChanges.tipCommentRem": "Hilangkan komentar", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Hilangkan komentar saat ini", + "Common.Views.ReviewChanges.tipCommentResolve": "Selesaikan komentar", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Selesaikan komentar saat ini", + "Common.Views.ReviewChanges.tipCompare": "Bandingkan dokumen sekarang dengan yang lain", "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "Common.Views.ReviewChanges.tipRejectCurrent": "Tolak perubahan saat ini", + "Common.Views.ReviewChanges.tipReview": "Lacak perubahan", + "Common.Views.ReviewChanges.tipReviewView": "Pilih mode yang perubahannya ingin Anda tampilkan", "Common.Views.ReviewChanges.tipSetDocLang": "Atur Bahasa Dokumen", "Common.Views.ReviewChanges.tipSetSpelling": "Periksa Ejaan", - "Common.Views.ReviewChanges.txtAccept": "Accept", - "Common.Views.ReviewChanges.txtAcceptAll": "Accept All Changes", - "Common.Views.ReviewChanges.txtAcceptCurrent": "Accept Current Changes", - "Common.Views.ReviewChanges.txtClose": "Close", + "Common.Views.ReviewChanges.tipSharing": "Atur perizinan akses dokumen", + "Common.Views.ReviewChanges.txtAccept": "Terima", + "Common.Views.ReviewChanges.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChanges.txtAcceptChanges": "Terima perubahan", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Terima Perubahan Saat Ini", + "Common.Views.ReviewChanges.txtChat": "Chat", + "Common.Views.ReviewChanges.txtClose": "Tutup", + "Common.Views.ReviewChanges.txtCoAuthMode": "Mode Edit Bersama", + "Common.Views.ReviewChanges.txtCommentRemAll": "Hilangkan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Hilangkan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentRemMy": "Hilangkan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Hilangkan Komentar Saya Saat Ini", "Common.Views.ReviewChanges.txtCommentRemove": "Hapus", "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Selesaikan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Selesaikan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Selesaikan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Selesaikan Komentar Saya Saat Ini", + "Common.Views.ReviewChanges.txtCompare": "Komparasi", "Common.Views.ReviewChanges.txtDocLang": "Bahasa", - "Common.Views.ReviewChanges.txtHistory": "Riwayat versi", - "Common.Views.ReviewChanges.txtNext": "To Next Change", - "Common.Views.ReviewChanges.txtPrev": "To Previous Change", + "Common.Views.ReviewChanges.txtEditing": "Editing", + "Common.Views.ReviewChanges.txtFinal": "Semua perubahan diterima {0}", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Riwayat Versi", + "Common.Views.ReviewChanges.txtMarkup": "Semua perubahan {0}", + "Common.Views.ReviewChanges.txtMarkupCap": "Markup dan balon", + "Common.Views.ReviewChanges.txtMarkupSimple": "Semua perubahan {0}
    Tanpa balloons", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "Hanya markup", + "Common.Views.ReviewChanges.txtNext": "Selanjutnya", + "Common.Views.ReviewChanges.txtOff": "OFF untuk saya", + "Common.Views.ReviewChanges.txtOffGlobal": "OFF untuk saya dan semuanya", + "Common.Views.ReviewChanges.txtOn": "ON untuk saya", + "Common.Views.ReviewChanges.txtOnGlobal": "ON untuk saya dan semuanya", + "Common.Views.ReviewChanges.txtOriginal": "Semua perubahan ditolak {0}", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", + "Common.Views.ReviewChanges.txtPrev": "Sebelumnya", "Common.Views.ReviewChanges.txtPreview": "Pratinjau", - "Common.Views.ReviewChanges.txtReject": "Reject", - "Common.Views.ReviewChanges.txtRejectAll": "Reject All Changes", - "Common.Views.ReviewChanges.txtRejectCurrent": "Reject Current Changes", + "Common.Views.ReviewChanges.txtReject": "Tolak", + "Common.Views.ReviewChanges.txtRejectAll": "Tolak Semua Perubahan", + "Common.Views.ReviewChanges.txtRejectChanges": "Tolak Perubahan", + "Common.Views.ReviewChanges.txtRejectCurrent": "Tolak Perubahan Saat Ini", + "Common.Views.ReviewChanges.txtSharing": "Bagikan", "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.txtTurnon": "Lacak Perubahan", + "Common.Views.ReviewChanges.txtView": "Mode Tampilan", + "Common.Views.ReviewChangesDialog.textTitle": "Review Perubahan", "Common.Views.ReviewChangesDialog.txtAccept": "Terima", "Common.Views.ReviewChangesDialog.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Terima Perubahan Saat Ini", + "Common.Views.ReviewChangesDialog.txtNext": "Ke perubahan berikutnya", + "Common.Views.ReviewChangesDialog.txtPrev": "Ke perubahan sebelumnya", "Common.Views.ReviewChangesDialog.txtReject": "Tolak", + "Common.Views.ReviewChangesDialog.txtRejectAll": "Tolak Semua Perubahan", + "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Tolak Perubahan Saat Ini", "Common.Views.ReviewPopover.textAdd": "Tambahkan", - "Common.Views.ReviewPopover.textAddReply": "Tambahkan balasan", + "Common.Views.ReviewPopover.textAddReply": "Tambahkan Balasan", "Common.Views.ReviewPopover.textCancel": "Batalkan", "Common.Views.ReviewPopover.textClose": "Tutup", "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textFollowMove": "Ikuti pergerakan", + "Common.Views.ReviewPopover.textMention": "+mention akan memberikan akses ke dokumen dan mengirimkan email", + "Common.Views.ReviewPopover.textMentionNotify": "+mention akan mengingatkan user lewat email", "Common.Views.ReviewPopover.textOpenAgain": "Buka Lagi", "Common.Views.ReviewPopover.textReply": "Balas", "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", "Common.Views.ReviewPopover.txtAccept": "Terima", "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", "Common.Views.ReviewPopover.txtEditTip": "Sunting", "Common.Views.ReviewPopover.txtReject": "Tolak", + "Common.Views.SaveAsDlg.textLoading": "Memuat", + "Common.Views.SaveAsDlg.textTitle": "Folder untuk simpan", + "Common.Views.SelectFileDlg.textLoading": "Memuat", "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textCertificate": "Sertifikat", "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textInputName": "Masukkan nama penandatangan", "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textNameError": "Nama penandatangan tidak boleh kosong.", + "Common.Views.SignDialog.textPurpose": "Tujuan menandatangani dokumen ini", "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.textSelectImage": "Pilih Gambar", + "Common.Views.SignDialog.textSignature": "Tandatangan terlihat seperti", + "Common.Views.SignDialog.textTitle": "Tanda Tangan Dokumen", + "Common.Views.SignDialog.textUseImage": "atau klik 'Pilih Gambar' untuk menjadikan gambar sebagai tandatangan", + "Common.Views.SignDialog.textValid": "Valid dari %1 sampai %2", + "Common.Views.SignDialog.tipFontName": "Nama Font", "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textAllowComment": "Izinkan penandatangan untuk menambahkan komentar di dialog tanda tangan", + "Common.Views.SignSettingsDialog.textInfo": "Info Penandatangan", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Nama", - "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SignSettingsDialog.textInfoTitle": "Gelar Penandatangan", + "Common.Views.SignSettingsDialog.textInstructions": "Instruksi untuk Penandatangan", + "Common.Views.SignSettingsDialog.textShowDate": "Tampilkan tanggal di garis tandatangan", + "Common.Views.SignSettingsDialog.textTitle": "Setup Tanda Tangan", + "Common.Views.SignSettingsDialog.txtEmpty": "Area ini dibutuhkan", "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textCode": "Nilai Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Copyright Sign", + "Common.Views.SymbolTableDialog.textDCQuote": "Kutip Dua Penutup", + "Common.Views.SymbolTableDialog.textDOQuote": "Kutip Dua Pembuka", + "Common.Views.SymbolTableDialog.textEllipsis": "Ellipsis Horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Em Dash", + "Common.Views.SymbolTableDialog.textEmSpace": "Em Space", + "Common.Views.SymbolTableDialog.textEnDash": "En Dash", + "Common.Views.SymbolTableDialog.textEnSpace": "En Space", "Common.Views.SymbolTableDialog.textFont": "Huruf", - "Common.Views.SymbolTableDialog.textSpecial": "karakter khusus", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hyphen Non-breaking", + "Common.Views.SymbolTableDialog.textNBSpace": "Spasi Tanpa-break", + "Common.Views.SymbolTableDialog.textPilcrow": "Simbol Pilcrow", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 Em Space", + "Common.Views.SymbolTableDialog.textRange": "Rentang", + "Common.Views.SymbolTableDialog.textRecent": "Simbol yang baru digunakan", + "Common.Views.SymbolTableDialog.textRegistered": "Tandatangan Teregistrasi", + "Common.Views.SymbolTableDialog.textSCQuote": "Kutip Satu Penutup", + "Common.Views.SymbolTableDialog.textSection": "Sesi Tandatangan", + "Common.Views.SymbolTableDialog.textShortcut": "Kunci Shortcut", + "Common.Views.SymbolTableDialog.textSHyphen": "Soft Hyphen", + "Common.Views.SymbolTableDialog.textSOQuote": "Kutip Satu Pembuka", + "Common.Views.SymbolTableDialog.textSpecial": "Karakter khusus", "Common.Views.SymbolTableDialog.textSymbols": "Simbol", - "DE.Controllers.LeftMenu.leavePageText": "All unsaved changes in this document will be lost.
    Click \"Cancel\" then \"Save\" to save them. Click \"OK\" to discard all the unsaved changes.", + "Common.Views.SymbolTableDialog.textTitle": "Simbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Simbol Trademark ", + "Common.Views.UserNameDialog.textDontShow": "Jangan tanya saya lagi", + "Common.Views.UserNameDialog.textLabel": "Label:", + "Common.Views.UserNameDialog.textLabelError": "Label tidak boleh kosong.", + "DE.Controllers.LeftMenu.leavePageText": "Semua perubahan yang tidak tersimpan di dokumen ini akan hilang.
    Klik \"Batal\" lalu \"Simpan\" untuk menyimpan. Klik \"OK\" untuk membuang semua perubahan yang tidak tersimpan.", "DE.Controllers.LeftMenu.newDocumentTitle": "Dokumen tidak bernama", - "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning", + "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Peringatan", "DE.Controllers.LeftMenu.requestEditRightsText": "Meminta hak editing...", - "DE.Controllers.LeftMenu.textLoadHistory": "Loading version history...", + "DE.Controllers.LeftMenu.textLoadHistory": "Loading versi riwayat...", "DE.Controllers.LeftMenu.textNoTextFound": "Data yang Anda cari tidak ditemukan. Silakan atur opsi pencarian Anda.", "DE.Controllers.LeftMenu.textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", - "DE.Controllers.LeftMenu.textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti.", - "DE.Controllers.LeftMenu.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
    Are you sure you want to continue?", + "DE.Controllers.LeftMenu.textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti {0}", + "DE.Controllers.LeftMenu.txtCompatible": "Dokumen akan disimpan ke format baru. Semua fitur editor akan diizinkan digunakan, tapi, mungkin akan mempengaruhi tampilan dokumen.
    Gunakan opsi 'Kompatibilitas' di pengaturan tingkat lanjut jika Anda ingin membuat file kompatibel dengan versi MS Word lama.", + "DE.Controllers.LeftMenu.txtUntitled": "Tanpa Judul", + "DE.Controllers.LeftMenu.warnDownloadAs": "Jika Anda lanjut simpan dengan format ini, semua fitur kecuali teks akan hilang.
    Apakah Anda ingin melanjutkan?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "{0} Anda akan dikonversi ke format yang bisa diedit. Hal ini mungkin akan membutuhkan waktu. Dokumen yang dihasilkan akan dioptimalkan untuk memungkinkan Anda mengedit teks, sehingga mungkin tidak terlihat persis seperti aslinya {0}, terutama jika file asli berisi banyak gambar.", + "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Jika Anda lanjut simpan dengan format ini, beberapa format lain mungkin akan terhapus.
    Apakah Anda ingin melanjutkan?", "DE.Controllers.Main.applyChangesTextText": "Memuat perubahan...", "DE.Controllers.Main.applyChangesTitleText": "Memuat Perubahan", "DE.Controllers.Main.convertationTimeoutText": "Waktu konversi habis.", "DE.Controllers.Main.criticalErrorExtText": "Tekan \"OK\" untuk kembali ke daftar dokumen.", - "DE.Controllers.Main.criticalErrorTitle": "Error", + "DE.Controllers.Main.criticalErrorTitle": "Kesalahan", "DE.Controllers.Main.downloadErrorText": "Unduhan gagal.", - "DE.Controllers.Main.downloadMergeText": "Downloading...", - "DE.Controllers.Main.downloadMergeTitle": "Downloading", + "DE.Controllers.Main.downloadMergeText": "Mengunduh...", + "DE.Controllers.Main.downloadMergeTitle": "Mengunduh", "DE.Controllers.Main.downloadTextText": "Mengunduh dokumen...", "DE.Controllers.Main.downloadTitleText": "Mengunduh Dokumen", + "DE.Controllers.Main.errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
    Silakan hubungi admin Server Dokumen Anda.", + "DE.Controllers.Main.errorBadImageUrl": "URL Gambar salah", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Koneksi server terputus. Saat ini dokumen tidak dapat diedit.", - "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": "Error eksternal.
    Koneksi basis data error. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "DE.Controllers.Main.errorComboSeries": "Untuk membuat grafik kombinasi, pilih setidaknya dua seri data.", + "DE.Controllers.Main.errorCompare": "Fitur Membandingkan Dokumen tidak tersedia saat co-editing. ", + "DE.Controllers.Main.errorConnectToServer": "Dokumen tidak bisa disimpan. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
    Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "DE.Controllers.Main.errorDatabaseConnection": "Eror eksternal.
    Koneksi database bermasalah. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "DE.Controllers.Main.errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", "DE.Controllers.Main.errorDataRange": "Rentang data salah.", - "DE.Controllers.Main.errorDefaultMessage": "Kode error: %1", + "DE.Controllers.Main.errorDefaultMessage": "Kode kesalahan: %1", + "DE.Controllers.Main.errorDirectUrl": "Silakan verifikasi link ke dokumen.
    Link ini harus langsung menuju file target untuk download.", + "DE.Controllers.Main.errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
    Gunakan opsi 'Download sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "DE.Controllers.Main.errorEditingSaveas": "Ada kesalahan saat bekerja dengan dokumen.
    Gunakan opsi 'Simpan sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "DE.Controllers.Main.errorEmailClient": "Email klein tidak bisa ditemukan.", "DE.Controllers.Main.errorFilePassProtect": "Dokumen dilindungi dengan kata sandi dan tidak dapat dibuka.", + "DE.Controllers.Main.errorFileSizeExceed": "Ukuran file melewati batas server Anda.
    Silakan hubungi admin Server Dokumen Anda untuk detail.", + "DE.Controllers.Main.errorForceSave": "Ada kesalahan saat menyimpan file. Silakan gunakan opsi 'Download sebagai' untuk menyimpan file ke komputer Anda dan coba lagi.", "DE.Controllers.Main.errorKeyEncrypt": "Deskriptor kunci tidak dikenal", "DE.Controllers.Main.errorKeyExpire": "Deskriptor kunci tidak berfungsi", - "DE.Controllers.Main.errorMailMergeLoadFile": "Loading failed", - "DE.Controllers.Main.errorMailMergeSaveFile": "Merge failed.", + "DE.Controllers.Main.errorLoadingFont": "Font tidak bisa dimuat.
    Silakan kontak admin Server Dokumen Anda.", + "DE.Controllers.Main.errorMailMergeLoadFile": "Loading dokumen gagal. Silakan coba dengan file lain.", + "DE.Controllers.Main.errorMailMergeSaveFile": "Merge gagal.", "DE.Controllers.Main.errorProcessSaveResult": "Gagal menyimpan.", + "DE.Controllers.Main.errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "DE.Controllers.Main.errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "DE.Controllers.Main.errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "DE.Controllers.Main.errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "DE.Controllers.Main.errorSetPassword": "Password tidak bisa diatur.", "DE.Controllers.Main.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
    harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "DE.Controllers.Main.errorSubmit": "Submit gagal.", + "DE.Controllers.Main.errorToken": "Token keamanan dokumen tidak dibentuk dengan tepat.
    Silakan hubungi admin Server Dokumen Anda.", + "DE.Controllers.Main.errorTokenExpire": "Token keamanan dokumen sudah kadaluwarsa.
    Silakan hubungi admin Server Dokumen Anda.", "DE.Controllers.Main.errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", - "DE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", + "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
    Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "DE.Controllers.Main.errorUserDrop": "File tidak bisa diakses sekarang.", "DE.Controllers.Main.errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", - "DE.Controllers.Main.leavePageText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik \"Tetap di Halaman Ini\", kemudian \"Simpan\" untuk menyimpan perubahan tersebut. Klik \"Tinggalkan Halaman Ini\" untuk membatalkan semua perubahan yang belum disimpan.", + "DE.Controllers.Main.errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
    tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "DE.Controllers.Main.leavePageText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik \"Tetap di Halaman Ini” kemudian \"Simpan\" untuk menyimpan perubahan tersebut. Klik \"Tinggalkan Halaman Ini\" untuk membatalkan semua perubahan yang belum disimpan.", + "DE.Controllers.Main.leavePageTextOnClose": "Semua perubahan yang tidak tersimpan di dokumen ini akan hilang.
    Klik \"Batal\" lalu \"Simpan\" untuk menyimpan. Klik \"OK\" untuk membuang semua perubahan yang tidak tersimpan.", "DE.Controllers.Main.loadFontsTextText": "Memuat data...", "DE.Controllers.Main.loadFontsTitleText": "Memuat Data", "DE.Controllers.Main.loadFontTextText": "Memuat data...", @@ -285,9 +573,10 @@ "DE.Controllers.Main.loadImageTitleText": "Memuat Gambar", "DE.Controllers.Main.loadingDocumentTextText": "Memuat dokumen...", "DE.Controllers.Main.loadingDocumentTitleText": "Memuat dokumen", - "DE.Controllers.Main.mailMergeLoadFileText": "Loading Data Source...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Loading Data Source", + "DE.Controllers.Main.mailMergeLoadFileText": "Loading Sumber Data...", + "DE.Controllers.Main.mailMergeLoadFileTitle": "Loading Sumber Data...", "DE.Controllers.Main.notcriticalErrorTitle": "Peringatan", + "DE.Controllers.Main.openErrorText": "Eror ketika membuka file.", "DE.Controllers.Main.openTextText": "Membuka Dokumen...", "DE.Controllers.Main.openTitleText": "Membuka Dokumen", "DE.Controllers.Main.printTextText": "Mencetak dokumen...", @@ -295,76 +584,324 @@ "DE.Controllers.Main.reloadButtonText": "Muat Ulang Halaman", "DE.Controllers.Main.requestEditFailedMessageText": "Saat ini dokumen sedang diedit. Silakan coba beberapa saat lagi.", "DE.Controllers.Main.requestEditFailedTitleText": "Akses ditolak", + "DE.Controllers.Main.saveErrorText": "Eror ketika menyimpan file.", + "DE.Controllers.Main.saveErrorTextDesktop": "File tidak bisa disimpan atau dibuat.
    Alasan yang mungkin adalah:
    1. File hanya bisa dibaca.
    2. File sedang diedit user lain.
    3. Memori penuh atau terkorupsi.", "DE.Controllers.Main.saveTextText": "Menyimpan dokumen...", "DE.Controllers.Main.saveTitleText": "Menyimpan Dokumen", - "DE.Controllers.Main.sendMergeText": "Sending Merge...", - "DE.Controllers.Main.sendMergeTitle": "Sending Merge", + "DE.Controllers.Main.scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "DE.Controllers.Main.sendMergeText": "Mengirim Merge...", + "DE.Controllers.Main.sendMergeTitle": "Mengirim Merge", "DE.Controllers.Main.splitDividerErrorText": "Jumlah baris harus merupakan pembagi %1.", "DE.Controllers.Main.splitMaxColsErrorText": "Jumlah kolom harus kurang dari %1.", "DE.Controllers.Main.splitMaxRowsErrorText": "Jumlah haris harus kurang dari %1.", "DE.Controllers.Main.textAnonymous": "Anonim", + "DE.Controllers.Main.textApplyAll": "Terapkan untuk semua persamaan", + "DE.Controllers.Main.textBuyNow": "Kunjungi website", + "DE.Controllers.Main.textChangesSaved": "Semua perubahan tersimpan", "DE.Controllers.Main.textClose": "Tutup", "DE.Controllers.Main.textCloseTip": "Klik untuk menutup tips", + "DE.Controllers.Main.textContactUs": "Hubungi sales", + "DE.Controllers.Main.textConvertEquation": "Persamaan ini dibuat dengan editor persamaan versi lama yang sudah tidak didukung. Untuk edit, konversikan persamaan ke format Office Math ML.
    Konversi sekarang?", + "DE.Controllers.Main.textCustomLoader": "Perlu diketahui bahwa berdasarkan syarat dari lisensi, Anda tidak bisa untuk mengganti loader.
    Silakan hubungi Departemen Penjualan kami untuk mendapatkan harga.", + "DE.Controllers.Main.textDisconnect": "Koneksi terputus", "DE.Controllers.Main.textGuest": "Tamu", + "DE.Controllers.Main.textHasMacros": "File berisi macros otomatis.
    Apakah Anda ingin menjalankan macros?", "DE.Controllers.Main.textLearnMore": "Pelajari selengkapnya", "DE.Controllers.Main.textLoadingDocument": "Memuat dokumen", - "DE.Controllers.Main.textStrict": "Strict mode", - "DE.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.", + "DE.Controllers.Main.textLongName": "Masukkan nama maksimum 128 karakter.", + "DE.Controllers.Main.textNoLicenseTitle": "Batas lisensi sudah tercapai", + "DE.Controllers.Main.textPaidFeature": "Fitur berbayar", + "DE.Controllers.Main.textReconnect": "Koneksi terhubung kembali", + "DE.Controllers.Main.textRemember": "Ingat pilihan saya untuk semua file", + "DE.Controllers.Main.textRenameError": "Nama user tidak boleh kosong.", + "DE.Controllers.Main.textRenameLabel": "Masukkan nama untuk digunakan di kolaborasi", + "DE.Controllers.Main.textShape": "Bentuk", + "DE.Controllers.Main.textStrict": "Mode strict", + "DE.Controllers.Main.textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.
    Klik tombol 'Mode strict' untuk mengganti ke Mode Strict Co-editing untuk edit file tanpa gangguan dari user lain dan kirim perubahan Anda hanya setelah Anda menyimpannya. Anda bisa mengganti mode co-editing menggunakan editor di pengaturan lanjut.", + "DE.Controllers.Main.textTryUndoRedoWarn": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "DE.Controllers.Main.titleLicenseExp": "Lisensi kadaluwarsa", + "DE.Controllers.Main.titleServerVersion": "Editor mengupdate", "DE.Controllers.Main.titleUpdateVersion": "Versi telah diubah", - "DE.Controllers.Main.txtAbove": "Di atas", - "DE.Controllers.Main.txtArt": "Your text here", + "DE.Controllers.Main.txtAbove": "di atas", + "DE.Controllers.Main.txtArt": "Teks Anda di sini", "DE.Controllers.Main.txtBasicShapes": "Bentuk Dasar", - "DE.Controllers.Main.txtBelow": "Di bawah", + "DE.Controllers.Main.txtBelow": "di bawah", + "DE.Controllers.Main.txtBookmarkError": "Kesalahan! Bookmark tidak terdefinisikan.", "DE.Controllers.Main.txtButtons": "Tombol", "DE.Controllers.Main.txtCallouts": "Balon Kata", "DE.Controllers.Main.txtCharts": "Bagan", - "DE.Controllers.Main.txtDiagramTitle": "Chart Title", - "DE.Controllers.Main.txtEditingMode": "Atur mode editing...", - "DE.Controllers.Main.txtErrorLoadHistory": "History loading failed", + "DE.Controllers.Main.txtChoose": "Pilih satu barang", + "DE.Controllers.Main.txtClickToLoad": "Klik untuk memuat gambar", + "DE.Controllers.Main.txtCurrentDocument": "Dokumen Saat Ini", + "DE.Controllers.Main.txtDiagramTitle": "Judul Grafik", + "DE.Controllers.Main.txtEditingMode": "Mengatur mode editing...", + "DE.Controllers.Main.txtEndOfFormula": "Akhir Formula Tidak Terduga", + "DE.Controllers.Main.txtEnterDate": "Masukkan tanggal", + "DE.Controllers.Main.txtErrorLoadHistory": "Memuat riwayat gagal", "DE.Controllers.Main.txtEvenPage": "Halaman Genap", "DE.Controllers.Main.txtFiguredArrows": "Tanda Panah Berpola", + "DE.Controllers.Main.txtFirstPage": "Halaman Pertama", + "DE.Controllers.Main.txtFooter": "Footer", + "DE.Controllers.Main.txtFormulaNotInTable": "Formula Tidak Ada di Tabel", + "DE.Controllers.Main.txtHeader": "Header", + "DE.Controllers.Main.txtHyperlink": "Hyperlink", + "DE.Controllers.Main.txtIndTooLarge": "Index Terlalu Besar", "DE.Controllers.Main.txtLines": "Garis", + "DE.Controllers.Main.txtMainDocOnly": "Kesalahan! Hanya Dokumen Utama.", "DE.Controllers.Main.txtMath": "Matematika", + "DE.Controllers.Main.txtMissArg": "Argumen Tidak Ditemukan", + "DE.Controllers.Main.txtMissOperator": "Operator Tidak Ditemukan", "DE.Controllers.Main.txtNeedSynchronize": "Ada pembaruan", - "DE.Controllers.Main.txtNone": "tidak ada", + "DE.Controllers.Main.txtNone": "Tidak ada", + "DE.Controllers.Main.txtNoTableOfContents": "Tidak ada heading di dokumen. Terapkan style heading ke teks agar bisa terlihat di daftar isi.", + "DE.Controllers.Main.txtNoTableOfFigures": "Tidak ada daftar gambar yang ditemukan.", + "DE.Controllers.Main.txtNoText": "Kesalahan! Tidak ada teks dengan style sesuai spesifikasi di dokumen.", + "DE.Controllers.Main.txtNotInTable": "Tidak Ada di Tabel", + "DE.Controllers.Main.txtNotValidBookmark": "Kesalahan! Bukan bookmark self-reference yang valid.", + "DE.Controllers.Main.txtOddPage": "Halaman Ganjil", + "DE.Controllers.Main.txtOnPage": "di halaman", "DE.Controllers.Main.txtRectangles": "Persegi Panjang", - "DE.Controllers.Main.txtSeries": "Series", + "DE.Controllers.Main.txtSameAsPrev": "Sama seperti Sebelumnya", + "DE.Controllers.Main.txtSection": "-Sesi", + "DE.Controllers.Main.txtSeries": "Seri", + "DE.Controllers.Main.txtShape_accentBorderCallout1": "Garis Callout 1 (Border dan Accent Bar)", + "DE.Controllers.Main.txtShape_accentBorderCallout2": "Garis Callout 2 (Border dan Accent Bar)", + "DE.Controllers.Main.txtShape_accentBorderCallout3": "Garis Callout 3 (Border dan Accent Bar)", + "DE.Controllers.Main.txtShape_accentCallout1": "Garis Callout 1 (Accent Bar)", + "DE.Controllers.Main.txtShape_accentCallout2": "Garis Callout 2 (Accent Bar)", + "DE.Controllers.Main.txtShape_accentCallout3": "Garis Callout 3 (Accent Bar)", + "DE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tombol Kembali atau Sebelumnya", + "DE.Controllers.Main.txtShape_actionButtonBeginning": "Tombol Awal", + "DE.Controllers.Main.txtShape_actionButtonBlank": "Tombol Kosong", + "DE.Controllers.Main.txtShape_actionButtonDocument": "Tombol Dokumen", + "DE.Controllers.Main.txtShape_actionButtonEnd": "Tombol Akhir", + "DE.Controllers.Main.txtShape_actionButtonForwardNext": "Maju atau Tombol Selanjutnya", + "DE.Controllers.Main.txtShape_actionButtonHelp": "Tombol Batuan", + "DE.Controllers.Main.txtShape_actionButtonHome": "Tombol Beranda", + "DE.Controllers.Main.txtShape_actionButtonInformation": "Tombol Informasi", + "DE.Controllers.Main.txtShape_actionButtonMovie": "Tombol Movie", + "DE.Controllers.Main.txtShape_actionButtonReturn": "Tombol Kembali", + "DE.Controllers.Main.txtShape_actionButtonSound": "Tombol Suara", + "DE.Controllers.Main.txtShape_arc": "Arc", + "DE.Controllers.Main.txtShape_bentArrow": "Panah Bengkok", + "DE.Controllers.Main.txtShape_bentConnector5": "Konektor Siku", + "DE.Controllers.Main.txtShape_bentConnector5WithArrow": "Panah Konektor Siku", + "DE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Panah Ganda Konektor Siku", + "DE.Controllers.Main.txtShape_bentUpArrow": "Panah Kelok Atas", "DE.Controllers.Main.txtShape_bevel": "Miring", + "DE.Controllers.Main.txtShape_blockArc": "Block Arc", + "DE.Controllers.Main.txtShape_borderCallout1": "Garis Callout 1", + "DE.Controllers.Main.txtShape_borderCallout2": "Garis Callout 2", + "DE.Controllers.Main.txtShape_borderCallout3": "Garis Callout 3", + "DE.Controllers.Main.txtShape_bracePair": "Kurung Ganda", + "DE.Controllers.Main.txtShape_callout1": "Garis Callout 1 (No Border)", + "DE.Controllers.Main.txtShape_callout2": "Garis Callout 2 (No Border)", + "DE.Controllers.Main.txtShape_callout3": "Garis Callout 3 (No Border)", + "DE.Controllers.Main.txtShape_can": "Bisa", + "DE.Controllers.Main.txtShape_chevron": "Chevron", + "DE.Controllers.Main.txtShape_chord": "Chord", + "DE.Controllers.Main.txtShape_circularArrow": "Panah Sirkular", + "DE.Controllers.Main.txtShape_cloud": "Cloud", + "DE.Controllers.Main.txtShape_cloudCallout": "Cloud Callout", + "DE.Controllers.Main.txtShape_corner": "Sudut", + "DE.Controllers.Main.txtShape_cube": "Kubus", + "DE.Controllers.Main.txtShape_curvedConnector3": "Konektor Lengkung", + "DE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Panah Konektor Lengkung", + "DE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Panah Ganda Konektor Lengkung", + "DE.Controllers.Main.txtShape_curvedDownArrow": "Panah Kelok Bawah", + "DE.Controllers.Main.txtShape_curvedLeftArrow": "Panah Kelok Kiri", + "DE.Controllers.Main.txtShape_curvedRightArrow": "Panah Kelok Kanan", + "DE.Controllers.Main.txtShape_curvedUpArrow": "Panah Kelok Atas", + "DE.Controllers.Main.txtShape_decagon": "Decagon", + "DE.Controllers.Main.txtShape_diagStripe": "Strip Diagonal", + "DE.Controllers.Main.txtShape_diamond": "Diamond", + "DE.Controllers.Main.txtShape_dodecagon": "Dodecagon", + "DE.Controllers.Main.txtShape_donut": "Donut", + "DE.Controllers.Main.txtShape_doubleWave": "Gelombang Ganda", + "DE.Controllers.Main.txtShape_downArrow": "Panah Kebawah", + "DE.Controllers.Main.txtShape_downArrowCallout": "Seranta Panah Bawah", + "DE.Controllers.Main.txtShape_ellipse": "Elips", + "DE.Controllers.Main.txtShape_ellipseRibbon": "Pita Kelok Bawah", + "DE.Controllers.Main.txtShape_ellipseRibbon2": "Pita Kelok Atas", + "DE.Controllers.Main.txtShape_flowChartAlternateProcess": "Diagram Alir: Proses Alternatif", + "DE.Controllers.Main.txtShape_flowChartCollate": "Diagram Alir: Collate", + "DE.Controllers.Main.txtShape_flowChartConnector": "Diagram Alir: Konektor", + "DE.Controllers.Main.txtShape_flowChartDecision": "Diagram Alir: Keputusan", + "DE.Controllers.Main.txtShape_flowChartDelay": "Diagram Alir: Delay", + "DE.Controllers.Main.txtShape_flowChartDisplay": "Diagram Alir: Tampilan", + "DE.Controllers.Main.txtShape_flowChartDocument": "Diagram Alir: Dokumen", + "DE.Controllers.Main.txtShape_flowChartExtract": "Diagram Alir: Ekstrak", + "DE.Controllers.Main.txtShape_flowChartInputOutput": "Diagram Alir: Data", + "DE.Controllers.Main.txtShape_flowChartInternalStorage": "Diagram Alir: Memori Internal", + "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "Diagram Alir: Magnetic Disk", + "DE.Controllers.Main.txtShape_flowChartMagneticDrum": "Diagram Alir: Direct Access Storage", + "DE.Controllers.Main.txtShape_flowChartMagneticTape": "Diagram Alir: Sequential Access Storage", + "DE.Controllers.Main.txtShape_flowChartManualInput": "Diagram Alir: Input Manual", + "DE.Controllers.Main.txtShape_flowChartManualOperation": "Diagram Alir: Operasi Manual", + "DE.Controllers.Main.txtShape_flowChartMerge": "Diagram Alir: Merge", + "DE.Controllers.Main.txtShape_flowChartMultidocument": "Diagram Alir: Multidokumen ", + "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "Diagram Alir: Off-page Penghubung", + "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "Diagram Alir: Stored Data", + "DE.Controllers.Main.txtShape_flowChartOr": "Diagram Alir: Atau", + "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Diagram Alir: Predefined Process", + "DE.Controllers.Main.txtShape_flowChartPreparation": "Diagram Alir: Preparasi", + "DE.Controllers.Main.txtShape_flowChartProcess": "Diagram Alir: Proses", + "DE.Controllers.Main.txtShape_flowChartPunchedCard": "Diagram Alir: Kartu", + "DE.Controllers.Main.txtShape_flowChartPunchedTape": "Diagram Alir: Punched Tape", + "DE.Controllers.Main.txtShape_flowChartSort": "Diagram Alir: Sortasi", + "DE.Controllers.Main.txtShape_flowChartSummingJunction": "Diagram Alir: Summing Junction", + "DE.Controllers.Main.txtShape_flowChartTerminator": "Diagram Alir: Terminator", + "DE.Controllers.Main.txtShape_foldedCorner": "Sudut Folder", "DE.Controllers.Main.txtShape_frame": "Kerangka", + "DE.Controllers.Main.txtShape_halfFrame": "Setengah Bingkai", + "DE.Controllers.Main.txtShape_heart": "Hati", + "DE.Controllers.Main.txtShape_heptagon": "Heptagon", + "DE.Controllers.Main.txtShape_hexagon": "Heksagon", + "DE.Controllers.Main.txtShape_homePlate": "Pentagon", + "DE.Controllers.Main.txtShape_horizontalScroll": "Scroll Horizontal", + "DE.Controllers.Main.txtShape_irregularSeal1": "Ledakan 1", + "DE.Controllers.Main.txtShape_irregularSeal2": "Ledakan 2", "DE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "DE.Controllers.Main.txtShape_leftArrowCallout": "Seranta Panah Kiri", + "DE.Controllers.Main.txtShape_leftBrace": "Brace Kiri", + "DE.Controllers.Main.txtShape_leftBracket": "Kurung Kurawal Kiri", + "DE.Controllers.Main.txtShape_leftRightArrow": "Panah Kiri Kanan", + "DE.Controllers.Main.txtShape_leftRightArrowCallout": "Seranta Panah Kiri Kanan", + "DE.Controllers.Main.txtShape_leftRightUpArrow": "Panah Kiri Kanan Atas", + "DE.Controllers.Main.txtShape_leftUpArrow": "Panah Kiri Atas", + "DE.Controllers.Main.txtShape_lightningBolt": "Petir", "DE.Controllers.Main.txtShape_line": "Garis", + "DE.Controllers.Main.txtShape_lineWithArrow": "Panah", + "DE.Controllers.Main.txtShape_lineWithTwoArrows": "Panah Ganda", + "DE.Controllers.Main.txtShape_mathDivide": "Divisi", "DE.Controllers.Main.txtShape_mathEqual": "Setara", "DE.Controllers.Main.txtShape_mathMinus": "Minus", + "DE.Controllers.Main.txtShape_mathMultiply": "Perkalian", + "DE.Controllers.Main.txtShape_mathNotEqual": "Tidak Sama", "DE.Controllers.Main.txtShape_mathPlus": "Plus", + "DE.Controllers.Main.txtShape_moon": "Bulan", + "DE.Controllers.Main.txtShape_noSmoking": "\"No\" simbol", + "DE.Controllers.Main.txtShape_notchedRightArrow": "Panah Takik Kanan", + "DE.Controllers.Main.txtShape_octagon": "Oktagon", + "DE.Controllers.Main.txtShape_parallelogram": "Parallelogram", + "DE.Controllers.Main.txtShape_pentagon": "Pentagon", "DE.Controllers.Main.txtShape_pie": "Diagram Lingkaran", + "DE.Controllers.Main.txtShape_plaque": "Plus", "DE.Controllers.Main.txtShape_plus": "Plus", + "DE.Controllers.Main.txtShape_polyline1": "Scribble", + "DE.Controllers.Main.txtShape_polyline2": "Bentuk bebas", + "DE.Controllers.Main.txtShape_quadArrow": "Panah Empat Mata", + "DE.Controllers.Main.txtShape_quadArrowCallout": "Seranta Panah Empat Mata", + "DE.Controllers.Main.txtShape_rect": "Kotak", + "DE.Controllers.Main.txtShape_ribbon": "Pita Bawah", + "DE.Controllers.Main.txtShape_ribbon2": "Pita Keatas", "DE.Controllers.Main.txtShape_rightArrow": "Tanda Panah ke Kanan", + "DE.Controllers.Main.txtShape_rightArrowCallout": "Seranta Panah Kanan", + "DE.Controllers.Main.txtShape_rightBrace": "Brace Kanan", + "DE.Controllers.Main.txtShape_rightBracket": "Kurung Kurawal Kanan", + "DE.Controllers.Main.txtShape_round1Rect": "Persegi Panjang Sudut Lengkung Single", + "DE.Controllers.Main.txtShape_round2DiagRect": "Persegi Panjang Sudut Lengkung Diagonal", + "DE.Controllers.Main.txtShape_round2SameRect": "Persegi Panjang Sudut Lengkung Sama Sisi", + "DE.Controllers.Main.txtShape_roundRect": "Persegi Panjang Sudut Lengkung", + "DE.Controllers.Main.txtShape_rtTriangle": "Segitiga Siku-Siku", + "DE.Controllers.Main.txtShape_smileyFace": "Wajah Senyum", + "DE.Controllers.Main.txtShape_snip1Rect": "Snip Persegi Panjang Sudut Single", + "DE.Controllers.Main.txtShape_snip2DiagRect": "Snip Persegi Panjang Sudut Lengkung Diagonal", + "DE.Controllers.Main.txtShape_snip2SameRect": "Snip Persegi Panjang Sudut Lengkung Sama Sisi", + "DE.Controllers.Main.txtShape_snipRoundRect": "Snip dan Persegi Panjang Sudut Lengkung Single", + "DE.Controllers.Main.txtShape_spline": "Lengkung", + "DE.Controllers.Main.txtShape_star10": "Bintang Titik-10", + "DE.Controllers.Main.txtShape_star12": "Bintang Titik-12", + "DE.Controllers.Main.txtShape_star16": "Bintang Titik-16", + "DE.Controllers.Main.txtShape_star24": "Bintang Titik-24", + "DE.Controllers.Main.txtShape_star32": "Bintang Titik-32", + "DE.Controllers.Main.txtShape_star4": "Bintang Titik-4", + "DE.Controllers.Main.txtShape_star5": "Bintang Titik-5", + "DE.Controllers.Main.txtShape_star6": "Bintang Titik-6", + "DE.Controllers.Main.txtShape_star7": "Bintang Titik-7", + "DE.Controllers.Main.txtShape_star8": "Bintang Titik-8", + "DE.Controllers.Main.txtShape_stripedRightArrow": "Panah Putus-Putus Kanan", + "DE.Controllers.Main.txtShape_sun": "Matahari", + "DE.Controllers.Main.txtShape_teardrop": "Teardrop", + "DE.Controllers.Main.txtShape_textRect": "Kotak Teks", + "DE.Controllers.Main.txtShape_trapezoid": "Trapezoid", + "DE.Controllers.Main.txtShape_triangle": "Segitiga", + "DE.Controllers.Main.txtShape_upArrow": "Panah keatas", + "DE.Controllers.Main.txtShape_upArrowCallout": "Seranta Panah Atas", + "DE.Controllers.Main.txtShape_upDownArrow": "Panah Atas Bawah", + "DE.Controllers.Main.txtShape_uturnArrow": "Panah Balik", + "DE.Controllers.Main.txtShape_verticalScroll": "Scroll Vertikal", + "DE.Controllers.Main.txtShape_wave": "Gelombang", + "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "Callout Oval", + "DE.Controllers.Main.txtShape_wedgeRectCallout": "Callout Kotak", + "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Callout Persegi Panjang Sudut Lengkung", "DE.Controllers.Main.txtStarsRibbons": "Bintang & Pita", + "DE.Controllers.Main.txtStyle_Caption": "Caption", + "DE.Controllers.Main.txtStyle_endnote_text": "Teks Endnote", + "DE.Controllers.Main.txtStyle_footnote_text": "Teks Footnote", + "DE.Controllers.Main.txtStyle_Heading_1": "Heading 1", + "DE.Controllers.Main.txtStyle_Heading_2": "Heading 2", + "DE.Controllers.Main.txtStyle_Heading_3": "Heading 3", + "DE.Controllers.Main.txtStyle_Heading_4": "Heading 4", + "DE.Controllers.Main.txtStyle_Heading_5": "Heading 5", + "DE.Controllers.Main.txtStyle_Heading_6": "Heading 6", + "DE.Controllers.Main.txtStyle_Heading_7": "Heading 7", + "DE.Controllers.Main.txtStyle_Heading_8": "Heading 8", + "DE.Controllers.Main.txtStyle_Heading_9": "Heading 9", + "DE.Controllers.Main.txtStyle_Intense_Quote": "Quote Intens", + "DE.Controllers.Main.txtStyle_List_Paragraph": "List Paragraf", + "DE.Controllers.Main.txtStyle_No_Spacing": "Tanpa Spacing", "DE.Controllers.Main.txtStyle_Normal": "Normal", "DE.Controllers.Main.txtStyle_Quote": "Kutip", + "DE.Controllers.Main.txtStyle_Subtitle": "Subtitle", "DE.Controllers.Main.txtStyle_Title": "Judul", + "DE.Controllers.Main.txtSyntaxError": "Syntax Error", + "DE.Controllers.Main.txtTableInd": "Index Tabel Tidak Boleh Nol", "DE.Controllers.Main.txtTableOfContents": "Daftar Isi", - "DE.Controllers.Main.txtXAxis": "X Axis", - "DE.Controllers.Main.txtYAxis": "Y Axis", - "DE.Controllers.Main.unknownErrorText": "Error tidak dikenal.", - "DE.Controllers.Main.unsupportedBrowserErrorText": "Browser Anda tidak didukung.", + "DE.Controllers.Main.txtTableOfFigures": "Daftar gambar", + "DE.Controllers.Main.txtTOCHeading": "Heading TOC", + "DE.Controllers.Main.txtTooLarge": "Nomor Terlalu Besar untuk Diformat", + "DE.Controllers.Main.txtTypeEquation": "Tulis persamaan disini.", + "DE.Controllers.Main.txtUndefBookmark": "Bookmark Tidak Terdefinisi", + "DE.Controllers.Main.txtXAxis": "Sumbu X", + "DE.Controllers.Main.txtYAxis": "Sumbu Y", + "DE.Controllers.Main.txtZeroDivide": "Pembagi Nol", + "DE.Controllers.Main.unknownErrorText": "Kesalahan tidak diketahui.", + "DE.Controllers.Main.unsupportedBrowserErrorText": "Peramban kamu tidak didukung.", + "DE.Controllers.Main.uploadDocExtMessage": "Format dokumen tidak diketahui.", + "DE.Controllers.Main.uploadDocFileCountMessage": "Tidak ada dokumen yang diupload.", + "DE.Controllers.Main.uploadDocSizeMessage": "Batas ukuran maksimum dokumen terlampaui.", "DE.Controllers.Main.uploadImageExtMessage": "Format gambar tidak dikenal.", "DE.Controllers.Main.uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", - "DE.Controllers.Main.uploadImageSizeMessage": "Melebihi ukuran maksimal file.", + "DE.Controllers.Main.uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Mengunggah gambar...", "DE.Controllers.Main.uploadImageTitleText": "Mengunggah Gambar", "DE.Controllers.Main.waitText": "Silahkan menunggu", - "DE.Controllers.Main.warnBrowserIE9": "Aplikasi ini tidak berjalan dengan baik di IE9. Gunakan IE10 atau versi yang terbaru", + "DE.Controllers.Main.warnBrowserIE9": "Aplikasi ini tidak berjalan dengan baik di IE9. Gunakan IE10 atau versi yang terbaru.", "DE.Controllers.Main.warnBrowserZoom": "Pengaturan pembesaran tampilan pada browser Anda saat ini tidak didukung sepenuhnya. Silakan atur ulang ke tampilan standar dengan menekan Ctrl+0.", + "DE.Controllers.Main.warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
    Hubungi admin Anda untuk mempelajari lebih lanjut.", + "DE.Controllers.Main.warnLicenseExp": "Lisensi Anda sudah kadaluwarsa.
    Silakan update lisensi Anda dan muat ulang halaman.", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa.
    Anda tidak memiliki akses untuk editing dokumen secara keseluruhan.
    Silakan hubungi admin Anda.", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui.
    Anda memiliki akses terbatas untuk edit dokumen.
    Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "DE.Controllers.Main.warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "DE.Controllers.Main.warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
    Hubungi %1 tim sales untuk syarat personal upgrade.", + "DE.Controllers.Main.warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", "DE.Controllers.Main.warnProcessRightsChange": "Hak Anda untuk mengedit file ditolak.", - "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", - "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", + "DE.Controllers.Navigation.txtBeginning": "Awal dokumen", + "DE.Controllers.Navigation.txtGotoBeginning": "Pergi ke awal dokumen", + "DE.Controllers.Statusbar.textDisconnect": "Koneksi terputus
    Mencoba menghubungkan. Silakan periksa pengaturan koneksi.", + "DE.Controllers.Statusbar.textHasChanges": "Perubahan baru sudah dilacak", + "DE.Controllers.Statusbar.textSetTrackChanges": "Anda di mode Lacak Perubahan", + "DE.Controllers.Statusbar.textTrackChanges": "Dokumen dibuka dengan Lacak Perubahan aktif", + "DE.Controllers.Statusbar.tipReview": "Lacak perubahan", "DE.Controllers.Statusbar.zoomText": "Perbesar {0}%", - "DE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
    The text style will be displayed using one of the system fonts, the saved font will be used when it is available.
    Do you want to continue?", - "DE.Controllers.Toolbar.notcriticalErrorTitle": "Warning", + "DE.Controllers.Toolbar.confirmAddFontName": "Font yang akan Anda simpan tidak tersedia di perangkat sekarang.
    Style teks akan ditampilkan menggunakan salah satu font sistem, font yang disimpan akan digunakan jika sudah tersedia.
    Apakah Anda ingin melanjutkan?", + "DE.Controllers.Toolbar.dataUrl": "Paste URL data", + "DE.Controllers.Toolbar.notcriticalErrorTitle": "Peringatan", "DE.Controllers.Toolbar.textAccent": "Aksen", "DE.Controllers.Toolbar.textBracket": "Tanda Kurung", "DE.Controllers.Toolbar.textEmptyImgUrl": "Anda harus menentukan URL gambar.", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "Anda perlu melengkapkan URL.", "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", @@ -376,8 +913,10 @@ "DE.Controllers.Toolbar.textMatrix": "Matriks", "DE.Controllers.Toolbar.textOperator": "Operator", "DE.Controllers.Toolbar.textRadical": "Perakaran", + "DE.Controllers.Toolbar.textRecentlyUsed": "Baru Digunakan", "DE.Controllers.Toolbar.textScript": "Scripts", - "DE.Controllers.Toolbar.textSymbols": "Symbols", + "DE.Controllers.Toolbar.textSymbols": "Simbol", + "DE.Controllers.Toolbar.textTabForms": "Fomulir", "DE.Controllers.Toolbar.textWarning": "Peringatan", "DE.Controllers.Toolbar.txtAccent_Accent": "Akut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Tanda Panah Kanan-Kiri Atas", @@ -393,7 +932,7 @@ "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Kurung Kurawal Atas", "DE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", "DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC Dengan Overbar", - "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y With Overbar", + "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y dengan overbar", "DE.Controllers.Toolbar.txtAccent_DDDot": "Triple Dot", "DE.Controllers.Toolbar.txtAccent_DDot": "Titik Dua", "DE.Controllers.Toolbar.txtAccent_Dot": "Titik", @@ -402,60 +941,60 @@ "DE.Controllers.Toolbar.txtAccent_GroupBot": "Pengelompokan Karakter Di Bawah", "DE.Controllers.Toolbar.txtAccent_GroupTop": "Pengelompokan Karakter Di Atas", "DE.Controllers.Toolbar.txtAccent_HarpoonL": "Panah Tiga Kiri Atas", - "DE.Controllers.Toolbar.txtAccent_HarpoonR": "Rightwards Harpoon Above", - "DE.Controllers.Toolbar.txtAccent_Hat": "Caping", - "DE.Controllers.Toolbar.txtAccent_Smile": "Prosodi ", + "DE.Controllers.Toolbar.txtAccent_HarpoonR": "Harpoon kanan di bawah", + "DE.Controllers.Toolbar.txtAccent_Hat": "Topi", + "DE.Controllers.Toolbar.txtAccent_Smile": "Prosodi", "DE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", "DE.Controllers.Toolbar.txtBracket_Angle": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Tanda Kurung dengan Pemisah", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Tanda Kurung dengan Pemisah", - "DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_Curve": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Tanda Kurung dengan Pemisah", - "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_Custom_1": "Kasus (Dua Kondisi)", "DE.Controllers.Toolbar.txtBracket_Custom_2": "Kasus (Tiga Kondisi)", - "DE.Controllers.Toolbar.txtBracket_Custom_3": "Stack Object", - "DE.Controllers.Toolbar.txtBracket_Custom_4": "Stack Object", + "DE.Controllers.Toolbar.txtBracket_Custom_3": "Tumpuk objek", + "DE.Controllers.Toolbar.txtBracket_Custom_4": "Tumpuk objek", "DE.Controllers.Toolbar.txtBracket_Custom_5": "Contoh Kasus", "DE.Controllers.Toolbar.txtBracket_Custom_6": "Koefisien Binomial", "DE.Controllers.Toolbar.txtBracket_Custom_7": "Koefisien Binomial", "DE.Controllers.Toolbar.txtBracket_Line": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_LineDouble": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_LowLim": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_Round": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Tanda Kurung dengan Pemisah", - "DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_Square": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Tanda Kurung", "DE.Controllers.Toolbar.txtBracket_SquareDouble": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Single Bracket", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Kurung Kurawal Single", "DE.Controllers.Toolbar.txtBracket_UppLim": "Tanda Kurung", - "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Single Bracket", - "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Single Bracket", - "DE.Controllers.Toolbar.txtFractionDiagonal": "Skewed Fraction", + "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Kurung Kurawal Single", + "DE.Controllers.Toolbar.txtFractionDiagonal": "Pecahan miring", "DE.Controllers.Toolbar.txtFractionDifferential_1": "Diferensial", "DE.Controllers.Toolbar.txtFractionDifferential_2": "Diferensial", "DE.Controllers.Toolbar.txtFractionDifferential_3": "Diferensial", "DE.Controllers.Toolbar.txtFractionDifferential_4": "Diferensial", "DE.Controllers.Toolbar.txtFractionHorizontal": "Pecahan Linear", "DE.Controllers.Toolbar.txtFractionPi_2": "Pi Dibagi 2", - "DE.Controllers.Toolbar.txtFractionSmall": "Small Fraction", - "DE.Controllers.Toolbar.txtFractionVertical": "Stacked Fraction", + "DE.Controllers.Toolbar.txtFractionSmall": "Pecahan kecil", + "DE.Controllers.Toolbar.txtFractionVertical": "Pecahan bertumpuk", "DE.Controllers.Toolbar.txtFunction_1_Cos": "Fungsi Kosin Terbalik", "DE.Controllers.Toolbar.txtFunction_1_Cosh": "Fungsi Kosin Hiperbolik Terbalik", "DE.Controllers.Toolbar.txtFunction_1_Cot": "Fungsi Kotangen Terbalik", @@ -477,11 +1016,11 @@ "DE.Controllers.Toolbar.txtFunction_Custom_1": "Sine theta", "DE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", "DE.Controllers.Toolbar.txtFunction_Custom_3": "Tangent formula", - "DE.Controllers.Toolbar.txtFunction_Sec": "Secant Function", + "DE.Controllers.Toolbar.txtFunction_Sec": "Fungsi sekan", "DE.Controllers.Toolbar.txtFunction_Sech": "Fungsi Sekans Hiperbolik", - "DE.Controllers.Toolbar.txtFunction_Sin": "Sine Function", + "DE.Controllers.Toolbar.txtFunction_Sin": "Fungsi sinus", "DE.Controllers.Toolbar.txtFunction_Sinh": "Fungsi Sin Hiperbolik", - "DE.Controllers.Toolbar.txtFunction_Tan": "Tangent Function", + "DE.Controllers.Toolbar.txtFunction_Tan": "Fungsi tangen", "DE.Controllers.Toolbar.txtFunction_Tanh": "Fungsi Tangen Hiperbolik", "DE.Controllers.Toolbar.txtIntegral": "Integral", "DE.Controllers.Toolbar.txtIntegral_dtheta": "Theta Diferensial", @@ -493,17 +1032,17 @@ "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integral Ganda", "DE.Controllers.Toolbar.txtIntegralOriented": "Integral Kontur", "DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral Kontur", - "DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Surface Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Surface Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Surface Integral", + "DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Permukaan integral", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Permukaan integral", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Permukaan integral", "DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral Kontur", - "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume Integral", - "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume Integral", + "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume integral", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume integral", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume integral", "DE.Controllers.Toolbar.txtIntegralSubSup": "Integral", - "DE.Controllers.Toolbar.txtIntegralTriple": "Triple Integral", - "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple Integral", - "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple Integral", + "DE.Controllers.Toolbar.txtIntegralTriple": "Triple integral", + "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple integral", + "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple integral", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Wedge", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Wedge", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Wedge", @@ -514,9 +1053,9 @@ "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Ko-Produk", "DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Ko-Produk", "DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Ko-Produk", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Summation", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Penjumlahan", "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produk", "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", @@ -534,11 +1073,11 @@ "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produk", "DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produk", "DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produk", - "DE.Controllers.Toolbar.txtLargeOperator_Sum": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Summation", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Summation", + "DE.Controllers.Toolbar.txtLargeOperator_Sum": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Penjumlahan", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Penjumlahan", "DE.Controllers.Toolbar.txtLargeOperator_Union": "Union", "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union", "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union", @@ -552,8 +1091,8 @@ "DE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritma", "DE.Controllers.Toolbar.txtLimitLog_Max": "Maksimal", "DE.Controllers.Toolbar.txtLimitLog_Min": "Minimum", - "DE.Controllers.Toolbar.txtMarginsH": "Top and bottom margins are too high for a given page height", - "DE.Controllers.Toolbar.txtMarginsW": "Left and right margins are too wide for a given page width", + "DE.Controllers.Toolbar.txtMarginsH": "Margin atas dan bawah terlalu jauh untuk halaman setinggi ini", + "DE.Controllers.Toolbar.txtMarginsW": "Margin kiri dan kanan terlalu besar dengan lebar halaman yang ada", "DE.Controllers.Toolbar.txtMatrix_1_2": "1x2 Matriks Kosong", "DE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Matriks Kosong", "DE.Controllers.Toolbar.txtMatrix_2_1": "2x1 Matriks Kosong", @@ -569,7 +1108,7 @@ "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Titik Bawah", "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Titik Tengah", "DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Titik Diagonal", - "DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Vertical Dots", + "DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Titik Vertikal", "DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Sparse Matrix", "DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Sparse Matrix", "DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 Matriks Identitas", @@ -580,7 +1119,7 @@ "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Panah Kiri Bawah", "DE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Panah Kiri Atas", - "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Rightwards Arrow Below", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Panah kanan di bawah", "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Tanda Panah ke Kanan Atas", "DE.Controllers.Toolbar.txtOperator_ColonEquals": "Titik Dua", "DE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", @@ -591,26 +1130,26 @@ "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Panah Kiri Bawah", "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Panah Kiri Atas", - "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Rightwards Arrow Below", - "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Rightwards Arrow Above", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Panah kanan di bawah", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Tanda Panah ke Kanan Atas", "DE.Controllers.Toolbar.txtOperator_EqualsEquals": "Setara Setara", "DE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus Sama Dengan", "DE.Controllers.Toolbar.txtOperator_PlusEquals": "Plus Sama Dengan", "DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Diukur Berdasar", "DE.Controllers.Toolbar.txtRadicalCustom_1": "Akar", "DE.Controllers.Toolbar.txtRadicalCustom_2": "Akar", - "DE.Controllers.Toolbar.txtRadicalRoot_2": "Square Root With Degree", + "DE.Controllers.Toolbar.txtRadicalRoot_2": "Akar dengan pangkat", "DE.Controllers.Toolbar.txtRadicalRoot_3": "Akar Pangkat Tiga", "DE.Controllers.Toolbar.txtRadicalRoot_n": "Akar Dengan Derajat", - "DE.Controllers.Toolbar.txtRadicalSqrt": "Square Root", - "DE.Controllers.Toolbar.txtScriptCustom_1": "Script", - "DE.Controllers.Toolbar.txtScriptCustom_2": "Script", - "DE.Controllers.Toolbar.txtScriptCustom_3": "Script", - "DE.Controllers.Toolbar.txtScriptCustom_4": "Script", - "DE.Controllers.Toolbar.txtScriptSub": "Subscript", - "DE.Controllers.Toolbar.txtScriptSubSup": "Subscript-Superscript", + "DE.Controllers.Toolbar.txtRadicalSqrt": "Akar pangkat dua", + "DE.Controllers.Toolbar.txtScriptCustom_1": "Akar", + "DE.Controllers.Toolbar.txtScriptCustom_2": "Akar", + "DE.Controllers.Toolbar.txtScriptCustom_3": "Akar", + "DE.Controllers.Toolbar.txtScriptCustom_4": "Akar", + "DE.Controllers.Toolbar.txtScriptSub": "Subskrip", + "DE.Controllers.Toolbar.txtScriptSubSup": "Subskrip-SuperskripKiri", "DE.Controllers.Toolbar.txtScriptSubSupLeft": "Subskrip-SuperskripKiri", - "DE.Controllers.Toolbar.txtScriptSup": "Superscript", + "DE.Controllers.Toolbar.txtScriptSup": "Superskrip", "DE.Controllers.Toolbar.txtSymbol_about": "Kira-Kira", "DE.Controllers.Toolbar.txtSymbol_additional": "Komplemen", "DE.Controllers.Toolbar.txtSymbol_aleph": "Alef", @@ -627,7 +1166,7 @@ "DE.Controllers.Toolbar.txtSymbol_chi": "Chi", "DE.Controllers.Toolbar.txtSymbol_cong": "Kira-Kira Setara Dengan", "DE.Controllers.Toolbar.txtSymbol_cup": "Union", - "DE.Controllers.Toolbar.txtSymbol_ddots": "Serong Kanan Bawah ", + "DE.Controllers.Toolbar.txtSymbol_ddots": "Serong Kanan Bawah", "DE.Controllers.Toolbar.txtSymbol_degree": "Derajat", "DE.Controllers.Toolbar.txtSymbol_delta": "Delta", "DE.Controllers.Toolbar.txtSymbol_div": "Tanda Pembagi", @@ -637,7 +1176,7 @@ "DE.Controllers.Toolbar.txtSymbol_equals": "Setara", "DE.Controllers.Toolbar.txtSymbol_equiv": "Identik Dengan", "DE.Controllers.Toolbar.txtSymbol_eta": "Eta", - "DE.Controllers.Toolbar.txtSymbol_exists": "There Exist", + "DE.Controllers.Toolbar.txtSymbol_exists": "Ada di sana", "DE.Controllers.Toolbar.txtSymbol_factorial": "Faktorial", "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "Derajat Fahrenheit", "DE.Controllers.Toolbar.txtSymbol_forall": "Untuk Semua", @@ -663,7 +1202,7 @@ "DE.Controllers.Toolbar.txtSymbol_neq": "Tidak Sama Dengan", "DE.Controllers.Toolbar.txtSymbol_ni": "Sertakan sebagai Anggota", "DE.Controllers.Toolbar.txtSymbol_not": "Tanda Negasi", - "DE.Controllers.Toolbar.txtSymbol_notexists": "There Does Not Exist", + "DE.Controllers.Toolbar.txtSymbol_notexists": "Tidak ada di sana", "DE.Controllers.Toolbar.txtSymbol_nu": "Nu", "DE.Controllers.Toolbar.txtSymbol_o": "Omikron", "DE.Controllers.Toolbar.txtSymbol_omega": "Omega", @@ -677,48 +1216,78 @@ "DE.Controllers.Toolbar.txtSymbol_psi": "Psi", "DE.Controllers.Toolbar.txtSymbol_qdrt": "Akar Kuadrat", "DE.Controllers.Toolbar.txtSymbol_qed": "Pembuktian Akhir", - "DE.Controllers.Toolbar.txtSymbol_rddots": "Up Right Diagonal Ellipsis", + "DE.Controllers.Toolbar.txtSymbol_rddots": "Elipsis diagonal kanan atas", "DE.Controllers.Toolbar.txtSymbol_rho": "Rho", "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Tanda Panah ke Kanan", "DE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "DE.Controllers.Toolbar.txtSymbol_sqrt": "Tanda Akar", "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", - "DE.Controllers.Toolbar.txtSymbol_therefore": "Therefore", + "DE.Controllers.Toolbar.txtSymbol_therefore": "Oleh karena itu", "DE.Controllers.Toolbar.txtSymbol_theta": "Theta", "DE.Controllers.Toolbar.txtSymbol_times": "Tanda Perkalian", - "DE.Controllers.Toolbar.txtSymbol_uparrow": "Up Arrow", + "DE.Controllers.Toolbar.txtSymbol_uparrow": "Panah keatas", "DE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Varian Epsilon", "DE.Controllers.Toolbar.txtSymbol_varphi": "Varian Phi", "DE.Controllers.Toolbar.txtSymbol_varpi": "Varian Pi", "DE.Controllers.Toolbar.txtSymbol_varrho": "Varian Rho", - "DE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Variant", - "DE.Controllers.Toolbar.txtSymbol_vartheta": "Theta Variant", - "DE.Controllers.Toolbar.txtSymbol_vdots": "Vertical Ellipsis", + "DE.Controllers.Toolbar.txtSymbol_varsigma": "Varian Sigma", + "DE.Controllers.Toolbar.txtSymbol_vartheta": "Varian Theta", + "DE.Controllers.Toolbar.txtSymbol_vdots": "Elipsis vertikal", "DE.Controllers.Toolbar.txtSymbol_xsi": "Xi", "DE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "DE.Controllers.Viewport.textFitPage": "Sesuaikan Halaman", "DE.Controllers.Viewport.textFitWidth": "Sesuaikan Lebar", + "DE.Controllers.Viewport.txtDarkMode": "Mode gelap", + "DE.Views.AddNewCaptionLabelDialog.textLabel": "Label:", + "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Label tidak boleh kosong.", "DE.Views.BookmarksDialog.textAdd": "Tambahkan", + "DE.Views.BookmarksDialog.textBookmarkName": "Nama bookmark", "DE.Views.BookmarksDialog.textClose": "Tutup", "DE.Views.BookmarksDialog.textCopy": "Salin", "DE.Views.BookmarksDialog.textDelete": "Hapus", + "DE.Views.BookmarksDialog.textGetLink": "Dapatkan Link", + "DE.Views.BookmarksDialog.textGoto": "Pergi ke", + "DE.Views.BookmarksDialog.textHidden": "Bookmarks tersembunyi", "DE.Views.BookmarksDialog.textLocation": "Lokasi", "DE.Views.BookmarksDialog.textName": "Nama", "DE.Views.BookmarksDialog.textSort": "Urutkan berdasar", - "DE.Views.CaptionDialog.textAfter": "setelah", + "DE.Views.BookmarksDialog.textTitle": "Bookmarks", + "DE.Views.BookmarksDialog.txtInvalidName": "Nama bookmark hanya bisa dari alfabet, angka, dan garis bawah, dan harus dimulai dengan alfabet", + "DE.Views.CaptionDialog.textAdd": "Tambah label", + "DE.Views.CaptionDialog.textAfter": "Sesudah", "DE.Views.CaptionDialog.textBefore": "Sebelum", + "DE.Views.CaptionDialog.textCaption": "Caption", + "DE.Views.CaptionDialog.textChapter": "Bab dimulai dengan style", + "DE.Views.CaptionDialog.textChapterInc": "Sertakan nomor bab", "DE.Views.CaptionDialog.textColon": "Titik dua", + "DE.Views.CaptionDialog.textDash": "garis putus-putus", + "DE.Views.CaptionDialog.textDelete": "Hapus label", + "DE.Views.CaptionDialog.textEquation": "Persamaan", + "DE.Views.CaptionDialog.textExamples": "Contoh Tabel 2-A, Gambar 1.IV", + "DE.Views.CaptionDialog.textExclude": "Tidak sertakan label dari caption", + "DE.Views.CaptionDialog.textFigure": "Gambar", + "DE.Views.CaptionDialog.textHyphen": "hyphen", "DE.Views.CaptionDialog.textInsert": "Sisipkan", + "DE.Views.CaptionDialog.textLabel": "Label", + "DE.Views.CaptionDialog.textLongDash": "dash panjang", "DE.Views.CaptionDialog.textNumbering": "Penomoran", + "DE.Views.CaptionDialog.textPeriod": "periode", + "DE.Views.CaptionDialog.textSeparator": "Gunakan separator", "DE.Views.CaptionDialog.textTable": "Tabel", + "DE.Views.CaptionDialog.textTitle": "Sisipkan Caption", "DE.Views.CellsAddDialog.textCol": "Kolom", + "DE.Views.CellsAddDialog.textDown": "Di bawah cursor", + "DE.Views.CellsAddDialog.textLeft": "Ke kiri", + "DE.Views.CellsAddDialog.textRight": "Ke kanan", "DE.Views.CellsAddDialog.textRow": "Baris", + "DE.Views.CellsAddDialog.textTitle": "Sisipkan Beberapa", + "DE.Views.CellsAddDialog.textUp": "Diatas kursor", "DE.Views.ChartSettings.textAdvanced": "Tampilkan pengaturan lanjut", "DE.Views.ChartSettings.textChartType": "Ubah Tipe Bagan", "DE.Views.ChartSettings.textEditData": "Edit Data", - "DE.Views.ChartSettings.textHeight": "Ketinggian", - "DE.Views.ChartSettings.textOriginalSize": "Ukuran Standar", + "DE.Views.ChartSettings.textHeight": "Tinggi", + "DE.Views.ChartSettings.textOriginalSize": "Ukuran Sebenarnya", "DE.Views.ChartSettings.textSize": "Ukuran", "DE.Views.ChartSettings.textStyle": "Model", "DE.Views.ChartSettings.textUndock": "Lepaskan dari panel", @@ -734,20 +1303,85 @@ "DE.Views.ChartSettings.txtTopAndBottom": "Atas dan bawah", "DE.Views.ControlSettingsDialog.strGeneral": "Umum", "DE.Views.ControlSettingsDialog.textAdd": "Tambahkan", + "DE.Views.ControlSettingsDialog.textAppearance": "Tampilan", + "DE.Views.ControlSettingsDialog.textApplyAll": "Terapkan untuk Semua", + "DE.Views.ControlSettingsDialog.textBox": "Kotak Pembatas", "DE.Views.ControlSettingsDialog.textChange": "Sunting", + "DE.Views.ControlSettingsDialog.textCheckbox": "Kotak centang", + "DE.Views.ControlSettingsDialog.textChecked": "Simbol yang dicentang", "DE.Views.ControlSettingsDialog.textColor": "Warna", + "DE.Views.ControlSettingsDialog.textCombobox": "Kotak combo", + "DE.Views.ControlSettingsDialog.textDate": "Format Tanggal", "DE.Views.ControlSettingsDialog.textDelete": "Hapus", + "DE.Views.ControlSettingsDialog.textDisplayName": "Nama tampilan", + "DE.Views.ControlSettingsDialog.textDown": "Bawah", + "DE.Views.ControlSettingsDialog.textDropDown": "List drop-down", + "DE.Views.ControlSettingsDialog.textFormat": "Tampilkan tanggal seperti ini", "DE.Views.ControlSettingsDialog.textLang": "Bahasa", + "DE.Views.ControlSettingsDialog.textLock": "Mengunci", "DE.Views.ControlSettingsDialog.textName": "Judul", - "DE.Views.ControlSettingsDialog.textNone": "tidak ada", + "DE.Views.ControlSettingsDialog.textNone": "Tidak ada", + "DE.Views.ControlSettingsDialog.textPlaceholder": "Placeholder", + "DE.Views.ControlSettingsDialog.textShowAs": "Tampilkan sebagai", + "DE.Views.ControlSettingsDialog.textSystemColor": "Sistem", "DE.Views.ControlSettingsDialog.textTag": "Tandai", + "DE.Views.ControlSettingsDialog.textTitle": "Pengaturan Kontrol Konten", + "DE.Views.ControlSettingsDialog.textUnchecked": "Simbol tidak dicentang", "DE.Views.ControlSettingsDialog.textUp": "Naik", "DE.Views.ControlSettingsDialog.textValue": "Nilai", + "DE.Views.ControlSettingsDialog.tipChange": "Ganti simbol", + "DE.Views.ControlSettingsDialog.txtLockDelete": "Kontrol konten tidak bisa dihapus", + "DE.Views.ControlSettingsDialog.txtLockEdit": "Konten tidak bisa diedit", + "DE.Views.CrossReferenceDialog.textAboveBelow": "Atas/bawah", + "DE.Views.CrossReferenceDialog.textBookmark": "Bookmark", + "DE.Views.CrossReferenceDialog.textBookmarkText": "Bookmark teks", + "DE.Views.CrossReferenceDialog.textCaption": "Semua caption", + "DE.Views.CrossReferenceDialog.textEmpty": "Permintaan referensi kosong.", + "DE.Views.CrossReferenceDialog.textEndnote": "Endnote", + "DE.Views.CrossReferenceDialog.textEndNoteNum": "Nomor endnote", + "DE.Views.CrossReferenceDialog.textEndNoteNumForm": "Nomor endnote (diformat)", + "DE.Views.CrossReferenceDialog.textEquation": "Persamaan", + "DE.Views.CrossReferenceDialog.textFigure": "Gambar", + "DE.Views.CrossReferenceDialog.textFootnote": "Footnote", + "DE.Views.CrossReferenceDialog.textHeading": "Headings", + "DE.Views.CrossReferenceDialog.textHeadingNum": "Nomor heading", + "DE.Views.CrossReferenceDialog.textHeadingNumFull": "Nomor heading (konteks penuh)", + "DE.Views.CrossReferenceDialog.textHeadingNumNo": "Nomor heading (tanpa penuh)", + "DE.Views.CrossReferenceDialog.textHeadingText": "Teks heading", + "DE.Views.CrossReferenceDialog.textIncludeAbove": "Sertakan di atas/bawah", "DE.Views.CrossReferenceDialog.textInsert": "Sisipkan", + "DE.Views.CrossReferenceDialog.textInsertAs": "Sisipkan sebagai hyperlink", + "DE.Views.CrossReferenceDialog.textLabelNum": "Hanya label dan nomor", + "DE.Views.CrossReferenceDialog.textNoteNum": "Nomor footnote", + "DE.Views.CrossReferenceDialog.textNoteNumForm": "Nomor footnote (diformat)", + "DE.Views.CrossReferenceDialog.textOnlyCaption": "Hanya teks caption", + "DE.Views.CrossReferenceDialog.textPageNum": "Nomor halaman", + "DE.Views.CrossReferenceDialog.textParagraph": "Barang yang dinomori", + "DE.Views.CrossReferenceDialog.textParaNum": "Nomor paragraf", + "DE.Views.CrossReferenceDialog.textParaNumFull": "Nomor paragraf (konteks penuh)", + "DE.Views.CrossReferenceDialog.textParaNumNo": "Nomor paragraf (tanpa konteks)", + "DE.Views.CrossReferenceDialog.textSeparate": "Pisahkan nomor dengan", "DE.Views.CrossReferenceDialog.textTable": "Tabel", + "DE.Views.CrossReferenceDialog.textText": "Teks paragraf", + "DE.Views.CrossReferenceDialog.textWhich": "Untuk caption ini", + "DE.Views.CrossReferenceDialog.textWhichBookmark": "Untuk bookmark ini", + "DE.Views.CrossReferenceDialog.textWhichEndnote": "Untuk endnote ini", + "DE.Views.CrossReferenceDialog.textWhichHeading": "Untuk heading ini", + "DE.Views.CrossReferenceDialog.textWhichNote": "Untuk footnote ini", + "DE.Views.CrossReferenceDialog.textWhichPara": "Untuk barang yang dinomorkan ini", + "DE.Views.CrossReferenceDialog.txtReference": "Sisipkan referensi ke", + "DE.Views.CrossReferenceDialog.txtTitle": "Cross-reference", + "DE.Views.CrossReferenceDialog.txtType": "Tipe referensi", "DE.Views.CustomColumnsDialog.textColumns": "Jumlah Kolom", + "DE.Views.CustomColumnsDialog.textSeparator": "Pembagi kolom", + "DE.Views.CustomColumnsDialog.textSpacing": "Spacing di antara kolom", "DE.Views.CustomColumnsDialog.textTitle": "Kolom", + "DE.Views.DateTimeDialog.confirmDefault": "Atur format default untuk {0}: \"{1}\"", + "DE.Views.DateTimeDialog.textDefault": "Atur sesuai default", + "DE.Views.DateTimeDialog.textFormat": "Format", "DE.Views.DateTimeDialog.textLang": "Bahasa", + "DE.Views.DateTimeDialog.textUpdate": "Update secara otomatis", + "DE.Views.DateTimeDialog.txtTitle": "Tanggal & Jam", "DE.Views.DocumentHolder.aboveText": "Di atas", "DE.Views.DocumentHolder.addCommentText": "Tambahkan Komentar", "DE.Views.DocumentHolder.advancedDropCapText": "Pengaturan Drop Cap", @@ -758,6 +1392,7 @@ "DE.Views.DocumentHolder.alignmentText": "Perataan", "DE.Views.DocumentHolder.belowText": "Di bawah", "DE.Views.DocumentHolder.breakBeforeText": "Jeda halaman sebelum", + "DE.Views.DocumentHolder.bulletsText": "Butir & Penomoran", "DE.Views.DocumentHolder.cellAlignText": "Sel Rata Atas", "DE.Views.DocumentHolder.cellText": "Sel", "DE.Views.DocumentHolder.centerText": "Tengah", @@ -767,10 +1402,10 @@ "DE.Views.DocumentHolder.deleteRowText": "Hapus Baris", "DE.Views.DocumentHolder.deleteTableText": "Hapus Tabel", "DE.Views.DocumentHolder.deleteText": "Hapus", - "DE.Views.DocumentHolder.direct270Text": "Rotate at 270°", - "DE.Views.DocumentHolder.direct90Text": "Rotate at 90°", - "DE.Views.DocumentHolder.directHText": "Horizontal", - "DE.Views.DocumentHolder.directionText": "Text Direction", + "DE.Views.DocumentHolder.direct270Text": "Rotasi Teks Keatas", + "DE.Views.DocumentHolder.direct90Text": "Rotasi Teks Kebawah", + "DE.Views.DocumentHolder.directHText": "Horisontal", + "DE.Views.DocumentHolder.directionText": "Arah Teks", "DE.Views.DocumentHolder.editChartText": "Edit Data", "DE.Views.DocumentHolder.editFooterText": "Edit Footer", "DE.Views.DocumentHolder.editHeaderText": "Edit Header", @@ -795,12 +1430,12 @@ "DE.Views.DocumentHolder.moreText": "Varian lain...", "DE.Views.DocumentHolder.noSpellVariantsText": "Tidak ada varian", "DE.Views.DocumentHolder.notcriticalErrorTitle": "Peringatan", - "DE.Views.DocumentHolder.originalSizeText": "Ukuran Standar", + "DE.Views.DocumentHolder.originalSizeText": "Ukuran Sebenarnya", "DE.Views.DocumentHolder.paragraphText": "Paragraf", "DE.Views.DocumentHolder.removeHyperlinkText": "Hapus Hyperlink", "DE.Views.DocumentHolder.rightText": "Kanan", "DE.Views.DocumentHolder.rowText": "Baris", - "DE.Views.DocumentHolder.saveStyleText": "Create new style", + "DE.Views.DocumentHolder.saveStyleText": "Buat style baru", "DE.Views.DocumentHolder.selectCellText": "Pilih Sel", "DE.Views.DocumentHolder.selectColumnText": "Pilih Kolom", "DE.Views.DocumentHolder.selectRowText": "Pilih Baris", @@ -810,116 +1445,172 @@ "DE.Views.DocumentHolder.spellcheckText": "Periksa ejaan", "DE.Views.DocumentHolder.splitCellsText": "Pisahkan Sel...", "DE.Views.DocumentHolder.splitCellTitleText": "Pisahkan Sel", - "DE.Views.DocumentHolder.styleText": "Formatting as Style", + "DE.Views.DocumentHolder.strDelete": "Hilangkan Tandatangan", + "DE.Views.DocumentHolder.strDetails": "Detail Tanda Tangan", + "DE.Views.DocumentHolder.strSetup": "Setup Tanda Tangan", + "DE.Views.DocumentHolder.strSign": "Tandatangan", + "DE.Views.DocumentHolder.styleText": "Format sebagai Style", "DE.Views.DocumentHolder.tableText": "Tabel", + "DE.Views.DocumentHolder.textAccept": "Terima perubahan", "DE.Views.DocumentHolder.textAlign": "Ratakan", "DE.Views.DocumentHolder.textArrange": "Susun", "DE.Views.DocumentHolder.textArrangeBack": "Jalankan di Background", "DE.Views.DocumentHolder.textArrangeBackward": "Mundurkan", "DE.Views.DocumentHolder.textArrangeForward": "Majukan", "DE.Views.DocumentHolder.textArrangeFront": "Tampilkan di Halaman Muka", + "DE.Views.DocumentHolder.textCells": "Sel", + "DE.Views.DocumentHolder.textCol": "Hapus semua kolom", + "DE.Views.DocumentHolder.textContentControls": "Kontrol konten", + "DE.Views.DocumentHolder.textContinueNumbering": "Lanjut penomoran", "DE.Views.DocumentHolder.textCopy": "Salin", - "DE.Views.DocumentHolder.textCropFill": "Isian", + "DE.Views.DocumentHolder.textCrop": "Isian", + "DE.Views.DocumentHolder.textCropFill": "Isi", + "DE.Views.DocumentHolder.textCropFit": "Fit", "DE.Views.DocumentHolder.textCut": "Potong", + "DE.Views.DocumentHolder.textDistributeCols": "Distribusikan kolom", + "DE.Views.DocumentHolder.textDistributeRows": "Distribusikan baris", + "DE.Views.DocumentHolder.textEditControls": "Pengaturan Kontrol Konten", + "DE.Views.DocumentHolder.textEditPoints": "Edit Titik", "DE.Views.DocumentHolder.textEditWrapBoundary": "Edit Pembatas Potongan Teks", + "DE.Views.DocumentHolder.textFlipH": "Flip Horizontal", + "DE.Views.DocumentHolder.textFlipV": "Flip Vertikal", + "DE.Views.DocumentHolder.textFollow": "Ikuti pergerakan", "DE.Views.DocumentHolder.textFromFile": "Dari File", + "DE.Views.DocumentHolder.textFromStorage": "Dari Penyimpanan", "DE.Views.DocumentHolder.textFromUrl": "Dari URL", + "DE.Views.DocumentHolder.textJoinList": "Gabung ke list sebelumnya", + "DE.Views.DocumentHolder.textLeft": "Pindahkan sel ke kiri", + "DE.Views.DocumentHolder.textNest": "Nest table", "DE.Views.DocumentHolder.textNextPage": "Halaman Selanjutnya", + "DE.Views.DocumentHolder.textNumberingValue": "Penomoran Nilai", "DE.Views.DocumentHolder.textPaste": "Tempel", "DE.Views.DocumentHolder.textPrevPage": "Halaman Sebelumnya", + "DE.Views.DocumentHolder.textRefreshField": "Update area", + "DE.Views.DocumentHolder.textReject": "Tolak Perubahan", + "DE.Views.DocumentHolder.textRemCheckBox": "Hilangkan Checkbox", + "DE.Views.DocumentHolder.textRemComboBox": "Hilangkan Kotak Combo", + "DE.Views.DocumentHolder.textRemDropdown": "Hilangkan Dropdown", + "DE.Views.DocumentHolder.textRemField": "Hilangkan Area Teks", "DE.Views.DocumentHolder.textRemove": "Hapus", + "DE.Views.DocumentHolder.textRemoveControl": "Hilangkan Kontrol Konten", + "DE.Views.DocumentHolder.textRemPicture": "Hilangkan Gambar", + "DE.Views.DocumentHolder.textRemRadioBox": "Hilangkan Tombol Radio", "DE.Views.DocumentHolder.textReplace": "Ganti Gambar", + "DE.Views.DocumentHolder.textRotate": "Rotasi", + "DE.Views.DocumentHolder.textRotate270": "Rotasi 90° Berlawanan Jarum Jam", + "DE.Views.DocumentHolder.textRotate90": "Rotasi 90° Searah Jarum Jam", + "DE.Views.DocumentHolder.textRow": "Hapus semua baris", + "DE.Views.DocumentHolder.textSeparateList": "Pisahkan list", "DE.Views.DocumentHolder.textSettings": "Pengaturan", + "DE.Views.DocumentHolder.textSeveral": "Beberapa Baris/Kolom", "DE.Views.DocumentHolder.textShapeAlignBottom": "Rata Bawah", "DE.Views.DocumentHolder.textShapeAlignCenter": "Rata Tengah", "DE.Views.DocumentHolder.textShapeAlignLeft": "Rata Kiri", "DE.Views.DocumentHolder.textShapeAlignMiddle": "Rata di Tengah", "DE.Views.DocumentHolder.textShapeAlignRight": "Rata Kanan", "DE.Views.DocumentHolder.textShapeAlignTop": "Rata Atas", + "DE.Views.DocumentHolder.textStartNewList": "Mulai list baru", + "DE.Views.DocumentHolder.textStartNumberingFrom": "Atur nilai penomoran", + "DE.Views.DocumentHolder.textTitleCellsRemove": "Hapus Sel", "DE.Views.DocumentHolder.textTOC": "Daftar Isi", + "DE.Views.DocumentHolder.textTOCSettings": "Pengaturan daftar isi", "DE.Views.DocumentHolder.textUndo": "Batalkan", + "DE.Views.DocumentHolder.textUpdateAll": "Update keseluruhan tabel", + "DE.Views.DocumentHolder.textUpdatePages": "Update hanya nomor halaman", + "DE.Views.DocumentHolder.textUpdateTOC": "Update daftar isi", "DE.Views.DocumentHolder.textWrap": "Bentuk Potongan", "DE.Views.DocumentHolder.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", - "DE.Views.DocumentHolder.txtAddBottom": "Add bottom border", - "DE.Views.DocumentHolder.txtAddFractionBar": "Add fraction bar", - "DE.Views.DocumentHolder.txtAddHor": "Add horizontal line", - "DE.Views.DocumentHolder.txtAddLB": "Add left bottom line", - "DE.Views.DocumentHolder.txtAddLeft": "Add left border", - "DE.Views.DocumentHolder.txtAddLT": "Add left top line", - "DE.Views.DocumentHolder.txtAddRight": "Add right border", - "DE.Views.DocumentHolder.txtAddTop": "Add top border", - "DE.Views.DocumentHolder.txtAddVer": "Add vertical line", - "DE.Views.DocumentHolder.txtAlignToChar": "Align to character", + "DE.Views.DocumentHolder.toDictionaryText": "Tambah ke Kamus", + "DE.Views.DocumentHolder.txtAddBottom": "Tambah pembatas bawah", + "DE.Views.DocumentHolder.txtAddFractionBar": "Tambah bar pecahan", + "DE.Views.DocumentHolder.txtAddHor": "Tambah garis horizontal", + "DE.Views.DocumentHolder.txtAddLB": "Tambah garis kiri bawah", + "DE.Views.DocumentHolder.txtAddLeft": "Tambah pembatas kiri", + "DE.Views.DocumentHolder.txtAddLT": "Tambah garis kiri atas", + "DE.Views.DocumentHolder.txtAddRight": "Tambah pembatas kiri", + "DE.Views.DocumentHolder.txtAddTop": "Tambah pembatas atas", + "DE.Views.DocumentHolder.txtAddVer": "Tambah garis vertikal", + "DE.Views.DocumentHolder.txtAlignToChar": "Rata dengan karakter", "DE.Views.DocumentHolder.txtBehind": "Di belakang", - "DE.Views.DocumentHolder.txtBorderProps": "Border properties", + "DE.Views.DocumentHolder.txtBorderProps": "Properti pembatas", "DE.Views.DocumentHolder.txtBottom": "Bawah", - "DE.Views.DocumentHolder.txtColumnAlign": "Column alignment", - "DE.Views.DocumentHolder.txtDecreaseArg": "Decrease argument size", - "DE.Views.DocumentHolder.txtDeleteArg": "Delete argument", - "DE.Views.DocumentHolder.txtDeleteBreak": "Delete manual break", - "DE.Views.DocumentHolder.txtDeleteChars": "Delete enclosing characters", - "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Delete enclosing characters and separators", - "DE.Views.DocumentHolder.txtDeleteEq": "Delete equation", - "DE.Views.DocumentHolder.txtDeleteGroupChar": "Delete char", - "DE.Views.DocumentHolder.txtDeleteRadical": "Delete radical", - "DE.Views.DocumentHolder.txtFractionLinear": "Change to linear fraction", - "DE.Views.DocumentHolder.txtFractionSkewed": "Change to skewed fraction", - "DE.Views.DocumentHolder.txtFractionStacked": "Change to stacked fraction", + "DE.Views.DocumentHolder.txtColumnAlign": "Rata kolom", + "DE.Views.DocumentHolder.txtDecreaseArg": "Kurangi ukuran argumen", + "DE.Views.DocumentHolder.txtDeleteArg": "Hapus argumen", + "DE.Views.DocumentHolder.txtDeleteBreak": "Hapus break manual", + "DE.Views.DocumentHolder.txtDeleteChars": "Hapus karakter terlampir", + "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Hapus karakter dan separator terlampir", + "DE.Views.DocumentHolder.txtDeleteEq": "Hapus persamaan", + "DE.Views.DocumentHolder.txtDeleteGroupChar": "Hapus char", + "DE.Views.DocumentHolder.txtDeleteRadical": "Hapus radikal", + "DE.Views.DocumentHolder.txtDistribHor": "Distribusikan Horizontal", + "DE.Views.DocumentHolder.txtDistribVert": "Distribusikan Vertikal", + "DE.Views.DocumentHolder.txtEmpty": "(Kosong)", + "DE.Views.DocumentHolder.txtFractionLinear": "Ubah ke pecahan linear", + "DE.Views.DocumentHolder.txtFractionSkewed": "Ubah ke pecahan", + "DE.Views.DocumentHolder.txtFractionStacked": "Ubah ke pecahan bertumpuk", "DE.Views.DocumentHolder.txtGroup": "Grup", - "DE.Views.DocumentHolder.txtGroupCharOver": "Char over text", - "DE.Views.DocumentHolder.txtGroupCharUnder": "Char under text", - "DE.Views.DocumentHolder.txtHideBottom": "Hide bottom border", - "DE.Views.DocumentHolder.txtHideBottomLimit": "Hide bottom limit", - "DE.Views.DocumentHolder.txtHideCloseBracket": "Hide closing bracket", - "DE.Views.DocumentHolder.txtHideDegree": "Hide degree", - "DE.Views.DocumentHolder.txtHideHor": "Hide horizontal line", - "DE.Views.DocumentHolder.txtHideLB": "Hide left bottom line", - "DE.Views.DocumentHolder.txtHideLeft": "Hide left border", - "DE.Views.DocumentHolder.txtHideLT": "Hide left top line", - "DE.Views.DocumentHolder.txtHideOpenBracket": "Hide opening bracket", - "DE.Views.DocumentHolder.txtHidePlaceholder": "Hide placeholder", - "DE.Views.DocumentHolder.txtHideRight": "Hide right border", - "DE.Views.DocumentHolder.txtHideTop": "Hide top border", - "DE.Views.DocumentHolder.txtHideTopLimit": "Hide top limit", - "DE.Views.DocumentHolder.txtHideVer": "Hide vertical line", - "DE.Views.DocumentHolder.txtIncreaseArg": "Increase argument size", + "DE.Views.DocumentHolder.txtGroupCharOver": "Karakter di atas teks", + "DE.Views.DocumentHolder.txtGroupCharUnder": "Karakter di bawah teks", + "DE.Views.DocumentHolder.txtHideBottom": "Sembunyikan pembatas bawah", + "DE.Views.DocumentHolder.txtHideBottomLimit": "Sembunyikan nilai batas bawah", + "DE.Views.DocumentHolder.txtHideCloseBracket": "Sembunyikan tanda kurung tutup", + "DE.Views.DocumentHolder.txtHideDegree": "Sembunyikan degree", + "DE.Views.DocumentHolder.txtHideHor": "Sembunyikan garis horizontal", + "DE.Views.DocumentHolder.txtHideLB": "Sembunyikan garis bawah kiri", + "DE.Views.DocumentHolder.txtHideLeft": "Sembunyikan pembatas kiri", + "DE.Views.DocumentHolder.txtHideLT": "Sembunyikan garis atas kiri", + "DE.Views.DocumentHolder.txtHideOpenBracket": "Sembunyikan tanda kurung buka", + "DE.Views.DocumentHolder.txtHidePlaceholder": "Sembunyikan placeholder", + "DE.Views.DocumentHolder.txtHideRight": "Sembunyikan pembatas kanan", + "DE.Views.DocumentHolder.txtHideTop": "Sembunyikan pembatas atas", + "DE.Views.DocumentHolder.txtHideTopLimit": "Sembunyikan nilai batas atas", + "DE.Views.DocumentHolder.txtHideVer": "Sembunyikan garis vertikal", + "DE.Views.DocumentHolder.txtIncreaseArg": "Tingkatkan ukuran argumen", "DE.Views.DocumentHolder.txtInFront": "Di depan", "DE.Views.DocumentHolder.txtInline": "Berderet", - "DE.Views.DocumentHolder.txtInsertArgAfter": "Insert argument after", - "DE.Views.DocumentHolder.txtInsertArgBefore": "Insert argument before", - "DE.Views.DocumentHolder.txtInsertBreak": "Insert manual break", - "DE.Views.DocumentHolder.txtInsertEqAfter": "Insert equation after", - "DE.Views.DocumentHolder.txtInsertEqBefore": "Insert equation before", - "DE.Views.DocumentHolder.txtLimitChange": "Change limits location", - "DE.Views.DocumentHolder.txtLimitOver": "Limit over text", - "DE.Views.DocumentHolder.txtLimitUnder": "Limit under text", - "DE.Views.DocumentHolder.txtMatchBrackets": "Match brackets to argument height", - "DE.Views.DocumentHolder.txtMatrixAlign": "Matrix alignment", - "DE.Views.DocumentHolder.txtOverbar": "Bar over text", - "DE.Views.DocumentHolder.txtPressLink": "Tekan CTRL dan klik tautan", - "DE.Views.DocumentHolder.txtRemFractionBar": "Remove fraction bar", - "DE.Views.DocumentHolder.txtRemLimit": "Remove limit", - "DE.Views.DocumentHolder.txtRemoveAccentChar": "Remove accent character", - "DE.Views.DocumentHolder.txtRemoveBar": "Remove bar", - "DE.Views.DocumentHolder.txtRemScripts": "Remove scripts", - "DE.Views.DocumentHolder.txtRemSubscript": "Remove subscript", - "DE.Views.DocumentHolder.txtRemSuperscript": "Remove superscript", - "DE.Views.DocumentHolder.txtScriptsAfter": "Scripts after text", - "DE.Views.DocumentHolder.txtScriptsBefore": "Scripts before text", - "DE.Views.DocumentHolder.txtShowBottomLimit": "Show bottom limit", - "DE.Views.DocumentHolder.txtShowCloseBracket": "Show closing bracket", - "DE.Views.DocumentHolder.txtShowDegree": "Show degree", - "DE.Views.DocumentHolder.txtShowOpenBracket": "Show opening bracket", - "DE.Views.DocumentHolder.txtShowPlaceholder": "Show placeholder", - "DE.Views.DocumentHolder.txtShowTopLimit": "Show top limit", + "DE.Views.DocumentHolder.txtInsertArgAfter": "Sisipkan argumen setelah", + "DE.Views.DocumentHolder.txtInsertArgBefore": "Sisipkan argumen sebelum", + "DE.Views.DocumentHolder.txtInsertBreak": "Sisipkan break manual", + "DE.Views.DocumentHolder.txtInsertCaption": "Sisipkan Caption", + "DE.Views.DocumentHolder.txtInsertEqAfter": "Sisipkan persamaan setelah", + "DE.Views.DocumentHolder.txtInsertEqBefore": "Sisipkan persamaan sebelum", + "DE.Views.DocumentHolder.txtKeepTextOnly": "Pertahankan hanya teks", + "DE.Views.DocumentHolder.txtLimitChange": "Ganti lokasi limit", + "DE.Views.DocumentHolder.txtLimitOver": "Batasi di atas teks", + "DE.Views.DocumentHolder.txtLimitUnder": "Batasi di bawah teks", + "DE.Views.DocumentHolder.txtMatchBrackets": "Sesuaikan tanda kurung dengan tinggi argumen", + "DE.Views.DocumentHolder.txtMatrixAlign": "Rata matriks", + "DE.Views.DocumentHolder.txtOverbar": "Bar di atas teks", + "DE.Views.DocumentHolder.txtOverwriteCells": "Tiban sel", + "DE.Views.DocumentHolder.txtPasteSourceFormat": "Pertahankan formatting sumber", + "DE.Views.DocumentHolder.txtPressLink": "Tekan Ctrl dan klik link", + "DE.Views.DocumentHolder.txtPrintSelection": "Print Pilihan", + "DE.Views.DocumentHolder.txtRemFractionBar": "Hilangkan bar pecahan", + "DE.Views.DocumentHolder.txtRemLimit": "Hilangkan limit", + "DE.Views.DocumentHolder.txtRemoveAccentChar": "Hilangkan aksen karakter", + "DE.Views.DocumentHolder.txtRemoveBar": "Hilangkan diagram batang", + "DE.Views.DocumentHolder.txtRemoveWarning": "Apakah Anda ingin menghilangkan tandatangan ini?
    Proses tidak bisa dikembalikan.", + "DE.Views.DocumentHolder.txtRemScripts": "Hilangkan skrip", + "DE.Views.DocumentHolder.txtRemSubscript": "Hilangkan subscript", + "DE.Views.DocumentHolder.txtRemSuperscript": "Hilangkan superscript", + "DE.Views.DocumentHolder.txtScriptsAfter": "Scripts setelah teks", + "DE.Views.DocumentHolder.txtScriptsBefore": "Scripts sebelum teks", + "DE.Views.DocumentHolder.txtShowBottomLimit": "Tampilkan batas bawah", + "DE.Views.DocumentHolder.txtShowCloseBracket": "Tampilkan kurung penutup", + "DE.Views.DocumentHolder.txtShowDegree": "Tampilkan degree", + "DE.Views.DocumentHolder.txtShowOpenBracket": "Tampilkan kurung pembuka", + "DE.Views.DocumentHolder.txtShowPlaceholder": "Tampilkan placeholder", + "DE.Views.DocumentHolder.txtShowTopLimit": "Tampilkan batas atas", "DE.Views.DocumentHolder.txtSquare": "Persegi", - "DE.Views.DocumentHolder.txtStretchBrackets": "Stretch brackets", + "DE.Views.DocumentHolder.txtStretchBrackets": "Regangkan dalam kurung", "DE.Views.DocumentHolder.txtThrough": "Tembus", "DE.Views.DocumentHolder.txtTight": "Ketat", - "DE.Views.DocumentHolder.txtTop": "Top", + "DE.Views.DocumentHolder.txtTop": "Atas", "DE.Views.DocumentHolder.txtTopAndBottom": "Atas dan bawah", - "DE.Views.DocumentHolder.txtUnderbar": "Bar under text", + "DE.Views.DocumentHolder.txtUnderbar": "Bar di bawah teks", "DE.Views.DocumentHolder.txtUngroup": "Pisahkan dari grup", + "DE.Views.DocumentHolder.txtWarnUrl": "Klik link ini bisa berbahaya untuk perangkat dan data Anda.
    Apakah Anda ingin tetap lanjut?", "DE.Views.DocumentHolder.updateStyleText": "Update %1 style", "DE.Views.DocumentHolder.vertAlignText": "Perataan Vertikal", "DE.Views.DropcapSettingsAdvanced.strBorders": "Pembatas & Isian", @@ -940,7 +1631,7 @@ "DE.Views.DropcapSettingsAdvanced.textFlow": "Kerangka alur", "DE.Views.DropcapSettingsAdvanced.textFont": "Huruf", "DE.Views.DropcapSettingsAdvanced.textFrame": "Kerangka", - "DE.Views.DropcapSettingsAdvanced.textHeight": "Ketinggian", + "DE.Views.DropcapSettingsAdvanced.textHeight": "Tinggi", "DE.Views.DropcapSettingsAdvanced.textHorizontal": "Horisontal", "DE.Views.DropcapSettingsAdvanced.textInline": "Kerangka berderet", "DE.Views.DropcapSettingsAdvanced.textInMargin": "Dalam margin", @@ -961,34 +1652,50 @@ "DE.Views.DropcapSettingsAdvanced.textTop": "Atas", "DE.Views.DropcapSettingsAdvanced.textVertical": "Vertikal", "DE.Views.DropcapSettingsAdvanced.textWidth": "Lebar", - "DE.Views.DropcapSettingsAdvanced.tipFontName": "Nama Huruf", + "DE.Views.DropcapSettingsAdvanced.tipFontName": "Huruf", "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", + "DE.Views.EditListItemDialog.textDisplayName": "Nama tampilan", + "DE.Views.EditListItemDialog.textNameError": "Nama tampilan tidak boleh kosong", "DE.Views.EditListItemDialog.textValue": "Nilai", + "DE.Views.EditListItemDialog.textValueError": "Barang dengan nilai yang sama sudah ada.", "DE.Views.FileMenu.btnBackCaption": "Buka Dokumen", + "DE.Views.FileMenu.btnCloseMenuCaption": "Tutup Menu", "DE.Views.FileMenu.btnCreateNewCaption": "Buat Baru", "DE.Views.FileMenu.btnDownloadCaption": "Unduh sebagai...", + "DE.Views.FileMenu.btnExitCaption": "Tutup", + "DE.Views.FileMenu.btnFileOpenCaption": "Buka...", "DE.Views.FileMenu.btnHelpCaption": "Bantuan...", - "DE.Views.FileMenu.btnHistoryCaption": "Version History", + "DE.Views.FileMenu.btnHistoryCaption": "Riwayat Versi", "DE.Views.FileMenu.btnInfoCaption": "Informasi Dokumen...", "DE.Views.FileMenu.btnPrintCaption": "Cetak", + "DE.Views.FileMenu.btnProtectCaption": "Proteksi", "DE.Views.FileMenu.btnRecentFilesCaption": "Membuka yang Terbaru...", + "DE.Views.FileMenu.btnRenameCaption": "Ganti nama...", "DE.Views.FileMenu.btnReturnCaption": "Kembali ke Dokumen", - "DE.Views.FileMenu.btnRightsCaption": "Access Rights...", - "DE.Views.FileMenu.btnSaveAsCaption": "Save as", + "DE.Views.FileMenu.btnRightsCaption": "Hak Akses...", + "DE.Views.FileMenu.btnSaveAsCaption": "Simpan sebagai", "DE.Views.FileMenu.btnSaveCaption": "Simpan", + "DE.Views.FileMenu.btnSaveCopyAsCaption": "Simpan Salinan sebagai...", "DE.Views.FileMenu.btnSettingsCaption": "Pengaturan Lanjut...", "DE.Views.FileMenu.btnToEditCaption": "Edit Dokumen", - "DE.Views.FileMenu.textDownload": "Download", + "DE.Views.FileMenu.textDownload": "Unduh", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "Dokumen Kosong", "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Buat Baru", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Terapkan", "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Tambahkan penulis", - "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Penulis", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Tambah teks", + "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikasi", + "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Penyusun", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Ubah hak akses", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentar", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Dibuat", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Memuat...", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Terakhir Dimodifikasi Oleh", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Terakhir Dimodifikasi", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Tidak", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Pemilik", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Halaman", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Ukuran Halaman", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragraf", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasi", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Orang yang memiliki hak", @@ -996,26 +1703,35 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Statistik", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subyek", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Simbol", - "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Judul Dokumen", + "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Judul", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Diunggah", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Kata", - "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Change access rights", - "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persons who have rights", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Ya", + "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Ubah hak akses", + "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Orang yang memiliki hak", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Peringatan", + "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Dengan password", + "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteksi Dokumen", + "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "Dengan tanda tangan", "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Edit Dokumen", + "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Editing akan menghapus tandatangan dari dokumen.
    Lanjutkan?", + "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Dokumen ini dilindungi dengan password", + "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Dokumen ini perlu ditandatangani.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Tandatangan valid sudah ditambahkan ke dokumen. Dokumen dilindungi dari editan.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Beberapa tandatangan digital di dokumen tidak valid atau tidak bisa diverifikasi. Dokumen dilindungi dari editan.", + "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Tampilkan tanda tangan", "DE.Views.FileMenuPanels.Settings.okButtonText": "Terapkan", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Aktifkan simpan otomatis", - "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "DE.Views.FileMenuPanels.Settings.strFast": "Fast", + "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode Edit Bersama", + "DE.Views.FileMenuPanels.Settings.strFast": "Cepat", "DE.Views.FileMenuPanels.Settings.strFontRender": "Contoh Huruf", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Aktifkan hieroglif", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Aktifkan opsi komentar langsung", + "DE.Views.FileMenuPanels.Settings.strForcesave": "Tambah versi ke penyimpanan setelah klik menu Siman atau Ctrl+S", + "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Pengaturan Macros", + "DE.Views.FileMenuPanels.Settings.strPasteButton": "Tampilkan tombol Opsi Paste ketika konten sedang dipaste", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Perubahan Kolaborasi Realtime", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Aktifkan opsi pemeriksa ejaan", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", + "DE.Views.FileMenuPanels.Settings.strTheme": "Tema interface", "DE.Views.FileMenuPanels.Settings.strUnit": "Satuan Ukuran", "DE.Views.FileMenuPanels.Settings.strZoom": "Skala Pembesaran Standar", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Tiap 10 Menit", @@ -1023,62 +1739,165 @@ "DE.Views.FileMenuPanels.Settings.text5Minutes": "Tiap 5 Menit", "DE.Views.FileMenuPanels.Settings.text60Minutes": "Tiap Jam", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Panduan Penjajaran", + "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Recover otmoatis", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Simpan otomatis", + "DE.Views.FileMenuPanels.Settings.textCompatible": "Kompatibilitas", "DE.Views.FileMenuPanels.Settings.textDisabled": "Nonaktif", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Menyimpan versi intermedier", "DE.Views.FileMenuPanels.Settings.textMinute": "Tiap Menit", + "DE.Views.FileMenuPanels.Settings.textOldVersions": "Buat file kompatibel dengan versi lama MS Word ketika disimpan sebagai DOCX", "DE.Views.FileMenuPanels.Settings.txtAll": "Lihat Semua", + "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opsi AutoCorrect...", + "DE.Views.FileMenuPanels.Settings.txtCacheMode": "Mode cache default", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Tampilkan dengan klik di balon", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "Tampilkan dengan mengarahkan kursor ke tooltips", "DE.Views.FileMenuPanels.Settings.txtCm": "Sentimeter", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Hidupkan mode gelap dokumen", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Sesuaikan Halaman", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Sesuaikan Lebar", + "DE.Views.FileMenuPanels.Settings.txtInch": "Inci", "DE.Views.FileMenuPanels.Settings.txtInput": "Ganti Input", "DE.Views.FileMenuPanels.Settings.txtLast": "Lihat yang Terakhir", "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Komentar Langsung", "DE.Views.FileMenuPanels.Settings.txtMac": "sebagai OS X", "DE.Views.FileMenuPanels.Settings.txtNative": "Asli", "DE.Views.FileMenuPanels.Settings.txtNone": "Tidak Ada yang Dilihat", + "DE.Views.FileMenuPanels.Settings.txtProofing": "Proofing", "DE.Views.FileMenuPanels.Settings.txtPt": "Titik", + "DE.Views.FileMenuPanels.Settings.txtRunMacros": "Aktifkan Semua", + "DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Aktifkan semua macros tanpa notifikasi", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Periksa Ejaan", + "DE.Views.FileMenuPanels.Settings.txtStopMacros": "Nonaktifkan Semua", + "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Nonaktifkan semua macros tanpa notifikasi", + "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Tampilkan Notifikasi", + "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Nonaktifkan semua macros dengan notifikasi", "DE.Views.FileMenuPanels.Settings.txtWin": "sebagai Windows", + "DE.Views.FormSettings.textAlways": "Selalu", + "DE.Views.FormSettings.textAspect": "Kunci aspek rasio", + "DE.Views.FormSettings.textAutofit": "AutoFit", "DE.Views.FormSettings.textBackgroundColor": "Warna Latar", + "DE.Views.FormSettings.textCheckbox": "Kotak centang", "DE.Views.FormSettings.textColor": "Warna Pembatas", + "DE.Views.FormSettings.textComb": "Karakter bersisir", + "DE.Views.FormSettings.textCombobox": "Kotak combo", + "DE.Views.FormSettings.textConnected": "Area terhubung", "DE.Views.FormSettings.textDelete": "Hapus", "DE.Views.FormSettings.textDisconnect": "Putuskan hubungan", + "DE.Views.FormSettings.textDropDown": "Dropdown", + "DE.Views.FormSettings.textField": "Area Teks", + "DE.Views.FormSettings.textFixed": "Area ukuran tetap", "DE.Views.FormSettings.textFromFile": "Dari File", + "DE.Views.FormSettings.textFromStorage": "Dari Penyimpanan", "DE.Views.FormSettings.textFromUrl": "Dari URL", + "DE.Views.FormSettings.textGroupKey": "Satukan kunci", "DE.Views.FormSettings.textImage": "Gambar", + "DE.Views.FormSettings.textKey": "Kunci", + "DE.Views.FormSettings.textLock": "Kunci", + "DE.Views.FormSettings.textMaxChars": "Batas karakter", + "DE.Views.FormSettings.textMulti": "Area multi-garis", "DE.Views.FormSettings.textNever": "tidak pernah", + "DE.Views.FormSettings.textNoBorder": "Tanpa pembatas", + "DE.Views.FormSettings.textPlaceholder": "Placeholder", + "DE.Views.FormSettings.textRadiobox": "Tombol Radio", + "DE.Views.FormSettings.textRequired": "Dibutuhkan", + "DE.Views.FormSettings.textScale": "Waktu untuk menskala", + "DE.Views.FormSettings.textSelectImage": "Pilih Gambar", + "DE.Views.FormSettings.textTip": "Tip", + "DE.Views.FormSettings.textTipAdd": "Tambah nilai baru", + "DE.Views.FormSettings.textTipDelete": "Hapus nilai", + "DE.Views.FormSettings.textTipDown": "Pindah kebawah", + "DE.Views.FormSettings.textTipUp": "Pindah keatas", + "DE.Views.FormSettings.textTooBig": "Gambar Terlalu Besar", + "DE.Views.FormSettings.textTooSmall": "Gambar Terlalu Kecil", + "DE.Views.FormSettings.textUnlock": "Buka Kunci", + "DE.Views.FormSettings.textValue": "Opsi Nilai", + "DE.Views.FormSettings.textWidth": "Lebar sel", + "DE.Views.FormsTab.capBtnCheckBox": "Kotak centang", + "DE.Views.FormsTab.capBtnComboBox": "Kotak combo", + "DE.Views.FormsTab.capBtnDropDown": "Dropdown", "DE.Views.FormsTab.capBtnImage": "Gambar", + "DE.Views.FormsTab.capBtnNext": "Area Berikutnya", + "DE.Views.FormsTab.capBtnPrev": "Area Sebelumnya", + "DE.Views.FormsTab.capBtnRadioBox": "Tombol Radio", + "DE.Views.FormsTab.capBtnSaveForm": "Simpan sebagai oform", + "DE.Views.FormsTab.capBtnSubmit": "Submit", + "DE.Views.FormsTab.capBtnText": "Area Teks", + "DE.Views.FormsTab.capBtnView": "Tampilkan form", + "DE.Views.FormsTab.textClear": "Bersihkan Area", + "DE.Views.FormsTab.textClearFields": "Bersihkan Semua Area", + "DE.Views.FormsTab.textCreateForm": "Tambah area dan buat dokumen OFORM yang bisa diisi", + "DE.Views.FormsTab.textGotIt": "Mengerti", + "DE.Views.FormsTab.textHighlight": "Pengaturan Highlight", + "DE.Views.FormsTab.textNoHighlight": "Tanpa highlight", + "DE.Views.FormsTab.textRequired": "Isi semua area yang dibutuhkan untuk mengirim form.", + "DE.Views.FormsTab.textSubmited": "Form berhasil disubmit", + "DE.Views.FormsTab.tipCheckBox": "Sisipkan kotak centang", + "DE.Views.FormsTab.tipComboBox": "Sisipkan kotak kombo", + "DE.Views.FormsTab.tipDropDown": "Sisipkan list dropdown", "DE.Views.FormsTab.tipImageField": "Sisipkan Gambar", + "DE.Views.FormsTab.tipNextForm": "Pergi ke area berikutnya", + "DE.Views.FormsTab.tipPrevForm": "Pergi ke area sebelumnya", + "DE.Views.FormsTab.tipRadioBox": "Sisipkan tombol radio", + "DE.Views.FormsTab.tipSaveForm": "Simpan file sebagai dokumen OFORM yang bisa diisi", + "DE.Views.FormsTab.tipSubmit": "Submit form", + "DE.Views.FormsTab.tipTextField": "Sisipkan area teks", + "DE.Views.FormsTab.tipViewForm": "Tampilkan form", + "DE.Views.FormsTab.txtUntitled": "Tanpa Judul", "DE.Views.HeaderFooterSettings.textBottomCenter": "Bawah Tengah", "DE.Views.HeaderFooterSettings.textBottomLeft": "Bawah Kiri", + "DE.Views.HeaderFooterSettings.textBottomPage": "Bawah halaman", "DE.Views.HeaderFooterSettings.textBottomRight": "Bawah Kanan", "DE.Views.HeaderFooterSettings.textDiffFirst": "Halaman pertama yang berbeda", "DE.Views.HeaderFooterSettings.textDiffOdd": "Halaman ganjil dan genap yang berbeda", + "DE.Views.HeaderFooterSettings.textFrom": "Dimulai pada", "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Footer dari Bawah", "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Header dari Atas", + "DE.Views.HeaderFooterSettings.textInsertCurrent": "Sisipkan ke Posisi Saat Ini", "DE.Views.HeaderFooterSettings.textOptions": "Pilihan", "DE.Views.HeaderFooterSettings.textPageNum": "Sisipkan Nomor Halaman", + "DE.Views.HeaderFooterSettings.textPageNumbering": "Penomoran Halaman", "DE.Views.HeaderFooterSettings.textPosition": "Posisi", + "DE.Views.HeaderFooterSettings.textPrev": "Lanjut dari sesi sebelumnya", "DE.Views.HeaderFooterSettings.textSameAs": "Tautkan dengan Sebelumnya", "DE.Views.HeaderFooterSettings.textTopCenter": "Atas Tengah", "DE.Views.HeaderFooterSettings.textTopLeft": "Atas Kiri", + "DE.Views.HeaderFooterSettings.textTopPage": "Atas Halaman", "DE.Views.HeaderFooterSettings.textTopRight": "Atas Kanan", "DE.Views.HyperlinkSettingsDialog.textDefault": "Fragmen teks yang dipilih", "DE.Views.HyperlinkSettingsDialog.textDisplay": "Tampilan", "DE.Views.HyperlinkSettingsDialog.textExternal": "Tautan eksternal", + "DE.Views.HyperlinkSettingsDialog.textInternal": "Letakkan di Dokumen", "DE.Views.HyperlinkSettingsDialog.textTitle": "Pengaturan Hyperlink", "DE.Views.HyperlinkSettingsDialog.textTooltip": "Teks ScreenTip", "DE.Views.HyperlinkSettingsDialog.textUrl": "Tautkan dengan", - "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "DE.Views.HyperlinkSettingsDialog.txtBeginning": "Awal dokumen", + "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "Bookmarks", + "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Area ini dibutuhkan", + "DE.Views.HyperlinkSettingsDialog.txtHeadings": "Headings", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Area ini dibatasi 2083 karakter", "DE.Views.ImageSettings.textAdvanced": "Tampilkan pengaturan lanjut", - "DE.Views.ImageSettings.textCropFill": "Isian", + "DE.Views.ImageSettings.textCrop": "Isian", + "DE.Views.ImageSettings.textCropFill": "Isi", + "DE.Views.ImageSettings.textCropFit": "Fit", + "DE.Views.ImageSettings.textCropToShape": "Crop menjadi bentuk", "DE.Views.ImageSettings.textEdit": "Sunting", + "DE.Views.ImageSettings.textEditObject": "Edit Objek", + "DE.Views.ImageSettings.textFitMargins": "Fit ke Margin", + "DE.Views.ImageSettings.textFlip": "Flip", "DE.Views.ImageSettings.textFromFile": "Dari File", + "DE.Views.ImageSettings.textFromStorage": "Dari Penyimpanan", "DE.Views.ImageSettings.textFromUrl": "Dari URL", - "DE.Views.ImageSettings.textHeight": "Ketinggian", + "DE.Views.ImageSettings.textHeight": "Tinggi", + "DE.Views.ImageSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "DE.Views.ImageSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "DE.Views.ImageSettings.textHintFlipH": "Flip Horizontal", + "DE.Views.ImageSettings.textHintFlipV": "Flip Vertikal", "DE.Views.ImageSettings.textInsert": "Ganti Gambar", - "DE.Views.ImageSettings.textOriginalSize": "Ukuran Standar", + "DE.Views.ImageSettings.textOriginalSize": "Ukuran Sebenarnya", + "DE.Views.ImageSettings.textRecentlyUsed": "Baru Digunakan", + "DE.Views.ImageSettings.textRotate90": "Rotasi 90°", + "DE.Views.ImageSettings.textRotation": "Rotasi", "DE.Views.ImageSettings.textSize": "Ukuran", "DE.Views.ImageSettings.textWidth": "Lebar", "DE.Views.ImageSettings.textWrap": "Bentuk Potongan", @@ -1090,10 +1909,16 @@ "DE.Views.ImageSettings.txtTight": "Ketat", "DE.Views.ImageSettings.txtTopAndBottom": "Atas dan bawah", "DE.Views.ImageSettingsAdvanced.strMargins": "Lapisan Teks", + "DE.Views.ImageSettingsAdvanced.textAbsoluteWH": "Absolut", "DE.Views.ImageSettingsAdvanced.textAlignment": "Perataan", + "DE.Views.ImageSettingsAdvanced.textAlt": "Teks Alternatif", "DE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "DE.Views.ImageSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "DE.Views.ImageSettingsAdvanced.textAltTitle": "Judul", + "DE.Views.ImageSettingsAdvanced.textAngle": "Sudut", "DE.Views.ImageSettingsAdvanced.textArrows": "Tanda panah", + "DE.Views.ImageSettingsAdvanced.textAspectRatio": "Kunci aspek rasio", + "DE.Views.ImageSettingsAdvanced.textAutofit": "AutoFit", "DE.Views.ImageSettingsAdvanced.textBeginSize": "Ukuran Mulai", "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Gaya Mulai", "DE.Views.ImageSettingsAdvanced.textBelow": "di bawah", @@ -1109,8 +1934,10 @@ "DE.Views.ImageSettingsAdvanced.textEndSize": "Ukuran Akhir", "DE.Views.ImageSettingsAdvanced.textEndStyle": "Model Akhir", "DE.Views.ImageSettingsAdvanced.textFlat": "Datar", - "DE.Views.ImageSettingsAdvanced.textHeight": "Ketinggian", + "DE.Views.ImageSettingsAdvanced.textFlipped": "Flipped", + "DE.Views.ImageSettingsAdvanced.textHeight": "Tinggi", "DE.Views.ImageSettingsAdvanced.textHorizontal": "Horisontal", + "DE.Views.ImageSettingsAdvanced.textHorizontally": "Secara Horizontal", "DE.Views.ImageSettingsAdvanced.textJoinType": "Gabungkan Tipe", "DE.Views.ImageSettingsAdvanced.textKeepRatio": "Proporsi Konstan", "DE.Views.ImageSettingsAdvanced.textLeft": "Kiri", @@ -1121,29 +1948,36 @@ "DE.Views.ImageSettingsAdvanced.textMiter": "Siku-siku", "DE.Views.ImageSettingsAdvanced.textMove": "Pindah obyek bersama teks", "DE.Views.ImageSettingsAdvanced.textOptions": "Pilihan", - "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Ukuran Standar", + "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Ukuran Sebenarnya", "DE.Views.ImageSettingsAdvanced.textOverlap": "Ijinkan menumpuk", "DE.Views.ImageSettingsAdvanced.textPage": "Halaman", "DE.Views.ImageSettingsAdvanced.textParagraph": "Paragraf", "DE.Views.ImageSettingsAdvanced.textPosition": "Posisi", + "DE.Views.ImageSettingsAdvanced.textPositionPc": "Posisi relatif", "DE.Views.ImageSettingsAdvanced.textRelative": "relatif dengan", + "DE.Views.ImageSettingsAdvanced.textRelativeWH": "Relatif", + "DE.Views.ImageSettingsAdvanced.textResizeFit": "Ubah ukuran bentuk agar cocok ke teks", "DE.Views.ImageSettingsAdvanced.textRight": "Kanan", "DE.Views.ImageSettingsAdvanced.textRightMargin": "Margin Kanan", "DE.Views.ImageSettingsAdvanced.textRightOf": "ke sebelah kanan dari", + "DE.Views.ImageSettingsAdvanced.textRotation": "Rotasi", "DE.Views.ImageSettingsAdvanced.textRound": "Bulat", "DE.Views.ImageSettingsAdvanced.textShape": "Pengaturan Bentuk", "DE.Views.ImageSettingsAdvanced.textSize": "Ukuran", "DE.Views.ImageSettingsAdvanced.textSquare": "Persegi", + "DE.Views.ImageSettingsAdvanced.textTextBox": "Kotak Teks", "DE.Views.ImageSettingsAdvanced.textTitle": "Gambar - Pengaturan Lanjut", "DE.Views.ImageSettingsAdvanced.textTitleChart": "Bagan - Pengaturan Lanjut", "DE.Views.ImageSettingsAdvanced.textTitleShape": "Bentuk - Pengaturan Lanjut", "DE.Views.ImageSettingsAdvanced.textTop": "Atas", "DE.Views.ImageSettingsAdvanced.textTopMargin": "Margin Atas", "DE.Views.ImageSettingsAdvanced.textVertical": "Vertikal", + "DE.Views.ImageSettingsAdvanced.textVertically": "Secara Vertikal", + "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Bobot & Panah", "DE.Views.ImageSettingsAdvanced.textWidth": "Lebar", "DE.Views.ImageSettingsAdvanced.textWrap": "Bentuk Potongan", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Di belakang", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Di Depan", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Di depan", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Berderet", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Persegi", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Tembus", @@ -1152,94 +1986,196 @@ "DE.Views.LeftMenu.tipAbout": "Tentang", "DE.Views.LeftMenu.tipChat": "Chat", "DE.Views.LeftMenu.tipComments": "Komentar", + "DE.Views.LeftMenu.tipNavigation": "Navigasi", + "DE.Views.LeftMenu.tipPlugins": "Plugins", "DE.Views.LeftMenu.tipSearch": "Cari", "DE.Views.LeftMenu.tipSupport": "Masukan & Dukungan", "DE.Views.LeftMenu.tipTitles": "Judul", + "DE.Views.LeftMenu.txtDeveloper": "MODE DEVELOPER", + "DE.Views.LeftMenu.txtLimit": "Batas Akses", + "DE.Views.LeftMenu.txtTrial": "MODE TRIAL", + "DE.Views.LeftMenu.txtTrialDev": "Mode Trial Developer", + "DE.Views.LineNumbersDialog.textAddLineNumbering": "Tambah nomor garis", + "DE.Views.LineNumbersDialog.textApplyTo": "Terapkan perubahan ke", + "DE.Views.LineNumbersDialog.textContinuous": "Kontinyu", + "DE.Views.LineNumbersDialog.textCountBy": "Dihitung dengan", + "DE.Views.LineNumbersDialog.textDocument": "Keseluruhan dokumen", + "DE.Views.LineNumbersDialog.textForward": "Dari poin ini sampai selanjutnya", + "DE.Views.LineNumbersDialog.textFromText": "Dari teks", "DE.Views.LineNumbersDialog.textNumbering": "Penomoran", + "DE.Views.LineNumbersDialog.textRestartEachPage": "Restart Setiap Halaman", + "DE.Views.LineNumbersDialog.textRestartEachSection": "Restart Setiap Sesi", + "DE.Views.LineNumbersDialog.textSection": "Sesi Saat Ini", + "DE.Views.LineNumbersDialog.textStartAt": "Dimulai pada", + "DE.Views.LineNumbersDialog.textTitle": "Nomor Garis", "DE.Views.LineNumbersDialog.txtAutoText": "Otomatis", + "DE.Views.Links.capBtnBookmarks": "Bookmark", + "DE.Views.Links.capBtnCaption": "Caption", + "DE.Views.Links.capBtnContentsUpdate": "Update Tabel", + "DE.Views.Links.capBtnCrossRef": "Cross-reference", "DE.Views.Links.capBtnInsContents": "Daftar Isi", + "DE.Views.Links.capBtnInsFootnote": "Footnote", + "DE.Views.Links.capBtnInsLink": "Hyperlink", + "DE.Views.Links.capBtnTOF": "Daftar gambar", + "DE.Views.Links.confirmDeleteFootnotes": "Apakah Anda ingin menghapus semua footnotes?", + "DE.Views.Links.confirmReplaceTOF": "Apakah Anda ingin mengubah daftar gambar yang dipilih?", + "DE.Views.Links.mniConvertNote": "Konversi Semua Catatan", + "DE.Views.Links.mniDelFootnote": "Hapus Semua Catatan", + "DE.Views.Links.mniInsEndnote": "Sisipkan Endnote", + "DE.Views.Links.mniInsFootnote": "Sisipkan Footnote", + "DE.Views.Links.mniNoteSettings": "Pengaturan Catatan", + "DE.Views.Links.textContentsRemove": "Hilangkan daftar isi", "DE.Views.Links.textContentsSettings": "Pengaturan", + "DE.Views.Links.textConvertToEndnotes": "Konversi Semua Footnotes Menjadi Endnotes", + "DE.Views.Links.textConvertToFootnotes": "Konversi Semua Endnotes Menjadi Footnotes", + "DE.Views.Links.textGotoEndnote": "Pergi ke Endnotes", + "DE.Views.Links.textGotoFootnote": "Pergi ke Footnotes", + "DE.Views.Links.textSwapNotes": "Tukar Footnotes dan Endnotes", + "DE.Views.Links.textUpdateAll": "Update keseluruhan tabel", + "DE.Views.Links.textUpdatePages": "Update hanya nomor halaman", + "DE.Views.Links.tipBookmarks": "Buat bookmark", + "DE.Views.Links.tipCaption": "Sisipkan Caption", + "DE.Views.Links.tipContents": "Sisipkan daftar isi", + "DE.Views.Links.tipContentsUpdate": "Update daftar isi", + "DE.Views.Links.tipCrossRef": "Sisipkan referensi-silang", "DE.Views.Links.tipInsertHyperlink": "Tambahkan hyperlink", + "DE.Views.Links.tipNotes": "Sisipkan atau edit footnote", + "DE.Views.Links.tipTableFigures": "Sisipkan daftar gambar", + "DE.Views.Links.tipTableFiguresUpdate": "Update Daftar Gambar", + "DE.Views.Links.titleUpdateTOF": "Update Daftar Gambar", "DE.Views.ListSettingsDialog.textAuto": "Otomatis", "DE.Views.ListSettingsDialog.textCenter": "Tengah", "DE.Views.ListSettingsDialog.textLeft": "Kiri", + "DE.Views.ListSettingsDialog.textLevel": "Level", "DE.Views.ListSettingsDialog.textPreview": "Pratinjau", "DE.Views.ListSettingsDialog.textRight": "Kanan", "DE.Views.ListSettingsDialog.txtAlign": "Perataan", + "DE.Views.ListSettingsDialog.txtBullet": "Butir", "DE.Views.ListSettingsDialog.txtColor": "Warna", - "DE.Views.ListSettingsDialog.txtNone": "tidak ada", + "DE.Views.ListSettingsDialog.txtFont": "Font dan Simbol", + "DE.Views.ListSettingsDialog.txtLikeText": "Seperti teks", + "DE.Views.ListSettingsDialog.txtNewBullet": "Butir baru", + "DE.Views.ListSettingsDialog.txtNone": "Tidak ada", "DE.Views.ListSettingsDialog.txtSize": "Ukuran", + "DE.Views.ListSettingsDialog.txtSymbol": "Simbol", + "DE.Views.ListSettingsDialog.txtTitle": "List Pengaturan", "DE.Views.ListSettingsDialog.txtType": "Tipe", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", - "DE.Views.MailMergeEmailDlg.okButtonText": "Send", - "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Theme", - "DE.Views.MailMergeEmailDlg.textAttachDocx": "Attach as DOCX", - "DE.Views.MailMergeEmailDlg.textAttachPdf": "Attach as PDF", - "DE.Views.MailMergeEmailDlg.textFileName": "File name", - "DE.Views.MailMergeEmailDlg.textFormat": "Mail format", - "DE.Views.MailMergeEmailDlg.textFrom": "From", + "DE.Views.MailMergeEmailDlg.okButtonText": "Kirim", + "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Tema", + "DE.Views.MailMergeEmailDlg.textAttachDocx": "Lampirkan sebagai DOCX", + "DE.Views.MailMergeEmailDlg.textAttachPdf": "Lampirkan sebagai PDF", + "DE.Views.MailMergeEmailDlg.textFileName": "Nama file", + "DE.Views.MailMergeEmailDlg.textFormat": "Format email", + "DE.Views.MailMergeEmailDlg.textFrom": "Dari", "DE.Views.MailMergeEmailDlg.textHTML": "HTML", - "DE.Views.MailMergeEmailDlg.textMessage": "Message", - "DE.Views.MailMergeEmailDlg.textSubject": "Subject Line", - "DE.Views.MailMergeEmailDlg.textTitle": "Send to Email", - "DE.Views.MailMergeEmailDlg.textTo": "To", - "DE.Views.MailMergeEmailDlg.textWarning": "Warning!", - "DE.Views.MailMergeEmailDlg.textWarningMsg": "Please note that mailing cannot be stopped once your click the 'Send' button.", + "DE.Views.MailMergeEmailDlg.textMessage": "Pesan", + "DE.Views.MailMergeEmailDlg.textSubject": "Garis Subjek", + "DE.Views.MailMergeEmailDlg.textTitle": "Kirim ke Email", + "DE.Views.MailMergeEmailDlg.textTo": "Ke", + "DE.Views.MailMergeEmailDlg.textWarning": "Peringatan!", + "DE.Views.MailMergeEmailDlg.textWarningMsg": "Perlu dicatat bahwa mengirim email tidak bisa dihentikan setelah Anda klik tombol 'Kirim'.", "DE.Views.MailMergeSettings.downloadMergeTitle": "Merging", - "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "Merge failed.", - "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Warning", - "DE.Views.MailMergeSettings.textAddRecipients": "Add some recipients to the list first", - "DE.Views.MailMergeSettings.textAll": "All records", - "DE.Views.MailMergeSettings.textCurrent": "Current record", - "DE.Views.MailMergeSettings.textDataSource": "Data Source", + "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "Merge gagal.", + "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Peringatan", + "DE.Views.MailMergeSettings.textAddRecipients": "Tambah beberapa penerima ke daftar terlebih dahulu", + "DE.Views.MailMergeSettings.textAll": "Semua rekaman", + "DE.Views.MailMergeSettings.textCurrent": "Rekaman saat ini", + "DE.Views.MailMergeSettings.textDataSource": "Sumber Data", "DE.Views.MailMergeSettings.textDocx": "Docx", - "DE.Views.MailMergeSettings.textDownload": "Download", - "DE.Views.MailMergeSettings.textEditData": "Edit recipient list", + "DE.Views.MailMergeSettings.textDownload": "Unduh", + "DE.Views.MailMergeSettings.textEditData": "Edit list penerima", "DE.Views.MailMergeSettings.textEmail": "Email", - "DE.Views.MailMergeSettings.textFrom": "From", - "DE.Views.MailMergeSettings.textGoToMail": "Go to Mail", - "DE.Views.MailMergeSettings.textHighlight": "Highlight merge fields", - "DE.Views.MailMergeSettings.textInsertField": "Insert Merge Field", - "DE.Views.MailMergeSettings.textMaxRecepients": "Max 100 recipients.", + "DE.Views.MailMergeSettings.textFrom": "Dari", + "DE.Views.MailMergeSettings.textGoToMail": "Pergi ke Email", + "DE.Views.MailMergeSettings.textHighlight": "Highlight area merge", + "DE.Views.MailMergeSettings.textInsertField": "Sisipkan Area Merge", + "DE.Views.MailMergeSettings.textMaxRecepients": "Maks 100 penerima.", "DE.Views.MailMergeSettings.textMerge": "Merge", - "DE.Views.MailMergeSettings.textMergeFields": "Merge Fields", - "DE.Views.MailMergeSettings.textMergeTo": "Merge to", + "DE.Views.MailMergeSettings.textMergeFields": "Merge Area", + "DE.Views.MailMergeSettings.textMergeTo": "Merge ke", "DE.Views.MailMergeSettings.textPdf": "PDF", - "DE.Views.MailMergeSettings.textPortal": "Save", - "DE.Views.MailMergeSettings.textPreview": "Preview results", - "DE.Views.MailMergeSettings.textReadMore": "Read more", - "DE.Views.MailMergeSettings.textSendMsg": "All mail messages are ready and will be sent out within some time.
    The speed of mailing depends on your mail service.
    You can continue working with document or close it. After the operation is over the notification will be sent to your registration email address.", - "DE.Views.MailMergeSettings.textTo": "To", - "DE.Views.MailMergeSettings.txtFirst": "To first record", - "DE.Views.MailMergeSettings.txtFromToError": "\"From\" value must be less than \"To\" value", - "DE.Views.MailMergeSettings.txtLast": "To last record", - "DE.Views.MailMergeSettings.txtNext": "To next record", - "DE.Views.MailMergeSettings.txtPrev": "To previous record", - "DE.Views.MailMergeSettings.txtUntitled": "Untitled", - "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", + "DE.Views.MailMergeSettings.textPortal": "Simpan", + "DE.Views.MailMergeSettings.textPreview": "Tampilkan hasil", + "DE.Views.MailMergeSettings.textReadMore": "Baca lebih lanjut", + "DE.Views.MailMergeSettings.textSendMsg": "Semua pesan email sudah siap dan akan dikirim dalam beberapa saat lagi.
    Kecepatan pengiriman email tergantung dari provider email Anda.
    Anda bisa melanjutkan bekerja dengan dokumen ini atau menutupnya. Setelah operasi selesai, notifikasi akan dikirimkan ke email terdaftar Anda.", + "DE.Views.MailMergeSettings.textTo": "Ke", + "DE.Views.MailMergeSettings.txtFirst": "Ke rekaman pertama", + "DE.Views.MailMergeSettings.txtFromToError": "\"From\" nilai harus lebih kecil dari \"To\" nilai", + "DE.Views.MailMergeSettings.txtLast": "Ke rekaman terakhir", + "DE.Views.MailMergeSettings.txtNext": "Ke rekaman berikutnya", + "DE.Views.MailMergeSettings.txtPrev": "Ke rekaman sebelumnya", + "DE.Views.MailMergeSettings.txtUntitled": "Tanpa Judul", + "DE.Views.MailMergeSettings.warnProcessMailMerge": "Gagal memulai merge", "DE.Views.Navigation.txtCollapse": "Tutup semua", + "DE.Views.Navigation.txtDemote": "Demote", + "DE.Views.Navigation.txtEmpty": "Tidak ada heading di dokumen.
    Terapkan style heading ke teks agar bisa terlihat di daftar isi.", + "DE.Views.Navigation.txtEmptyItem": "Header Kosong", + "DE.Views.Navigation.txtEmptyViewer": "Tidak ada heading di dokumen.", "DE.Views.Navigation.txtExpand": "Buka semua", + "DE.Views.Navigation.txtExpandToLevel": "Perluas sampai level", + "DE.Views.Navigation.txtHeadingAfter": "Heading baru setelah", + "DE.Views.Navigation.txtHeadingBefore": "Heading baru sebelum", + "DE.Views.Navigation.txtNewHeading": "Subheading baru", + "DE.Views.Navigation.txtPromote": "Promosi", + "DE.Views.Navigation.txtSelect": "Pilih konten", "DE.Views.NoteSettingsDialog.textApply": "Terapkan", + "DE.Views.NoteSettingsDialog.textApplyTo": "Terapkan perubahan ke", + "DE.Views.NoteSettingsDialog.textContinue": "Kontinyu", + "DE.Views.NoteSettingsDialog.textCustom": "Custom Tanda", + "DE.Views.NoteSettingsDialog.textDocEnd": "Akhir dokumen", + "DE.Views.NoteSettingsDialog.textDocument": "Keseluruhan dokumen", + "DE.Views.NoteSettingsDialog.textEachPage": "Restart Setiap Halaman", + "DE.Views.NoteSettingsDialog.textEachSection": "Restart Setiap Sesi", + "DE.Views.NoteSettingsDialog.textEndnote": "Endnote", + "DE.Views.NoteSettingsDialog.textFootnote": "Footnote", + "DE.Views.NoteSettingsDialog.textFormat": "Format", "DE.Views.NoteSettingsDialog.textInsert": "Sisipkan", "DE.Views.NoteSettingsDialog.textLocation": "Lokasi", "DE.Views.NoteSettingsDialog.textNumbering": "Penomoran", - "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Warning", - "DE.Views.PageMarginsDialog.textBottom": "Bottom", - "DE.Views.PageMarginsDialog.textLeft": "Left", + "DE.Views.NoteSettingsDialog.textNumFormat": "Format Nomor", + "DE.Views.NoteSettingsDialog.textPageBottom": "Bawah halaman", + "DE.Views.NoteSettingsDialog.textSectEnd": "Akhir sesi", + "DE.Views.NoteSettingsDialog.textSection": "Sesi Saat Ini", + "DE.Views.NoteSettingsDialog.textStart": "Dimulai pada", + "DE.Views.NoteSettingsDialog.textTextBottom": "Di bawah teks", + "DE.Views.NoteSettingsDialog.textTitle": "Pengaturan Catatan", + "DE.Views.NotesRemoveDialog.textEnd": "Hapus Semua Endnotes", + "DE.Views.NotesRemoveDialog.textFoot": "Hapus Semua Footnotes", + "DE.Views.NotesRemoveDialog.textTitle": "Hapus Catatan", + "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Peringatan", + "DE.Views.PageMarginsDialog.textBottom": "Bawah", + "DE.Views.PageMarginsDialog.textGutter": "Jarak Spasi", + "DE.Views.PageMarginsDialog.textGutterPosition": "Posisi jarak spasi", + "DE.Views.PageMarginsDialog.textInside": "Dalam", + "DE.Views.PageMarginsDialog.textLandscape": "Landscape", + "DE.Views.PageMarginsDialog.textLeft": "Kiri", + "DE.Views.PageMarginsDialog.textMirrorMargins": "Tiru margin", + "DE.Views.PageMarginsDialog.textMultiplePages": "Gandakan halaman", "DE.Views.PageMarginsDialog.textNormal": "Normal", + "DE.Views.PageMarginsDialog.textOrientation": "Orientasi", + "DE.Views.PageMarginsDialog.textOutside": "Luar", + "DE.Views.PageMarginsDialog.textPortrait": "Portrait", "DE.Views.PageMarginsDialog.textPreview": "Pratinjau", - "DE.Views.PageMarginsDialog.textRight": "Right", - "DE.Views.PageMarginsDialog.textTitle": "Margins", - "DE.Views.PageMarginsDialog.textTop": "Top", - "DE.Views.PageMarginsDialog.txtMarginsH": "Top and bottom margins are too high for a given page height", - "DE.Views.PageMarginsDialog.txtMarginsW": "Left and right margins are too wide for a given page width", - "DE.Views.PageSizeDialog.textHeight": "Height", - "DE.Views.PageSizeDialog.textTitle": "Page Size", - "DE.Views.PageSizeDialog.textWidth": "Width", + "DE.Views.PageMarginsDialog.textRight": "Kanan", + "DE.Views.PageMarginsDialog.textTitle": "Margin", + "DE.Views.PageMarginsDialog.textTop": "Atas", + "DE.Views.PageMarginsDialog.txtMarginsH": "Margin atas dan bawah terlalu jauh untuk halaman setinggi ini", + "DE.Views.PageMarginsDialog.txtMarginsW": "Margin kiri dan kanan terlalu besar dengan lebar halaman yang ada", + "DE.Views.PageSizeDialog.textHeight": "Tinggi", + "DE.Views.PageSizeDialog.textPreset": "Preset", + "DE.Views.PageSizeDialog.textTitle": "Ukuran Halaman", + "DE.Views.PageSizeDialog.textWidth": "Lebar", "DE.Views.PageSizeDialog.txtCustom": "Khusus", + "DE.Views.PageThumbnails.textClosePanel": "Tutup thumbnails halaman", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Highlight bagian yang bisa terlihat di halaman", + "DE.Views.PageThumbnails.textPageThumbnails": "Thumbnails Halaman", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Pengaturan thumbnails", + "DE.Views.PageThumbnails.textThumbnailsSize": "Ukuran thumbnails", "DE.Views.ParagraphSettings.strIndent": "Indentasi", "DE.Views.ParagraphSettings.strIndentsLeftText": "Kiri", "DE.Views.ParagraphSettings.strIndentsRightText": "Kanan", + "DE.Views.ParagraphSettings.strIndentsSpecial": "Spesial", "DE.Views.ParagraphSettings.strLineHeight": "Spasi Antar Baris", "DE.Views.ParagraphSettings.strParagraphSpacing": "Spasi", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Jangan tambahkan interval antar paragraf dengan model yang sama", @@ -1252,6 +2188,8 @@ "DE.Views.ParagraphSettings.textBackColor": "Warna latar", "DE.Views.ParagraphSettings.textExact": "Persis", "DE.Views.ParagraphSettings.textFirstLine": "Baris Pertama", + "DE.Views.ParagraphSettings.textHanging": "Menggantung", + "DE.Views.ParagraphSettings.textNoneSpecial": "(tidak ada)", "DE.Views.ParagraphSettings.txtAutoText": "Otomatis", "DE.Views.ParagraphSettingsAdvanced.noTabs": "Tab yang ditentukan akan muncul pada bagian ini", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Huruf kapital semua", @@ -1261,15 +2199,18 @@ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Indentasi", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Kiri", "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", + "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Level outline", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Kanan", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Setelah", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Sebelum", - "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Tetap satukan garis", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Spesial", + "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Pertahankan garis bersama", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Satukan dengan berikutnya", "DE.Views.ParagraphSettingsAdvanced.strMargins": "Lapisan", - "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Orphan control", + "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Kontrol Orphan", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Huruf", "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indentasi & Peletakan", + "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Break Garis & Halaman", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Penempatan", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Huruf Ukuran Kecil", "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Jangan tambahkan interval antar paragraf dengan model yang sama", @@ -1277,23 +2218,30 @@ "DE.Views.ParagraphSettingsAdvanced.strStrike": "Coret ganda", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subskrip", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superskrip", + "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "Menekan nomor garis", "DE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", "DE.Views.ParagraphSettingsAdvanced.textAlign": "Perataan", "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Sekurang-kurangnya", "DE.Views.ParagraphSettingsAdvanced.textAuto": "Banyak", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Warna Latar", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Teks Basic", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Warna Pembatas", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Klik pada diagram atau gunakan tombol untuk memilih pembatas dan menerapkan pilihan model", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Ukuran Pembatas", "DE.Views.ParagraphSettingsAdvanced.textBottom": "Bawah", + "DE.Views.ParagraphSettingsAdvanced.textCentered": "Tengah", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spasi Antar Karakter", "DE.Views.ParagraphSettingsAdvanced.textDefault": "Tab Standar", "DE.Views.ParagraphSettingsAdvanced.textEffects": "Efek", "DE.Views.ParagraphSettingsAdvanced.textExact": "Persis", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama", + "DE.Views.ParagraphSettingsAdvanced.textHanging": "Menggantung", "DE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan", + "DE.Views.ParagraphSettingsAdvanced.textLeader": "Leader", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Kiri", - "DE.Views.ParagraphSettingsAdvanced.textNone": "tidak ada", + "DE.Views.ParagraphSettingsAdvanced.textLevel": "Level", + "DE.Views.ParagraphSettingsAdvanced.textNone": "Tidak ada", + "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(tidak ada)", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Posisi", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Hapus", "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Hapus Semua", @@ -1317,44 +2265,60 @@ "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", "DE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan", + "DE.Views.RightMenu.txtFormSettings": "Pengaturan Form", "DE.Views.RightMenu.txtHeaderFooterSettings": "Pengaturan Header dan Footer", "DE.Views.RightMenu.txtImageSettings": "Pengaturan Gambar", - "DE.Views.RightMenu.txtMailMergeSettings": "Mail Merge Settings", + "DE.Views.RightMenu.txtMailMergeSettings": "Pengaturan merge email", "DE.Views.RightMenu.txtParagraphSettings": "Pengaturan Paragraf", "DE.Views.RightMenu.txtShapeSettings": "Pengaturan Bentuk", + "DE.Views.RightMenu.txtSignatureSettings": "Pengaturan tanda tangan", "DE.Views.RightMenu.txtTableSettings": "Pengaturan Tabel", - "DE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "DE.Views.RightMenu.txtTextArtSettings": "Pengaturan Text Art", "DE.Views.ShapeSettings.strBackground": "Warna latar", "DE.Views.ShapeSettings.strChange": "Ubah Bentuk Otomatis", "DE.Views.ShapeSettings.strColor": "Warna", - "DE.Views.ShapeSettings.strFill": "Isian", + "DE.Views.ShapeSettings.strFill": "Isi", "DE.Views.ShapeSettings.strForeground": "Warna latar depan", "DE.Views.ShapeSettings.strPattern": "Pola", + "DE.Views.ShapeSettings.strShadow": "Tampilkan bayangan", "DE.Views.ShapeSettings.strSize": "Ukuran", - "DE.Views.ShapeSettings.strStroke": "Tekanan", + "DE.Views.ShapeSettings.strStroke": "Garis", "DE.Views.ShapeSettings.strTransparency": "Opasitas", "DE.Views.ShapeSettings.strType": "Tipe", "DE.Views.ShapeSettings.textAdvanced": "Tampilkan pengaturan lanjut", - "DE.Views.ShapeSettings.textBorderSizeErr": "Input yang dimasukkan salah.
    Silakan masukkan input antara 1pt dan 1584pt.", - "DE.Views.ShapeSettings.textColor": "Isian Warna", + "DE.Views.ShapeSettings.textAngle": "Sudut", + "DE.Views.ShapeSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
    Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "DE.Views.ShapeSettings.textColor": "Warna Isi", "DE.Views.ShapeSettings.textDirection": "Arah", "DE.Views.ShapeSettings.textEmptyPattern": "Tidak ada Pola", + "DE.Views.ShapeSettings.textFlip": "Flip", "DE.Views.ShapeSettings.textFromFile": "Dari File", + "DE.Views.ShapeSettings.textFromStorage": "Dari Penyimpanan", "DE.Views.ShapeSettings.textFromUrl": "Dari URL", "DE.Views.ShapeSettings.textGradient": "Gradien", "DE.Views.ShapeSettings.textGradientFill": "Isian Gradien", + "DE.Views.ShapeSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "DE.Views.ShapeSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "DE.Views.ShapeSettings.textHintFlipH": "Flip Horizontal", + "DE.Views.ShapeSettings.textHintFlipV": "Flip Vertikal", "DE.Views.ShapeSettings.textImageTexture": "Gambar atau Tekstur", "DE.Views.ShapeSettings.textLinear": "Linier", "DE.Views.ShapeSettings.textNoFill": "Tidak ada Isian", "DE.Views.ShapeSettings.textPatternFill": "Pola", - "DE.Views.ShapeSettings.textPosition": "Jabatan", + "DE.Views.ShapeSettings.textPosition": "Posisi", "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Baru Digunakan", + "DE.Views.ShapeSettings.textRotate90": "Rotasi 90°", + "DE.Views.ShapeSettings.textRotation": "Rotasi", + "DE.Views.ShapeSettings.textSelectImage": "Pilih Foto", "DE.Views.ShapeSettings.textSelectTexture": "Pilih", "DE.Views.ShapeSettings.textStretch": "Rentangkan", "DE.Views.ShapeSettings.textStyle": "Model", "DE.Views.ShapeSettings.textTexture": "Dari Tekstur", "DE.Views.ShapeSettings.textTile": "Petak", "DE.Views.ShapeSettings.textWrap": "Bentuk Potongan", + "DE.Views.ShapeSettings.tipAddGradientPoint": "Tambah titik gradien", + "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", "DE.Views.ShapeSettings.txtBehind": "Di belakang", "DE.Views.ShapeSettings.txtBrownPaper": "Kertas Coklat", "DE.Views.ShapeSettings.txtCanvas": "Kanvas", @@ -1375,26 +2339,74 @@ "DE.Views.ShapeSettings.txtTopAndBottom": "Atas dan bawah", "DE.Views.ShapeSettings.txtWood": "Kayu", "DE.Views.SignatureSettings.notcriticalErrorTitle": "Peringatan", + "DE.Views.SignatureSettings.strDelete": "Hilangkan Tandatangan", + "DE.Views.SignatureSettings.strDetails": "Detail Tanda Tangan", + "DE.Views.SignatureSettings.strInvalid": "Tanda tangan tidak valid", + "DE.Views.SignatureSettings.strRequested": "Penandatangan yang diminta", + "DE.Views.SignatureSettings.strSetup": "Setup Tanda Tangan", + "DE.Views.SignatureSettings.strSign": "Tandatangan", + "DE.Views.SignatureSettings.strSignature": "Tanda Tangan", + "DE.Views.SignatureSettings.strSigner": "Penandatangan", + "DE.Views.SignatureSettings.strValid": "Tanda tangan valid", + "DE.Views.SignatureSettings.txtContinueEditing": "Tetap edit", + "DE.Views.SignatureSettings.txtEditWarning": "Editing akan menghapus tandatangan dari dokumen.
    Lanjutkan?", + "DE.Views.SignatureSettings.txtRemoveWarning": "Apakah Anda ingin menghilangkan tandatangan ini?
    Proses tidak bisa dikembalikan.", + "DE.Views.SignatureSettings.txtRequestedSignatures": "Dokumen ini perlu ditandatangani.", + "DE.Views.SignatureSettings.txtSigned": "Tandatangan valid sudah ditambahkan ke dokumen. Dokumen dilindungi dari editan.", + "DE.Views.SignatureSettings.txtSignedInvalid": "Beberapa tandatangan digital di dokumen tidak valid atau tidak bisa diverifikasi. Dokumen dilindungi dari editan.", "DE.Views.Statusbar.goToPageText": "Buka Halaman", "DE.Views.Statusbar.pageIndexText": "Halaman {0} dari {1}", "DE.Views.Statusbar.tipFitPage": "Sesuaikan Halaman", "DE.Views.Statusbar.tipFitWidth": "Sesuaikan Lebar", + "DE.Views.Statusbar.tipHandTool": "Hand tool", + "DE.Views.Statusbar.tipSelectTool": "Pilih perangkat", "DE.Views.Statusbar.tipSetLang": "Atur Bahasa Teks", "DE.Views.Statusbar.tipZoomFactor": "Pembesaran", "DE.Views.Statusbar.tipZoomIn": "Perbesar", "DE.Views.Statusbar.tipZoomOut": "Perkecil", "DE.Views.Statusbar.txtPageNumInvalid": "Nomor halaman salah", - "DE.Views.StyleTitleDialog.textHeader": "Create New Style", - "DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style", - "DE.Views.StyleTitleDialog.textTitle": "Title", - "DE.Views.StyleTitleDialog.txtEmpty": "This field is required", - "DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty", - "DE.Views.TableOfContentsSettings.textNone": "tidak ada", + "DE.Views.StyleTitleDialog.textHeader": "Buat style baru", + "DE.Views.StyleTitleDialog.textNextStyle": "Style paragraf berikutnya", + "DE.Views.StyleTitleDialog.textTitle": "Judul", + "DE.Views.StyleTitleDialog.txtEmpty": "Kolom ini harus diisi", + "DE.Views.StyleTitleDialog.txtNotEmpty": "Area tidak boleh kosong", + "DE.Views.StyleTitleDialog.txtSameAs": "Sama seperti membuat style baru", + "DE.Views.TableFormulaDialog.textBookmark": "Paste Bookmark", + "DE.Views.TableFormulaDialog.textFormat": "Format Nomor", + "DE.Views.TableFormulaDialog.textFormula": "Formula", + "DE.Views.TableFormulaDialog.textInsertFunction": "Paste Fungsi", + "DE.Views.TableFormulaDialog.textTitle": "Pengaturan Formula", + "DE.Views.TableOfContentsSettings.strAlign": "Nomor halaman rata kanan", + "DE.Views.TableOfContentsSettings.strFullCaption": "Sertakan label dan nomor", + "DE.Views.TableOfContentsSettings.strLinks": "Format Daftar Isi sebagai Link", + "DE.Views.TableOfContentsSettings.strLinksOF": "Format daftar gambar sebagai link", + "DE.Views.TableOfContentsSettings.strShowPages": "Tampilkan nomor halaman", + "DE.Views.TableOfContentsSettings.textBuildTable": "Buat daftar isi dari", + "DE.Views.TableOfContentsSettings.textBuildTableOF": "Buat daftar gambar dari", + "DE.Views.TableOfContentsSettings.textEquation": "Persamaan", + "DE.Views.TableOfContentsSettings.textFigure": "Gambar", + "DE.Views.TableOfContentsSettings.textLeader": "Leader", + "DE.Views.TableOfContentsSettings.textLevel": "Level", + "DE.Views.TableOfContentsSettings.textLevels": "Levels", + "DE.Views.TableOfContentsSettings.textNone": "Tidak ada", + "DE.Views.TableOfContentsSettings.textRadioCaption": "Caption", + "DE.Views.TableOfContentsSettings.textRadioLevels": "Level outline", "DE.Views.TableOfContentsSettings.textRadioStyle": "Model", + "DE.Views.TableOfContentsSettings.textRadioStyles": "Style yang dipilih", "DE.Views.TableOfContentsSettings.textStyle": "Model", + "DE.Views.TableOfContentsSettings.textStyles": "Style", "DE.Views.TableOfContentsSettings.textTable": "Tabel", "DE.Views.TableOfContentsSettings.textTitle": "Daftar Isi", + "DE.Views.TableOfContentsSettings.textTitleTOF": "Daftar gambar", + "DE.Views.TableOfContentsSettings.txtCentered": "Tengah", + "DE.Views.TableOfContentsSettings.txtClassic": "Klasik", "DE.Views.TableOfContentsSettings.txtCurrent": "Saat ini", + "DE.Views.TableOfContentsSettings.txtDistinctive": "Tersendiri", + "DE.Views.TableOfContentsSettings.txtFormal": "Formal", + "DE.Views.TableOfContentsSettings.txtModern": "Modern", + "DE.Views.TableOfContentsSettings.txtOnline": "Online", + "DE.Views.TableOfContentsSettings.txtSimple": "Simple", + "DE.Views.TableOfContentsSettings.txtStandard": "Standard", "DE.Views.TableSettings.deleteColumnText": "Hapus Kolom", "DE.Views.TableSettings.deleteRowText": "Hapus Baris", "DE.Views.TableSettings.deleteTableText": "Hapus Tabel", @@ -1410,17 +2422,22 @@ "DE.Views.TableSettings.splitCellsText": "Pisahkan Sel...", "DE.Views.TableSettings.splitCellTitleText": "Pisahkan Sel", "DE.Views.TableSettings.strRepeatRow": "Ulangi sebagai baris header di bagian atas tiap halaman", + "DE.Views.TableSettings.textAddFormula": "Tambah formula", "DE.Views.TableSettings.textAdvanced": "Tampilkan pengaturan lanjut", "DE.Views.TableSettings.textBackColor": "Warna Latar", "DE.Views.TableSettings.textBanded": "Bergaris", "DE.Views.TableSettings.textBorderColor": "Warna", "DE.Views.TableSettings.textBorders": "Gaya Pembatas", + "DE.Views.TableSettings.textCellSize": "Ukuran Baris & Kolom", "DE.Views.TableSettings.textColumns": "Kolom", + "DE.Views.TableSettings.textConvert": "Konversi Tabel ke Teks", + "DE.Views.TableSettings.textDistributeCols": "Distribusikan kolom", + "DE.Views.TableSettings.textDistributeRows": "Distribusikan baris", "DE.Views.TableSettings.textEdit": "Baris & Kolom", "DE.Views.TableSettings.textEmptyTemplate": "Tidak ada template", "DE.Views.TableSettings.textFirst": "Pertama", "DE.Views.TableSettings.textHeader": "Header", - "DE.Views.TableSettings.textHeight": "Ketinggian", + "DE.Views.TableSettings.textHeight": "Tinggi", "DE.Views.TableSettings.textLast": "Terakhir", "DE.Views.TableSettings.textRows": "Baris", "DE.Views.TableSettings.textSelectBorders": "Pilih pembatas yang ingin Anda ubah dengan menerarpkan model yang telah dipilih di atas", @@ -1438,13 +2455,23 @@ "DE.Views.TableSettings.tipRight": "Buat Pembatas Kanan-Luar Saja", "DE.Views.TableSettings.tipTop": "Buat Pembatas Atas-Luar Saja", "DE.Views.TableSettings.txtNoBorders": "Tidak ada pembatas", + "DE.Views.TableSettings.txtTable_Accent": "Aksen", + "DE.Views.TableSettings.txtTable_Colorful": "Berwarna", + "DE.Views.TableSettings.txtTable_Dark": "Gelap", + "DE.Views.TableSettings.txtTable_GridTable": "Grid Tabel", + "DE.Views.TableSettings.txtTable_Light": "Cerah", + "DE.Views.TableSettings.txtTable_ListTable": "List Tabel", + "DE.Views.TableSettings.txtTable_PlainTable": "Tabel Biasa", + "DE.Views.TableSettings.txtTable_TableGrid": "Gird Tabel", "DE.Views.TableSettingsAdvanced.textAlign": "Perataan", "DE.Views.TableSettingsAdvanced.textAlignment": "Perataan", "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Beri spasi antar sel", + "DE.Views.TableSettingsAdvanced.textAlt": "Teks Alternatif", "DE.Views.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "DE.Views.TableSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "DE.Views.TableSettingsAdvanced.textAltTitle": "Judul", "DE.Views.TableSettingsAdvanced.textAnchorText": "Teks", - "DE.Views.TableSettingsAdvanced.textAutofit": "Otomatis sesuaikan ukuran dengan konten ", + "DE.Views.TableSettingsAdvanced.textAutofit": "Otomatis sesuaikan ukuran dengan konten", "DE.Views.TableSettingsAdvanced.textBackColor": "Latar Sel", "DE.Views.TableSettingsAdvanced.textBelow": "di bawah", "DE.Views.TableSettingsAdvanced.textBorderColor": "Warna Pembatas", @@ -1452,7 +2479,9 @@ "DE.Views.TableSettingsAdvanced.textBordersBackgroung": "Pembatas & Latar", "DE.Views.TableSettingsAdvanced.textBorderWidth": "Ukuran Pembatas", "DE.Views.TableSettingsAdvanced.textBottom": "Bawah", + "DE.Views.TableSettingsAdvanced.textCellOptions": "Opsi Sel", "DE.Views.TableSettingsAdvanced.textCellProps": "Properti Sel", + "DE.Views.TableSettingsAdvanced.textCellSize": "Ukuran Sel", "DE.Views.TableSettingsAdvanced.textCenter": "Tengah", "DE.Views.TableSettingsAdvanced.textCenterTooltip": "Tengah", "DE.Views.TableSettingsAdvanced.textCheckMargins": "Gunakan margin standar", @@ -1464,12 +2493,14 @@ "DE.Views.TableSettingsAdvanced.textLeftTooltip": "Kiri", "DE.Views.TableSettingsAdvanced.textMargin": "Margin", "DE.Views.TableSettingsAdvanced.textMargins": "Margin Sel", + "DE.Views.TableSettingsAdvanced.textMeasure": "Diukur dalam", "DE.Views.TableSettingsAdvanced.textMove": "Pindah obyek bersama teks", "DE.Views.TableSettingsAdvanced.textOnlyCells": "Hanya untuk sel yang dipilih", "DE.Views.TableSettingsAdvanced.textOptions": "Pilihan", "DE.Views.TableSettingsAdvanced.textOverlap": "Ijinkan menumpuk", "DE.Views.TableSettingsAdvanced.textPage": "Halaman", "DE.Views.TableSettingsAdvanced.textPosition": "Posisi", + "DE.Views.TableSettingsAdvanced.textPrefWidth": "Lebar preferensi", "DE.Views.TableSettingsAdvanced.textPreview": "Pratinjau", "DE.Views.TableSettingsAdvanced.textRelative": "relatif dengan", "DE.Views.TableSettingsAdvanced.textRight": "Kanan", @@ -1477,6 +2508,7 @@ "DE.Views.TableSettingsAdvanced.textRightTooltip": "Kanan", "DE.Views.TableSettingsAdvanced.textTable": "Tabel", "DE.Views.TableSettingsAdvanced.textTableBackColor": "Latar Belakang Tabel", + "DE.Views.TableSettingsAdvanced.textTablePosition": "Posisi Tabel", "DE.Views.TableSettingsAdvanced.textTableSize": "Ukuran Tabel", "DE.Views.TableSettingsAdvanced.textTitle": "Tabel - Pengaturan Lanjut", "DE.Views.TableSettingsAdvanced.textTop": "Atas", @@ -1487,6 +2519,7 @@ "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "Tabel berderet", "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "Tabel alur", "DE.Views.TableSettingsAdvanced.textWrappingStyle": "Bentuk Potongan", + "DE.Views.TableSettingsAdvanced.textWrapText": "Wrap Teks", "DE.Views.TableSettingsAdvanced.tipAll": "Buat Pembatas Luar dan Semua Garis Dalam", "DE.Views.TableSettingsAdvanced.tipCellAll": "Buat Pembatas untuk Sel Dalam Saja", "DE.Views.TableSettingsAdvanced.tipCellInner": "Buat Garis Vertikal dan Horisontal untuk Sel Dalam Saja", @@ -1498,128 +2531,207 @@ "DE.Views.TableSettingsAdvanced.tipTableOuterCellInner": "Buat Pembatas Luar dan Garis Vertikal dan Horisontal untuk Sel Dalam", "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "Buat Pembatas Luar Tabel dan Pembatas Luar untuk Sel Dalam", "DE.Views.TableSettingsAdvanced.txtCm": "Sentimeter", + "DE.Views.TableSettingsAdvanced.txtInch": "Inci", "DE.Views.TableSettingsAdvanced.txtNoBorders": "Tidak ada pembatas", + "DE.Views.TableSettingsAdvanced.txtPercent": "Persen", "DE.Views.TableSettingsAdvanced.txtPt": "Titik", + "DE.Views.TableToTextDialog.textEmpty": "Anda harus menulis karakter untuk separator custom.", + "DE.Views.TableToTextDialog.textNested": "Konversi tabel nested", "DE.Views.TableToTextDialog.textOther": "Lainnya", + "DE.Views.TableToTextDialog.textPara": "Tanda paragraf", + "DE.Views.TableToTextDialog.textSemicolon": "Semicolons", + "DE.Views.TableToTextDialog.textSeparator": "Pisahkan teks dengan", "DE.Views.TableToTextDialog.textTab": "Tab", - "DE.Views.TextArtSettings.strColor": "Color", - "DE.Views.TextArtSettings.strFill": "Fill", - "DE.Views.TextArtSettings.strSize": "Size", - "DE.Views.TextArtSettings.strStroke": "Stroke", - "DE.Views.TextArtSettings.strTransparency": "Opacity", + "DE.Views.TableToTextDialog.textTitle": "Konversi Tabel ke Teks", + "DE.Views.TextArtSettings.strColor": "Warna", + "DE.Views.TextArtSettings.strFill": "Isi", + "DE.Views.TextArtSettings.strSize": "Ukuran", + "DE.Views.TextArtSettings.strStroke": "Garis", + "DE.Views.TextArtSettings.strTransparency": "Opasitas", "DE.Views.TextArtSettings.strType": "Tipe", - "DE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
    Please enter a value between 0 pt and 1584 pt.", - "DE.Views.TextArtSettings.textColor": "Color Fill", - "DE.Views.TextArtSettings.textDirection": "Direction", - "DE.Views.TextArtSettings.textGradient": "Gradient", - "DE.Views.TextArtSettings.textGradientFill": "Gradient Fill", - "DE.Views.TextArtSettings.textLinear": "Linear", - "DE.Views.TextArtSettings.textNoFill": "No Fill", - "DE.Views.TextArtSettings.textPosition": "Jabatan", + "DE.Views.TextArtSettings.textAngle": "Sudut", + "DE.Views.TextArtSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
    Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "DE.Views.TextArtSettings.textColor": "Warna Isi", + "DE.Views.TextArtSettings.textDirection": "Arah", + "DE.Views.TextArtSettings.textGradient": "Titik Gradien", + "DE.Views.TextArtSettings.textGradientFill": "Isian Gradien", + "DE.Views.TextArtSettings.textLinear": "Linier", + "DE.Views.TextArtSettings.textNoFill": "Tidak ada Isian", + "DE.Views.TextArtSettings.textPosition": "Posisi", "DE.Views.TextArtSettings.textRadial": "Radial", - "DE.Views.TextArtSettings.textSelectTexture": "Select", - "DE.Views.TextArtSettings.textStyle": "Style", + "DE.Views.TextArtSettings.textSelectTexture": "Pilih", + "DE.Views.TextArtSettings.textStyle": "Model", "DE.Views.TextArtSettings.textTemplate": "Template", "DE.Views.TextArtSettings.textTransform": "Transform", - "DE.Views.TextArtSettings.txtNoBorders": "No Line", + "DE.Views.TextArtSettings.tipAddGradientPoint": "Tambah titik gradien", + "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "DE.Views.TextArtSettings.txtNoBorders": "Tanpa Garis", + "DE.Views.TextToTableDialog.textAutofit": "Sifat Autofit", "DE.Views.TextToTableDialog.textColumns": "Kolom", + "DE.Views.TextToTableDialog.textContents": "Autofit ke konten", + "DE.Views.TextToTableDialog.textEmpty": "Anda harus menulis karakter untuk separator custom.", + "DE.Views.TextToTableDialog.textFixed": "Lebar kolom tetap", "DE.Views.TextToTableDialog.textOther": "Lainnya", "DE.Views.TextToTableDialog.textPara": "Paragraf", "DE.Views.TextToTableDialog.textRows": "Baris", + "DE.Views.TextToTableDialog.textSemicolon": "Semicolons", + "DE.Views.TextToTableDialog.textSeparator": "Pisahkan Teks pada", "DE.Views.TextToTableDialog.textTab": "Tab", "DE.Views.TextToTableDialog.textTableSize": "Ukuran Tabel", + "DE.Views.TextToTableDialog.textTitle": "Konversi Teks ke Tabel", + "DE.Views.TextToTableDialog.textWindow": "Autofit ke jendela", "DE.Views.TextToTableDialog.txtAutoText": "Otomatis", - "DE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "DE.Views.Toolbar.capBtnAddComment": "Tambahkan Komentar", + "DE.Views.Toolbar.capBtnBlankPage": "Halaman Kosong", "DE.Views.Toolbar.capBtnColumns": "Kolom", "DE.Views.Toolbar.capBtnComment": "Komentar", - "DE.Views.Toolbar.capBtnInsChart": "Bagan", + "DE.Views.Toolbar.capBtnDateTime": "Tanggal & Jam", + "DE.Views.Toolbar.capBtnInsChart": "Grafik", + "DE.Views.Toolbar.capBtnInsControls": "Kontrol Konten", "DE.Views.Toolbar.capBtnInsDropcap": "Drop Cap", + "DE.Views.Toolbar.capBtnInsEquation": "Persamaan", + "DE.Views.Toolbar.capBtnInsHeader": "Header & Footer", "DE.Views.Toolbar.capBtnInsImage": "Gambar", + "DE.Views.Toolbar.capBtnInsPagebreak": "Breaks", + "DE.Views.Toolbar.capBtnInsShape": "Bentuk", + "DE.Views.Toolbar.capBtnInsSymbol": "Simbol", "DE.Views.Toolbar.capBtnInsTable": "Tabel", + "DE.Views.Toolbar.capBtnInsTextart": "Text Art", + "DE.Views.Toolbar.capBtnInsTextbox": "Kotak Teks", + "DE.Views.Toolbar.capBtnLineNumbers": "Nomor Garis", + "DE.Views.Toolbar.capBtnMargins": "Margin", + "DE.Views.Toolbar.capBtnPageOrient": "Orientasi", "DE.Views.Toolbar.capBtnPageSize": "Ukuran", - "DE.Views.Toolbar.capImgAlign": "Sejajarkan", + "DE.Views.Toolbar.capBtnWatermark": "Watermark", + "DE.Views.Toolbar.capImgAlign": "Ratakan", "DE.Views.Toolbar.capImgBackward": "Mundurkan", "DE.Views.Toolbar.capImgForward": "Majukan", "DE.Views.Toolbar.capImgGroup": "Grup", + "DE.Views.Toolbar.capImgWrapping": "Wrapping", + "DE.Views.Toolbar.mniCapitalizeWords": "Huruf Kapital Setiap Kata", "DE.Views.Toolbar.mniCustomTable": "Sisipkan Tabel Khusus", + "DE.Views.Toolbar.mniDrawTable": "Buat Tabel", + "DE.Views.Toolbar.mniEditControls": "Pengaturan Kontrol", "DE.Views.Toolbar.mniEditDropCap": "Pengaturan Drop Cap", "DE.Views.Toolbar.mniEditFooter": "Edit Footer", "DE.Views.Toolbar.mniEditHeader": "Edit Header", + "DE.Views.Toolbar.mniEraseTable": "Hapus Tabel", "DE.Views.Toolbar.mniFromFile": "Dari File", + "DE.Views.Toolbar.mniFromStorage": "Dari Penyimpanan", "DE.Views.Toolbar.mniFromUrl": "Dari URL", "DE.Views.Toolbar.mniHiddenBorders": "Pembatas Tabel Disembunyikan", "DE.Views.Toolbar.mniHiddenChars": "Karakter Tidak Dicetak", + "DE.Views.Toolbar.mniHighlightControls": "Pengaturan Highlight", "DE.Views.Toolbar.mniImageFromFile": "Gambar dari File", + "DE.Views.Toolbar.mniImageFromStorage": "Gambar dari Penyimpanan", "DE.Views.Toolbar.mniImageFromUrl": "Gambar dari URL", + "DE.Views.Toolbar.mniLowerCase": "huruf kecil", + "DE.Views.Toolbar.mniSentenceCase": "Case kalimat.", + "DE.Views.Toolbar.mniTextToTable": "Konversi Teks ke Tabel", + "DE.Views.Toolbar.mniToggleCase": "tOGGLE cASE", + "DE.Views.Toolbar.mniUpperCase": "HURUFBESAR", "DE.Views.Toolbar.strMenuNoFill": "Tidak ada Isian", "DE.Views.Toolbar.textAutoColor": "Otomatis", "DE.Views.Toolbar.textBold": "Tebal", - "DE.Views.Toolbar.textBottom": "Bottom: ", - "DE.Views.Toolbar.textColumnsLeft": "Left", - "DE.Views.Toolbar.textColumnsOne": "One", - "DE.Views.Toolbar.textColumnsRight": "Right", - "DE.Views.Toolbar.textColumnsThree": "Three", - "DE.Views.Toolbar.textColumnsTwo": "Two", + "DE.Views.Toolbar.textBottom": "Bawah: ", + "DE.Views.Toolbar.textChangeLevel": "Ganti Level List", + "DE.Views.Toolbar.textCheckboxControl": "Kotak centang", + "DE.Views.Toolbar.textColumnsCustom": "Custom Kolom", + "DE.Views.Toolbar.textColumnsLeft": "Kiri", + "DE.Views.Toolbar.textColumnsOne": "Satu", + "DE.Views.Toolbar.textColumnsRight": "Kanan", + "DE.Views.Toolbar.textColumnsThree": "Tiga", + "DE.Views.Toolbar.textColumnsTwo": "Dua", + "DE.Views.Toolbar.textComboboxControl": "Kotak combo", + "DE.Views.Toolbar.textContinuous": "Kontinyu", "DE.Views.Toolbar.textContPage": "Halaman Bersambung", + "DE.Views.Toolbar.textCustomLineNumbers": "Opsi Penomoran Garis", "DE.Views.Toolbar.textDateControl": "Tanggal", + "DE.Views.Toolbar.textDropdownControl": "List drop-down", + "DE.Views.Toolbar.textEditWatermark": "Custom Watermark", "DE.Views.Toolbar.textEvenPage": "Halaman Genap", "DE.Views.Toolbar.textInMargin": "Dalam Margin", - "DE.Views.Toolbar.textInsColumnBreak": "Insert Column Break", + "DE.Views.Toolbar.textInsColumnBreak": "Sisipkan Break Kolom", + "DE.Views.Toolbar.textInsertPageCount": "Sisipkan nomor dari halaman", "DE.Views.Toolbar.textInsertPageNumber": "Sisipkan nomor halaman", "DE.Views.Toolbar.textInsPageBreak": "Sisipkan Jeda Halaman", "DE.Views.Toolbar.textInsSectionBreak": "Sisipkan Jeda Bagian", "DE.Views.Toolbar.textInText": "Dalam Teks", "DE.Views.Toolbar.textItalic": "Miring", - "DE.Views.Toolbar.textLeft": "Left: ", - "DE.Views.Toolbar.textMarginsLast": "Last Custom", - "DE.Views.Toolbar.textMarginsModerate": "Moderate", + "DE.Views.Toolbar.textLandscape": "Landscape", + "DE.Views.Toolbar.textLeft": "Kiri: ", + "DE.Views.Toolbar.textListSettings": "List Pengaturan", + "DE.Views.Toolbar.textMarginsLast": "Custom Terakhir", + "DE.Views.Toolbar.textMarginsModerate": "Moderat", "DE.Views.Toolbar.textMarginsNarrow": "Narrow", "DE.Views.Toolbar.textMarginsNormal": "Normal", + "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Wide", - "DE.Views.Toolbar.textNewColor": "Tambahkan Warna Khusus Baru", + "DE.Views.Toolbar.textNewColor": "Tambahkan warna khusus baru", "DE.Views.Toolbar.textNextPage": "Halaman Selanjutnya", + "DE.Views.Toolbar.textNoHighlight": "Tanpa highlight", "DE.Views.Toolbar.textNone": "Tidak ada", "DE.Views.Toolbar.textOddPage": "Halaman Ganjil", - "DE.Views.Toolbar.textPageMarginsCustom": "Custom margins", - "DE.Views.Toolbar.textPageSizeCustom": "Custom Page Size", - "DE.Views.Toolbar.textRight": "Right: ", - "DE.Views.Toolbar.textStrikeout": "Coret", - "DE.Views.Toolbar.textStyleMenuDelete": "Delete style", - "DE.Views.Toolbar.textStyleMenuDeleteAll": "Delete all custom styles", - "DE.Views.Toolbar.textStyleMenuNew": "New style from selection", - "DE.Views.Toolbar.textStyleMenuRestore": "Restore to default", - "DE.Views.Toolbar.textStyleMenuRestoreAll": "Restore all to default styles", - "DE.Views.Toolbar.textStyleMenuUpdate": "Update from selection", + "DE.Views.Toolbar.textPageMarginsCustom": "Custom Margin", + "DE.Views.Toolbar.textPageSizeCustom": "Custom Ukuran Halaman", + "DE.Views.Toolbar.textPictureControl": "Gambar", + "DE.Views.Toolbar.textPlainControl": "Teks biasa", + "DE.Views.Toolbar.textPortrait": "Portrait", + "DE.Views.Toolbar.textRemoveControl": "Hilangkan Kontrol Konten", + "DE.Views.Toolbar.textRemWatermark": "Hilangkan Watermark", + "DE.Views.Toolbar.textRestartEachPage": "Restart Setiap Halaman", + "DE.Views.Toolbar.textRestartEachSection": "Restart Setiap Sesi", + "DE.Views.Toolbar.textRichControl": "Rich text", + "DE.Views.Toolbar.textRight": "Kanan: ", + "DE.Views.Toolbar.textStrikeout": "Coret ganda", + "DE.Views.Toolbar.textStyleMenuDelete": "Hapus style", + "DE.Views.Toolbar.textStyleMenuDeleteAll": "Hapus semua style custom", + "DE.Views.Toolbar.textStyleMenuNew": "Style baru dari pilihan", + "DE.Views.Toolbar.textStyleMenuRestore": "Kembalikan ke default", + "DE.Views.Toolbar.textStyleMenuRestoreAll": "Kembalikan semua ke gaya default", + "DE.Views.Toolbar.textStyleMenuUpdate": "Update dari pilihan", "DE.Views.Toolbar.textSubscript": "Subskrip", "DE.Views.Toolbar.textSuperscript": "Superskrip", + "DE.Views.Toolbar.textSuppressForCurrentParagraph": "Menekan untuk Paragraf Saat Ini", + "DE.Views.Toolbar.textTabCollaboration": "Kolaborasi", "DE.Views.Toolbar.textTabFile": "File", "DE.Views.Toolbar.textTabHome": "Halaman Depan", "DE.Views.Toolbar.textTabInsert": "Sisipkan", + "DE.Views.Toolbar.textTabLayout": "Layout", + "DE.Views.Toolbar.textTabLinks": "Referensi", + "DE.Views.Toolbar.textTabProtect": "Proteksi", "DE.Views.Toolbar.textTabReview": "Ulasan", "DE.Views.Toolbar.textTabView": "Lihat", - "DE.Views.Toolbar.textTitleError": "Error", + "DE.Views.Toolbar.textTitleError": "Kesalahan", "DE.Views.Toolbar.textToCurrent": "Ke posisi saat ini", - "DE.Views.Toolbar.textTop": "Top: ", + "DE.Views.Toolbar.textTop": "Atas: ", "DE.Views.Toolbar.textUnderline": "Garis bawah", "DE.Views.Toolbar.tipAlignCenter": "Rata Tengah", "DE.Views.Toolbar.tipAlignJust": "Rata Kiri-Kanan", "DE.Views.Toolbar.tipAlignLeft": "Rata Kiri", "DE.Views.Toolbar.tipAlignRight": "Rata Kanan", "DE.Views.Toolbar.tipBack": "Kembali", + "DE.Views.Toolbar.tipBlankPage": "Sisipkan halaman kosong", + "DE.Views.Toolbar.tipChangeCase": "Ubah case", "DE.Views.Toolbar.tipChangeChart": "Ubah Tipe Bagan", "DE.Views.Toolbar.tipClearStyle": "Hapus Model", "DE.Views.Toolbar.tipColorSchemas": "Ubah Skema Warna", - "DE.Views.Toolbar.tipColumns": "Insert columns", + "DE.Views.Toolbar.tipColumns": "Sisipkan kolom", + "DE.Views.Toolbar.tipControls": "Sisipkan kontrol konten", "DE.Views.Toolbar.tipCopy": "Salin", "DE.Views.Toolbar.tipCopyStyle": "Salin Model", + "DE.Views.Toolbar.tipDateTime": "Sisipkan tanggal dan jam sekarang", "DE.Views.Toolbar.tipDecFont": "Perkecil Ukuran Huruf", "DE.Views.Toolbar.tipDecPrLeft": "Kurangi Indentasi", "DE.Views.Toolbar.tipDropCap": "Sisipkan Drop Cap", "DE.Views.Toolbar.tipEditHeader": "Edit Header atau Footer", "DE.Views.Toolbar.tipFontColor": "Warna Huruf", - "DE.Views.Toolbar.tipFontName": "Nama Huruf", + "DE.Views.Toolbar.tipFontName": "Huruf", "DE.Views.Toolbar.tipFontSize": "Ukuran Huruf", "DE.Views.Toolbar.tipHighlightColor": "Warna Sorot", + "DE.Views.Toolbar.tipImgAlign": "Ratakan objek", + "DE.Views.Toolbar.tipImgGroup": "Satukan objek", + "DE.Views.Toolbar.tipImgWrapping": "Wrap Teks", "DE.Views.Toolbar.tipIncFont": "Perbesar Ukuran Huruf", "DE.Views.Toolbar.tipIncPrLeft": "Tambahkan Indentasi", "DE.Views.Toolbar.tipInsertChart": "Sisipkan Bagan", @@ -1627,15 +2739,29 @@ "DE.Views.Toolbar.tipInsertImage": "Sisipkan Gambar", "DE.Views.Toolbar.tipInsertNum": "Sisipkan Nomor Halaman", "DE.Views.Toolbar.tipInsertShape": "Sisipkan Bentuk Otomatis", + "DE.Views.Toolbar.tipInsertSymbol": "Sisipkan simbol", "DE.Views.Toolbar.tipInsertTable": "Sisipkan Tabel", "DE.Views.Toolbar.tipInsertText": "Sisipkan Teks", + "DE.Views.Toolbar.tipInsertTextArt": "Sisipkan Text Art", + "DE.Views.Toolbar.tipLineNumbers": "Tampilkan nomor garis", "DE.Views.Toolbar.tipLineSpace": "Spasi Antar Baris Paragraf", - "DE.Views.Toolbar.tipMailRecepients": "Mail Merge", + "DE.Views.Toolbar.tipMailRecepients": "Merge email", "DE.Views.Toolbar.tipMarkers": "Butir", + "DE.Views.Toolbar.tipMarkersArrow": "Butir panah", + "DE.Views.Toolbar.tipMarkersCheckmark": "Butir tanda centang", + "DE.Views.Toolbar.tipMarkersDash": "Titik putus-putus", + "DE.Views.Toolbar.tipMarkersFRhombus": "Butir belah ketupat isi", + "DE.Views.Toolbar.tipMarkersFRound": "Butir lingkaran isi", + "DE.Views.Toolbar.tipMarkersFSquare": "Butir persegi isi", + "DE.Views.Toolbar.tipMarkersHRound": "Butir bundar hollow", + "DE.Views.Toolbar.tipMarkersStar": "Butir bintang", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Butir nomor multi-level", "DE.Views.Toolbar.tipMultilevels": "Ikhtisar", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Butir simbol multi-level", + "DE.Views.Toolbar.tipMultiLevelVarious": "Butir simbol variasi multi-level", "DE.Views.Toolbar.tipNumbers": "Penomoran", "DE.Views.Toolbar.tipPageBreak": "Sisipkan Halaman atau jeda Bagian", - "DE.Views.Toolbar.tipPageMargins": "Page Margins", + "DE.Views.Toolbar.tipPageMargins": "Margin halaman", "DE.Views.Toolbar.tipPageOrient": "Orientasi Halaman", "DE.Views.Toolbar.tipPageSize": "Ukuran Halaman", "DE.Views.Toolbar.tipParagraphStyle": "Model Paragraf", @@ -1650,13 +2776,19 @@ "DE.Views.Toolbar.tipShowHiddenChars": "Karakter Tidak Dicetak", "DE.Views.Toolbar.tipSynchronize": "Dokumen telah diubah oleh pengguna lain. Silakan klik untuk menyimpan perubahan dan memuat ulang pembaruan.", "DE.Views.Toolbar.tipUndo": "Batalkan", + "DE.Views.Toolbar.tipWatermark": "Edit watermark", + "DE.Views.Toolbar.txtDistribHor": "Distribusikan Horizontal", + "DE.Views.Toolbar.txtDistribVert": "Distribusikan Vertikal", + "DE.Views.Toolbar.txtMarginAlign": "Rata dengan Margin", + "DE.Views.Toolbar.txtObjectsAlign": "Ratakan Objek yang Dipilih", + "DE.Views.Toolbar.txtPageAlign": "Rata dengan Halaman", "DE.Views.Toolbar.txtScheme1": "Office", "DE.Views.Toolbar.txtScheme10": "Median", "DE.Views.Toolbar.txtScheme11": "Metro", "DE.Views.Toolbar.txtScheme12": "Modul", "DE.Views.Toolbar.txtScheme13": "Mewah", "DE.Views.Toolbar.txtScheme14": "Jendela Oriel", - "DE.Views.Toolbar.txtScheme15": "Original", + "DE.Views.Toolbar.txtScheme15": "Origin", "DE.Views.Toolbar.txtScheme16": "Kertas", "DE.Views.Toolbar.txtScheme17": "Titik balik matahari", "DE.Views.Toolbar.txtScheme18": "Teknik", @@ -1664,6 +2796,7 @@ "DE.Views.Toolbar.txtScheme2": "Grayscale", "DE.Views.Toolbar.txtScheme20": "Urban", "DE.Views.Toolbar.txtScheme21": "Semangat", + "DE.Views.Toolbar.txtScheme22": "Office Baru", "DE.Views.Toolbar.txtScheme3": "Puncak", "DE.Views.Toolbar.txtScheme4": "Aspek", "DE.Views.Toolbar.txtScheme5": "Kewargaan", @@ -1671,20 +2804,37 @@ "DE.Views.Toolbar.txtScheme7": "Margin Sisa", "DE.Views.Toolbar.txtScheme8": "Alur", "DE.Views.Toolbar.txtScheme9": "Cetakan", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Selalu tampilkan toolbar", + "DE.Views.ViewTab.textDarkDocument": "Dokumen gelap", "DE.Views.ViewTab.textFitToPage": "Sesuaikan Halaman", "DE.Views.ViewTab.textFitToWidth": "Sesuaikan Lebar", - "DE.Views.ViewTab.textZoom": "Perbesar", + "DE.Views.ViewTab.textInterfaceTheme": "Tema interface", + "DE.Views.ViewTab.textNavigation": "Navigasi", + "DE.Views.ViewTab.textRulers": "Penggaris", + "DE.Views.ViewTab.textStatusBar": "Bar Status", + "DE.Views.ViewTab.textZoom": "Pembesaran", "DE.Views.WatermarkSettingsDialog.textAuto": "Otomatis", "DE.Views.WatermarkSettingsDialog.textBold": "Tebal", + "DE.Views.WatermarkSettingsDialog.textColor": "Warna teks", + "DE.Views.WatermarkSettingsDialog.textDiagonal": "Diagonal", "DE.Views.WatermarkSettingsDialog.textFont": "Huruf", "DE.Views.WatermarkSettingsDialog.textFromFile": "Dari File", + "DE.Views.WatermarkSettingsDialog.textFromStorage": "Dari Penyimpanan", "DE.Views.WatermarkSettingsDialog.textFromUrl": "Dari URL", - "DE.Views.WatermarkSettingsDialog.textHor": "Horizontal", + "DE.Views.WatermarkSettingsDialog.textHor": "Horisontal", + "DE.Views.WatermarkSettingsDialog.textImageW": "Watermark gambar", "DE.Views.WatermarkSettingsDialog.textItalic": "Miring", "DE.Views.WatermarkSettingsDialog.textLanguage": "Bahasa", - "DE.Views.WatermarkSettingsDialog.textNone": "tidak ada", + "DE.Views.WatermarkSettingsDialog.textLayout": "Layout", + "DE.Views.WatermarkSettingsDialog.textNone": "Tidak ada", + "DE.Views.WatermarkSettingsDialog.textScale": "Skala", + "DE.Views.WatermarkSettingsDialog.textSelect": "Pilih Gambar", "DE.Views.WatermarkSettingsDialog.textStrikeout": "Coret ganda", "DE.Views.WatermarkSettingsDialog.textText": "Teks", + "DE.Views.WatermarkSettingsDialog.textTextW": "Watermark teks", + "DE.Views.WatermarkSettingsDialog.textTitle": "Pengaturan Watermark", + "DE.Views.WatermarkSettingsDialog.textTransparency": "Semi Transparan", "DE.Views.WatermarkSettingsDialog.textUnderline": "Garis bawah", + "DE.Views.WatermarkSettingsDialog.tipFontName": "Nama Font", "DE.Views.WatermarkSettingsDialog.tipFontSize": "Ukuran Huruf" } \ No newline at end of file diff --git a/apps/documenteditor/main/locale/it.json b/apps/documenteditor/main/locale/it.json index a8bb45618..6d0b2d864 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea copia", "Common.Translation.warnFileLockedBtnView": "‎Aperto per la visualizzazione‎", "Common.UI.ButtonColored.textAutoColor": "Automatico", - "Common.UI.ButtonColored.textNewColor": "Aggiungere un nuovo colore personalizzato", + "Common.UI.ButtonColored.textNewColor": "Aggiungi Colore personalizzato", "Common.UI.Calendar.textApril": "Aprile", "Common.UI.Calendar.textAugust": "Agosto", "Common.UI.Calendar.textDecember": "Dicembre", @@ -916,17 +916,6 @@ "DE.Controllers.Toolbar.textSymbols": "Simboli", "DE.Controllers.Toolbar.textTabForms": "Forme‎", "DE.Controllers.Toolbar.textWarning": "Avviso", - "DE.Controllers.Toolbar.tipMarkersArrow": "Punti elenco a freccia", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Punti elenco a segno di spunta", - "DE.Controllers.Toolbar.tipMarkersDash": "Punti elenco a trattino", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Punti elenco a rombo pieno", - "DE.Controllers.Toolbar.tipMarkersFRound": "Punti elenco rotondi pieni", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Punti elenco quadrati pieni", - "DE.Controllers.Toolbar.tipMarkersHRound": "Punti elenco rotondi vuoti", - "DE.Controllers.Toolbar.tipMarkersStar": "Punti elenco a stella", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Elenco numerato a livelli multipli", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Simboli puntati a livelli multipli", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Punti numerati a livelli multipli", "DE.Controllers.Toolbar.txtAccent_Accent": "Acuto", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Freccia Destra-Sinistra in alto", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Freccia verso sinistra sopra", @@ -1527,14 +1516,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Aggiorna sommario", "DE.Views.DocumentHolder.textWrap": "Stile di disposizione testo", "DE.Views.DocumentHolder.tipIsLocked": "Questo elemento è attualmente in fase di modifica da un altro utente.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Punti elenco a freccia", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Punti elenco a segno di spunta", - "DE.Views.DocumentHolder.tipMarkersDash": "Punti elenco a trattino", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Punti elenco a rombo pieno", - "DE.Views.DocumentHolder.tipMarkersFRound": "Punti elenco rotondi pieni", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Punti elenco quadrati pieni", - "DE.Views.DocumentHolder.tipMarkersHRound": "Punti elenco rotondi vuoti", - "DE.Views.DocumentHolder.tipMarkersStar": "Punti elenco a stella", "DE.Views.DocumentHolder.toDictionaryText": "Aggiungi al Dizionario", "DE.Views.DocumentHolder.txtAddBottom": "Aggiungi bordo inferiore", "DE.Views.DocumentHolder.txtAddFractionBar": "Aggiungi barra di frazione", @@ -1719,6 +1700,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titolo documento", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Caricato", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Parole", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Produttore PDF", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Modifica diritti di accesso", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persone che hanno diritti", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avviso", @@ -1734,21 +1716,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra firme", "DE.Views.FileMenuPanels.Settings.okButtonText": "Applica", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Abilita guide di allineamento", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Attiva il ripristino automatico", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Attiva salvataggio automatico", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modalità di co-editing", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Gli altri utenti vedranno le tue modifiche contemporaneamente", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "DE.Views.FileMenuPanels.Settings.strFast": "Rapido", "DE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri", "DE.Views.FileMenuPanels.Settings.strForcesave": "‎Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S‎", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Attivare visualizzazione dei commenti", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro", - "DE.Views.FileMenuPanels.Settings.strPaste": "Taglia, copia e incolla", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostra il pulsante opzioni Incolla quando il contenuto viene incollato", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Attiva la visualizzazione dei commenti risolti", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Visualizzazione di revisioni", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Evidenzia modifiche di collaborazione in tempo reale", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Attiva controllo ortografia", "DE.Views.FileMenuPanels.Settings.strStrict": "Rigorosa", @@ -2132,6 +2105,7 @@ "DE.Views.Navigation.txtDemote": "Retrocedere", "DE.Views.Navigation.txtEmpty": "Non ci sono titoli nel documento.
    Applica uno stile di titolo al testo in modo che appaia nel sommario.", "DE.Views.Navigation.txtEmptyItem": "Intestazione vuota", + "DE.Views.Navigation.txtEmptyViewer": "Non ci sono titoli nel documento.", "DE.Views.Navigation.txtExpand": "Espandi tutto", "DE.Views.Navigation.txtExpandToLevel": "Espandi al livello", "DE.Views.Navigation.txtHeadingAfter": "Nuova intestazione dopo", @@ -2765,7 +2739,18 @@ "DE.Views.Toolbar.tipLineSpace": "Interlinea paragrafo", "DE.Views.Toolbar.tipMailRecepients": "Stampa unione", "DE.Views.Toolbar.tipMarkers": "Elenchi puntati", + "DE.Views.Toolbar.tipMarkersArrow": "Punti elenco a freccia", + "DE.Views.Toolbar.tipMarkersCheckmark": "Punti elenco a segno di spunta", + "DE.Views.Toolbar.tipMarkersDash": "Punti elenco a trattino", + "DE.Views.Toolbar.tipMarkersFRhombus": "Punti elenco a rombo pieno", + "DE.Views.Toolbar.tipMarkersFRound": "Punti elenco rotondi pieni", + "DE.Views.Toolbar.tipMarkersFSquare": "Punti elenco quadrati pieni", + "DE.Views.Toolbar.tipMarkersHRound": "Punti elenco rotondi vuoti", + "DE.Views.Toolbar.tipMarkersStar": "Punti elenco a stella", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Elenco numerato a livelli multipli", "DE.Views.Toolbar.tipMultilevels": "Struttura", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Simboli puntati a livelli multipli", + "DE.Views.Toolbar.tipMultiLevelVarious": "Punti numerati a livelli multipli", "DE.Views.Toolbar.tipNumbers": "Elenchi numerati", "DE.Views.Toolbar.tipPageBreak": "Inserisci interruzione di pagina o di sezione", "DE.Views.Toolbar.tipPageMargins": "Margini della pagina", diff --git a/apps/documenteditor/main/locale/ja.json b/apps/documenteditor/main/locale/ja.json index 6ee05345e..4017a20fe 100644 --- a/apps/documenteditor/main/locale/ja.json +++ b/apps/documenteditor/main/locale/ja.json @@ -1,13 +1,13 @@ { "Common.Controllers.Chat.notcriticalErrorTitle": "警告", - "Common.Controllers.Chat.textEnterMessage": "メッセージをここに挿入する", + "Common.Controllers.Chat.textEnterMessage": "ここにメッセージを挿入してください。", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "匿名者", "Common.Controllers.ExternalDiagramEditor.textClose": "閉じる", "Common.Controllers.ExternalDiagramEditor.warningText": "他のユーザは編集しているのためオブジェクトが無効になります。", "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", "Common.Controllers.ExternalMergeEditor.textAnonymous": "匿名者", "Common.Controllers.ExternalMergeEditor.textClose": "閉じる", - "Common.Controllers.ExternalMergeEditor.warningText": "他のユーザは編集しているのためオブジェクトが無効になります。", + "Common.Controllers.ExternalMergeEditor.warningText": "他のユーザーが編集しているのためオブジェクトが無効になります。", "Common.Controllers.ExternalMergeEditor.warningTitle": "警告", "Common.Controllers.History.notcriticalErrorTitle": "警告", "Common.Controllers.ReviewChanges.textAcceptBeforeCompare": "文書を比較するために、文書内のすべての変更履歴が承認されたと見なされます。続行しますか?", @@ -19,22 +19,22 @@ "Common.Controllers.ReviewChanges.textCaps": "全ての英大文字", "Common.Controllers.ReviewChanges.textCenter": "中央揃え", "Common.Controllers.ReviewChanges.textChar": "文字レベル", - "Common.Controllers.ReviewChanges.textChart": "グラフ", + "Common.Controllers.ReviewChanges.textChart": "チャート", "Common.Controllers.ReviewChanges.textColor": "フォントの色", "Common.Controllers.ReviewChanges.textContextual": "同じスタイルの場合は、段落間に間隔を追加しません。", "Common.Controllers.ReviewChanges.textDeleted": "削除済み:", "Common.Controllers.ReviewChanges.textDStrikeout": "二重取り消し線", - "Common.Controllers.ReviewChanges.textEquation": "数式", + "Common.Controllers.ReviewChanges.textEquation": "方程式\t", "Common.Controllers.ReviewChanges.textExact": "固定値", "Common.Controllers.ReviewChanges.textFirstLine": "最初の行", "Common.Controllers.ReviewChanges.textFontSize": "フォントのサイズ", - "Common.Controllers.ReviewChanges.textFormatted": "書式付き", - "Common.Controllers.ReviewChanges.textHighlight": "強調表示の色", + "Common.Controllers.ReviewChanges.textFormatted": "書式設定済み", + "Common.Controllers.ReviewChanges.textHighlight": "ハイライトの色", "Common.Controllers.ReviewChanges.textImage": "画像", "Common.Controllers.ReviewChanges.textIndentLeft": "左インデント", "Common.Controllers.ReviewChanges.textIndentRight": "右インデント", "Common.Controllers.ReviewChanges.textInserted": "挿入済み:", - "Common.Controllers.ReviewChanges.textItalic": "斜体", + "Common.Controllers.ReviewChanges.textItalic": "イタリック", "Common.Controllers.ReviewChanges.textJustify": "両端揃え", "Common.Controllers.ReviewChanges.textKeepLines": "段落を分割しない", "Common.Controllers.ReviewChanges.textKeepNext": "次の段落と分離しない", @@ -42,78 +42,78 @@ "Common.Controllers.ReviewChanges.textLineSpacing": "行間:", "Common.Controllers.ReviewChanges.textMultiple": "複数", "Common.Controllers.ReviewChanges.textNoBreakBefore": "前にページ区切りなし", - "Common.Controllers.ReviewChanges.textNoContextual": "同じなスタイルの段落の間に間隔を追加する", + "Common.Controllers.ReviewChanges.textNoContextual": "同じスタイルの段落の間に間隔を追加する", "Common.Controllers.ReviewChanges.textNoKeepLines": "段落を分割する", "Common.Controllers.ReviewChanges.textNoKeepNext": "次の段落と分離する", - "Common.Controllers.ReviewChanges.textNot": "ありません", - "Common.Controllers.ReviewChanges.textNoWidow": "改ページ時1行残して段落を区切らないを制御しない。", - "Common.Controllers.ReviewChanges.textNum": "番号設定の変更", + "Common.Controllers.ReviewChanges.textNot": "ではない", + "Common.Controllers.ReviewChanges.textNoWidow": "ウィンドウ制御なし", + "Common.Controllers.ReviewChanges.textNum": "番号付けの変更", "Common.Controllers.ReviewChanges.textOff": "{0} は、変更履歴を使用しなくなりました。", "Common.Controllers.ReviewChanges.textOffGlobal": "{0} は全員に変更履歴を無効にしました", "Common.Controllers.ReviewChanges.textOn": "{0} は変更履歴を現在使用しています。", "Common.Controllers.ReviewChanges.textOnGlobal": "{0} は全員に変更履歴を有効にしました。", "Common.Controllers.ReviewChanges.textParaDeleted": "段落が削除されました", - "Common.Controllers.ReviewChanges.textParaFormatted": "段落の書式変更", + "Common.Controllers.ReviewChanges.textParaFormatted": "段落の書式変更済み", "Common.Controllers.ReviewChanges.textParaInserted": "段落が挿入されました", - "Common.Controllers.ReviewChanges.textParaMoveFromDown": "下に移動された:", - "Common.Controllers.ReviewChanges.textParaMoveFromUp": "上に移動された:", - "Common.Controllers.ReviewChanges.textParaMoveTo": "移動された:", + "Common.Controllers.ReviewChanges.textParaMoveFromDown": "下に移動済み:", + "Common.Controllers.ReviewChanges.textParaMoveFromUp": "上に移動済み:", + "Common.Controllers.ReviewChanges.textParaMoveTo": "移動済み:", "Common.Controllers.ReviewChanges.textPosition": "位置", "Common.Controllers.ReviewChanges.textRight": "右揃え", "Common.Controllers.ReviewChanges.textShape": "図形", "Common.Controllers.ReviewChanges.textShd": "背景色", - "Common.Controllers.ReviewChanges.textShow": "変更を表示する", + "Common.Controllers.ReviewChanges.textShow": "での変更点を表示", "Common.Controllers.ReviewChanges.textSmallCaps": "小型英大文字", "Common.Controllers.ReviewChanges.textSpacing": "間隔", - "Common.Controllers.ReviewChanges.textSpacingAfter": "段落の後の行間", - "Common.Controllers.ReviewChanges.textSpacingBefore": "段落の前の行間", + "Common.Controllers.ReviewChanges.textSpacingAfter": "の後の行間", + "Common.Controllers.ReviewChanges.textSpacingBefore": "の前の行間", "Common.Controllers.ReviewChanges.textStrikeout": "取り消し線", - "Common.Controllers.ReviewChanges.textSubScript": "下付き", + "Common.Controllers.ReviewChanges.textSubScript": "下付き文字", "Common.Controllers.ReviewChanges.textSuperScript": "上付き文字", "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": " 改ページ時 1 行残して段落を区切らない]", + "Common.Controllers.ReviewChanges.textUnderline": "アンダーライン", + "Common.Controllers.ReviewChanges.textUrl": "ドキュメントのURLを貼り付け", + "Common.Controllers.ReviewChanges.textWidow": "ウインドウ制御", "Common.Controllers.ReviewChanges.textWord": "単語レベル", "Common.define.chartData.textArea": "面グラフ", "Common.define.chartData.textAreaStacked": "積み上げ面", - "Common.define.chartData.textAreaStackedPer": "100% 積み上げ面", - "Common.define.chartData.textBar": "横棒グラフ", + "Common.define.chartData.textAreaStackedPer": "スタック領域 100%", + "Common.define.chartData.textBar": "バー", "Common.define.chartData.textBarNormal": "集合縦棒", "Common.define.chartData.textBarNormal3d": "3-D 集合縦棒", "Common.define.chartData.textBarNormal3dPerspective": "3-D 縦棒", "Common.define.chartData.textBarStacked": "積み上げ縦棒", "Common.define.chartData.textBarStacked3d": "3-D 積み上げ縦棒", - "Common.define.chartData.textBarStackedPer": "100% 積み上げ縦棒", - "Common.define.chartData.textBarStackedPer3d": "3-D 100% 積み上げ縦棒", - "Common.define.chartData.textCharts": "グラフ", + "Common.define.chartData.textBarStackedPer": "積み上げ縦棒 100% ", + "Common.define.chartData.textBarStackedPer3d": "3-D 積み上げ縦棒 100% ", + "Common.define.chartData.textCharts": "チャート", "Common.define.chartData.textColumn": "縦棒グラフ", "Common.define.chartData.textCombo": "複合", "Common.define.chartData.textComboAreaBar": "積み上げ面 - 集合縦棒", "Common.define.chartData.textComboBarLine": "集合縦棒 - 線", - "Common.define.chartData.textComboBarLineSecondary": "集合縦棒 - 第 2 軸の折れ線", + "Common.define.chartData.textComboBarLineSecondary": "集合縦棒 - 二次軸上の線", "Common.define.chartData.textComboCustom": "カスタム組み合わせ", "Common.define.chartData.textDoughnut": "ドーナツ", "Common.define.chartData.textHBarNormal": "集合横棒", "Common.define.chartData.textHBarNormal3d": "3-D 集合横棒", "Common.define.chartData.textHBarStacked": "積み上げ横棒", "Common.define.chartData.textHBarStacked3d": "3-D 積み上げ横棒", - "Common.define.chartData.textHBarStackedPer": "100%積み上げ横棒", - "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 積み上げ横棒", + "Common.define.chartData.textHBarStackedPer": "積み上げ横棒 100%", + "Common.define.chartData.textHBarStackedPer3d": "3-D 積み上げ横棒 100% ", "Common.define.chartData.textLine": "折れ線グラフ", "Common.define.chartData.textLine3d": "3-D 折れ線", "Common.define.chartData.textLineMarker": "マーカー付き折れ線", "Common.define.chartData.textLineStacked": "積み上げ折れ線", "Common.define.chartData.textLineStackedMarker": "マーク付き積み上げ折れ線", - "Common.define.chartData.textLineStackedPer": "100% 積み上げ折れ線", - "Common.define.chartData.textLineStackedPerMarker": "マーカー付き 100% 積み上げ折れ線", + "Common.define.chartData.textLineStackedPer": "積み上げ折れ線 100% ", + "Common.define.chartData.textLineStackedPerMarker": "マーカー付き 積み上げ折れ線 100% ", "Common.define.chartData.textPie": "円グラフ", "Common.define.chartData.textPie3d": "3-D 円", - "Common.define.chartData.textPoint": "点グラフ", + "Common.define.chartData.textPoint": "XY (散布図)", "Common.define.chartData.textScatter": "散布図", "Common.define.chartData.textScatterLine": "直線付き散布図", "Common.define.chartData.textScatterLineMarker": "マーカーと直線付き散布図", @@ -123,9 +123,9 @@ "Common.define.chartData.textSurface": "表面", "Common.Translation.warnFileLocked": "このファイルは他のアプリで編集されているので、編集できません。", "Common.Translation.warnFileLockedBtnEdit": "コピーを作成する", - "Common.Translation.warnFileLockedBtnView": "閲覧可能", + "Common.Translation.warnFileLockedBtnView": "閲覧するために開く", "Common.UI.ButtonColored.textAutoColor": "自動​", - "Common.UI.ButtonColored.textNewColor": "ユーザー設定の色", + "Common.UI.ButtonColored.textNewColor": "新規カスタムカラーの追加", "Common.UI.Calendar.textApril": "4月", "Common.UI.Calendar.textAugust": "8月", "Common.UI.Calendar.textDecember": "12月", @@ -139,18 +139,18 @@ "Common.UI.Calendar.textNovember": "11月", "Common.UI.Calendar.textOctober": "10月", "Common.UI.Calendar.textSeptember": "9月", - "Common.UI.Calendar.textShortApril": "四月", + "Common.UI.Calendar.textShortApril": "4月", "Common.UI.Calendar.textShortAugust": "8月", - "Common.UI.Calendar.textShortDecember": "十二月", - "Common.UI.Calendar.textShortFebruary": "二月", + "Common.UI.Calendar.textShortDecember": "12月", + "Common.UI.Calendar.textShortFebruary": "2月", "Common.UI.Calendar.textShortFriday": "金", - "Common.UI.Calendar.textShortJanuary": "一月", - "Common.UI.Calendar.textShortJuly": "七月", - "Common.UI.Calendar.textShortJune": "六月", - "Common.UI.Calendar.textShortMarch": "三月", + "Common.UI.Calendar.textShortJanuary": "1月", + "Common.UI.Calendar.textShortJuly": "7月", + "Common.UI.Calendar.textShortJune": "6月", + "Common.UI.Calendar.textShortMarch": "3月", "Common.UI.Calendar.textShortMay": "5月", "Common.UI.Calendar.textShortMonday": "月", - "Common.UI.Calendar.textShortNovember": "十一月", + "Common.UI.Calendar.textShortNovember": "11月", "Common.UI.Calendar.textShortOctober": "10月", "Common.UI.Calendar.textShortSaturday": "土", "Common.UI.Calendar.textShortSeptember": "9月", @@ -168,22 +168,22 @@ "Common.UI.ExtendedColorDialog.textNew": "新しい", "Common.UI.ExtendedColorDialog.textRGBErr": "入力された値が正しくありません。
    0〜255の数値を入力してください。", "Common.UI.HSBColorPicker.textNoColor": "色なし", - "Common.UI.InputFieldBtnPassword.textHintHidePwd": "パスワードを隠す", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "パスワードを表示しない", "Common.UI.InputFieldBtnPassword.textHintShowPwd": "パスワードを表示する", - "Common.UI.SearchDialog.textHighlight": "結果を強調表示", + "Common.UI.SearchDialog.textHighlight": "結果のハイライト", "Common.UI.SearchDialog.textMatchCase": "大文字と小文字の区別", - "Common.UI.SearchDialog.textReplaceDef": "代替テキストの挿入する", - "Common.UI.SearchDialog.textSearchStart": "テキストをここに挿入する", + "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.textWholeWords": "単語全体のみ", + "Common.UI.SearchDialog.txtBtnHideReplace": "置換を表示しない", + "Common.UI.SearchDialog.txtBtnReplace": "置換する", + "Common.UI.SearchDialog.txtBtnReplaceAll": "全てを置き換える", "Common.UI.SynchronizeTip.textDontShow": "今後このメッセージを表示しない", - "Common.UI.SynchronizeTip.textSynchronize": "ドキュメントは他のユーザーによって変更されました。
    変更を保存するためにここでクリックし、アップデートを再ロードしてください。", - "Common.UI.ThemeColorPalette.textStandartColors": "標準の色", - "Common.UI.ThemeColorPalette.textThemeColors": "テーマカラー", + "Common.UI.SynchronizeTip.textSynchronize": "このドキュメントは他のユーザーによって変更されました。クリックして変更を保存し、更新を再読み込みしてください。", + "Common.UI.ThemeColorPalette.textStandartColors": "標準色", + "Common.UI.ThemeColorPalette.textThemeColors": "テーマの色", "Common.UI.Themes.txtThemeClassicLight": "明るい(クラシック)", "Common.UI.Themes.txtThemeDark": "暗い", "Common.UI.Themes.txtThemeLight": "明るい", @@ -202,28 +202,28 @@ "Common.Views.About.txtAddress": "アドレス:", "Common.Views.About.txtLicensee": "ライセンシー", "Common.Views.About.txtLicensor": "ライセンサー\t", - "Common.Views.About.txtMail": "メール", + "Common.Views.About.txtMail": "メール:", "Common.Views.About.txtPoweredBy": "Powered by", "Common.Views.About.txtTel": "電話番号:", "Common.Views.About.txtVersion": "バージョン", - "Common.Views.AutoCorrectDialog.textAdd": "加える", + "Common.Views.AutoCorrectDialog.textAdd": "追加", "Common.Views.AutoCorrectDialog.textApplyText": "入力時に適用する", "Common.Views.AutoCorrectDialog.textAutoCorrect": "テキストオートコレクト", "Common.Views.AutoCorrectDialog.textAutoFormat": "入力時にオートフォーマット", - "Common.Views.AutoCorrectDialog.textBulleted": "自動箇条書き", + "Common.Views.AutoCorrectDialog.textBulleted": "自動箇条書きリスト", "Common.Views.AutoCorrectDialog.textBy": "幅", "Common.Views.AutoCorrectDialog.textDelete": "削除する", "Common.Views.AutoCorrectDialog.textDoubleSpaces": "スペース2回でピリオドを入力する", "Common.Views.AutoCorrectDialog.textFLCells": "テーブルセルの最初の文字を大文字にする", "Common.Views.AutoCorrectDialog.textFLSentence": "文章の最初の文字を大文字にする", - "Common.Views.AutoCorrectDialog.textHyperlink": "インターネットとネットワークのアドレスをハイパーリンクに変更する", - "Common.Views.AutoCorrectDialog.textHyphens": "ハイフン(--)の代わりにダッシュ(—)", + "Common.Views.AutoCorrectDialog.textHyperlink": "ハイパーリンクを使用したインターネットとネットワークの経路", + "Common.Views.AutoCorrectDialog.textHyphens": "ハイフン(--)とダッシュ(-)の組み合わせ", "Common.Views.AutoCorrectDialog.textMathCorrect": "数式オートコレクト", - "Common.Views.AutoCorrectDialog.textNumbered": "自動番号付きリスト", + "Common.Views.AutoCorrectDialog.textNumbered": "自動番号付けリスト", "Common.Views.AutoCorrectDialog.textQuotes": "左右の区別がない引用符を、区別がある引用符に変更する", "Common.Views.AutoCorrectDialog.textRecognized": "認識された関数", "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下の式は、認識される数式です。 自動的にイタリック体になることはありません。", - "Common.Views.AutoCorrectDialog.textReplace": "置き換え", + "Common.Views.AutoCorrectDialog.textReplace": "置換する", "Common.Views.AutoCorrectDialog.textReplaceText": "入力時に置き換える\n\t", "Common.Views.AutoCorrectDialog.textReplaceType": "入力時にテキストを置き換える", "Common.Views.AutoCorrectDialog.textReset": "リセット", @@ -231,13 +231,13 @@ "Common.Views.AutoCorrectDialog.textRestore": "復元する", "Common.Views.AutoCorrectDialog.textTitle": "オートコレクト", "Common.Views.AutoCorrectDialog.textWarnAddRec": "認識される関数には、大文字または小文字のAからZまでの文字のみを含める必要があります。", - "Common.Views.AutoCorrectDialog.textWarnResetRec": "追加した式はすべて削除され、削除された式が復元されます。 続けますか?", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "追加した式はすべて削除され、削除された式が復元されます。 このまま続けますか?", "Common.Views.AutoCorrectDialog.warnReplace": "%1のオートコレクトのエントリはすでに存在します。 取り替えますか?", - "Common.Views.AutoCorrectDialog.warnReset": "追加したオートコレクトはすべて削除され、変更されたものは元の値に復元されます。 続けますか?", + "Common.Views.AutoCorrectDialog.warnReset": "追加したオートコレクトはすべて削除され、変更されたものは元の値に復元されます。 このまま続けますか?", "Common.Views.AutoCorrectDialog.warnRestore": "%1のオートコレクトエントリは元の値にリセットされます。 続けますか?", "Common.Views.Chat.textSend": "送信", - "Common.Views.Comments.mniAuthorAsc": "AからZへで作者を表示する", - "Common.Views.Comments.mniAuthorDesc": "ZからAへで作者を表示する", + "Common.Views.Comments.mniAuthorAsc": "AからZで作成者を表示する", + "Common.Views.Comments.mniAuthorDesc": "ZからAで作成者を表示する", "Common.Views.Comments.mniDateAsc": "最も古い", "Common.Views.Comments.mniDateDesc": "最も新しい", "Common.Views.Comments.mniFilterGroups": "グループでフィルター", @@ -251,112 +251,113 @@ "Common.Views.Comments.textAnonym": "ゲスト", "Common.Views.Comments.textCancel": "キャンセル", "Common.Views.Comments.textClose": "閉じる", - "Common.Views.Comments.textClosePanel": "コメントを閉める", + "Common.Views.Comments.textClosePanel": "コメントを閉じる", "Common.Views.Comments.textComments": "コメント", "Common.Views.Comments.textEdit": "OK", - "Common.Views.Comments.textEnterCommentHint": "コメントをここに挿入する", + "Common.Views.Comments.textEnterCommentHint": "ここにコメントを挿入してください。", "Common.Views.Comments.textHintAddComment": "コメントを追加", - "Common.Views.Comments.textOpenAgain": "もう一度開きます", - "Common.Views.Comments.textReply": "返信", - "Common.Views.Comments.textResolve": "解決", + "Common.Views.Comments.textOpenAgain": "もう一度開く", + "Common.Views.Comments.textReply": "返信する", + "Common.Views.Comments.textResolve": "解決する", "Common.Views.Comments.textResolved": "解決済み", "Common.Views.Comments.textSort": "コメントを並べ替える", "Common.Views.Comments.textViewResolved": "コメントを再開する権限がありません", + "Common.Views.Comments.txtEmpty": "ドキュメントにはコメントがありません。", "Common.Views.CopyWarningDialog.textDontShow": "今後このメッセージを表示しない", - "Common.Views.CopyWarningDialog.textMsg": "このタブの編集のツールバーのボタンとコンテキストメニューを使って、コピー、分割と貼り付けをすることができます。

    他のアプリケーションにコピーと貼り付けのために、次のショートカットキー を使ってください:", - "Common.Views.CopyWarningDialog.textTitle": "コピー,切り取り,貼り付けの操作", + "Common.Views.CopyWarningDialog.textMsg": "エディターツールバーのボタンやコンテキストメニューの操作によるコピー、カット、ペーストの動作は、このエディタータブ内でのみ実行されます。

    エディタータブ以外のアプリケーションとの間でコピーまたは貼り付けを行うには、次のキーボードの組み合わせを使用して下さい。", + "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": "閉じる", - "Common.Views.ExternalDiagramEditor.textSave": "保存&終了", - "Common.Views.ExternalDiagramEditor.textTitle": "グラフのエディタ", + "Common.Views.ExternalDiagramEditor.textSave": "保存と終了", + "Common.Views.ExternalDiagramEditor.textTitle": "チャートのエディタ", "Common.Views.ExternalMergeEditor.textClose": "閉じる", - "Common.Views.ExternalMergeEditor.textSave": "保存&終了", + "Common.Views.ExternalMergeEditor.textSave": "保存と終了", "Common.Views.ExternalMergeEditor.textTitle": "差し込み印刷の宛先", "Common.Views.Header.labelCoUsersDescr": "ファイルを編集しているユーザー:", "Common.Views.Header.textAddFavorite": "お気に入りとしてマーク", "Common.Views.Header.textAdvSettings": "詳細設定", - "Common.Views.Header.textBack": "ファイルのURLを開く", - "Common.Views.Header.textCompactView": "ツールバーを隠す", + "Common.Views.Header.textBack": "ファイルの場所を開く", + "Common.Views.Header.textCompactView": "ツールバーを表示しない", "Common.Views.Header.textHideLines": "ルーラーを表示しない", "Common.Views.Header.textHideStatusBar": "ステータスバーを表示しない", "Common.Views.Header.textRemoveFavorite": "お気に入りから削除", - "Common.Views.Header.textZoom": "拡大率", + "Common.Views.Header.textZoom": "ズーム", "Common.Views.Header.tipAccessRights": "文書のアクセス許可のの管理", "Common.Views.Header.tipDownload": "ファイルをダウンロード", "Common.Views.Header.tipGoEdit": "現在のファイルを編集する", - "Common.Views.Header.tipPrint": "印刷", - "Common.Views.Header.tipRedo": "やり直す", + "Common.Views.Header.tipPrint": "ファイルを印刷する", + "Common.Views.Header.tipRedo": "やり直し", "Common.Views.Header.tipSave": "保存する", "Common.Views.Header.tipUndo": "元に戻す", "Common.Views.Header.tipViewSettings": "表示の設定", - "Common.Views.Header.tipViewUsers": "ユーザーの表示と文書のアクセス権の管理", + "Common.Views.Header.tipViewUsers": "ユーザーとドキュメントのアクセス権限の管理を表示", "Common.Views.Header.txtAccessRights": "アクセス権限の変更", - "Common.Views.Header.txtRename": "名前の変更", + "Common.Views.Header.txtRename": "名前を変更する", "Common.Views.History.textCloseHistory": "履歴を閉じる", "Common.Views.History.textHide": "折りたたみ", - "Common.Views.History.textHideAll": "詳細な変更を隠す", + "Common.Views.History.textHideAll": "詳細変更を表示しない", "Common.Views.History.textRestore": "復元する", - "Common.Views.History.textShow": "展開する", - "Common.Views.History.textShowAll": "詳細な変更を表示する", - "Common.Views.History.textVer": "版", + "Common.Views.History.textShow": "拡張する", + "Common.Views.History.textShowAll": "変更の詳細を表示する", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "画像URLの貼り付け", - "Common.Views.ImageFromUrlDialog.txtEmpty": "このフィールドは必須項目です", + "Common.Views.ImageFromUrlDialog.txtEmpty": "この項目は必須です", "Common.Views.ImageFromUrlDialog.txtNotUrl": "このフィールドは「http://www.example.com」の形式のURLである必要があります。", "Common.Views.InsertTableDialog.textInvalidRowsCols": "有効な行と列の数を指定する必要があります。", "Common.Views.InsertTableDialog.txtColumns": "列数", "Common.Views.InsertTableDialog.txtMaxText": "このフィールドの最大値は{0}です。", "Common.Views.InsertTableDialog.txtMinText": "このフィールドの最小値は{0}です。", "Common.Views.InsertTableDialog.txtRows": "行数", - "Common.Views.InsertTableDialog.txtTitle": "表のサイズ", + "Common.Views.InsertTableDialog.txtTitle": "テーブルのサイズ", "Common.Views.InsertTableDialog.txtTitleSplit": "セルの分割", - "Common.Views.LanguageDialog.labelSelect": "文書の言語を選択する", + "Common.Views.LanguageDialog.labelSelect": "ドキュメントの言語の選択", "Common.Views.OpenDialog.closeButtonText": "ファイルを閉じる", "Common.Views.OpenDialog.txtEncoding": "エンコード", "Common.Views.OpenDialog.txtIncorrectPwd": "パスワードが正しくありません。", - "Common.Views.OpenDialog.txtOpenFile": "ファイルを開くためのパスワードを入力する", + "Common.Views.OpenDialog.txtOpenFile": "ファイルを開くためにパスワードを入力してください。", "Common.Views.OpenDialog.txtPassword": "パスワード", - "Common.Views.OpenDialog.txtPreview": "下見", - "Common.Views.OpenDialog.txtProtected": "パスワードを入力してファイルを開くと、ファイルの既存のパスワードがリセットされます。", + "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": "パスワード", "Common.Views.PasswordDialog.txtRepeat": "パスワードを再入力", - "Common.Views.PasswordDialog.txtTitle": "パスワードの設定", - "Common.Views.PasswordDialog.txtWarning": "注意: パスワードを忘れると、元に戻せません。", + "Common.Views.PasswordDialog.txtTitle": "パスワードを設定する", + "Common.Views.PasswordDialog.txtWarning": "警告: パスワードを忘れると元に戻せません。安全な場所に記録してください。", "Common.Views.PluginDlg.textLoading": "読み込み中", "Common.Views.Plugins.groupCaption": "プラグイン", "Common.Views.Plugins.strPlugins": "プラグイン", "Common.Views.Plugins.textLoading": "読み込み中", - "Common.Views.Plugins.textStart": "スタート", + "Common.Views.Plugins.textStart": "開始", "Common.Views.Plugins.textStop": "停止", - "Common.Views.Protection.hintAddPwd": "パスワードを使用して暗号化", + "Common.Views.Protection.hintAddPwd": "パスワードを使用して暗号化する", "Common.Views.Protection.hintPwd": "パスワードを変更か削除する", "Common.Views.Protection.hintSignature": "デジタル署名かデジタル署名行を追加", "Common.Views.Protection.txtAddPwd": "パスワードの追加", "Common.Views.Protection.txtChangePwd": "パスワードを変更する", - "Common.Views.Protection.txtDeletePwd": "パスワード削除", + "Common.Views.Protection.txtDeletePwd": "パスワードを削除する", "Common.Views.Protection.txtEncrypt": "暗号化する", "Common.Views.Protection.txtInvisibleSignature": "デジタル署名を追加", - "Common.Views.Protection.txtSignature": "サイン", + "Common.Views.Protection.txtSignature": "署名", "Common.Views.Protection.txtSignatureLine": "署名欄の追加", "Common.Views.RenameDialog.textName": "ファイル名", "Common.Views.RenameDialog.txtInvalidName": "ファイル名に次の文字を使うことはできません。", - "Common.Views.ReviewChanges.hintNext": "次の変更箇所", - "Common.Views.ReviewChanges.hintPrev": "以前の変更へ", + "Common.Views.ReviewChanges.hintNext": "次の変更箇所へ", + "Common.Views.ReviewChanges.hintPrev": "以前の変更箇所へ", "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": "あなたや他の人が行った変更を同期するために、[保存]ボタンを使用する", + "Common.Views.ReviewChanges.strStrict": "厳格", + "Common.Views.ReviewChanges.strStrictDesc": "あなたや他のユーザーが行った変更を同期するために、[保存]ボタンを使用する", "Common.Views.ReviewChanges.textEnable": "有効にする", "Common.Views.ReviewChanges.textWarnTrackChanges": "変更履歴はフルアクセス権を持つすべてのユーザーに対して有効になります。次に他のユーザーがドキュメントを開いた時にも、変更履歴は有効になっています。", "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "全員に変更履歴を有効しますか?", @@ -368,11 +369,11 @@ "Common.Views.ReviewChanges.tipCommentResolveCurrent": "現在のコメントを解決する", "Common.Views.ReviewChanges.tipCompare": "現在の文書を別の文書と比較する", "Common.Views.ReviewChanges.tipHistory": "バージョン履歴を表示する", - "Common.Views.ReviewChanges.tipRejectCurrent": "現在の変更を元に戻します。", + "Common.Views.ReviewChanges.tipRejectCurrent": "現在の変更を元に戻す", "Common.Views.ReviewChanges.tipReview": "変更履歴", - "Common.Views.ReviewChanges.tipReviewView": "変更を表示するモードを選択してください", - "Common.Views.ReviewChanges.tipSetDocLang": "文書の言語を設定する", - "Common.Views.ReviewChanges.tipSetSpelling": "スペル チェック", + "Common.Views.ReviewChanges.tipReviewView": "変更内容を表示するモードを選択してください", + "Common.Views.ReviewChanges.tipSetDocLang": "文書の言語を設定", + "Common.Views.ReviewChanges.tipSetSpelling": "スペルチェック", "Common.Views.ReviewChanges.tipSharing": "文書のアクセス許可のの管理", "Common.Views.ReviewChanges.txtAccept": "承諾", "Common.Views.ReviewChanges.txtAcceptAll": "すべての変更を承諾する", @@ -383,86 +384,86 @@ "Common.Views.ReviewChanges.txtCoAuthMode": "共同編集のモード", "Common.Views.ReviewChanges.txtCommentRemAll": "全てのコメントを削除する", "Common.Views.ReviewChanges.txtCommentRemCurrent": "現在のコメントを削除する", - "Common.Views.ReviewChanges.txtCommentRemMy": "私のコメントを削除する", - "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "私の現在のコメントを削除する", + "Common.Views.ReviewChanges.txtCommentRemMy": "自分のコメントを削除する", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "自分の今のコメントを削除する", "Common.Views.ReviewChanges.txtCommentRemove": "削除する", - "Common.Views.ReviewChanges.txtCommentResolve": "解決", - "Common.Views.ReviewChanges.txtCommentResolveAll": "すべてのコメントを解決する。", + "Common.Views.ReviewChanges.txtCommentResolve": "解決する", + "Common.Views.ReviewChanges.txtCommentResolveAll": "すべてのコメントを解決する", "Common.Views.ReviewChanges.txtCommentResolveCurrent": "現在のコメントを解決する", - "Common.Views.ReviewChanges.txtCommentResolveMy": "自分のコメントを解決する。", - "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "現在のコメントを解決する", + "Common.Views.ReviewChanges.txtCommentResolveMy": "自分のコメントを解決する", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "現在の自分のコメントを解決する", "Common.Views.ReviewChanges.txtCompare": "比較", "Common.Views.ReviewChanges.txtDocLang": "言語", "Common.Views.ReviewChanges.txtEditing": "編集", - "Common.Views.ReviewChanges.txtFinal": "変更は承認された{0}", + "Common.Views.ReviewChanges.txtFinal": "全ての変更が承認されました{0}", "Common.Views.ReviewChanges.txtFinalCap": "最終版", "Common.Views.ReviewChanges.txtHistory": "バージョン履歴", "Common.Views.ReviewChanges.txtMarkup": "全ての変更{0}", "Common.Views.ReviewChanges.txtMarkupCap": "マークアップとバルーン", - "Common.Views.ReviewChanges.txtMarkupSimple": "すべての変更 {0}
    バルーンがない", - "Common.Views.ReviewChanges.txtMarkupSimpleCap": "マークアップだけ", - "Common.Views.ReviewChanges.txtNext": "次の変更箇所", - "Common.Views.ReviewChanges.txtOff": "私に消す", - "Common.Views.ReviewChanges.txtOffGlobal": "私にと誰にも消す", - "Common.Views.ReviewChanges.txtOn": "私に点ける", - "Common.Views.ReviewChanges.txtOnGlobal": "私にと誰にも点ける", - "Common.Views.ReviewChanges.txtOriginal": "変更は拒否{0}", + "Common.Views.ReviewChanges.txtMarkupSimple": "すべての変更 {0}
    吹き出しなし", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "マークアップのみ", + "Common.Views.ReviewChanges.txtNext": "次へ", + "Common.Views.ReviewChanges.txtOff": "私はオフする", + "Common.Views.ReviewChanges.txtOffGlobal": "私と全員オフにする", + "Common.Views.ReviewChanges.txtOn": "私はオンにする", + "Common.Views.ReviewChanges.txtOnGlobal": "私と全員オンにする", + "Common.Views.ReviewChanges.txtOriginal": "全ての変更が拒否されました{0}", "Common.Views.ReviewChanges.txtOriginalCap": "原本", - "Common.Views.ReviewChanges.txtPrev": "前の​​変更箇所", - "Common.Views.ReviewChanges.txtPreview": "下見", + "Common.Views.ReviewChanges.txtPrev": "前回の", + "Common.Views.ReviewChanges.txtPreview": "プレビュー", "Common.Views.ReviewChanges.txtReject": "拒否する", - "Common.Views.ReviewChanges.txtRejectAll": "すべての変更を元に戻す", - "Common.Views.ReviewChanges.txtRejectChanges": "変更を拒否する", - "Common.Views.ReviewChanges.txtRejectCurrent": "現在の変更を元に戻します。", - "Common.Views.ReviewChanges.txtSharing": "共有する", - "Common.Views.ReviewChanges.txtSpelling": "スペル チェック", + "Common.Views.ReviewChanges.txtRejectAll": "すべての変更を拒否する", + "Common.Views.ReviewChanges.txtRejectChanges": "変更を拒否", + "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.txtNext": "次の変更箇所", - "Common.Views.ReviewChangesDialog.txtPrev": "以前の変更へ", + "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": "OK", "Common.Views.ReviewPopover.textFollowMove": "移動する", - "Common.Views.ReviewPopover.textMention": "+言及されるユーザーは文書にアクセスのメール通知を取得します", - "Common.Views.ReviewPopover.textMentionNotify": "+言及されるユーザーはメールで通知されます", - "Common.Views.ReviewPopover.textOpenAgain": "もう一度開きます", - "Common.Views.ReviewPopover.textReply": "返事する", - "Common.Views.ReviewPopover.textResolve": "解決", + "Common.Views.ReviewPopover.textMention": "+メンションされるユーザーは文書にアクセスのメール通知を取得します", + "Common.Views.ReviewPopover.textMentionNotify": "+メンションされるユーザーはメールで通知されます", + "Common.Views.ReviewPopover.textOpenAgain": "もう一度開く", + "Common.Views.ReviewPopover.textReply": "返信する", + "Common.Views.ReviewPopover.textResolve": "解決する", "Common.Views.ReviewPopover.textViewResolved": "コメントを再開する権限がありません", "Common.Views.ReviewPopover.txtAccept": "同意する", - "Common.Views.ReviewPopover.txtDeleteTip": "削除", + "Common.Views.ReviewPopover.txtDeleteTip": "削除する", "Common.Views.ReviewPopover.txtEditTip": "編集", "Common.Views.ReviewPopover.txtReject": "拒否する", "Common.Views.SaveAsDlg.textLoading": "読み込み中", "Common.Views.SaveAsDlg.textTitle": "保存先のフォルダ", "Common.Views.SelectFileDlg.textLoading": "読み込み中", - "Common.Views.SelectFileDlg.textTitle": "データ・ソースを選択する", + "Common.Views.SelectFileDlg.textTitle": "データソースを選択する", "Common.Views.SignDialog.textBold": "太字", "Common.Views.SignDialog.textCertificate": "証明書", "Common.Views.SignDialog.textChange": "変更する", "Common.Views.SignDialog.textInputName": "署名者の名前を入力", - "Common.Views.SignDialog.textItalic": "斜体", + "Common.Views.SignDialog.textItalic": "イタリック", "Common.Views.SignDialog.textNameError": "署名者の名前を空にしておくことはできません。", "Common.Views.SignDialog.textPurpose": "この文書にサインする目的", - "Common.Views.SignDialog.textSelect": "選択", + "Common.Views.SignDialog.textSelect": "選択する", "Common.Views.SignDialog.textSelectImage": "画像を選択する", - "Common.Views.SignDialog.textSignature": "署名は次のようになります", - "Common.Views.SignDialog.textTitle": "文書のサイン", - "Common.Views.SignDialog.textUseImage": "または画像を署名として使用するため、「画像の選択」をクリックしてください", + "Common.Views.SignDialog.textSignature": "署名は次のようになります:", + "Common.Views.SignDialog.textTitle": "文書に署名する", + "Common.Views.SignDialog.textUseImage": "または「画像を選択」をクリックして、画像を署名として使用します", "Common.Views.SignDialog.textValid": "%1から%2まで有効", "Common.Views.SignDialog.tipFontName": "フォント名", "Common.Views.SignDialog.tipFontSize": "フォントのサイズ", - "Common.Views.SignSettingsDialog.textAllowComment": " 署名者が署名ダイアログにコメントを追加できるようにする", + "Common.Views.SignSettingsDialog.textAllowComment": "署名ダイアログで署名者がコメントを追加できるようにする", "Common.Views.SignSettingsDialog.textInfo": "署名者情報", "Common.Views.SignSettingsDialog.textInfoEmail": "メール", "Common.Views.SignSettingsDialog.textInfoName": "名前", @@ -474,7 +475,7 @@ "Common.Views.SymbolTableDialog.textCharacter": "文字", "Common.Views.SymbolTableDialog.textCode": "UnicodeHEX値", "Common.Views.SymbolTableDialog.textCopyright": "著作権マーク", - "Common.Views.SymbolTableDialog.textDCQuote": "二重引用符(右)", + "Common.Views.SymbolTableDialog.textDCQuote": "二重引用符(右)を終了する", "Common.Views.SymbolTableDialog.textDOQuote": "二重の引用符(左)", "Common.Views.SymbolTableDialog.textEllipsis": "水平の省略記号", "Common.Views.SymbolTableDialog.textEmDash": "全角ダッシュ", @@ -483,13 +484,13 @@ "Common.Views.SymbolTableDialog.textEnSpace": "半角スペース", "Common.Views.SymbolTableDialog.textFont": "フォント", "Common.Views.SymbolTableDialog.textNBHyphen": "改行をしないハイフン", - "Common.Views.SymbolTableDialog.textNBSpace": "保護されたスペース", + "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": "商標記号", - "Common.Views.SymbolTableDialog.textSCQuote": "単一引用符(右)", + "Common.Views.SymbolTableDialog.textRegistered": "登録商標マーク", + "Common.Views.SymbolTableDialog.textSCQuote": "単一引用符(右)を終了する", "Common.Views.SymbolTableDialog.textSection": "節記号", "Common.Views.SymbolTableDialog.textShortcut": "ショートカットキー", "Common.Views.SymbolTableDialog.textSHyphen": "ソフトハイフン", @@ -497,113 +498,114 @@ "Common.Views.SymbolTableDialog.textSpecial": "特殊文字", "Common.Views.SymbolTableDialog.textSymbols": "記号", "Common.Views.SymbolTableDialog.textTitle": "記号", - "Common.Views.SymbolTableDialog.textTradeMark": "商標記号", + "Common.Views.SymbolTableDialog.textTradeMark": "商標マーク", "Common.Views.UserNameDialog.textDontShow": "二度と表示しない", "Common.Views.UserNameDialog.textLabel": "ラベル:", "Common.Views.UserNameDialog.textLabelError": "ラベルは空白にできません", - "DE.Controllers.LeftMenu.leavePageText": "変更を保存しないでドキュメントを閉じると変更が失われます。
    保存するために「キャンセル 」、後に「保存」をクリックします。保存していないすべての変更を破棄するために、「OK」をクリックします。", - "DE.Controllers.LeftMenu.newDocumentTitle": "名前が付けられていないドキュメント", + "DE.Controllers.LeftMenu.leavePageText": "この文書で保存されていない変更はすべて失われます。
    「キャンセル」をクリックし、「保存」をクリックすると、変更が保存されます。「OK」をクリックすると、保存されていないすべての変更が破棄されます。", + "DE.Controllers.LeftMenu.newDocumentTitle": "無名のドキュメント", "DE.Controllers.LeftMenu.notcriticalErrorTitle": "警告", - "DE.Controllers.LeftMenu.requestEditRightsText": "アクセス権の編集の要求中...", + "DE.Controllers.LeftMenu.requestEditRightsText": "編集の権限を要求中...", "DE.Controllers.LeftMenu.textLoadHistory": "バリエーションの履歴の読み込み中...", - "DE.Controllers.LeftMenu.textNoTextFound": "検索データが見つかりませんでした。他の検索設定を選択してください。", - "DE.Controllers.LeftMenu.textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", - "DE.Controllers.LeftMenu.textReplaceSuccess": "検索が行われました。変更された発生回数は{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.txtUntitled": "無題", + "DE.Controllers.LeftMenu.warnDownloadAs": "この形式で保存を続けると、テキスト以外のすべての機能が失われます。
    本当に続行してもよろしいですか?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "あなたの{0}は編集可能な形式に変換されます。これには時間がかかる場合があります。変換後のドキュメントは、テキストを編集できるように最適化されるため、特に元のファイルに多くのグラフィックが含まれている場合、元の {0} と全く同じようには見えないかもしれません。", - "DE.Controllers.LeftMenu.warnDownloadAsRTF": "この形式で保存を続けると、一部の書式が失われる可能性があります。
    続行しますか?", + "DE.Controllers.LeftMenu.warnDownloadAsRTF": "この形式で保存を続けると、一部の書式が失われる可能性があります。
    本当に続行しますか?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} は、置換フィールドに有効な特殊文字ではありません。", "DE.Controllers.Main.applyChangesTextText": "変更の読み込み中...", "DE.Controllers.Main.applyChangesTitleText": "変更の読み込み中", - "DE.Controllers.Main.convertationTimeoutText": "変換のタイムアウトを超過しました。", - "DE.Controllers.Main.criticalErrorExtText": "OKボタンを押すと文書リストに戻ることができます。", + "DE.Controllers.Main.convertationTimeoutText": "変換タイムアウトを超過しました。", + "DE.Controllers.Main.criticalErrorExtText": "OKボタンを押すとドキュメントリストに戻ることができます。", "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.errorAccessDeny": "権限のない操作をしようとしています。
    ドキュメント・サーバー管理者に連絡してください。", + "DE.Controllers.Main.errorAccessDeny": "権限のない操作を実行しようとしています。
    ドキュメントサーバーの管理者にご連絡ください。", "DE.Controllers.Main.errorBadImageUrl": "画像のURLが正しくありません", - "DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", - "DE.Controllers.Main.errorComboSeries": "組み合わせグラフを作成するには、最低2つのデータを選択します。", + "DE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。現在、文書を編集することができません。", + "DE.Controllers.Main.errorComboSeries": "組み合わせチャートを作成するには、最低2つのデータを選択します。", "DE.Controllers.Main.errorCompare": "共同編集中は、ドキュメントの比較機能は使用できません。", - "DE.Controllers.Main.errorConnectToServer": "文書を保存できません。接続設定を確認するまたは、アドミニストレータを連絡してください。
    「OK」ボタンをクリックすると文書をダウンロードするように求められます。", + "DE.Controllers.Main.errorConnectToServer": "ドキュメントを保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
    「OK」ボタンをクリックすると、ドキュメントのダウンロードを促すメッセージが表示されます。", "DE.Controllers.Main.errorDatabaseConnection": "外部エラーです。
    データベース接続エラーです。この問題は解決しない場合は、サポートにお問い合わせください。", "DE.Controllers.Main.errorDataEncrypted": "暗号化された変更を受信しました。残念ながら解読できません。", - "DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません", + "DE.Controllers.Main.errorDataRange": "データ範囲が正しくありません。", "DE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", - "DE.Controllers.Main.errorDirectUrl": "文書へのリンクを確認してください。
    このリンクは、ダウンロードしたいファイルへの直接なリンクであるのは必要です。", - "DE.Controllers.Main.errorEditingDownloadas": "文書の処理中にエラーが発生しました。
    PCにファイルのバックアップを保存するように「としてダウンロード」を使用してください。", - "DE.Controllers.Main.errorEditingSaveas": "文書の処理中にエラーが発生しました。
    PCにファイルのバックアップを保存するように「名前を付けて保存」を使用してください。", + "DE.Controllers.Main.errorDirectUrl": "文ドキュメントへのリンクを確認してください。
    このリンクは、ダウンロード用のファイルへの直接リンクである必要があります。", + "DE.Controllers.Main.errorEditingDownloadas": "文書の処理中にエラーが発生しました。
    「名前を付けてダウンロード」オプションを使用して、ファイルのバックアップコピーをコンピューターのハードディスクに保存してください。", + "DE.Controllers.Main.errorEditingSaveas": "文書の処理中にエラーが発生しました。
    「名前を付けてダウンロード」オプションを使用して、ファイルのバックアップコピーをコンピューターのハードディスクに保存してください。", "DE.Controllers.Main.errorEmailClient": "メールクライアントが見つかりませんでした。", "DE.Controllers.Main.errorFilePassProtect": "文書がパスワードで保護されているため開くことができません", "DE.Controllers.Main.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。
    Documentサーバー管理者に詳細をお問い合わせください。", - "DE.Controllers.Main.errorForceSave": "文書の保存中にエラーが発生しました。PCにファイルを保存するように「としてダウンロード」を使用し、または後で再試行してください。", + "DE.Controllers.Main.errorForceSave": "文書の保存中にエラーが発生しました。「名前を付けてダウンロード」オプションを使用して、ファイルのバックアップコピーをコンピューターのハードディスクに保存するか、後で再試行してください。", "DE.Controllers.Main.errorKeyEncrypt": "不明なキーの記述子", - "DE.Controllers.Main.errorKeyExpire": "署名キーは期限切れました。", - "DE.Controllers.Main.errorLoadingFont": "フォントがダウンロードしませんでした。文書のサーバのアドミ二ストレータを連絡してください。", - "DE.Controllers.Main.errorMailMergeLoadFile": "ドキュメントの読み込みに失敗しました。 別のファイルを選択してください。", + "DE.Controllers.Main.errorKeyExpire": "キー記述子は有効期限が切れました", + "DE.Controllers.Main.errorLoadingFont": "フォントが読み込まれていません。
    ドキュメントサーバーの管理者に連絡してください。", + "DE.Controllers.Main.errorMailMergeLoadFile": "ドキュメントの読み込みに失敗しました。別のファイルを選択してください。", "DE.Controllers.Main.errorMailMergeSaveFile": "結合に失敗しました。", "DE.Controllers.Main.errorProcessSaveResult": "保存に失敗しました", "DE.Controllers.Main.errorServerVersion": "エディターのバージョンが更新されました。 変更を適用するために、ページが再読み込みされます。", - "DE.Controllers.Main.errorSessionAbsolute": "ドキュメント編集セッションが終了しました。 ページを再度お読み込みください。", - "DE.Controllers.Main.errorSessionIdle": "このドキュメントはかなり長い間編集されていませんでした。このページを再度お読み込みください。", - "DE.Controllers.Main.errorSessionToken": "サーバーとの接続が中断されました。このページを再度お読み込みください。", + "DE.Controllers.Main.errorSessionAbsolute": "ドキュメント編集セッションが終了しました。 ページを再度読み込みしてください。", + "DE.Controllers.Main.errorSessionIdle": "このドキュメントは長い間編集されていませんでした。このページを再度読み込みしてください。", + "DE.Controllers.Main.errorSessionToken": "サーバーとの接続が中断されました。このページを再度読み込みしてください。", "DE.Controllers.Main.errorSetPassword": "パスワードを設定できませんでした。", - "DE.Controllers.Main.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、
    始値、高値、安値、終値の順でシートのデータを配置してください。", + "DE.Controllers.Main.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、
    始値、最大値、最小値、終値の順でシートのデータを配置してください。", "DE.Controllers.Main.errorSubmit": "送信に失敗しました。", - "DE.Controllers.Main.errorToken": "ドキュメント・セキュリティ・トークンが正しく形成されていません。
    ドキュメントサーバーの管理者にご連絡ください。", - "DE.Controllers.Main.errorTokenExpire": "ドキュメント・セキュリティ・トークンの有効期限が切れています。
    ドキュメントサーバーの管理者にご連絡ください。", - "DE.Controllers.Main.errorUpdateVersion": "ファイルのバージョンが変更されました。ページが再ロードされます。", + "DE.Controllers.Main.errorToken": "ドキュメントセキュリティトークンが正しく形成されていません。
    ドキュメントサーバーの管理者にご連絡ください。", + "DE.Controllers.Main.errorTokenExpire": "ドキュメントセキュリティトークンの有効期限が切れています。
    ドキュメントサーバーの管理者に連絡してください。", + "DE.Controllers.Main.errorUpdateVersion": "ファイルのバージョンが変更されました。ページを再読み込みします。", "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "インターネット接続が復旧し、ファイルのバージョンが更新されています。
    作業を継続する前に、ファイルをダウンロードするか内容をコピーして、変更が消えてしまわないようにしてからページを再読み込みしてください。", - "DE.Controllers.Main.errorUserDrop": "ファイルにアクセスできません", - "DE.Controllers.Main.errorUsersExceed": "料金プランによってユーザ数を超過しています。", - "DE.Controllers.Main.errorViewerDisconnect": "接続が失われました。文書の表示は可能ですが、
    再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", - "DE.Controllers.Main.leavePageText": "この文書の保存されていない変更があります。保存するために「このページにとどまる」、「保存」をクリックしてください。全ての保存しない変更をキャンサルするために「このページを離れる」をクリックしてください。", - "DE.Controllers.Main.leavePageTextOnClose": "変更を保存せずにドキュメントを閉じると変更が失われます。
    保存するには\"キャンセル\"を押して、保存をしてください。保存せずに破棄するには\"OK\"をクリックしてください。", - "DE.Controllers.Main.loadFontsTextText": "データを読み込んでいます", + "DE.Controllers.Main.errorUserDrop": "現在、このファイルにはアクセスできません。", + "DE.Controllers.Main.errorUsersExceed": "料金プランで許可されているユーザー数を超過しました。", + "DE.Controllers.Main.errorViewerDisconnect": "接続が切断されました。文書の表示は可能ですが、
    再度接続されてページが再ロードされるまで、ダウンロードまたは印刷することはできません。", + "DE.Controllers.Main.leavePageText": "この文書の保存されていない変更があります。保存するために「このページにとどまる」をクリックし、その後「保存」をクリックしてください。「このページを離れる」をクリックすると、未保存の変更がすべて破棄されます。", + "DE.Controllers.Main.leavePageTextOnClose": "この文書で保存されていない変更はすべて失われます。
    「キャンセル」をクリックし、「保存」をクリックすると、変更が保存されます。「OK」をクリックすると、保存されていないすべての変更が破棄されます。", + "DE.Controllers.Main.loadFontsTextText": "データを読み込んでいます…", "DE.Controllers.Main.loadFontsTitleText": "データを読み込んでいます", - "DE.Controllers.Main.loadFontTextText": "データを読み込んでいます", + "DE.Controllers.Main.loadFontTextText": "データを読み込んでいます…", "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.loadingDocumentTitleText": "ドキュメントを読み込んでいます", + "DE.Controllers.Main.mailMergeLoadFileText": "データソースを読み込んでいます...", + "DE.Controllers.Main.mailMergeLoadFileTitle": "データソースを読み込んでいます", "DE.Controllers.Main.notcriticalErrorTitle": "警告", - "DE.Controllers.Main.openErrorText": "ファイルを開く中にエラーが発生しました", + "DE.Controllers.Main.openErrorText": "ファイルを読み込み中にエラーが発生しました。", "DE.Controllers.Main.openTextText": "ドキュメントを開いています...", "DE.Controllers.Main.openTitleText": "ドキュメントを開いています", - "DE.Controllers.Main.printTextText": "印刷ドキュメント中...", - "DE.Controllers.Main.printTitleText": "印刷ドキュメント中", + "DE.Controllers.Main.printTextText": "ドキュメント印刷中...", + "DE.Controllers.Main.printTitleText": "ドキュメント印刷中", "DE.Controllers.Main.reloadButtonText": "ページの再読み込み", - "DE.Controllers.Main.requestEditFailedMessageText": "この文書は他のユーザによって編集しています。後で編集してください。", + "DE.Controllers.Main.requestEditFailedMessageText": "この文書は他のユーザによって編集されています。後でもう一度お試しください。", "DE.Controllers.Main.requestEditFailedTitleText": "アクセスが拒否されました", - "DE.Controllers.Main.saveErrorText": "ファイル保存中にエラーが発生しました", - "DE.Controllers.Main.saveErrorTextDesktop": "このファイルは作成または保存できません。
    考えられる理由は次のとおりです:
    1. ファイルが読み取り専用です。
    2. ファイルが他のユーザーによって編集されています。
    3. ディスクがいっぱいか破損しています。", + "DE.Controllers.Main.saveErrorText": "ファイルを保存中にエラーが発生しました。", + "DE.Controllers.Main.saveErrorTextDesktop": "このファイルは作成または保存できません。
    考えられる理由は次のとおりです:
    1. ファイルが読み取り専用です。
    2. ファイルが他のユーザーによって編集されています。
    3. ディスクに空きスペースがないか破損しています。", "DE.Controllers.Main.saveTextText": "ドキュメントを保存しています...", - "DE.Controllers.Main.saveTitleText": "ドキュメントを保存しています", - "DE.Controllers.Main.scriptLoadError": "インターネット接続が遅いため、一部のコンポーネントをロードできませんでした。ページを再度お読み込みください。", - "DE.Controllers.Main.sendMergeText": "結合の結果の送信中...", - "DE.Controllers.Main.sendMergeTitle": "結合の結果の送信中", + "DE.Controllers.Main.saveTitleText": "ドキュメントの保存中", + "DE.Controllers.Main.scriptLoadError": "インターネット接続が遅いため、一部のコンポーネントをロードできませんでした。ページを再読み込みしてください。", + "DE.Controllers.Main.sendMergeText": "マージを送信中...", + "DE.Controllers.Main.sendMergeTitle": "マージを送信中", "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": "ウェブサイトを訪問する", - "DE.Controllers.Main.textChangesSaved": "変更が保存された", + "DE.Controllers.Main.textBuyNow": "ウェブサイトにアクセス", + "DE.Controllers.Main.textChangesSaved": "全ての変更が保存されました", "DE.Controllers.Main.textClose": "閉じる", - "DE.Controllers.Main.textCloseTip": "ヒントを閉じるためにクリックください", - "DE.Controllers.Main.textContactUs": "営業部を連絡する", + "DE.Controllers.Main.textCloseTip": "クリックでヒントを閉じる", + "DE.Controllers.Main.textContactUs": "営業部に連絡する", "DE.Controllers.Main.textConvertEquation": "この数式は、サポートされなくなった古いバージョンの数式エディタで作成されました。 編集するには、方程式をOffice Math ML形式に変換します。
    今すぐ変換しますか?", - "DE.Controllers.Main.textCustomLoader": "ライセンスの条件によっては、ローダーを変更する権利がないことにご注意ください。
    見積もりについては、営業部門にお問い合わせください。", - "DE.Controllers.Main.textDisconnect": "接続が失われました", + "DE.Controllers.Main.textCustomLoader": "ライセンス条項により、ローダーを変更する権利がないことにご注意ください。
    見積もりについては、弊社営業部門にお問い合わせください。", + "DE.Controllers.Main.textDisconnect": "接続が切断されました", "DE.Controllers.Main.textGuest": "ゲスト", "DE.Controllers.Main.textHasMacros": "ファイルには自動マクロが含まれています。
    マクロを実行しますか?", "DE.Controllers.Main.textLearnMore": "詳細はこちら", @@ -611,65 +613,65 @@ "DE.Controllers.Main.textLongName": "128文字未満の名前を入力してください。", "DE.Controllers.Main.textNoLicenseTitle": "ライセンス制限に達しました。", "DE.Controllers.Main.textPaidFeature": "有料機能", - "DE.Controllers.Main.textReconnect": "接続を回復しました", - "DE.Controllers.Main.textRemember": "選択内容を保存する", + "DE.Controllers.Main.textReconnect": "接続が回復しました", + "DE.Controllers.Main.textRemember": "すべてのファイルに自分の選択を記憶させる", "DE.Controllers.Main.textRenameError": "ユーザー名は空にできません。", - "DE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力します", + "DE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力して下さい。", "DE.Controllers.Main.textShape": "図形", "DE.Controllers.Main.textStrict": "厳格モード", - "DE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。
    他のユーザーの干渉なし編集するために「厳密なモード」をクリックして、厳密な共同編集モードに切り替えてください。保存した後にのみ、変更を送信してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。", - "DE.Controllers.Main.textTryUndoRedoWarn": "ファスト共同編集モードでは、元に戻す/やり直し機能が無効になります。", + "DE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。
    他のユーザーの干渉なし編集するために「厳格モード」をクリックして、厳格共同編集モードに切り替えてください。保存した後にのみ、変更してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。", + "DE.Controllers.Main.textTryUndoRedoWarn": "高速共同編集モードでは、元に戻す/やり直し機能が無効になります。", "DE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています", - "DE.Controllers.Main.titleServerVersion": "エディターが更新された", - "DE.Controllers.Main.titleUpdateVersion": "バージョンを変更しました。", + "DE.Controllers.Main.titleServerVersion": "編集者が更新されました", + "DE.Controllers.Main.titleUpdateVersion": "バージョンが変更されました", "DE.Controllers.Main.txtAbove": "上", - "DE.Controllers.Main.txtArt": "あなたのテキストはここです。", + "DE.Controllers.Main.txtArt": "ここにテキストを入力", "DE.Controllers.Main.txtBasicShapes": "基本図形", "DE.Controllers.Main.txtBelow": "下", - "DE.Controllers.Main.txtBookmarkError": "エラー! ブックマークが定義されていません。", + "DE.Controllers.Main.txtBookmarkError": "エラー!ブックマークが定義されていません。", "DE.Controllers.Main.txtButtons": "ボタン", - "DE.Controllers.Main.txtCallouts": "引き出し", - "DE.Controllers.Main.txtCharts": "グラフ", + "DE.Controllers.Main.txtCallouts": "吹き出し", + "DE.Controllers.Main.txtCharts": "チャート", "DE.Controllers.Main.txtChoose": "アイテムを選択してください", - "DE.Controllers.Main.txtClickToLoad": "クリックして写真を読み込む", - "DE.Controllers.Main.txtCurrentDocument": "現在文書", - "DE.Controllers.Main.txtDiagramTitle": "グラフ名", - "DE.Controllers.Main.txtEditingMode": "編集モードを設定します。", - "DE.Controllers.Main.txtEndOfFormula": "数式の予期しない完了", - "DE.Controllers.Main.txtEnterDate": "日付を入力します", + "DE.Controllers.Main.txtClickToLoad": "クリックして画像を読み込む", + "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.txtFiguredArrows": "形の矢印", + "DE.Controllers.Main.txtFiguredArrows": "図形矢印", "DE.Controllers.Main.txtFirstPage": "最初のページ", "DE.Controllers.Main.txtFooter": "フッター", - "DE.Controllers.Main.txtFormulaNotInTable": "表にない数式", + "DE.Controllers.Main.txtFormulaNotInTable": "テーブルにない数式", "DE.Controllers.Main.txtHeader": "ヘッダー", "DE.Controllers.Main.txtHyperlink": "ハイパーリンク", - "DE.Controllers.Main.txtIndTooLarge": "インデックス番号が大きすぎます", + "DE.Controllers.Main.txtIndTooLarge": "インデックスが大きすぎます", "DE.Controllers.Main.txtLines": "行", "DE.Controllers.Main.txtMainDocOnly": "エラー!メイン文書のみ。", "DE.Controllers.Main.txtMath": "数学", "DE.Controllers.Main.txtMissArg": "引数がありません", "DE.Controllers.Main.txtMissOperator": "演算子がありません ", - "DE.Controllers.Main.txtNeedSynchronize": "更新があります。", + "DE.Controllers.Main.txtNeedSynchronize": "更新があります", "DE.Controllers.Main.txtNone": "なし", - "DE.Controllers.Main.txtNoTableOfContents": "ドキュメントに見出しはありません。 目次に表示されるように、テキストに見出しスタイルをご適用ください。", - "DE.Controllers.Main.txtNoTableOfFigures": "図や表の掲載はありません。", + "DE.Controllers.Main.txtNoTableOfContents": "ドキュメントに見出しがありません。 目次に表示されるように、テキストに見出しスタイルを適用ください。", + "DE.Controllers.Main.txtNoTableOfFigures": "図表のエントリーはありません。", "DE.Controllers.Main.txtNoText": "エラー!文書に指定されたスタイルのテキストがありません。", "DE.Controllers.Main.txtNotInTable": "テーブルにありません", - "DE.Controllers.Main.txtNotValidBookmark": "エラー!ブックマークセルフリファレンスが無効です。", + "DE.Controllers.Main.txtNotValidBookmark": "エラー!ブックマークの自己参照が無効です。", "DE.Controllers.Main.txtOddPage": "奇数ページ", "DE.Controllers.Main.txtOnPage": "ページで", - "DE.Controllers.Main.txtRectangles": "四角形", - "DE.Controllers.Main.txtSameAsPrev": "以前と同じ", + "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": "空白ボタン", @@ -681,34 +683,34 @@ "DE.Controllers.Main.txtShape_actionButtonInformation": "[情報]ボタン", "DE.Controllers.Main.txtShape_actionButtonMovie": "[ムービー]ボタン", "DE.Controllers.Main.txtShape_actionButtonReturn": "[戻る]ボタン", - "DE.Controllers.Main.txtShape_actionButtonSound": "音のボタン", + "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_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_can": "円筒", + "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_can": "可能", "DE.Controllers.Main.txtShape_chevron": "シェブロン", "DE.Controllers.Main.txtShape_chord": "コード", "DE.Controllers.Main.txtShape_circularArrow": "円弧の矢印", - "DE.Controllers.Main.txtShape_cloud": "雲形", + "DE.Controllers.Main.txtShape_cloud": "クラウド", "DE.Controllers.Main.txtShape_cloudCallout": "雲形吹き出し", "DE.Controllers.Main.txtShape_corner": "角", "DE.Controllers.Main.txtShape_cube": "立方体", "DE.Controllers.Main.txtShape_curvedConnector3": "曲線コネクタ", "DE.Controllers.Main.txtShape_curvedConnector3WithArrow": "曲線矢印コネクタ", "DE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "曲線の二重矢印コネクタ", - "DE.Controllers.Main.txtShape_curvedDownArrow": "曲線の下向きの矢印", + "DE.Controllers.Main.txtShape_curvedDownArrow": "曲線の下向き矢印", "DE.Controllers.Main.txtShape_curvedLeftArrow": "曲線の左矢印", "DE.Controllers.Main.txtShape_curvedRightArrow": "曲線の右矢印", "DE.Controllers.Main.txtShape_curvedUpArrow": "曲線の上矢印", @@ -717,44 +719,44 @@ "DE.Controllers.Main.txtShape_diamond": "ダイヤモンド", "DE.Controllers.Main.txtShape_dodecagon": "12角形", "DE.Controllers.Main.txtShape_donut": "ドーナツ", - "DE.Controllers.Main.txtShape_doubleWave": "小波", + "DE.Controllers.Main.txtShape_doubleWave": "二重波", "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_ellipseRibbon": "下に湾曲したリボン", + "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_flowChartInputOutput": "フローチャート: データ", - "DE.Controllers.Main.txtShape_flowChartInternalStorage": "フローチャート: 内部ストレージ", - "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "フローチャート: 磁気ディスク", - "DE.Controllers.Main.txtShape_flowChartMagneticDrum": "フローチャート: 直接アクセスのストレージ", - "DE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート: 順次アクセス記憶", - "DE.Controllers.Main.txtShape_flowChartManualInput": "フローチャート: 手操作入力", - "DE.Controllers.Main.txtShape_flowChartManualOperation": "フローチャート: 手作業", - "DE.Controllers.Main.txtShape_flowChartMerge": "フローチャート: 組合せ", - "DE.Controllers.Main.txtShape_flowChartMultidocument": "フローチャート: 複数文書", - "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "フローチャート: 他ページ結合子", - "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "フローチャート: 記憶データ", - "DE.Controllers.Main.txtShape_flowChartOr": "フローチャート: 論理和", - "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "フローチャート: 事前定義されたプロセス", - "DE.Controllers.Main.txtShape_flowChartPreparation": "フローチャート: 準備", - "DE.Controllers.Main.txtShape_flowChartProcess": "フローチャート: 処理", + "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_flowChartInputOutput": "フローチャート:データ", + "DE.Controllers.Main.txtShape_flowChartInternalStorage": "フローチャート:内部ストレージ", + "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "フローチャート:磁気ディスク", + "DE.Controllers.Main.txtShape_flowChartMagneticDrum": "フローチャート:直接アクセスストレージ", + "DE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート:シーケンシャルアクセスストレージ", + "DE.Controllers.Main.txtShape_flowChartManualInput": "フローチャート:手操作入力", + "DE.Controllers.Main.txtShape_flowChartManualOperation": "フローチャート:手作業", + "DE.Controllers.Main.txtShape_flowChartMerge": "フローチャート:融合", + "DE.Controllers.Main.txtShape_flowChartMultidocument": "フローチャート:複数文書", + "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "フローチャート:他ページ結合子", + "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "フローチャート:保存されたデータ", + "DE.Controllers.Main.txtShape_flowChartOr": "フローチャート:論理和", + "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "フローチャート:事前定義されたプロセス", + "DE.Controllers.Main.txtShape_flowChartPreparation": "フローチャート:準備", + "DE.Controllers.Main.txtShape_flowChartProcess": "フローチャート:処理", "DE.Controllers.Main.txtShape_flowChartPunchedCard": "フローチャート:カード", - "DE.Controllers.Main.txtShape_flowChartPunchedTape": "フローチャート: せん孔テープ", - "DE.Controllers.Main.txtShape_flowChartSort": "フローチャート: 並べ替え", - "DE.Controllers.Main.txtShape_flowChartSummingJunction": "フローチャート: 和接合", - "DE.Controllers.Main.txtShape_flowChartTerminator": "フローチャート:  端子", + "DE.Controllers.Main.txtShape_flowChartPunchedTape": "フローチャート:せん孔テープ", + "DE.Controllers.Main.txtShape_flowChartSort": "フローチャート:並べ替え", + "DE.Controllers.Main.txtShape_flowChartSummingJunction": "フローチャート:和接合", + "DE.Controllers.Main.txtShape_flowChartTerminator": "フローチャート:ターミネーター", "DE.Controllers.Main.txtShape_foldedCorner": "折り曲げコーナー", "DE.Controllers.Main.txtShape_frame": "フレーム", "DE.Controllers.Main.txtShape_halfFrame": "半フレーム", - "DE.Controllers.Main.txtShape_heart": "心", + "DE.Controllers.Main.txtShape_heart": "ハート", "DE.Controllers.Main.txtShape_heptagon": "七角形", "DE.Controllers.Main.txtShape_hexagon": "六角形", "DE.Controllers.Main.txtShape_homePlate": "五角形", @@ -763,8 +765,8 @@ "DE.Controllers.Main.txtShape_irregularSeal2": "爆発 2", "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": "三方向矢印", @@ -777,7 +779,7 @@ "DE.Controllers.Main.txtShape_mathEqual": "等号", "DE.Controllers.Main.txtShape_mathMinus": "マイナス", "DE.Controllers.Main.txtShape_mathMultiply": "乗算する", - "DE.Controllers.Main.txtShape_mathNotEqual": "不等号", + "DE.Controllers.Main.txtShape_mathNotEqual": "等しくない", "DE.Controllers.Main.txtShape_mathPlus": "プラス", "DE.Controllers.Main.txtShape_moon": "月形", "DE.Controllers.Main.txtShape_noSmoking": "\"禁止\"マーク", @@ -788,55 +790,55 @@ "DE.Controllers.Main.txtShape_pie": "円グラフ", "DE.Controllers.Main.txtShape_plaque": "サイン", "DE.Controllers.Main.txtShape_plus": "プラス", - "DE.Controllers.Main.txtShape_polyline1": "落書き", + "DE.Controllers.Main.txtShape_polyline1": "走り書き", "DE.Controllers.Main.txtShape_polyline2": "フリーフォーム", - "DE.Controllers.Main.txtShape_quadArrow": "クワッド矢印", - "DE.Controllers.Main.txtShape_quadArrowCallout": "四角矢印の吹き出し", - "DE.Controllers.Main.txtShape_rect": "長方形", - "DE.Controllers.Main.txtShape_ribbon": "ダウンリボン", + "DE.Controllers.Main.txtShape_quadArrow": "四方向矢印", + "DE.Controllers.Main.txtShape_quadArrowCallout": "四方向矢印の吹き出し", + "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_rightBrace": "右ブレース", - "DE.Controllers.Main.txtShape_rightBracket": "右かっこ", + "DE.Controllers.Main.txtShape_rightBrace": "右中括弧", + "DE.Controllers.Main.txtShape_rightBracket": "右大括弧", "DE.Controllers.Main.txtShape_round1Rect": "1つの角を丸めた四角形", - "DE.Controllers.Main.txtShape_round2DiagRect": "円形対角長方形", - "DE.Controllers.Main.txtShape_round2SameRect": "同じ辺の角を丸める矩形", - "DE.Controllers.Main.txtShape_roundRect": "角丸四角形", + "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_smileyFace": "笑顔のマーク", "DE.Controllers.Main.txtShape_snip1Rect": "1つの角を切り取った四角形", "DE.Controllers.Main.txtShape_snip2DiagRect": "対角する2つの角を切り取った四角形", "DE.Controllers.Main.txtShape_snip2SameRect": "片側の2つの角を切り取った四角形", "DE.Controllers.Main.txtShape_snipRoundRect": "1つの角を切り取り1つの角を丸めた四角形", "DE.Controllers.Main.txtShape_spline": "曲線", - "DE.Controllers.Main.txtShape_star10": "十芒星", - "DE.Controllers.Main.txtShape_star12": "十二芒星", - "DE.Controllers.Main.txtShape_star16": "十六芒星", - "DE.Controllers.Main.txtShape_star24": "二十四芒星", + "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": "四芒星", - "DE.Controllers.Main.txtShape_star5": "五芒星", - "DE.Controllers.Main.txtShape_star6": "六芒星", - "DE.Controllers.Main.txtShape_star7": "七芒星", - "DE.Controllers.Main.txtShape_star8": "八芒星", + "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_teardrop": "滴", + "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_upDownArrow": "上下の矢印", + "DE.Controllers.Main.txtShape_upDownArrow": "上下矢印", "DE.Controllers.Main.txtShape_uturnArrow": "U形矢印", "DE.Controllers.Main.txtShape_verticalScroll": "縦スクロール", "DE.Controllers.Main.txtShape_wave": "波", "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "円形吹き出し", - "DE.Controllers.Main.txtShape_wedgeRectCallout": "長方形の吹き出し", + "DE.Controllers.Main.txtShape_wedgeRectCallout": "矩形の吹き出し", "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "角丸長方形の吹き出し", "DE.Controllers.Main.txtStarsRibbons": "スター&リボン", - "DE.Controllers.Main.txtStyle_Caption": "図表番号", + "DE.Controllers.Main.txtStyle_Caption": "キャプション", "DE.Controllers.Main.txtStyle_endnote_text": "文末脚注のテキスト", "DE.Controllers.Main.txtStyle_footnote_text": "脚注テキスト", "DE.Controllers.Main.txtStyle_Heading_1": "見出し1", @@ -848,60 +850,60 @@ "DE.Controllers.Main.txtStyle_Heading_7": "見出し7", "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_Intense_Quote": "強調表示された引用", + "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_Subtitle": "サブタイトル", "DE.Controllers.Main.txtStyle_Title": "タイトル", - "DE.Controllers.Main.txtSyntaxError": "構文間違い", + "DE.Controllers.Main.txtSyntaxError": "構文エラー", "DE.Controllers.Main.txtTableInd": "テーブルインデックスをゼロにすることはできません", "DE.Controllers.Main.txtTableOfContents": "目次", - "DE.Controllers.Main.txtTableOfFigures": "図表目次", + "DE.Controllers.Main.txtTableOfFigures": "図表", "DE.Controllers.Main.txtTOCHeading": "目次 見出し", "DE.Controllers.Main.txtTooLarge": "数値が大きすぎて書式設定できません。", - "DE.Controllers.Main.txtTypeEquation": "こちらで数式を入力してください", + "DE.Controllers.Main.txtTypeEquation": "こちらに数式を入力してください", "DE.Controllers.Main.txtUndefBookmark": "未定義のブックマーク", "DE.Controllers.Main.txtXAxis": "X 軸", - "DE.Controllers.Main.txtYAxis": "Y 軸", + "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.uploadDocFileCountMessage": "アップロードされた文書がありません。", "DE.Controllers.Main.uploadDocSizeMessage": "文書の最大サイズ制限を超えました", "DE.Controllers.Main.uploadImageExtMessage": "不明な画像形式", - "DE.Controllers.Main.uploadImageFileCountMessage": "アップロードされた画像がない", - "DE.Controllers.Main.uploadImageSizeMessage": "最大の画像サイズの上限を超えました。", - "DE.Controllers.Main.uploadImageTextText": "画像がアップロード中...", - "DE.Controllers.Main.uploadImageTitleText": "画像がアップロード中", + "DE.Controllers.Main.uploadImageFileCountMessage": "画像のアップロードはありません。", + "DE.Controllers.Main.uploadImageSizeMessage": "画像サイズの上限を超えました。サイズの上限は25MBです。", + "DE.Controllers.Main.uploadImageTextText": "画像のアップロード中...", + "DE.Controllers.Main.uploadImageTitleText": "画像のアップロード中", "DE.Controllers.Main.waitText": "少々お待ちください...", - "DE.Controllers.Main.warnBrowserIE9": "IE9にアプリケーションの機能のレベルが低いです。IE10または次のバージョンを使ってください。", - "DE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のズームの設定は完全にサポートされていません。Ctrl+0を押して、デフォルトのズームにリセットしてください。", + "DE.Controllers.Main.warnBrowserIE9": "このアプリケーションはIE9では低機能です。IE10以上のバージョンをご使用ください。", + "DE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のZoomの設定は完全にサポートされていません。Ctrl+0を押して、デフォルトのZoomにリセットしてください。", "DE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。
    詳細については、管理者にお問い合わせください。", "DE.Controllers.Main.warnLicenseExp": "ライセンスの有効期限が切れています。
    ライセンスを更新してページをリロードしてください。", "DE.Controllers.Main.warnLicenseLimitedNoAccess": "ライセンスの有効期限が切れています。
    ドキュメント編集機能にアクセスできません。
    管理者にご連絡ください。", - "DE.Controllers.Main.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。
    ドキュメント編集機能へのアクセスが制限されています。
    フルアクセスを取得するには、管理者にご連絡ください", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "ライセンスを更新する必要があります。
    ドキュメント編集機能へのアクセスが制限されています。
    フルアクセスを取得するには、管理者にご連絡ください。", "DE.Controllers.Main.warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細については、管理者にお問い合わせください。", "DE.Controllers.Main.warnNoLicense": "%1エディターへの同時接続の制限に達しました。 このドキュメントは閲覧のみを目的として開かれます。
    個人的なアップグレード条件については、%1セールスチームにお問い合わせください。", - "DE.Controllers.Main.warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームにお問い合わせください。", + "DE.Controllers.Main.warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1セールスチームにお問い合わせください。", "DE.Controllers.Main.warnProcessRightsChange": "ファイルを編集する権限を拒否されています。", "DE.Controllers.Navigation.txtBeginning": "文書の先頭", - "DE.Controllers.Navigation.txtGotoBeginning": "文書の先頭に移動します", - "DE.Controllers.Statusbar.textDisconnect": "切断されました
    設定を確認してください。", - "DE.Controllers.Statusbar.textHasChanges": "新しい変更が追跡された。", + "DE.Controllers.Navigation.txtGotoBeginning": "文書の先頭に移動する", + "DE.Controllers.Statusbar.textDisconnect": "接続が切断されました
    接続を試みています。接続設定を確認してください。", + "DE.Controllers.Statusbar.textHasChanges": "新しい変更点を追記しました", "DE.Controllers.Statusbar.textSetTrackChanges": "変更履歴モードで編集中です", - "DE.Controllers.Statusbar.textTrackChanges": "有効な変更履歴のモードにドキュメントがドキュメントが開かれました。", + "DE.Controllers.Statusbar.textTrackChanges": "ドキュメントが変更履歴モードが有効な状態で開かれています", "DE.Controllers.Statusbar.tipReview": "変更履歴", "DE.Controllers.Statusbar.zoomText": "ズーム{0}%", - "DE.Controllers.Toolbar.confirmAddFontName": "保存しようとしているフォントを現在のデバイスで使用することができません。
    システムフォントを使って、テキストのスタイルが表示されます。利用できます時、保存されたフォントが使用されます。
    続行しますか。", + "DE.Controllers.Toolbar.confirmAddFontName": "保存しようとしているフォントを現在のデバイスで使用することができません。
    システムフォントを使って、テキストのスタイルが表示されます。利用可能になったとき、保存されたフォントが適用されます。
    続行しますか。", "DE.Controllers.Toolbar.dataUrl": "データのURLを貼り付け", "DE.Controllers.Toolbar.notcriticalErrorTitle": "警告", "DE.Controllers.Toolbar.textAccent": "アクセントカラー", - "DE.Controllers.Toolbar.textBracket": "かっこ", - "DE.Controllers.Toolbar.textEmptyImgUrl": "画像のURLを指定しなければなりません。", - "DE.Controllers.Toolbar.textEmptyMMergeUrl": "URLを指定することが必要です。", + "DE.Controllers.Toolbar.textBracket": "括弧", + "DE.Controllers.Toolbar.textEmptyImgUrl": "画像のURLを指定する必要があります。", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "URLを指定してください。", "DE.Controllers.Toolbar.textFontSizeErr": "入力された値が正しくありません。
    1〜300の数値を入力してください。", "DE.Controllers.Toolbar.textFraction": "分数", "DE.Controllers.Toolbar.textFunction": "関数", @@ -912,54 +914,48 @@ "DE.Controllers.Toolbar.textLimitAndLog": "制限と対数", "DE.Controllers.Toolbar.textMatrix": "行列", "DE.Controllers.Toolbar.textOperator": "演算子", - "DE.Controllers.Toolbar.textRadical": "冪根", + "DE.Controllers.Toolbar.textRadical": "ラジカル", + "DE.Controllers.Toolbar.textRecentlyUsed": "最近使用された", "DE.Controllers.Toolbar.textScript": "スクリプト", "DE.Controllers.Toolbar.textSymbols": "記号", "DE.Controllers.Toolbar.textTabForms": "フォーム", "DE.Controllers.Toolbar.textWarning": "警告", - "DE.Controllers.Toolbar.tipMarkersArrow": "箇条書き(矢印)", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "箇条書き(チェックマーク)", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "箇条書き(ひし形)", - "DE.Controllers.Toolbar.tipMarkersFRound": "箇条書き(丸)", - "DE.Controllers.Toolbar.tipMarkersFSquare": "箇条書き(四角)", - "DE.Controllers.Toolbar.tipMarkersHRound": "箇条書き(円)", - "DE.Controllers.Toolbar.tipMarkersStar": "箇条書き(星)", "DE.Controllers.Toolbar.txtAccent_Accent": "アキュート", "DE.Controllers.Toolbar.txtAccent_ArrowD": "左右双方向矢印 (上)", "DE.Controllers.Toolbar.txtAccent_ArrowL": "左に矢印 (上)", "DE.Controllers.Toolbar.txtAccent_ArrowR": "右向き矢印 (上)", "DE.Controllers.Toolbar.txtAccent_Bar": "バー", - "DE.Controllers.Toolbar.txtAccent_BarBot": "アンダーライン", + "DE.Controllers.Toolbar.txtAccent_BarBot": "アンダーバー", "DE.Controllers.Toolbar.txtAccent_BarTop": "オーバーライン", "DE.Controllers.Toolbar.txtAccent_BorderBox": "四角囲み数式 (プレースホルダ付き)", "DE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "四角囲み数式 (例)", "DE.Controllers.Toolbar.txtAccent_Check": "チェック", - "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "下かっこ", - "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "ブレース上付き", + "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "下括弧", + "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "上括弧", "DE.Controllers.Toolbar.txtAccent_Custom_1": "ベクトルA", "DE.Controllers.Toolbar.txtAccent_Custom_2": "オーバーライン付き ABC", "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XORと上線", - "DE.Controllers.Toolbar.txtAccent_DDDot": "トリプル ドット", - "DE.Controllers.Toolbar.txtAccent_DDot": "ダブル ドット", + "DE.Controllers.Toolbar.txtAccent_DDDot": "トリプルドット", + "DE.Controllers.Toolbar.txtAccent_DDot": "複付点", "DE.Controllers.Toolbar.txtAccent_Dot": "点", - "DE.Controllers.Toolbar.txtAccent_DoubleBar": "二重オーバーライン", + "DE.Controllers.Toolbar.txtAccent_DoubleBar": "二重上線", "DE.Controllers.Toolbar.txtAccent_Grave": "グレーブ", "DE.Controllers.Toolbar.txtAccent_GroupBot": "グループ化文字(下)", "DE.Controllers.Toolbar.txtAccent_GroupTop": "グループ化文字(上)", "DE.Controllers.Toolbar.txtAccent_HarpoonL": "左半矢印(上)", "DE.Controllers.Toolbar.txtAccent_HarpoonR": "右向き半矢印 (上)", "DE.Controllers.Toolbar.txtAccent_Hat": "ハット", - "DE.Controllers.Toolbar.txtAccent_Smile": "ブリーブ", + "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": "かっこと縦棒", - "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": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "単一かっこ", + "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": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Curve": "括弧", + "DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "括弧と区切り線", + "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "単一括弧", "DE.Controllers.Toolbar.txtBracket_Custom_1": "場合分け(条件2つ)", "DE.Controllers.Toolbar.txtBracket_Custom_2": "場合分け (条件 3 つ)", "DE.Controllers.Toolbar.txtBracket_Custom_3": "縦並びオブジェクト", @@ -967,75 +963,75 @@ "DE.Controllers.Toolbar.txtBracket_Custom_5": "場合分けの例", "DE.Controllers.Toolbar.txtBracket_Custom_6": "二項係数", "DE.Controllers.Toolbar.txtBracket_Custom_7": "二項係数", - "DE.Controllers.Toolbar.txtBracket_Line": "かっこ", - "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_LineDouble": "かっこ", - "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_LowLim": "かっこ", - "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": "単一かっこ", - "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": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "かっこ", - "DE.Controllers.Toolbar.txtBracket_SquareDouble": "かっこ", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_UppLim": "かっこ", - "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "単一かっこ", - "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "単一かっこ", + "DE.Controllers.Toolbar.txtBracket_Line": "括弧", + "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_LineDouble": "括弧", + "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_LowLim": "括弧", + "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": "単一括弧", + "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": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "括弧", + "DE.Controllers.Toolbar.txtBracket_SquareDouble": "括弧", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "単一括弧", + "DE.Controllers.Toolbar.txtBracket_UppLim": "括弧", + "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": "微分", "DE.Controllers.Toolbar.txtFractionDifferential_3": "微分", "DE.Controllers.Toolbar.txtFractionDifferential_4": "微分", "DE.Controllers.Toolbar.txtFractionHorizontal": "分数 (横)", - "DE.Controllers.Toolbar.txtFractionPi_2": "円周率を2で割る", + "DE.Controllers.Toolbar.txtFractionPi_2": "Pi/2", "DE.Controllers.Toolbar.txtFractionSmall": "分数 (小)", "DE.Controllers.Toolbar.txtFractionVertical": "分数 (縦)", "DE.Controllers.Toolbar.txtFunction_1_Cos": "逆余弦関数", - "DE.Controllers.Toolbar.txtFunction_1_Cosh": "逆双曲線余弦", + "DE.Controllers.Toolbar.txtFunction_1_Cosh": "双曲線逆余弦関数", "DE.Controllers.Toolbar.txtFunction_1_Cot": "逆余接関数", - "DE.Controllers.Toolbar.txtFunction_1_Coth": "双曲線逆余接", + "DE.Controllers.Toolbar.txtFunction_1_Coth": "双曲線逆共接関数", "DE.Controllers.Toolbar.txtFunction_1_Csc": "逆余割関数", - "DE.Controllers.Toolbar.txtFunction_1_Csch": "逆双曲線余割関数", + "DE.Controllers.Toolbar.txtFunction_1_Csch": "双曲線逆余割関数", "DE.Controllers.Toolbar.txtFunction_1_Sec": "逆正割関数", - "DE.Controllers.Toolbar.txtFunction_1_Sech": "逆双曲線正割", + "DE.Controllers.Toolbar.txtFunction_1_Sech": "双曲線逆正割関数", "DE.Controllers.Toolbar.txtFunction_1_Sin": "逆正弦関数", - "DE.Controllers.Toolbar.txtFunction_1_Sinh": "双曲線逆サイン", + "DE.Controllers.Toolbar.txtFunction_1_Sinh": "双曲線逆正弦関数", "DE.Controllers.Toolbar.txtFunction_1_Tan": "逆正接関数", - "DE.Controllers.Toolbar.txtFunction_1_Tanh": "双曲線逆正接", + "DE.Controllers.Toolbar.txtFunction_1_Tanh": "双曲線逆正接関数", "DE.Controllers.Toolbar.txtFunction_Cos": "余弦関数", "DE.Controllers.Toolbar.txtFunction_Cosh": "双曲線余弦関数", "DE.Controllers.Toolbar.txtFunction_Cot": "余接関数", "DE.Controllers.Toolbar.txtFunction_Coth": "双曲線余接関数", "DE.Controllers.Toolbar.txtFunction_Csc": "余割関数\t", - "DE.Controllers.Toolbar.txtFunction_Csch": "逆双曲線余割関数", + "DE.Controllers.Toolbar.txtFunction_Csch": "双曲線余割関数", "DE.Controllers.Toolbar.txtFunction_Custom_1": "Sin θ", "DE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", - "DE.Controllers.Toolbar.txtFunction_Custom_3": "正接式", + "DE.Controllers.Toolbar.txtFunction_Custom_3": "正接数式", "DE.Controllers.Toolbar.txtFunction_Sec": "正割関数", "DE.Controllers.Toolbar.txtFunction_Sech": "双曲線正割", "DE.Controllers.Toolbar.txtFunction_Sin": "正弦関数", "DE.Controllers.Toolbar.txtFunction_Sinh": "双曲線正弦", - "DE.Controllers.Toolbar.txtFunction_Tan": "逆正接関数", - "DE.Controllers.Toolbar.txtFunction_Tanh": "双曲線正接", + "DE.Controllers.Toolbar.txtFunction_Tan": "正接関数", + "DE.Controllers.Toolbar.txtFunction_Tanh": "双曲線正接関数", "DE.Controllers.Toolbar.txtIntegral": "積分", - "DE.Controllers.Toolbar.txtIntegral_dtheta": "微分 シータ", + "DE.Controllers.Toolbar.txtIntegral_dtheta": "微分シータ", "DE.Controllers.Toolbar.txtIntegral_dx": "微分x", - "DE.Controllers.Toolbar.txtIntegral_dy": "微分 y", + "DE.Controllers.Toolbar.txtIntegral_dy": "微分y", "DE.Controllers.Toolbar.txtIntegralCenterSubSup": "積分", - "DE.Controllers.Toolbar.txtIntegralDouble": "2 重積分", - "DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "2 重積分", - "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "2 重積分", + "DE.Controllers.Toolbar.txtIntegralDouble": "二重積分", + "DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "二重積分", + "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "二重積分", "DE.Controllers.Toolbar.txtIntegralOriented": "周回積分", "DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "周回積分", "DE.Controllers.Toolbar.txtIntegralOrientedDouble": "面積分", @@ -1046,50 +1042,50 @@ "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "体積積分", "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "体積積分", "DE.Controllers.Toolbar.txtIntegralSubSup": "積分", - "DE.Controllers.Toolbar.txtIntegralTriple": "3 重積分", - "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "3 重積分", - "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "3 重積分", + "DE.Controllers.Toolbar.txtIntegralTriple": "三重積分", + "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "三重積分", + "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "三重積分", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "くさび形", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "くさび形", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "くさび形", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "くさび形", "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "くさび形", - "DE.Controllers.Toolbar.txtLargeOperator_CoProd": "余積", - "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "余積", - "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "余積", - "DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "余積", - "DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "余積", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "総和", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "総和", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "総和", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "積", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd": "双対積", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "双対積", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "双対積", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "双対積", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "双対積", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "合計", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "合計", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "合計", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "乗積", "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "和集合", - "DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "V", - "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "V", - "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "V", - "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "V", - "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "V", + "DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "V字形", + "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "V字形", + "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "V字形", + "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "V字形", + "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "V字形", "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": "総和", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "総和", - "DE.Controllers.Toolbar.txtLargeOperator_Sum_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": "合計", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "合計", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "合計", "DE.Controllers.Toolbar.txtLargeOperator_Union": "和集合", "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "和集合", "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "和集合", "DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "和集合", "DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "和集合", - "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "極限の例", + "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "制限の例", "DE.Controllers.Toolbar.txtLimitLog_Custom_2": "最大値の例", "DE.Controllers.Toolbar.txtLimitLog_Lim": "限度", "DE.Controllers.Toolbar.txtLimitLog_Ln": "自然対数", @@ -1097,22 +1093,22 @@ "DE.Controllers.Toolbar.txtLimitLog_LogBase": "対数", "DE.Controllers.Toolbar.txtLimitLog_Max": "最大", "DE.Controllers.Toolbar.txtLimitLog_Min": "最小", - "DE.Controllers.Toolbar.txtMarginsH": "指定されたページの高さのために上下の余白は高すぎます。", - "DE.Controllers.Toolbar.txtMarginsW": "左右の余白の合計がページの幅を超えています。", + "DE.Controllers.Toolbar.txtMarginsH": "指定されたページの高さ対して、上下の余白が大きすぎます。", + "DE.Controllers.Toolbar.txtMarginsW": "ページ幅に対して左右の余白が広すぎます。", "DE.Controllers.Toolbar.txtMatrix_1_2": "1x2空行列", "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": "かっこ付き空行列", - "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_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 空行列", "DE.Controllers.Toolbar.txtMatrix_3_3": "3x3 空行列", - "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "ベースライン ドット", - "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "ミッドライン ドット", + "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "基準線点", + "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "ミッドラインドット", "DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "斜めドット", "DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "縦向きドット", "DE.Controllers.Toolbar.txtMatrix_Flat_Round": "疎行列", @@ -1128,9 +1124,9 @@ "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "右向き矢印 (下)", "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "右向き矢印 (上)", "DE.Controllers.Toolbar.txtOperator_ColonEquals": "コロン付き等号", - "DE.Controllers.Toolbar.txtOperator_Custom_1": "導出", - "DE.Controllers.Toolbar.txtOperator_Custom_2": "誤差導出", - "DE.Controllers.Toolbar.txtOperator_Definition": "定義により等しい", + "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": "左右双方向矢印 (下)", "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "左右双方向矢印 (上)", @@ -1140,37 +1136,37 @@ "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "右向き矢印 (上)", "DE.Controllers.Toolbar.txtOperator_EqualsEquals": "等号等号", "DE.Controllers.Toolbar.txtOperator_MinusEquals": "マイナス付き等号", - "DE.Controllers.Toolbar.txtOperator_PlusEquals": "プラス付き等号", + "DE.Controllers.Toolbar.txtOperator_PlusEquals": "プラス イコール", "DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "測度", - "DE.Controllers.Toolbar.txtRadicalCustom_1": "冪根", - "DE.Controllers.Toolbar.txtRadicalCustom_2": "冪根", + "DE.Controllers.Toolbar.txtRadicalCustom_1": "ラジアル", + "DE.Controllers.Toolbar.txtRadicalCustom_2": "ラジアル", "DE.Controllers.Toolbar.txtRadicalRoot_2": "次数付き平方根", "DE.Controllers.Toolbar.txtRadicalRoot_3": "立方根", - "DE.Controllers.Toolbar.txtRadicalRoot_n": "次数付きべき乗根", + "DE.Controllers.Toolbar.txtRadicalRoot_n": "度付きラジカル", "DE.Controllers.Toolbar.txtRadicalSqrt": "平方根", "DE.Controllers.Toolbar.txtScriptCustom_1": "スクリプト", "DE.Controllers.Toolbar.txtScriptCustom_2": "スクリプト", "DE.Controllers.Toolbar.txtScriptCustom_3": "スクリプト", "DE.Controllers.Toolbar.txtScriptCustom_4": "スクリプト", - "DE.Controllers.Toolbar.txtScriptSub": "下付き", + "DE.Controllers.Toolbar.txtScriptSub": "下付き文字", "DE.Controllers.Toolbar.txtScriptSubSup": "下付き文字 - 上付き文字", "DE.Controllers.Toolbar.txtScriptSubSupLeft": "左下付き文字 - 上付き文字", "DE.Controllers.Toolbar.txtScriptSup": "上付き文字", - "DE.Controllers.Toolbar.txtSymbol_about": "近似", - "DE.Controllers.Toolbar.txtSymbol_additional": "補集合", + "DE.Controllers.Toolbar.txtSymbol_about": "約", + "DE.Controllers.Toolbar.txtSymbol_additional": "補数", "DE.Controllers.Toolbar.txtSymbol_aleph": "アレフ", "DE.Controllers.Toolbar.txtSymbol_alpha": "アルファ", "DE.Controllers.Toolbar.txtSymbol_approx": "ほぼ等しい", "DE.Controllers.Toolbar.txtSymbol_ast": "アスタリスク", "DE.Controllers.Toolbar.txtSymbol_beta": "ベータ", "DE.Controllers.Toolbar.txtSymbol_beth": "ベート", - "DE.Controllers.Toolbar.txtSymbol_bullet": "ビュレットのオペレーター", + "DE.Controllers.Toolbar.txtSymbol_bullet": "箇条書きの演算子", "DE.Controllers.Toolbar.txtSymbol_cap": "交点", "DE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", "DE.Controllers.Toolbar.txtSymbol_cdots": "水平中央の省略記号", "DE.Controllers.Toolbar.txtSymbol_celsius": "摂氏", "DE.Controllers.Toolbar.txtSymbol_chi": "カイ", - "DE.Controllers.Toolbar.txtSymbol_cong": "ほぼ等しい", + "DE.Controllers.Toolbar.txtSymbol_cong": "にほぼ等しい", "DE.Controllers.Toolbar.txtSymbol_cup": "和集合", "DE.Controllers.Toolbar.txtSymbol_ddots": "下右斜めの省略記号", "DE.Controllers.Toolbar.txtSymbol_degree": "度", @@ -1180,15 +1176,15 @@ "DE.Controllers.Toolbar.txtSymbol_emptyset": "空集合", "DE.Controllers.Toolbar.txtSymbol_epsilon": "イプシロン", "DE.Controllers.Toolbar.txtSymbol_equals": "等号", - "DE.Controllers.Toolbar.txtSymbol_equiv": "合同", + "DE.Controllers.Toolbar.txtSymbol_equiv": "と同一", "DE.Controllers.Toolbar.txtSymbol_eta": "エータ", - "DE.Controllers.Toolbar.txtSymbol_exists": "存在する\t", + "DE.Controllers.Toolbar.txtSymbol_exists": "存在します\t", "DE.Controllers.Toolbar.txtSymbol_factorial": "階乗", "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "華氏", "DE.Controllers.Toolbar.txtSymbol_forall": "全てに", "DE.Controllers.Toolbar.txtSymbol_gamma": "ガンマ", - "DE.Controllers.Toolbar.txtSymbol_geq": "次の値以上", - "DE.Controllers.Toolbar.txtSymbol_gg": "より大きい", + "DE.Controllers.Toolbar.txtSymbol_geq": "より大きいか等しい", + "DE.Controllers.Toolbar.txtSymbol_gg": "よりもはるかに大きい", "DE.Controllers.Toolbar.txtSymbol_greater": "より大きい", "DE.Controllers.Toolbar.txtSymbol_in": "要素", "DE.Controllers.Toolbar.txtSymbol_inc": "増分", @@ -1198,15 +1194,15 @@ "DE.Controllers.Toolbar.txtSymbol_lambda": "ラムダ", "DE.Controllers.Toolbar.txtSymbol_leftarrow": "左矢印", "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "左右矢印", - "DE.Controllers.Toolbar.txtSymbol_leq": "より小か等しい", - "DE.Controllers.Toolbar.txtSymbol_less": "より小", - "DE.Controllers.Toolbar.txtSymbol_ll": "より小さい", + "DE.Controllers.Toolbar.txtSymbol_leq": "より小さいか等しい", + "DE.Controllers.Toolbar.txtSymbol_less": "より小さい", + "DE.Controllers.Toolbar.txtSymbol_ll": "よりはるかに小さい", "DE.Controllers.Toolbar.txtSymbol_minus": "マイナス", - "DE.Controllers.Toolbar.txtSymbol_mp": "マイナス プラス\t", + "DE.Controllers.Toolbar.txtSymbol_mp": "マイナスプラス\t", "DE.Controllers.Toolbar.txtSymbol_mu": "ミュー", "DE.Controllers.Toolbar.txtSymbol_nabla": "ナブラ", "DE.Controllers.Toolbar.txtSymbol_neq": "と等しくない", - "DE.Controllers.Toolbar.txtSymbol_ni": "元として含む", + "DE.Controllers.Toolbar.txtSymbol_ni": "メンバーとして含む", "DE.Controllers.Toolbar.txtSymbol_not": "否定記号", "DE.Controllers.Toolbar.txtSymbol_notexists": "存在しません", "DE.Controllers.Toolbar.txtSymbol_nu": "ニュー", @@ -1218,17 +1214,17 @@ "DE.Controllers.Toolbar.txtSymbol_pi": "パイ", "DE.Controllers.Toolbar.txtSymbol_plus": "プラス", "DE.Controllers.Toolbar.txtSymbol_pm": "プラス マイナス", - "DE.Controllers.Toolbar.txtSymbol_propto": "プロポーショナル", + "DE.Controllers.Toolbar.txtSymbol_propto": "比例", "DE.Controllers.Toolbar.txtSymbol_psi": "プサイ", "DE.Controllers.Toolbar.txtSymbol_qdrt": "四乗根", - "DE.Controllers.Toolbar.txtSymbol_qed": "証明終わり", + "DE.Controllers.Toolbar.txtSymbol_qed": "証明終了", "DE.Controllers.Toolbar.txtSymbol_rddots": "斜め(右上)の省略記号", "DE.Controllers.Toolbar.txtSymbol_rho": "ロー", "DE.Controllers.Toolbar.txtSymbol_rightarrow": "右矢印", "DE.Controllers.Toolbar.txtSymbol_sigma": "シグマ", - "DE.Controllers.Toolbar.txtSymbol_sqrt": "根号", + "DE.Controllers.Toolbar.txtSymbol_sqrt": "平方根", "DE.Controllers.Toolbar.txtSymbol_tau": "タウ", - "DE.Controllers.Toolbar.txtSymbol_therefore": "ゆえに", + "DE.Controllers.Toolbar.txtSymbol_therefore": "従って", "DE.Controllers.Toolbar.txtSymbol_theta": "シータ", "DE.Controllers.Toolbar.txtSymbol_times": "乗算記号", "DE.Controllers.Toolbar.txtSymbol_uparrow": "上矢印", @@ -1253,61 +1249,61 @@ "DE.Views.BookmarksDialog.textCopy": "コピー", "DE.Views.BookmarksDialog.textDelete": "削除する", "DE.Views.BookmarksDialog.textGetLink": "リンクを取得する", - "DE.Views.BookmarksDialog.textGoto": "移動", + "DE.Views.BookmarksDialog.textGoto": "に移動する", "DE.Views.BookmarksDialog.textHidden": "隠しブックマーク", "DE.Views.BookmarksDialog.textLocation": "位置", "DE.Views.BookmarksDialog.textName": "名前", "DE.Views.BookmarksDialog.textSort": "並べ替え", "DE.Views.BookmarksDialog.textTitle": "ブックマーク", - "DE.Views.BookmarksDialog.txtInvalidName": "ブックマーク名には、文字、数字、アンダースコアのみを使用でき、先頭は文字である必要があります", + "DE.Views.BookmarksDialog.txtInvalidName": "ブックマーク名には、文字、数字、アンダースコアのみを使用でき、先頭は文字で始まる必要があります。", "DE.Views.CaptionDialog.textAdd": "ラベルを追加", "DE.Views.CaptionDialog.textAfter": "後に", "DE.Views.CaptionDialog.textBefore": "前", - "DE.Views.CaptionDialog.textCaption": "図表番号", + "DE.Views.CaptionDialog.textCaption": "キャプション", "DE.Views.CaptionDialog.textChapter": "章タイトルのスタイル", "DE.Views.CaptionDialog.textChapterInc": "章番号を含める", "DE.Views.CaptionDialog.textColon": "コロン", "DE.Views.CaptionDialog.textDash": "ダッシュ", "DE.Views.CaptionDialog.textDelete": "ラベル削除", - "DE.Views.CaptionDialog.textEquation": "数式", + "DE.Views.CaptionDialog.textEquation": "方程式\t", "DE.Views.CaptionDialog.textExamples": " 例:表 2-A 、図 1.IV", - "DE.Views.CaptionDialog.textExclude": "ラベルを図表番号から除外する", + "DE.Views.CaptionDialog.textExclude": "キャプションからラベルを除外する", "DE.Views.CaptionDialog.textFigure": "図形", "DE.Views.CaptionDialog.textHyphen": "ハイフン", "DE.Views.CaptionDialog.textInsert": "挿入する", "DE.Views.CaptionDialog.textLabel": "ラベル", "DE.Views.CaptionDialog.textLongDash": "長いダッシュ", - "DE.Views.CaptionDialog.textNumbering": "番号付け", + "DE.Views.CaptionDialog.textNumbering": "ナンバリング", "DE.Views.CaptionDialog.textPeriod": "期間", "DE.Views.CaptionDialog.textSeparator": "セパレーターを使用する", - "DE.Views.CaptionDialog.textTable": "表", - "DE.Views.CaptionDialog.textTitle": "図表番号の挿入", + "DE.Views.CaptionDialog.textTable": "テーブル", + "DE.Views.CaptionDialog.textTitle": "キャプションの挿入", "DE.Views.CellsAddDialog.textCol": "列", - "DE.Views.CellsAddDialog.textDown": "カーソルより下", + "DE.Views.CellsAddDialog.textDown": "カーソルの下", "DE.Views.CellsAddDialog.textLeft": "左に", "DE.Views.CellsAddDialog.textRight": "右に", "DE.Views.CellsAddDialog.textRow": "行", "DE.Views.CellsAddDialog.textTitle": "複数を挿入する", "DE.Views.CellsAddDialog.textUp": "カーソルより上", - "DE.Views.ChartSettings.textAdvanced": "詳細設定の表示", + "DE.Views.ChartSettings.textAdvanced": "詳細設定を表示", "DE.Views.ChartSettings.textChartType": "グラフの種類の変更", "DE.Views.ChartSettings.textEditData": "データの編集", "DE.Views.ChartSettings.textHeight": "高さ", "DE.Views.ChartSettings.textOriginalSize": "実際のサイズ", "DE.Views.ChartSettings.textSize": "サイズ", "DE.Views.ChartSettings.textStyle": "スタイル", - "DE.Views.ChartSettings.textUndock": "パネルからのドッキング解除", + "DE.Views.ChartSettings.textUndock": "パネルからドッキング解除", "DE.Views.ChartSettings.textWidth": "幅", "DE.Views.ChartSettings.textWrap": "折り返しの種類と配置", "DE.Views.ChartSettings.txtBehind": "テキストの背後に", "DE.Views.ChartSettings.txtInFront": "テキストの前に", - "DE.Views.ChartSettings.txtInline": "インライン", + "DE.Views.ChartSettings.txtInline": "テキストに沿って", "DE.Views.ChartSettings.txtSquare": "四角", - "DE.Views.ChartSettings.txtThrough": "スルー", + "DE.Views.ChartSettings.txtThrough": "内部", "DE.Views.ChartSettings.txtTight": "外周", - "DE.Views.ChartSettings.txtTitle": "グラフ", + "DE.Views.ChartSettings.txtTitle": "チャート", "DE.Views.ChartSettings.txtTopAndBottom": "上と下", - "DE.Views.ControlSettingsDialog.strGeneral": "一般的", + "DE.Views.ControlSettingsDialog.strGeneral": "一般", "DE.Views.ControlSettingsDialog.textAdd": "追加", "DE.Views.ControlSettingsDialog.textAppearance": "外観", "DE.Views.ControlSettingsDialog.textApplyAll": "全てに適用する", @@ -1321,27 +1317,27 @@ "DE.Views.ControlSettingsDialog.textDelete": "削除する", "DE.Views.ControlSettingsDialog.textDisplayName": "表示名", "DE.Views.ControlSettingsDialog.textDown": "下", - "DE.Views.ControlSettingsDialog.textDropDown": "ドロップダウン リスト", + "DE.Views.ControlSettingsDialog.textDropDown": "ドロップダウンリスト", "DE.Views.ControlSettingsDialog.textFormat": "日付の表示形式", "DE.Views.ControlSettingsDialog.textLang": "言語", "DE.Views.ControlSettingsDialog.textLock": "ロック", "DE.Views.ControlSettingsDialog.textName": "タイトル", "DE.Views.ControlSettingsDialog.textNone": "なし", "DE.Views.ControlSettingsDialog.textPlaceholder": "プレースホルダ", - "DE.Views.ControlSettingsDialog.textShowAs": "として示す", + "DE.Views.ControlSettingsDialog.textShowAs": "として表示する", "DE.Views.ControlSettingsDialog.textSystemColor": "システム", "DE.Views.ControlSettingsDialog.textTag": "タグ", - "DE.Views.ControlSettingsDialog.textTitle": "コンテンツ コントロール設定", - "DE.Views.ControlSettingsDialog.textUnchecked": "[チェックしない]記号", + "DE.Views.ControlSettingsDialog.textTitle": "コンテンツコントロール設定", + "DE.Views.ControlSettingsDialog.textUnchecked": "[チェックされていない]記号", "DE.Views.ControlSettingsDialog.textUp": "上", "DE.Views.ControlSettingsDialog.textValue": "値", "DE.Views.ControlSettingsDialog.tipChange": "記号の変更", - "DE.Views.ControlSettingsDialog.txtLockDelete": "コンテンツ コントロールの削除不可", - "DE.Views.ControlSettingsDialog.txtLockEdit": "コンテンツの編集不可", + "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.textCaption": "キャプション全体", "DE.Views.CrossReferenceDialog.textEmpty": "要求された参照は空です。", "DE.Views.CrossReferenceDialog.textEndnote": "文末脚注", "DE.Views.CrossReferenceDialog.textEndNoteNum": "文末脚注番号", @@ -1351,8 +1347,8 @@ "DE.Views.CrossReferenceDialog.textFootnote": "脚注", "DE.Views.CrossReferenceDialog.textHeading": "見出し", "DE.Views.CrossReferenceDialog.textHeadingNum": "見出し番号", - "DE.Views.CrossReferenceDialog.textHeadingNumFull": "見出し番号(完全)", - "DE.Views.CrossReferenceDialog.textHeadingNumNo": "見出し番号(コンテキストなし)", + "DE.Views.CrossReferenceDialog.textHeadingNumFull": "見出し番号(全文)", + "DE.Views.CrossReferenceDialog.textHeadingNumNo": "見出し番号(文脈なし)", "DE.Views.CrossReferenceDialog.textHeadingText": "見出しテキスト", "DE.Views.CrossReferenceDialog.textIncludeAbove": "上/下を含める", "DE.Views.CrossReferenceDialog.textInsert": "挿入する", @@ -1360,21 +1356,21 @@ "DE.Views.CrossReferenceDialog.textLabelNum": "ラベルと番号のみ", "DE.Views.CrossReferenceDialog.textNoteNum": "脚注番号", "DE.Views.CrossReferenceDialog.textNoteNumForm": "脚注番号(フォーマット済み)", - "DE.Views.CrossReferenceDialog.textOnlyCaption": "見出しのテキストだけ", + "DE.Views.CrossReferenceDialog.textOnlyCaption": "キャプションのテキストのみ", "DE.Views.CrossReferenceDialog.textPageNum": "ページ番号", - "DE.Views.CrossReferenceDialog.textParagraph": "番号付きリスト", + "DE.Views.CrossReferenceDialog.textParagraph": "番号付き項目", "DE.Views.CrossReferenceDialog.textParaNum": "段落番号", - "DE.Views.CrossReferenceDialog.textParaNumFull": "段落番号(完全なコンテキスト)", - "DE.Views.CrossReferenceDialog.textParaNumNo": "段落番号(短い)", - "DE.Views.CrossReferenceDialog.textSeparate": "数字を分ける", - "DE.Views.CrossReferenceDialog.textTable": "表", + "DE.Views.CrossReferenceDialog.textParaNumFull": "段落番号(全文)", + "DE.Views.CrossReferenceDialog.textParaNumNo": "段落番号(文脈なし)", + "DE.Views.CrossReferenceDialog.textSeparate": "で区切られた数字", + "DE.Views.CrossReferenceDialog.textTable": "テーブル", "DE.Views.CrossReferenceDialog.textText": "段落テキスト", - "DE.Views.CrossReferenceDialog.textWhich": "図表番号の参照先", - "DE.Views.CrossReferenceDialog.textWhichBookmark": "ブックマークの参照先", - "DE.Views.CrossReferenceDialog.textWhichEndnote": "どの文末脚注のために", - "DE.Views.CrossReferenceDialog.textWhichHeading": "見出しの参照先", - "DE.Views.CrossReferenceDialog.textWhichNote": "どちらの脚注に", - "DE.Views.CrossReferenceDialog.textWhichPara": "参照先", + "DE.Views.CrossReferenceDialog.textWhich": "どのキャプションに対して", + "DE.Views.CrossReferenceDialog.textWhichBookmark": "どのブックマークに対して", + "DE.Views.CrossReferenceDialog.textWhichEndnote": "どの文末脚注に対して", + "DE.Views.CrossReferenceDialog.textWhichHeading": "どの見出しに対して", + "DE.Views.CrossReferenceDialog.textWhichNote": "どの脚注に対して", + "DE.Views.CrossReferenceDialog.textWhichPara": "どの番号の項目に対して", "DE.Views.CrossReferenceDialog.txtReference": "に参照を挿入する", "DE.Views.CrossReferenceDialog.txtTitle": "相互参照", "DE.Views.CrossReferenceDialog.txtType": "参照タイプ", @@ -1383,14 +1379,14 @@ "DE.Views.CustomColumnsDialog.textSpacing": "列の間隔", "DE.Views.CustomColumnsDialog.textTitle": "列", "DE.Views.DateTimeDialog.confirmDefault": "{0}に既定の形式を設定:\"{1}\"", - "DE.Views.DateTimeDialog.textDefault": "既定に設定", + "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.advancedDropCapText": "ドロップ キャップの設定", + "DE.Views.DocumentHolder.advancedDropCapText": "ドロップキャップの設定", "DE.Views.DocumentHolder.advancedFrameText": "フレームの詳細設定", "DE.Views.DocumentHolder.advancedParagraphText": "段落の詳細設定", "DE.Views.DocumentHolder.advancedTableText": "テーブルの詳細設定", @@ -1402,24 +1398,24 @@ "DE.Views.DocumentHolder.cellAlignText": "セルの縦方向の配置", "DE.Views.DocumentHolder.cellText": "セル", "DE.Views.DocumentHolder.centerText": "中央揃え", - "DE.Views.DocumentHolder.chartText": "グラフの詳細設定", + "DE.Views.DocumentHolder.chartText": "チャートの詳細設定", "DE.Views.DocumentHolder.columnText": "列", "DE.Views.DocumentHolder.deleteColumnText": "列の削除", "DE.Views.DocumentHolder.deleteRowText": "行の削除", "DE.Views.DocumentHolder.deleteTableText": "表の削除", - "DE.Views.DocumentHolder.deleteText": "削除", - "DE.Views.DocumentHolder.direct270Text": "270度回転", - "DE.Views.DocumentHolder.direct90Text": "90度回転", + "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.directionText": "文字の方向", + "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.ignoreSpellText": "無視", + "DE.Views.DocumentHolder.ignoreAllSpellText": "全てを無視する", + "DE.Views.DocumentHolder.ignoreSpellText": "無視する", "DE.Views.DocumentHolder.imageText": "画像の詳細設定", "DE.Views.DocumentHolder.insertColumnLeftText": "1 列左", "DE.Views.DocumentHolder.insertColumnRightText": "1 列右", @@ -1433,7 +1429,7 @@ "DE.Views.DocumentHolder.leftText": "左", "DE.Views.DocumentHolder.loadSpellText": "バリエーションの読み込み中...", "DE.Views.DocumentHolder.mergeCellsText": "セルの結合", - "DE.Views.DocumentHolder.moreText": "以上のバリエーション...", + "DE.Views.DocumentHolder.moreText": "その他のバリエーション...", "DE.Views.DocumentHolder.noSpellVariantsText": "バリエーションなし", "DE.Views.DocumentHolder.notcriticalErrorTitle": "警告", "DE.Views.DocumentHolder.originalSizeText": "実際のサイズ", @@ -1446,18 +1442,18 @@ "DE.Views.DocumentHolder.selectColumnText": "列の選択", "DE.Views.DocumentHolder.selectRowText": "行の選択", "DE.Views.DocumentHolder.selectTableText": "テーブルの選択", - "DE.Views.DocumentHolder.selectText": "選択", + "DE.Views.DocumentHolder.selectText": "選択する", "DE.Views.DocumentHolder.shapeText": "図形の詳細設定", - "DE.Views.DocumentHolder.spellcheckText": "スペル チェック", + "DE.Views.DocumentHolder.spellcheckText": "スペルチェック", "DE.Views.DocumentHolder.splitCellsText": "セルの分割...", "DE.Views.DocumentHolder.splitCellTitleText": "セルの分割", "DE.Views.DocumentHolder.strDelete": "署名の削除", - "DE.Views.DocumentHolder.strDetails": "サインの詳細", + "DE.Views.DocumentHolder.strDetails": "署名の詳細", "DE.Views.DocumentHolder.strSetup": "署名の設定", "DE.Views.DocumentHolder.strSign": "サイン", - "DE.Views.DocumentHolder.styleText": "スタイルようにフォーマッティングする", + "DE.Views.DocumentHolder.styleText": "スタイルとしての書式設定", "DE.Views.DocumentHolder.tableText": "テーブル", - "DE.Views.DocumentHolder.textAccept": "変更を受け入れる", + "DE.Views.DocumentHolder.textAccept": "変更を承諾する", "DE.Views.DocumentHolder.textAlign": "整列", "DE.Views.DocumentHolder.textArrange": "整列", "DE.Views.DocumentHolder.textArrangeBack": "背景へ移動", @@ -1466,7 +1462,7 @@ "DE.Views.DocumentHolder.textArrangeFront": "前景に移動", "DE.Views.DocumentHolder.textCells": "セル", "DE.Views.DocumentHolder.textCol": "列全体を削除", - "DE.Views.DocumentHolder.textContentControls": "コンテンツ コントロール", + "DE.Views.DocumentHolder.textContentControls": "コンテンツコントロール", "DE.Views.DocumentHolder.textContinueNumbering": "番号付けを続行", "DE.Views.DocumentHolder.textCopy": "コピー", "DE.Views.DocumentHolder.textCrop": "トリミング", @@ -1475,7 +1471,8 @@ "DE.Views.DocumentHolder.textCut": "切り取り", "DE.Views.DocumentHolder.textDistributeCols": "列の幅を揃える", "DE.Views.DocumentHolder.textDistributeRows": "行の高さを揃える", - "DE.Views.DocumentHolder.textEditControls": "コンテンツ コントロール設定", + "DE.Views.DocumentHolder.textEditControls": "コンテンツコントロール設定", + "DE.Views.DocumentHolder.textEditPoints": "頂点の編集", "DE.Views.DocumentHolder.textEditWrapBoundary": "折り返し点の編集", "DE.Views.DocumentHolder.textFlipH": "左右に反転", "DE.Views.DocumentHolder.textFlipV": "上下に反転", @@ -1484,27 +1481,28 @@ "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.textNumberingValue": "ナンバリング値", "DE.Views.DocumentHolder.textPaste": "貼り付け", "DE.Views.DocumentHolder.textPrevPage": "前のページ", - "DE.Views.DocumentHolder.textRefreshField": "再表示フィールド", + "DE.Views.DocumentHolder.textRefreshField": "フィールドの更新", + "DE.Views.DocumentHolder.textReject": "変更を拒否", "DE.Views.DocumentHolder.textRemCheckBox": "チェックボックスを削除する", - "DE.Views.DocumentHolder.textRemComboBox": "コンボ・ボックスを削除する", - "DE.Views.DocumentHolder.textRemDropdown": "ドロップダウン・リストを削除する", + "DE.Views.DocumentHolder.textRemComboBox": "コンボボックスを削除する", + "DE.Views.DocumentHolder.textRemDropdown": "ドロップダウンリストを削除する", "DE.Views.DocumentHolder.textRemField": "テキストフィールドを削除する", "DE.Views.DocumentHolder.textRemove": "削除する", - "DE.Views.DocumentHolder.textRemoveControl": "コンテンツ コントロールを削除する", + "DE.Views.DocumentHolder.textRemoveControl": "コンテンツコントロールを削除する", "DE.Views.DocumentHolder.textRemPicture": "画像を削除する", "DE.Views.DocumentHolder.textRemRadioBox": "ラジオボタンの削除", - "DE.Views.DocumentHolder.textReplace": "画像の置き換え", + "DE.Views.DocumentHolder.textReplace": "画像を置き換える", "DE.Views.DocumentHolder.textRotate": "回転させる", - "DE.Views.DocumentHolder.textRotate270": "逆時計方向に90度回転", - "DE.Views.DocumentHolder.textRotate90": "時計方向に90度回転", + "DE.Views.DocumentHolder.textRotate270": "反時計回りに90度回転", + "DE.Views.DocumentHolder.textRotate90": "時計回りに90度回転", "DE.Views.DocumentHolder.textRow": "行全体を削除", - "DE.Views.DocumentHolder.textSeparateList": "リストの分離", + "DE.Views.DocumentHolder.textSeparateList": "別のリスト", "DE.Views.DocumentHolder.textSettings": "設定", "DE.Views.DocumentHolder.textSeveral": "複数の行/列", "DE.Views.DocumentHolder.textShapeAlignBottom": "下揃え", @@ -1520,22 +1518,15 @@ "DE.Views.DocumentHolder.textTOCSettings": "目次設定", "DE.Views.DocumentHolder.textUndo": "元に戻す", "DE.Views.DocumentHolder.textUpdateAll": "テーブル全体の更新", - "DE.Views.DocumentHolder.textUpdatePages": "ページ番号の変更のみ", + "DE.Views.DocumentHolder.textUpdatePages": "ページ番号のみの更新", "DE.Views.DocumentHolder.textUpdateTOC": "目次を更新する", "DE.Views.DocumentHolder.textWrap": "折り返しの種類と配置", - "DE.Views.DocumentHolder.tipIsLocked": "今、この要素が他のユーザによって編集されています。", - "DE.Views.DocumentHolder.tipMarkersArrow": "箇条書き(矢印)", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "箇条書き(チェックマーク)", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "箇条書き(ひし形)", - "DE.Views.DocumentHolder.tipMarkersFRound": "箇条書き(丸)", - "DE.Views.DocumentHolder.tipMarkersFSquare": "箇条書き(四角)", - "DE.Views.DocumentHolder.tipMarkersHRound": "箇条書き(円)", - "DE.Views.DocumentHolder.tipMarkersStar": "箇条書き(星)", + "DE.Views.DocumentHolder.tipIsLocked": "今、この要素が他のユーザーによって編集されています。", "DE.Views.DocumentHolder.toDictionaryText": "辞書に追加", "DE.Views.DocumentHolder.txtAddBottom": "下罫線の追加", "DE.Views.DocumentHolder.txtAddFractionBar": "分数罫の追加", "DE.Views.DocumentHolder.txtAddHor": "水平線の追加", - "DE.Views.DocumentHolder.txtAddLB": "左実線(下部)の追加", + "DE.Views.DocumentHolder.txtAddLB": "左下線の追加", "DE.Views.DocumentHolder.txtAddLeft": "左罫線の追加", "DE.Views.DocumentHolder.txtAddLT": "左上線の追加", "DE.Views.DocumentHolder.txtAddRight": "右罫線の追加", @@ -1549,8 +1540,8 @@ "DE.Views.DocumentHolder.txtDecreaseArg": "引数のサイズの縮小", "DE.Views.DocumentHolder.txtDeleteArg": "引数の削除", "DE.Views.DocumentHolder.txtDeleteBreak": "任意指定の改行を削除", - "DE.Views.DocumentHolder.txtDeleteChars": "開始文字と終了文字の削除", - "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "開始文字、終了文字と区切り文字の削除", + "DE.Views.DocumentHolder.txtDeleteChars": "囲み文字の削除", + "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "囲み文字と区切り文字の削除", "DE.Views.DocumentHolder.txtDeleteEq": "数式の削除", "DE.Views.DocumentHolder.txtDeleteGroupChar": "文字の削除", "DE.Views.DocumentHolder.txtDeleteRadical": "冪根を削除する", @@ -1565,13 +1556,13 @@ "DE.Views.DocumentHolder.txtGroupCharUnder": "テキストの下の文字", "DE.Views.DocumentHolder.txtHideBottom": "下罫線を表示しない", "DE.Views.DocumentHolder.txtHideBottomLimit": "下極限を表示しない", - "DE.Views.DocumentHolder.txtHideCloseBracket": "右かっこを表示しない", + "DE.Views.DocumentHolder.txtHideCloseBracket": "右括弧を表示しない", "DE.Views.DocumentHolder.txtHideDegree": "次数を表示しない", - "DE.Views.DocumentHolder.txtHideHor": "水平線を表示しない", - "DE.Views.DocumentHolder.txtHideLB": "左詰め(下)のラインを表示しない", + "DE.Views.DocumentHolder.txtHideHor": "横線を表示しない", + "DE.Views.DocumentHolder.txtHideLB": "左(下)の線を表示しない", "DE.Views.DocumentHolder.txtHideLeft": "左罫線を表示しない", - "DE.Views.DocumentHolder.txtHideLT": "左詰め(上)のラインを表示しない", - "DE.Views.DocumentHolder.txtHideOpenBracket": "左かっこを表示しない", + "DE.Views.DocumentHolder.txtHideLT": "左(上)の線を表示しない", + "DE.Views.DocumentHolder.txtHideOpenBracket": "左括弧を表示しない", "DE.Views.DocumentHolder.txtHidePlaceholder": "プレースホルダを表示しない", "DE.Views.DocumentHolder.txtHideRight": "右罫線を枠線表示しない", "DE.Views.DocumentHolder.txtHideTop": "上罫線を表示しない", @@ -1579,72 +1570,72 @@ "DE.Views.DocumentHolder.txtHideVer": "縦線を表示しない", "DE.Views.DocumentHolder.txtIncreaseArg": "引数のサイズの拡大", "DE.Views.DocumentHolder.txtInFront": "テキストの前に", - "DE.Views.DocumentHolder.txtInline": "インライン", - "DE.Views.DocumentHolder.txtInsertArgAfter": "後に引数を挿入", - "DE.Views.DocumentHolder.txtInsertArgBefore": "前に引数を挿入", + "DE.Views.DocumentHolder.txtInline": "テキストに沿って", + "DE.Views.DocumentHolder.txtInsertArgAfter": "の後に引数を挿入", + "DE.Views.DocumentHolder.txtInsertArgBefore": "の前に引数を挿入", "DE.Views.DocumentHolder.txtInsertBreak": "任意指定の改行を挿入", - "DE.Views.DocumentHolder.txtInsertCaption": "図表番号の挿入", - "DE.Views.DocumentHolder.txtInsertEqAfter": "後に数式の挿入", - "DE.Views.DocumentHolder.txtInsertEqBefore": "前に数式の挿入", + "DE.Views.DocumentHolder.txtInsertCaption": "キャプションの挿入", + "DE.Views.DocumentHolder.txtInsertEqAfter": "の後に数式を挿入", + "DE.Views.DocumentHolder.txtInsertEqBefore": "の前に数式を挿入", "DE.Views.DocumentHolder.txtKeepTextOnly": "テキスト保存のみ", - "DE.Views.DocumentHolder.txtLimitChange": "極限の位置を変更します。", - "DE.Views.DocumentHolder.txtLimitOver": "テキストの上に限定する", - "DE.Views.DocumentHolder.txtLimitUnder": "テキストの下に限定する", - "DE.Views.DocumentHolder.txtMatchBrackets": "かっこを引数の高さに合わせる", + "DE.Views.DocumentHolder.txtLimitChange": "制限位置の変更", + "DE.Views.DocumentHolder.txtLimitOver": "テキストの上に制限する", + "DE.Views.DocumentHolder.txtLimitUnder": "テキストの下に制限する", + "DE.Views.DocumentHolder.txtMatchBrackets": "括弧を引数の高さに合わせる", "DE.Views.DocumentHolder.txtMatrixAlign": "行列の配置", "DE.Views.DocumentHolder.txtOverbar": "テキストの上のバー", "DE.Views.DocumentHolder.txtOverwriteCells": "セルを上書きする", "DE.Views.DocumentHolder.txtPasteSourceFormat": "元の書式付けを保存する", - "DE.Views.DocumentHolder.txtPressLink": "リンクをクリックしてCTRLを押してください。 ", + "DE.Views.DocumentHolder.txtPressLink": "Ctrlキーを押しながらリンクをクリックしてください", "DE.Views.DocumentHolder.txtPrintSelection": "選択範囲の印刷", - "DE.Views.DocumentHolder.txtRemFractionBar": "分数罫の削除", - "DE.Views.DocumentHolder.txtRemLimit": "極限の削除", + "DE.Views.DocumentHolder.txtRemFractionBar": "分数線の削除", + "DE.Views.DocumentHolder.txtRemLimit": "制限を削除する", "DE.Views.DocumentHolder.txtRemoveAccentChar": "アクセント記号の削除", - "DE.Views.DocumentHolder.txtRemoveBar": "上/下線の削除", + "DE.Views.DocumentHolder.txtRemoveBar": "線を削除する", "DE.Views.DocumentHolder.txtRemoveWarning": "この署名を削除しますか?
    この操作は元に戻せません。", "DE.Views.DocumentHolder.txtRemScripts": "スクリプトの削除", - "DE.Views.DocumentHolder.txtRemSubscript": "下付きの削除", + "DE.Views.DocumentHolder.txtRemSubscript": "下付き文字の削除", "DE.Views.DocumentHolder.txtRemSuperscript": "上付き文字の削除", "DE.Views.DocumentHolder.txtScriptsAfter": "テキストの後のスクリプト", "DE.Views.DocumentHolder.txtScriptsBefore": "テキストの前のスクリプト", - "DE.Views.DocumentHolder.txtShowBottomLimit": "下極限を表示します。", - "DE.Views.DocumentHolder.txtShowCloseBracket": "右かっこの表示", + "DE.Views.DocumentHolder.txtShowBottomLimit": "下限を表示する", + "DE.Views.DocumentHolder.txtShowCloseBracket": "右大括弧を表示", "DE.Views.DocumentHolder.txtShowDegree": "次数を表示", - "DE.Views.DocumentHolder.txtShowOpenBracket": "左かっこの表示", + "DE.Views.DocumentHolder.txtShowOpenBracket": "左大括弧の表示", "DE.Views.DocumentHolder.txtShowPlaceholder": "プレースホルダーの表示", - "DE.Views.DocumentHolder.txtShowTopLimit": "上の極限の表示", + "DE.Views.DocumentHolder.txtShowTopLimit": "上限を表示する", "DE.Views.DocumentHolder.txtSquare": "四角", - "DE.Views.DocumentHolder.txtStretchBrackets": "かっこの拡大", - "DE.Views.DocumentHolder.txtThrough": "スルー", + "DE.Views.DocumentHolder.txtStretchBrackets": "括弧の拡大", + "DE.Views.DocumentHolder.txtThrough": "内部", "DE.Views.DocumentHolder.txtTight": "外周", - "DE.Views.DocumentHolder.txtTop": "トップ", + "DE.Views.DocumentHolder.txtTop": "上", "DE.Views.DocumentHolder.txtTopAndBottom": "上と下", "DE.Views.DocumentHolder.txtUnderbar": "テキストの下のバー", - "DE.Views.DocumentHolder.txtUngroup": "グループ解除", - "DE.Views.DocumentHolder.txtWarnUrl": "このリンクをクリックすると、デバイスに害を及ぼす可能性があります。続けてもよろしいでしょうか?", + "DE.Views.DocumentHolder.txtUngroup": "グループ化解除", + "DE.Views.DocumentHolder.txtWarnUrl": "このリンクをクリックすると、お使いの端末やデータに悪影響を与える可能性があります。
    本当に続けてよろしいですか?", "DE.Views.DocumentHolder.updateStyleText": "%1スタイルの更新", - "DE.Views.DocumentHolder.vertAlignText": "垂直方向の整列", + "DE.Views.DocumentHolder.vertAlignText": "垂直方向の配置", "DE.Views.DropcapSettingsAdvanced.strBorders": "罫線と塗りつぶし", - "DE.Views.DropcapSettingsAdvanced.strDropcap": "ドロップ キャップ", + "DE.Views.DropcapSettingsAdvanced.strDropcap": "ドロップキャップ", "DE.Views.DropcapSettingsAdvanced.strMargins": "余白", "DE.Views.DropcapSettingsAdvanced.textAlign": "配置", "DE.Views.DropcapSettingsAdvanced.textAtLeast": "最小", "DE.Views.DropcapSettingsAdvanced.textAuto": "自動", "DE.Views.DropcapSettingsAdvanced.textBackColor": "背景色", - "DE.Views.DropcapSettingsAdvanced.textBorderColor": "ボーダー色", - "DE.Views.DropcapSettingsAdvanced.textBorderDesc": "罫線を選択するためにダイアグラムをクリックします。または、ボタンを使うことができます。", + "DE.Views.DropcapSettingsAdvanced.textBorderColor": "罫線の色", + "DE.Views.DropcapSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択します。", "DE.Views.DropcapSettingsAdvanced.textBorderWidth": "罫線のサイズ", "DE.Views.DropcapSettingsAdvanced.textBottom": "下", "DE.Views.DropcapSettingsAdvanced.textCenter": "中央揃え", "DE.Views.DropcapSettingsAdvanced.textColumn": "列", "DE.Views.DropcapSettingsAdvanced.textDistance": "文字列との間隔", "DE.Views.DropcapSettingsAdvanced.textExact": "固定値", - "DE.Views.DropcapSettingsAdvanced.textFlow": "フロー フレーム", + "DE.Views.DropcapSettingsAdvanced.textFlow": "フローフレーム", "DE.Views.DropcapSettingsAdvanced.textFont": "フォント", "DE.Views.DropcapSettingsAdvanced.textFrame": "フレーム", "DE.Views.DropcapSettingsAdvanced.textHeight": "高さ", "DE.Views.DropcapSettingsAdvanced.textHorizontal": "水平", - "DE.Views.DropcapSettingsAdvanced.textInline": "フレームの挿入", + "DE.Views.DropcapSettingsAdvanced.textInline": "インラインフレーム", "DE.Views.DropcapSettingsAdvanced.textInMargin": "余白", "DE.Views.DropcapSettingsAdvanced.textInText": "テキスト", "DE.Views.DropcapSettingsAdvanced.textLeft": "左", @@ -1655,43 +1646,43 @@ "DE.Views.DropcapSettingsAdvanced.textParagraph": "段落", "DE.Views.DropcapSettingsAdvanced.textParameters": "パラメーター", "DE.Views.DropcapSettingsAdvanced.textPosition": "位置", - "DE.Views.DropcapSettingsAdvanced.textRelative": "相対", + "DE.Views.DropcapSettingsAdvanced.textRelative": "と相対", "DE.Views.DropcapSettingsAdvanced.textRight": "右に", "DE.Views.DropcapSettingsAdvanced.textRowHeight": "行の高さ", - "DE.Views.DropcapSettingsAdvanced.textTitle": "ドロップ キャップの詳細設定", + "DE.Views.DropcapSettingsAdvanced.textTitle": "ドロップキャップの詳細設定", "DE.Views.DropcapSettingsAdvanced.textTitleFrame": "フレーム - 詳細設定", - "DE.Views.DropcapSettingsAdvanced.textTop": "トップ", - "DE.Views.DropcapSettingsAdvanced.textVertical": "縦", + "DE.Views.DropcapSettingsAdvanced.textTop": "上", + "DE.Views.DropcapSettingsAdvanced.textVertical": "垂直", "DE.Views.DropcapSettingsAdvanced.textWidth": "幅", "DE.Views.DropcapSettingsAdvanced.tipFontName": "フォント", "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "罫線なし", "DE.Views.EditListItemDialog.textDisplayName": "表示名", "DE.Views.EditListItemDialog.textNameError": "表示名は空白にできません。", "DE.Views.EditListItemDialog.textValue": "値", - "DE.Views.EditListItemDialog.textValueError": " 同じ値の項目がすでに存在します。", - "DE.Views.FileMenu.btnBackCaption": "ファイルのURLを開く", + "DE.Views.EditListItemDialog.textValueError": "同じ値の項目がすでに存在します。", + "DE.Views.FileMenu.btnBackCaption": "ファイルの場所を開く", "DE.Views.FileMenu.btnCloseMenuCaption": "(←戻る)", "DE.Views.FileMenu.btnCreateNewCaption": "新規作成", "DE.Views.FileMenu.btnDownloadCaption": "名前を付けてダウンロード", "DE.Views.FileMenu.btnExitCaption": "終了", - "DE.Views.FileMenu.btnFileOpenCaption": "開く", + "DE.Views.FileMenu.btnFileOpenCaption": "開く...", "DE.Views.FileMenu.btnHelpCaption": "ヘルプ...", "DE.Views.FileMenu.btnHistoryCaption": "バージョン履歴", "DE.Views.FileMenu.btnInfoCaption": "ファイル情報", "DE.Views.FileMenu.btnPrintCaption": "印刷", "DE.Views.FileMenu.btnProtectCaption": "保護する", - "DE.Views.FileMenu.btnRecentFilesCaption": "最近使ったファイル", - "DE.Views.FileMenu.btnRenameCaption": "名前変更", + "DE.Views.FileMenu.btnRecentFilesCaption": "最近開いた...", + "DE.Views.FileMenu.btnRenameCaption": "名前の変更...", "DE.Views.FileMenu.btnReturnCaption": "文書に戻る", "DE.Views.FileMenu.btnRightsCaption": "アクセス許可...", "DE.Views.FileMenu.btnSaveAsCaption": "名前を付けて保存", "DE.Views.FileMenu.btnSaveCaption": "保存", - "DE.Views.FileMenu.btnSaveCopyAsCaption": "別名で保存...", + "DE.Views.FileMenu.btnSaveCopyAsCaption": "コピーを別名で保存...", "DE.Views.FileMenu.btnSettingsCaption": "詳細設定...", - "DE.Views.FileMenu.btnToEditCaption": "ドキュメントの編集", + "DE.Views.FileMenu.btnToEditCaption": "ドキュメントを編集", "DE.Views.FileMenu.textDownload": "ダウンロード", "DE.Views.FileMenuPanels.CreateNew.txtBlank": "空の文書", - "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "新しいを作成", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "新規作成", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "適用する", "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "著者を追加", "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "テキストの追加", @@ -1699,105 +1690,102 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "作成者", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "アクセス許可の変更", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "コメント", - "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "作成された", + "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "作成済み", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Web表示用に最適化", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "読み込み中...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "最終更新者", - "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "最終更新", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "最後の変更", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "いいえ", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "所有者", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "ページ", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "ページのサイズ", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "タグ付きPDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDFのバージョン", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "場所", - "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "権利を持っている者", - "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "スペースを含む記号です。", + "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "権利を有する者", + "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "スペースを含む記号", "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "統計", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "件名", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "記号", "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "タイトル", - "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "アップロードされた", - "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "文字数", + "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "アップロード済み", + "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "単語", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "はい", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "アクセス許可の変更", - "DE.Views.FileMenuPanels.DocumentRights.txtRights": "権利を持っている者", + "DE.Views.FileMenuPanels.DocumentRights.txtRights": "権利を有する者", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "パスワードを使って", - "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "文書を保護", - "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "サインを使って", - "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "文書を編集する", + "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "文書を保護する", + "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "署名を使って", + "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "ドキュメントを編集", "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編集すると、文書から署名が削除されます。
    続行しますか?", "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "このドキュメントはパスワードで保護されています", "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "この文書には署名が必要です。", "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有効な署名がドキュメントに追加されました。 ドキュメントは編集されないように保護されています。", "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "文書のデジタル署名の一部が無効であるか、検証できませんでした。 文書は編集できないように保護されています。", "DE.Views.FileMenuPanels.ProtectDoc.txtView": "署名の表示", - "DE.Views.FileMenuPanels.Settings.okButtonText": "適用", + "DE.Views.FileMenuPanels.Settings.okButtonText": "適用する", "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": "変更を見る前に、変更を承諾する必要があります。", - "DE.Views.FileMenuPanels.Settings.strFast": "ファスト", - "DE.Views.FileMenuPanels.Settings.strFontRender": "フォント・ヒンティング", + "DE.Views.FileMenuPanels.Settings.strFast": "高速", + "DE.Views.FileMenuPanels.Settings.strFontRender": "フォントヒンティング", "DE.Views.FileMenuPanels.Settings.strForcesave": "保存またはCtrl + Sを押した後、バージョンをサーバーに保存する。", - "DE.Views.FileMenuPanels.Settings.strInputMode": "漢字をオンにします。", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "テキストコメントの表示をオンにします。", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "マクロの設定", - "DE.Views.FileMenuPanels.Settings.strPaste": "切り取り、コピー、貼り付け", "DE.Views.FileMenuPanels.Settings.strPasteButton": "貼り付けるときに[貼り付けオプション]ボタンを表示する", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "解決されたコメントの表示をオンにする", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "変更の表示をトラックする", "DE.Views.FileMenuPanels.Settings.strShowChanges": "リアルタイム共同編集の変更表示モード", - "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "スペル・チェックの機能を有効にする", - "DE.Views.FileMenuPanels.Settings.strStrict": "高レベル", + "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "スペルチェック機能を有効にする", + "DE.Views.FileMenuPanels.Settings.strStrict": "厳格", "DE.Views.FileMenuPanels.Settings.strTheme": "インターフェイスのテーマ", "DE.Views.FileMenuPanels.Settings.strUnit": "測定単位", - "DE.Views.FileMenuPanels.Settings.strZoom": "既定のズーム値", + "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": "1 時間ごと", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "配置ガイド", - "DE.Views.FileMenuPanels.Settings.textAutoRecover": "自動バックアップ", + "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": "1 分ごと", - "DE.Views.FileMenuPanels.Settings.textOldVersions": " DOCXとして保存する場合は、MS Wordの古いバージョンと互換性のあるファイルにします", - "DE.Views.FileMenuPanels.Settings.txtAll": "全ての表示", + "DE.Views.FileMenuPanels.Settings.textOldVersions": "DOCXとして保存する場合は、MS Wordの古いバージョンと互換性のあるファイルにしてください", + "DE.Views.FileMenuPanels.Settings.txtAll": "全て表示", "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "オートコレクト設定", - "DE.Views.FileMenuPanels.Settings.txtCacheMode": "既定のキャッシュ モード", + "DE.Views.FileMenuPanels.Settings.txtCacheMode": "デフォルトのキャッシュモード", "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "バルーンをクリックで表示する", "DE.Views.FileMenuPanels.Settings.txtChangesTip": "ヒントをクリックで表示する", "DE.Views.FileMenuPanels.Settings.txtCm": "センチ", "DE.Views.FileMenuPanels.Settings.txtDarkMode": "ドキュメントをダークモードに変更", "DE.Views.FileMenuPanels.Settings.txtFitPage": "ページに合わせる", - "DE.Views.FileMenuPanels.Settings.txtFitWidth": "幅を合わせる", + "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.txtMac": "OS Xのような", + "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.txtSpellCheck": "スペル チェック", + "DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "全てのマクロを有効にして、通知しない", + "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "スペルチェック", "DE.Views.FileMenuPanels.Settings.txtStopMacros": "全てを無効にする", - "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "マクロを無効にして、通知しない", + "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "全てのマクロを無効にして、通知しない", "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "通知を表示する", - "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "マクロを無効にして、通知する", - "DE.Views.FileMenuPanels.Settings.txtWin": "Windowsのような", - "DE.Views.FormSettings.textAlways": "いつも", + "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "全てのマクロを無効にして、通知する", + "DE.Views.FileMenuPanels.Settings.txtWin": "Windowsとして", + "DE.Views.FormSettings.textAlways": "常時", "DE.Views.FormSettings.textAspect": "縦横比の固定", "DE.Views.FormSettings.textAutofit": "自動調整", "DE.Views.FormSettings.textBackgroundColor": "背景色", "DE.Views.FormSettings.textCheckbox": "チェックボックス", "DE.Views.FormSettings.textColor": "罫線の色", "DE.Views.FormSettings.textComb": "文字の組み合わせ", - "DE.Views.FormSettings.textCombobox": "コンボ・ボックス", - "DE.Views.FormSettings.textConnected": "接続されたフィールド", + "DE.Views.FormSettings.textCombobox": "コンボボックス", + "DE.Views.FormSettings.textConnected": "フィールド接続済み", "DE.Views.FormSettings.textDelete": "削除する", "DE.Views.FormSettings.textDisconnect": "切断する", "DE.Views.FormSettings.textDropDown": "ドロップダウン", @@ -1806,7 +1794,7 @@ "DE.Views.FormSettings.textFromFile": "ファイルから", "DE.Views.FormSettings.textFromStorage": "ストレージから", "DE.Views.FormSettings.textFromUrl": "URLから", - "DE.Views.FormSettings.textGroupKey": "グループ・キー", + "DE.Views.FormSettings.textGroupKey": "グループキー", "DE.Views.FormSettings.textImage": "画像", "DE.Views.FormSettings.textKey": "キー", "DE.Views.FormSettings.textLock": "ロックする", @@ -1828,45 +1816,45 @@ "DE.Views.FormSettings.textTooSmall": "画像が小さすぎます", "DE.Views.FormSettings.textUnlock": "ロックを解除する", "DE.Views.FormSettings.textValue": "値のオプション", - "DE.Views.FormSettings.textWidth": "セル幅", + "DE.Views.FormSettings.textWidth": "セルの幅", "DE.Views.FormsTab.capBtnCheckBox": "チェックボックス", - "DE.Views.FormsTab.capBtnComboBox": "コンボ・ボックス", + "DE.Views.FormsTab.capBtnComboBox": "コンボボックス", "DE.Views.FormsTab.capBtnDropDown": "ドロップダウン", "DE.Views.FormsTab.capBtnImage": "画像", - "DE.Views.FormsTab.capBtnNext": "新しいフィールド", + "DE.Views.FormsTab.capBtnNext": "次のフィールド", "DE.Views.FormsTab.capBtnPrev": "前のフィールド", "DE.Views.FormsTab.capBtnRadioBox": "ラジオボタン", - "DE.Views.FormsTab.capBtnSaveForm": "オリジナルフォームとして保存", + "DE.Views.FormsTab.capBtnSaveForm": "OFORMとして保存", "DE.Views.FormsTab.capBtnSubmit": "送信", "DE.Views.FormsTab.capBtnText": "テキストフィールド", "DE.Views.FormsTab.capBtnView": "フォームを表示する", - "DE.Views.FormsTab.textClear": "フィールドを解除する", + "DE.Views.FormsTab.textClear": "フィールドをクリアする", "DE.Views.FormsTab.textClearFields": "すべてのフィールドをクリアする", "DE.Views.FormsTab.textCreateForm": "フィールドを追加して、記入可能なOFORM文書を作成する", "DE.Views.FormsTab.textGotIt": "OK", - "DE.Views.FormsTab.textHighlight": "強調表示設定", - "DE.Views.FormsTab.textNoHighlight": "強調表示なし", + "DE.Views.FormsTab.textHighlight": "ハイライト設定", + "DE.Views.FormsTab.textNoHighlight": "ハイライト表示なし", "DE.Views.FormsTab.textRequired": "必須事項をすべて入力し、送信してください。", "DE.Views.FormsTab.textSubmited": "フォームの送信成功", "DE.Views.FormsTab.tipCheckBox": "チェックボックスを挿入する", - "DE.Views.FormsTab.tipComboBox": "コンボ・ボックスを挿入する", - "DE.Views.FormsTab.tipDropDown": "ドロップダウン・リストを挿入する", + "DE.Views.FormsTab.tipComboBox": "コンボボックスを挿入", + "DE.Views.FormsTab.tipDropDown": "ドロップダウンリストを挿入", "DE.Views.FormsTab.tipImageField": "画像の挿入", - "DE.Views.FormsTab.tipNextForm": "次のフィールドへ", - "DE.Views.FormsTab.tipPrevForm": "前のフィールドへ", + "DE.Views.FormsTab.tipNextForm": "次のフィールドに移動する", + "DE.Views.FormsTab.tipPrevForm": "前のフィールドに移動する", "DE.Views.FormsTab.tipRadioBox": "ラジオボタンの挿入\t", "DE.Views.FormsTab.tipSaveForm": "ファイルをOFORMの記入式ドキュメントとして保存", "DE.Views.FormsTab.tipSubmit": "フォームを送信", - "DE.Views.FormsTab.tipTextField": "テキストフィールドを挿入する", + "DE.Views.FormsTab.tipTextField": "テキストフィールドを挿入", "DE.Views.FormsTab.tipViewForm": "フォームを表示する", "DE.Views.FormsTab.txtUntitled": "無題", - "DE.Views.HeaderFooterSettings.textBottomCenter": "左下", + "DE.Views.HeaderFooterSettings.textBottomCenter": "中央下", "DE.Views.HeaderFooterSettings.textBottomLeft": "左下", "DE.Views.HeaderFooterSettings.textBottomPage": "ページの下部", "DE.Views.HeaderFooterSettings.textBottomRight": "右下", "DE.Views.HeaderFooterSettings.textDiffFirst": "先頭ページのみ別指定\t", "DE.Views.HeaderFooterSettings.textDiffOdd": "奇数/偶数ページ別指定", - "DE.Views.HeaderFooterSettings.textFrom": "から始まる", + "DE.Views.HeaderFooterSettings.textFrom": "から開始", "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "下からのフッター位置", "DE.Views.HeaderFooterSettings.textHeaderFromTop": "上からのヘッダー位置", "DE.Views.HeaderFooterSettings.textInsertCurrent": "現在の位置に挿入", @@ -1880,20 +1868,20 @@ "DE.Views.HeaderFooterSettings.textTopLeft": "左上", "DE.Views.HeaderFooterSettings.textTopPage": "ページの上部", "DE.Views.HeaderFooterSettings.textTopRight": "右上", - "DE.Views.HyperlinkSettingsDialog.textDefault": "テキスト フラグメントの選択", - "DE.Views.HyperlinkSettingsDialog.textDisplay": "ディスプレイ", + "DE.Views.HyperlinkSettingsDialog.textDefault": "選択されたテキストフラグメント", + "DE.Views.HyperlinkSettingsDialog.textDisplay": "表示", "DE.Views.HyperlinkSettingsDialog.textExternal": "外部リンク", "DE.Views.HyperlinkSettingsDialog.textInternal": "文書内の場所", "DE.Views.HyperlinkSettingsDialog.textTitle": "ハイパーリンクの設定", "DE.Views.HyperlinkSettingsDialog.textTooltip": "ヒントのテキスト:", - "DE.Views.HyperlinkSettingsDialog.textUrl": "リンク", + "DE.Views.HyperlinkSettingsDialog.textUrl": "リンク先", "DE.Views.HyperlinkSettingsDialog.txtBeginning": "文書の先頭", "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "ブックマーク", - "DE.Views.HyperlinkSettingsDialog.txtEmpty": "このフィールドは必須項目です", + "DE.Views.HyperlinkSettingsDialog.txtEmpty": "この項目は必須です", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "見出し", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "このフィールドは「http://www.example.com」の形式のURLである必要があります。", - "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "このフィールドは2083文字に制限されています", - "DE.Views.ImageSettings.textAdvanced": "詳細設定の表示", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "このフィールドは最大2083文字に制限されています", + "DE.Views.ImageSettings.textAdvanced": "詳細設定を表示", "DE.Views.ImageSettings.textCrop": "トリミング", "DE.Views.ImageSettings.textCropFill": "塗りつぶし", "DE.Views.ImageSettings.textCropFit": "収める", @@ -1906,12 +1894,13 @@ "DE.Views.ImageSettings.textFromStorage": "ストレージから", "DE.Views.ImageSettings.textFromUrl": "URLから", "DE.Views.ImageSettings.textHeight": "高さ", - "DE.Views.ImageSettings.textHint270": "逆時計方向に90度回転", - "DE.Views.ImageSettings.textHint90": "時計方向に90度回転", + "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.textRecentlyUsed": "最近使用された", "DE.Views.ImageSettings.textRotate90": "90度回転", "DE.Views.ImageSettings.textRotation": "回転", "DE.Views.ImageSettings.textSize": "サイズ", @@ -1919,9 +1908,9 @@ "DE.Views.ImageSettings.textWrap": "折り返しの種類と配置", "DE.Views.ImageSettings.txtBehind": "テキストの背後に", "DE.Views.ImageSettings.txtInFront": "テキストの前に", - "DE.Views.ImageSettings.txtInline": "インライン", + "DE.Views.ImageSettings.txtInline": "テキストに沿って", "DE.Views.ImageSettings.txtSquare": "四角", - "DE.Views.ImageSettings.txtThrough": "スルー", + "DE.Views.ImageSettings.txtThrough": "内部", "DE.Views.ImageSettings.txtTight": "外周", "DE.Views.ImageSettings.txtTopAndBottom": "上と下", "DE.Views.ImageSettingsAdvanced.strMargins": "テキストの埋め込み文字", @@ -1931,23 +1920,23 @@ "DE.Views.ImageSettingsAdvanced.textAltDescription": "説明", "DE.Views.ImageSettingsAdvanced.textAltTip": "代替テキストとは、表、図、画像などのオブジェクトが持つ情報の、テキストによる代替表現です。この情報は、視覚や認知機能に障碍があり、オブジェクトを見たり認識したりできない方の役に立ちます。", "DE.Views.ImageSettingsAdvanced.textAltTitle": "タイトル", - "DE.Views.ImageSettingsAdvanced.textAngle": "角", + "DE.Views.ImageSettingsAdvanced.textAngle": "角度", "DE.Views.ImageSettingsAdvanced.textArrows": "矢印", - "DE.Views.ImageSettingsAdvanced.textAspectRatio": "縦横比の一定", + "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.textBtnWrap": "テキストの折り返し\t", - "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.textEndSize": "終点のサイズ", + "DE.Views.ImageSettingsAdvanced.textEndSize": "終了サイズ", "DE.Views.ImageSettingsAdvanced.textEndStyle": "終了スタイル", "DE.Views.ImageSettingsAdvanced.textFlat": "フラット", "DE.Views.ImageSettingsAdvanced.textFlipped": "反転された", @@ -1961,42 +1950,42 @@ "DE.Views.ImageSettingsAdvanced.textLine": "行", "DE.Views.ImageSettingsAdvanced.textLineStyle": "線のスタイル", "DE.Views.ImageSettingsAdvanced.textMargin": "余白", - "DE.Views.ImageSettingsAdvanced.textMiter": "角", + "DE.Views.ImageSettingsAdvanced.textMiter": "留め継ぎ", "DE.Views.ImageSettingsAdvanced.textMove": "文字列と一緒に移動する", "DE.Views.ImageSettingsAdvanced.textOptions": "オプション", "DE.Views.ImageSettingsAdvanced.textOriginalSize": "実際のサイズ", - "DE.Views.ImageSettingsAdvanced.textOverlap": "オーバーラップさせる", + "DE.Views.ImageSettingsAdvanced.textOverlap": "オーバーラップを許可する", "DE.Views.ImageSettingsAdvanced.textPage": "ページ", "DE.Views.ImageSettingsAdvanced.textParagraph": "段落", "DE.Views.ImageSettingsAdvanced.textPosition": "位置", "DE.Views.ImageSettingsAdvanced.textPositionPc": "相対位置", - "DE.Views.ImageSettingsAdvanced.textRelative": "相対", - "DE.Views.ImageSettingsAdvanced.textRelativeWH": "相対的な", + "DE.Views.ImageSettingsAdvanced.textRelative": "と相対", + "DE.Views.ImageSettingsAdvanced.textRelativeWH": "相対的", "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.textRound": "円い", "DE.Views.ImageSettingsAdvanced.textShape": "図形の設定", "DE.Views.ImageSettingsAdvanced.textSize": "サイズ", - "DE.Views.ImageSettingsAdvanced.textSquare": "四角の", + "DE.Views.ImageSettingsAdvanced.textSquare": "四角", "DE.Views.ImageSettingsAdvanced.textTextBox": "テキストボックス", "DE.Views.ImageSettingsAdvanced.textTitle": "画像 - 詳細設定", - "DE.Views.ImageSettingsAdvanced.textTitleChart": "グラフー詳細設定", + "DE.Views.ImageSettingsAdvanced.textTitleChart": "チャートー詳細設定", "DE.Views.ImageSettingsAdvanced.textTitleShape": "図形 - 詳細設定", - "DE.Views.ImageSettingsAdvanced.textTop": "トップ", + "DE.Views.ImageSettingsAdvanced.textTop": "上", "DE.Views.ImageSettingsAdvanced.textTopMargin": "上余白", - "DE.Views.ImageSettingsAdvanced.textVertical": "縦", + "DE.Views.ImageSettingsAdvanced.textVertical": "垂直", "DE.Views.ImageSettingsAdvanced.textVertically": "縦に", - "DE.Views.ImageSettingsAdvanced.textWeightArrows": "線&矢印", + "DE.Views.ImageSettingsAdvanced.textWeightArrows": "太さ&矢印", "DE.Views.ImageSettingsAdvanced.textWidth": "幅", "DE.Views.ImageSettingsAdvanced.textWrap": "折り返しの種類と配置", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "テキストの背後に", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "テキストの前に", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "インライン", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "テキストに沿って", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "四角", - "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "スルー", + "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "内部", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "外周", "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "上と下", "DE.Views.LeftMenu.tipAbout": "詳細情報", @@ -2009,25 +1998,25 @@ "DE.Views.LeftMenu.tipTitles": "タイトル", "DE.Views.LeftMenu.txtDeveloper": "開発者モード", "DE.Views.LeftMenu.txtLimit": "制限されたアクセス", - "DE.Views.LeftMenu.txtTrial": "試用版", + "DE.Views.LeftMenu.txtTrial": "試用モード", "DE.Views.LeftMenu.txtTrialDev": "試用開発者モード", "DE.Views.LineNumbersDialog.textAddLineNumbering": "行番号を追加する", "DE.Views.LineNumbersDialog.textApplyTo": "に変更を適用する", - "DE.Views.LineNumbersDialog.textContinuous": "継続的な", + "DE.Views.LineNumbersDialog.textContinuous": "継続的", "DE.Views.LineNumbersDialog.textCountBy": "行番号の増分", "DE.Views.LineNumbersDialog.textDocument": "全ての文書", "DE.Views.LineNumbersDialog.textForward": "このポイント以降", "DE.Views.LineNumbersDialog.textFromText": "テキストから", - "DE.Views.LineNumbersDialog.textNumbering": "番号付け", + "DE.Views.LineNumbersDialog.textNumbering": "ナンバリング", "DE.Views.LineNumbersDialog.textRestartEachPage": "各ページに振り直し", "DE.Views.LineNumbersDialog.textRestartEachSection": "各セクションに振り直し", "DE.Views.LineNumbersDialog.textSection": "現在のセクション", - "DE.Views.LineNumbersDialog.textStartAt": "から始まる", + "DE.Views.LineNumbersDialog.textStartAt": "から開始", "DE.Views.LineNumbersDialog.textTitle": "行番号", "DE.Views.LineNumbersDialog.txtAutoText": "自動", "DE.Views.Links.capBtnBookmarks": "ブックマーク", - "DE.Views.Links.capBtnCaption": "図表番号", - "DE.Views.Links.capBtnContentsUpdate": "更新", + "DE.Views.Links.capBtnCaption": "キャプション", + "DE.Views.Links.capBtnContentsUpdate": "テーブルの更新", "DE.Views.Links.capBtnCrossRef": "相互参照", "DE.Views.Links.capBtnInsContents": "目次", "DE.Views.Links.capBtnInsFootnote": "脚注", @@ -2037,7 +2026,7 @@ "DE.Views.Links.confirmReplaceTOF": "選択した図表を置き換えますか?", "DE.Views.Links.mniConvertNote": "すべてのメモを変換する", "DE.Views.Links.mniDelFootnote": "すべての脚注を削除する", - "DE.Views.Links.mniInsEndnote": "文末脚注を挿入する", + "DE.Views.Links.mniInsEndnote": "文末脚注を挿入", "DE.Views.Links.mniInsFootnote": "フットノートの挿入", "DE.Views.Links.mniNoteSettings": "ノートの設定", "DE.Views.Links.textContentsRemove": "目次の削除", @@ -2045,17 +2034,17 @@ "DE.Views.Links.textConvertToEndnotes": "すべての脚注を文末脚注に変換する", "DE.Views.Links.textConvertToFootnotes": "すべての文末脚注を脚注に変換する", "DE.Views.Links.textGotoEndnote": "文末脚注に移動する", - "DE.Views.Links.textGotoFootnote": "脚注へ移動", + "DE.Views.Links.textGotoFootnote": "脚注に移動する", "DE.Views.Links.textSwapNotes": "脚注と文末脚注を交換する", "DE.Views.Links.textUpdateAll": "テーブル全体の更新", - "DE.Views.Links.textUpdatePages": "ページ番号の変更のみ", + "DE.Views.Links.textUpdatePages": "ページ番号のみの更新", "DE.Views.Links.tipBookmarks": "ブックマークの作成", - "DE.Views.Links.tipCaption": "図表番号の挿入", + "DE.Views.Links.tipCaption": "キャプションの挿入", "DE.Views.Links.tipContents": "目次を挿入", "DE.Views.Links.tipContentsUpdate": "目次を更新する", - "DE.Views.Links.tipCrossRef": "相互参照を挿入する", + "DE.Views.Links.tipCrossRef": "相互参照を挿入", "DE.Views.Links.tipInsertHyperlink": "ハイパーリンクの追加", - "DE.Views.Links.tipNotes": "フットノートを挿入か編集", + "DE.Views.Links.tipNotes": "フットノートを挿入または編集", "DE.Views.Links.tipTableFigures": "図表を挿入する", "DE.Views.Links.tipTableFiguresUpdate": "図表を更新する", "DE.Views.Links.titleUpdateTOF": "図表を更新する", @@ -2063,10 +2052,10 @@ "DE.Views.ListSettingsDialog.textCenter": "中央揃え", "DE.Views.ListSettingsDialog.textLeft": "左", "DE.Views.ListSettingsDialog.textLevel": "レベル", - "DE.Views.ListSettingsDialog.textPreview": "下見", + "DE.Views.ListSettingsDialog.textPreview": "プレビュー", "DE.Views.ListSettingsDialog.textRight": "右揃え", "DE.Views.ListSettingsDialog.txtAlign": "配置", - "DE.Views.ListSettingsDialog.txtBullet": "行頭文字", + "DE.Views.ListSettingsDialog.txtBullet": "箇条書き", "DE.Views.ListSettingsDialog.txtColor": "色", "DE.Views.ListSettingsDialog.txtFont": "フォントと記号", "DE.Views.ListSettingsDialog.txtLikeText": "テキストのように", @@ -2086,77 +2075,78 @@ "DE.Views.MailMergeEmailDlg.textFrom": "から", "DE.Views.MailMergeEmailDlg.textHTML": "HTML", "DE.Views.MailMergeEmailDlg.textMessage": "メッセージ", - "DE.Views.MailMergeEmailDlg.textSubject": "件名行", + "DE.Views.MailMergeEmailDlg.textSubject": "件名", "DE.Views.MailMergeEmailDlg.textTitle": "メールに送信する", "DE.Views.MailMergeEmailDlg.textTo": "へ", "DE.Views.MailMergeEmailDlg.textWarning": "警告!", - "DE.Views.MailMergeEmailDlg.textWarningMsg": "「送信」というボタンをクリックするとメーリングを停止することはできません。", + "DE.Views.MailMergeEmailDlg.textWarningMsg": "「送信」ボタンをクリックするとメール送信を中止することはできません。", "DE.Views.MailMergeSettings.downloadMergeTitle": "結合中", "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "結合に失敗しました。", "DE.Views.MailMergeSettings.notcriticalErrorTitle": "警告", - "DE.Views.MailMergeSettings.textAddRecipients": "最初に、リストに受信者を追加します。", - "DE.Views.MailMergeSettings.textAll": "全てのレコード", - "DE.Views.MailMergeSettings.textCurrent": "カレント レコード", - "DE.Views.MailMergeSettings.textDataSource": "データ ソース", + "DE.Views.MailMergeSettings.textAddRecipients": "初めに数名の受信者をリストに追加する", + "DE.Views.MailMergeSettings.textAll": "全ての記録", + "DE.Views.MailMergeSettings.textCurrent": "現在の履歴", + "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.textHighlight": "差し込み印刷フィールドの強調表示", + "DE.Views.MailMergeSettings.textHighlight": "差し込みフィールドをハイライト", "DE.Views.MailMergeSettings.textInsertField": "差し込みフィールドの挿入", - "DE.Views.MailMergeSettings.textMaxRecepients": "受信者の最大数は100人です。", + "DE.Views.MailMergeSettings.textMaxRecepients": "受信者の最大人数は100人です。", "DE.Views.MailMergeSettings.textMerge": "結合", "DE.Views.MailMergeSettings.textMergeFields": "差し込みフィールド", "DE.Views.MailMergeSettings.textMergeTo": "に結合", "DE.Views.MailMergeSettings.textPdf": "PDF", "DE.Views.MailMergeSettings.textPortal": "保存", - "DE.Views.MailMergeSettings.textPreview": "結果のプレビュー", + "DE.Views.MailMergeSettings.textPreview": "プレビューの結果", "DE.Views.MailMergeSettings.textReadMore": "続きを読む", - "DE.Views.MailMergeSettings.textSendMsg": "すべての電子メールの準備ができました。 しばらく時間にメールメッセージが送信されます。
    配信速度はメールサーバに依存します。
    ドキュメントの作業を続行するか、閉じることができます。メッセージが送信されると、送信者はメッセージが開封されると送信される通知です。", + "DE.Views.MailMergeSettings.textSendMsg": "すべてのメールの準備ができました。 しばらくするとメッセージが送信されます。
    配信速度はメールサーバにより変動します。
    ドキュメントの作業を続けることも、閉じることもできます。操作終了後、登録したメールアドレスに通知が届きます。", "DE.Views.MailMergeSettings.textTo": "へ", - "DE.Views.MailMergeSettings.txtFirst": "先頭レコード", + "DE.Views.MailMergeSettings.txtFirst": "最初の記録へ", "DE.Views.MailMergeSettings.txtFromToError": "\"From \"の値は \"To \"の値よりも小さくなければなりません。", - "DE.Views.MailMergeSettings.txtLast": "最後のレコード", - "DE.Views.MailMergeSettings.txtNext": "次のレコード", - "DE.Views.MailMergeSettings.txtPrev": "前のレコード", + "DE.Views.MailMergeSettings.txtLast": "最後の記録へ", + "DE.Views.MailMergeSettings.txtNext": "次の記録へ", + "DE.Views.MailMergeSettings.txtPrev": "以前の記録へ", "DE.Views.MailMergeSettings.txtUntitled": "無題", - "DE.Views.MailMergeSettings.warnProcessMailMerge": "結合の開始に失敗しました", + "DE.Views.MailMergeSettings.warnProcessMailMerge": "マージの開始に失敗しました", "DE.Views.Navigation.txtCollapse": "すべてを折りたたむ", "DE.Views.Navigation.txtDemote": "下げる", - "DE.Views.Navigation.txtEmpty": "ドキュメントに見出しはありません。
    目次に表示されるように、テキストに見出しスタイルをご適用ください。", + "DE.Views.Navigation.txtEmpty": "ドキュメントに見出しがありません。
    目次に表示されるように、テキストに見出しスタイルを適用ください。", "DE.Views.Navigation.txtEmptyItem": "空白の見出し", - "DE.Views.Navigation.txtExpand": "すべてを展開", - "DE.Views.Navigation.txtExpandToLevel": "レベルまでに展開する", + "DE.Views.Navigation.txtEmptyViewer": "ドキュメントに見出しがありません。", + "DE.Views.Navigation.txtExpand": "すべてを拡張する", + "DE.Views.Navigation.txtExpandToLevel": "レベルまで拡張する", "DE.Views.Navigation.txtHeadingAfter": "後の新しい見出し", "DE.Views.Navigation.txtHeadingBefore": "前の新しい見出し", - "DE.Views.Navigation.txtNewHeading": "小見出し", - "DE.Views.Navigation.txtPromote": "レベルアップ", + "DE.Views.Navigation.txtNewHeading": "新しい小見出し", + "DE.Views.Navigation.txtPromote": "促進", "DE.Views.Navigation.txtSelect": "コンテンツの選択", "DE.Views.NoteSettingsDialog.textApply": "適用する", "DE.Views.NoteSettingsDialog.textApplyTo": "変更適用", "DE.Views.NoteSettingsDialog.textContinue": "継続的", - "DE.Views.NoteSettingsDialog.textCustom": "ユーザー設定のマーク", + "DE.Views.NoteSettingsDialog.textCustom": "カスタムマーク", "DE.Views.NoteSettingsDialog.textDocEnd": "文書の最後", "DE.Views.NoteSettingsDialog.textDocument": "全ての文書", - "DE.Views.NoteSettingsDialog.textEachPage": "ページごとに振り直し", - "DE.Views.NoteSettingsDialog.textEachSection": "セクションごとに振り直し", + "DE.Views.NoteSettingsDialog.textEachPage": "各ページに振り直し", + "DE.Views.NoteSettingsDialog.textEachSection": "各セクションに振り直し", "DE.Views.NoteSettingsDialog.textEndnote": "文末脚注", "DE.Views.NoteSettingsDialog.textFootnote": "脚注", "DE.Views.NoteSettingsDialog.textFormat": "形式", "DE.Views.NoteSettingsDialog.textInsert": "挿入する", "DE.Views.NoteSettingsDialog.textLocation": "位置", - "DE.Views.NoteSettingsDialog.textNumbering": "番号付け", + "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.textStart": "から開始", + "DE.Views.NoteSettingsDialog.textTextBottom": "テキストの下", "DE.Views.NoteSettingsDialog.textTitle": "ノートの設定", - "DE.Views.NotesRemoveDialog.textEnd": "すべての文末脚注を削除する", - "DE.Views.NotesRemoveDialog.textFoot": "すべての文末脚注を削除する", + "DE.Views.NotesRemoveDialog.textEnd": "すべての文末脚注を削除", + "DE.Views.NotesRemoveDialog.textFoot": "すべての文末脚注を削除", "DE.Views.NotesRemoveDialog.textTitle": "メモを削除する", "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "警告", "DE.Views.PageMarginsDialog.textBottom": "下", @@ -2169,30 +2159,34 @@ "DE.Views.PageMarginsDialog.textMultiplePages": "複数ページ", "DE.Views.PageMarginsDialog.textNormal": "正常", "DE.Views.PageMarginsDialog.textOrientation": "印刷の向き", - "DE.Views.PageMarginsDialog.textOutside": "外面的", + "DE.Views.PageMarginsDialog.textOutside": "外面", "DE.Views.PageMarginsDialog.textPortrait": "縦向き", - "DE.Views.PageMarginsDialog.textPreview": "下見", + "DE.Views.PageMarginsDialog.textPreview": "プレビュー", "DE.Views.PageMarginsDialog.textRight": "右", "DE.Views.PageMarginsDialog.textTitle": "余白", - "DE.Views.PageMarginsDialog.textTop": "トップ", - "DE.Views.PageMarginsDialog.txtMarginsH": "指定されたページの高さのために上下の余白は高すぎます。", - "DE.Views.PageMarginsDialog.txtMarginsW": "左右の余白の合計がページの幅を超えています。", + "DE.Views.PageMarginsDialog.textTop": "上", + "DE.Views.PageMarginsDialog.txtMarginsH": "指定されたページの高さ対して、上下の余白が大きすぎます。", + "DE.Views.PageMarginsDialog.txtMarginsW": "ページ幅に対して左右の余白が広すぎます。", "DE.Views.PageSizeDialog.textHeight": "高さ", "DE.Views.PageSizeDialog.textPreset": "あらかじめ設定された", "DE.Views.PageSizeDialog.textTitle": "ページのサイズ", "DE.Views.PageSizeDialog.textWidth": "幅", - "DE.Views.PageSizeDialog.txtCustom": "ユーザー設定", + "DE.Views.PageSizeDialog.txtCustom": "カスタム", "DE.Views.PageThumbnails.textClosePanel": "ページサムネイルを閉じる", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "表示されているページをハイライト", + "DE.Views.PageThumbnails.textPageThumbnails": "ページサムネイル", + "DE.Views.PageThumbnails.textThumbnailsSettings": "サムネイルの設定", + "DE.Views.PageThumbnails.textThumbnailsSize": "サムネイルサイズ", "DE.Views.ParagraphSettings.strIndent": "インデント", "DE.Views.ParagraphSettings.strIndentsLeftText": "左", "DE.Views.ParagraphSettings.strIndentsRightText": "右", - "DE.Views.ParagraphSettings.strIndentsSpecial": "スペシャル", + "DE.Views.ParagraphSettings.strIndentsSpecial": "特殊", "DE.Views.ParagraphSettings.strLineHeight": "行間", "DE.Views.ParagraphSettings.strParagraphSpacing": "段落間隔", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "同じスタイルの場合は、段落間に間隔を追加しません。", - "DE.Views.ParagraphSettings.strSpacingAfter": "後", + "DE.Views.ParagraphSettings.strSpacingAfter": "後に", "DE.Views.ParagraphSettings.strSpacingBefore": "前", - "DE.Views.ParagraphSettings.textAdvanced": "詳細設定の表示", + "DE.Views.ParagraphSettings.textAdvanced": "詳細設定を表示", "DE.Views.ParagraphSettings.textAt": "行間", "DE.Views.ParagraphSettings.textAtLeast": "最小", "DE.Views.ParagraphSettings.textAuto": "複数", @@ -2210,7 +2204,7 @@ "DE.Views.ParagraphSettingsAdvanced.strIndent": "インデント", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行間", - "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "アウトライン・レベル", + "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "アウトラインレベル", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右に", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "後に", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "前", @@ -2218,31 +2212,31 @@ "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "段落を分割しない", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "次の段落と分離しない", "DE.Views.ParagraphSettingsAdvanced.strMargins": "埋め込み文字", - "DE.Views.ParagraphSettingsAdvanced.strOrphan": "改ページ時1行残して段落を区切らないを制御する", + "DE.Views.ParagraphSettingsAdvanced.strOrphan": "改ページ時 1 行残して段落を区切らない", "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "フォント", "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "インデント&行間隔", - "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "改行や改ページ", + "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "改行&改ページ", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "位置", "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小型英大文字", "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "同じスタイルの場合は、段落間に間隔を追加しません。", "DE.Views.ParagraphSettingsAdvanced.strSpacing": "間隔", "DE.Views.ParagraphSettingsAdvanced.strStrike": "取り消し線", - "DE.Views.ParagraphSettingsAdvanced.strSubscript": "下付き", + "DE.Views.ParagraphSettingsAdvanced.strSubscript": "下付き文字", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "上付き文字", - "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "行番号を無効にする", + "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "行番号を表示しない", "DE.Views.ParagraphSettingsAdvanced.strTabs": "タブ", "DE.Views.ParagraphSettingsAdvanced.textAlign": "配置", "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "最小", "DE.Views.ParagraphSettingsAdvanced.textAuto": "複数", "DE.Views.ParagraphSettingsAdvanced.textBackColor": "背景色", - "DE.Views.ParagraphSettingsAdvanced.textBodyText": "基本的なテキスト", - "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "ボーダー色", - "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "罫線の選択と枠線に選択されたスタイルの適用のためにダイアグラムをクリックします。または、ボタンを使うことができます。", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "基本テキスト", + "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "罫線の色", + "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "罫線のサイズ", "DE.Views.ParagraphSettingsAdvanced.textBottom": "下", - "DE.Views.ParagraphSettingsAdvanced.textCentered": "中央揃え", + "DE.Views.ParagraphSettingsAdvanced.textCentered": "中央揃え済み", "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "文字間隔", - "DE.Views.ParagraphSettingsAdvanced.textDefault": "既定のタブ", + "DE.Views.ParagraphSettingsAdvanced.textDefault": "デフォルトのタブ", "DE.Views.ParagraphSettingsAdvanced.textEffects": "効果", "DE.Views.ParagraphSettingsAdvanced.textExact": "固定値", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "最初の行", @@ -2264,26 +2258,26 @@ "DE.Views.ParagraphSettingsAdvanced.textTabPosition": "タブの位置", "DE.Views.ParagraphSettingsAdvanced.textTabRight": "右揃え", "DE.Views.ParagraphSettingsAdvanced.textTitle": "段落 - 詳細設定", - "DE.Views.ParagraphSettingsAdvanced.textTop": "トップ", - "DE.Views.ParagraphSettingsAdvanced.tipAll": "外部の罫線と全ての内部の線", - "DE.Views.ParagraphSettingsAdvanced.tipBottom": "下罫線だけを設定します。 ", - "DE.Views.ParagraphSettingsAdvanced.tipInner": "横線内部の線だけを設定します。", - "DE.Views.ParagraphSettingsAdvanced.tipLeft": "下罫線だけを設定します。", + "DE.Views.ParagraphSettingsAdvanced.textTop": "上", + "DE.Views.ParagraphSettingsAdvanced.tipAll": "外枠とすべての内枠の線を設定", + "DE.Views.ParagraphSettingsAdvanced.tipBottom": "下罫線のみを設定", + "DE.Views.ParagraphSettingsAdvanced.tipInner": "水平方向の内側の線のみを設定", + "DE.Views.ParagraphSettingsAdvanced.tipLeft": "左縁だけを設定", "DE.Views.ParagraphSettingsAdvanced.tipNone": "罫線の設定なし", - "DE.Views.ParagraphSettingsAdvanced.tipOuter": "外部の罫線だけを設定します。", - "DE.Views.ParagraphSettingsAdvanced.tipRight": "右罫線だけを設定します。", - "DE.Views.ParagraphSettingsAdvanced.tipTop": "上罫線だけを設定します。", + "DE.Views.ParagraphSettingsAdvanced.tipOuter": "外枠の罫線だけを設定", + "DE.Views.ParagraphSettingsAdvanced.tipRight": "右罫線だけを設定", + "DE.Views.ParagraphSettingsAdvanced.tipTop": "上罫線だけを設定", "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "罫線なし", - "DE.Views.RightMenu.txtChartSettings": "グラフ設定", + "DE.Views.RightMenu.txtChartSettings": "チャート設定", "DE.Views.RightMenu.txtFormSettings": "フォーム設定", "DE.Views.RightMenu.txtHeaderFooterSettings": "ヘッダーとフッターの設定", "DE.Views.RightMenu.txtImageSettings": "画像の設定", "DE.Views.RightMenu.txtMailMergeSettings": "差し込み印刷の設定", "DE.Views.RightMenu.txtParagraphSettings": "段落の設定", "DE.Views.RightMenu.txtShapeSettings": "図形の設定", - "DE.Views.RightMenu.txtSignatureSettings": "サインの設定", - "DE.Views.RightMenu.txtTableSettings": "表の設定", + "DE.Views.RightMenu.txtSignatureSettings": "署名の設定", + "DE.Views.RightMenu.txtTableSettings": "テーブルの設定", "DE.Views.RightMenu.txtTextArtSettings": "テキストアートの設定", "DE.Views.ShapeSettings.strBackground": "背景色", "DE.Views.ShapeSettings.strChange": "オートシェイプの変更", @@ -2296,8 +2290,8 @@ "DE.Views.ShapeSettings.strStroke": "行", "DE.Views.ShapeSettings.strTransparency": "不透明度", "DE.Views.ShapeSettings.strType": "タイプ", - "DE.Views.ShapeSettings.textAdvanced": "詳細設定の表示", - "DE.Views.ShapeSettings.textAngle": "角", + "DE.Views.ShapeSettings.textAdvanced": "詳細設定を表示", + "DE.Views.ShapeSettings.textAngle": "角度", "DE.Views.ShapeSettings.textBorderSizeErr": "入力された値が正しくありません。
    0〜1584の数値を入力してください。", "DE.Views.ShapeSettings.textColor": "色で塗りつぶし", "DE.Views.ShapeSettings.textDirection": "方向", @@ -2308,8 +2302,8 @@ "DE.Views.ShapeSettings.textFromUrl": "URLから", "DE.Views.ShapeSettings.textGradient": "グラデーションのポイント", "DE.Views.ShapeSettings.textGradientFill": "塗りつぶし (グラデーション)", - "DE.Views.ShapeSettings.textHint270": "逆時計方向に90度回転", - "DE.Views.ShapeSettings.textHint90": "時計方向に90度回転", + "DE.Views.ShapeSettings.textHint270": "反時計回りに90度回転", + "DE.Views.ShapeSettings.textHint90": "時計回りに90度回転", "DE.Views.ShapeSettings.textHintFlipH": "左右に反転", "DE.Views.ShapeSettings.textHintFlipV": "上下に反転", "DE.Views.ShapeSettings.textImageTexture": "図またはテクスチャ", @@ -2317,11 +2311,12 @@ "DE.Views.ShapeSettings.textNoFill": "塗りつぶしなし", "DE.Views.ShapeSettings.textPatternFill": "パターン", "DE.Views.ShapeSettings.textPosition": "位置", - "DE.Views.ShapeSettings.textRadial": "放射状", + "DE.Views.ShapeSettings.textRadial": "ラジアル", + "DE.Views.ShapeSettings.textRecentlyUsed": "最近使用された", "DE.Views.ShapeSettings.textRotate90": "90度回転", "DE.Views.ShapeSettings.textRotation": "回転", "DE.Views.ShapeSettings.textSelectImage": "画像の選択", - "DE.Views.ShapeSettings.textSelectTexture": "選択", + "DE.Views.ShapeSettings.textSelectTexture": "選択する", "DE.Views.ShapeSettings.textStretch": "ストレッチ", "DE.Views.ShapeSettings.textStyle": "スタイル", "DE.Views.ShapeSettings.textTexture": "テクスチャから", @@ -2335,27 +2330,27 @@ "DE.Views.ShapeSettings.txtCarton": "カートン", "DE.Views.ShapeSettings.txtDarkFabric": "ダークファブリック", "DE.Views.ShapeSettings.txtGrain": "粒子", - "DE.Views.ShapeSettings.txtGranite": "みかげ石", + "DE.Views.ShapeSettings.txtGranite": "花崗岩", "DE.Views.ShapeSettings.txtGreyPaper": "グレー紙", "DE.Views.ShapeSettings.txtInFront": "テキストの前に", - "DE.Views.ShapeSettings.txtInline": "インライン", + "DE.Views.ShapeSettings.txtInline": "テキストに沿って", "DE.Views.ShapeSettings.txtKnit": "ニット", "DE.Views.ShapeSettings.txtLeather": "レザー", "DE.Views.ShapeSettings.txtNoBorders": "線なし", "DE.Views.ShapeSettings.txtPapyrus": "パピルス", "DE.Views.ShapeSettings.txtSquare": "四角", - "DE.Views.ShapeSettings.txtThrough": "スルー", + "DE.Views.ShapeSettings.txtThrough": "内部", "DE.Views.ShapeSettings.txtTight": "外周", "DE.Views.ShapeSettings.txtTopAndBottom": "上と下", "DE.Views.ShapeSettings.txtWood": "木", "DE.Views.SignatureSettings.notcriticalErrorTitle": "警告", "DE.Views.SignatureSettings.strDelete": "署名の削除", "DE.Views.SignatureSettings.strDetails": "署名の詳細", - "DE.Views.SignatureSettings.strInvalid": "不正な署名", - "DE.Views.SignatureSettings.strRequested": "必要な署名", + "DE.Views.SignatureSettings.strInvalid": "無効な署名", + "DE.Views.SignatureSettings.strRequested": "要求された署名", "DE.Views.SignatureSettings.strSetup": "署名の設定", "DE.Views.SignatureSettings.strSign": "サイン", - "DE.Views.SignatureSettings.strSignature": "サイン", + "DE.Views.SignatureSettings.strSignature": "署名", "DE.Views.SignatureSettings.strSigner": "署名者", "DE.Views.SignatureSettings.strValid": "有効な署名", "DE.Views.SignatureSettings.txtContinueEditing": "無視して編集する", @@ -2365,20 +2360,22 @@ "DE.Views.SignatureSettings.txtSigned": "有効な署名がドキュメントに追加されました。 ドキュメントは編集されないように保護されています。", "DE.Views.SignatureSettings.txtSignedInvalid": "文書のデジタル署名の一部が無効であるか、検証できませんでした。 文書は編集できないように保護されています。", "DE.Views.Statusbar.goToPageText": "ページに移動", - "DE.Views.Statusbar.pageIndexText": "{1}から​​{0}ページ", + "DE.Views.Statusbar.pageIndexText": "{1}の​​{0}ページ", "DE.Views.Statusbar.tipFitPage": "ページに合わせる", - "DE.Views.Statusbar.tipFitWidth": "幅を合わせる", - "DE.Views.Statusbar.tipSetLang": "テキストの言語を設定します。", - "DE.Views.Statusbar.tipZoomFactor": "拡大率", - "DE.Views.Statusbar.tipZoomIn": "拡大", - "DE.Views.Statusbar.tipZoomOut": "縮小", + "DE.Views.Statusbar.tipFitWidth": "幅に合わせる", + "DE.Views.Statusbar.tipHandTool": "「手のひら」ツール", + "DE.Views.Statusbar.tipSelectTool": "選択ツール", + "DE.Views.Statusbar.tipSetLang": "テキストの言語を設定", + "DE.Views.Statusbar.tipZoomFactor": "ズーム", + "DE.Views.Statusbar.tipZoomIn": "ズームイン", + "DE.Views.Statusbar.tipZoomOut": "ズームアウト", "DE.Views.Statusbar.txtPageNumInvalid": "ページ番号が正しくありません。", "DE.Views.StyleTitleDialog.textHeader": "新しいスタイルの作成", "DE.Views.StyleTitleDialog.textNextStyle": "次の段落スタイル", "DE.Views.StyleTitleDialog.textTitle": "タイトル", - "DE.Views.StyleTitleDialog.txtEmpty": "このフィールドは必須項目です", + "DE.Views.StyleTitleDialog.txtEmpty": "この項目は必須です", "DE.Views.StyleTitleDialog.txtNotEmpty": "フィールドは空にできません。", - "DE.Views.StyleTitleDialog.txtSameAs": "作成された新しいスタイルと同じ", + "DE.Views.StyleTitleDialog.txtSameAs": "新規作成したスタイルと同じ", "DE.Views.TableFormulaDialog.textBookmark": "ブックマークの貼り付け", "DE.Views.TableFormulaDialog.textFormat": "数の書式", "DE.Views.TableFormulaDialog.textFormula": "数式", @@ -2387,7 +2384,7 @@ "DE.Views.TableOfContentsSettings.strAlign": "ページ番号の右揃え", "DE.Views.TableOfContentsSettings.strFullCaption": "ラベルと番号を含める", "DE.Views.TableOfContentsSettings.strLinks": "目次をリンクとして書式設定する", - "DE.Views.TableOfContentsSettings.strLinksOF": "図や表をリンクとしてフォーマットする", + "DE.Views.TableOfContentsSettings.strLinksOF": "図表をリンクとして書式設定する", "DE.Views.TableOfContentsSettings.strShowPages": "ページ番号の表示", "DE.Views.TableOfContentsSettings.textBuildTable": "目次の作成要素:", "DE.Views.TableOfContentsSettings.textBuildTableOF": "次から図表を作成する", @@ -2397,21 +2394,21 @@ "DE.Views.TableOfContentsSettings.textLevel": "レベル", "DE.Views.TableOfContentsSettings.textLevels": "レベル", "DE.Views.TableOfContentsSettings.textNone": "なし", - "DE.Views.TableOfContentsSettings.textRadioCaption": "見出し", - "DE.Views.TableOfContentsSettings.textRadioLevels": "アウトライン・レベル", + "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.textTable": "テーブル", "DE.Views.TableOfContentsSettings.textTitle": "目次", "DE.Views.TableOfContentsSettings.textTitleTOF": "図表", - "DE.Views.TableOfContentsSettings.txtCentered": "中央揃え", + "DE.Views.TableOfContentsSettings.txtCentered": "中央揃え済み", "DE.Views.TableOfContentsSettings.txtClassic": "クラシック", "DE.Views.TableOfContentsSettings.txtCurrent": "現在", "DE.Views.TableOfContentsSettings.txtDistinctive": "特徴的", - "DE.Views.TableOfContentsSettings.txtFormal": "公式な", - "DE.Views.TableOfContentsSettings.txtModern": "現代", + "DE.Views.TableOfContentsSettings.txtFormal": "フォーマル", + "DE.Views.TableOfContentsSettings.txtModern": "モダン", "DE.Views.TableOfContentsSettings.txtOnline": "オンライン", "DE.Views.TableOfContentsSettings.txtSimple": "簡単な", "DE.Views.TableOfContentsSettings.txtStandard": "標準", @@ -2429,9 +2426,9 @@ "DE.Views.TableSettings.selectTableText": "テーブルの選択", "DE.Views.TableSettings.splitCellsText": "セルの分割...", "DE.Views.TableSettings.splitCellTitleText": "セルの分割", - "DE.Views.TableSettings.strRepeatRow": "毎ページの上に見出し行として繰り返す", + "DE.Views.TableSettings.strRepeatRow": "各ページの上部に見出し行として繰り返す", "DE.Views.TableSettings.textAddFormula": "式を追加", - "DE.Views.TableSettings.textAdvanced": "詳細設定の表示", + "DE.Views.TableSettings.textAdvanced": "詳細設定を表示", "DE.Views.TableSettings.textBackColor": "背景色", "DE.Views.TableSettings.textBanded": "縞模様", "DE.Views.TableSettings.textBorderColor": "色", @@ -2452,16 +2449,16 @@ "DE.Views.TableSettings.textTemplate": "テンプレートから選択する", "DE.Views.TableSettings.textTotal": "合計", "DE.Views.TableSettings.textWidth": "幅", - "DE.Views.TableSettings.tipAll": "外部の罫線と全ての内部の線", - "DE.Views.TableSettings.tipBottom": "外部の罫線(下)だけを設定します。", - "DE.Views.TableSettings.tipInner": "内部の線だけを設定します。", - "DE.Views.TableSettings.tipInnerHor": "横線内部の線だけを設定します。", - "DE.Views.TableSettings.tipInnerVert": "内部の縦線だけを設定します。", - "DE.Views.TableSettings.tipLeft": "外部の罫線(左)だけを設定します。", + "DE.Views.TableSettings.tipAll": "外枠とすべての内枠の線を設定", + "DE.Views.TableSettings.tipBottom": "外部の罫線(下)だけを設定", + "DE.Views.TableSettings.tipInner": "内側の線のみを設定", + "DE.Views.TableSettings.tipInnerHor": "水平方向の内側の線のみを設定", + "DE.Views.TableSettings.tipInnerVert": "縦方向の内線のみを設定", + "DE.Views.TableSettings.tipLeft": "外部の罫線(左)だけを設定", "DE.Views.TableSettings.tipNone": "罫線の設定なし", - "DE.Views.TableSettings.tipOuter": "外部の罫線だけを設定します。", - "DE.Views.TableSettings.tipRight": "外部の罫線(右)だけを設定します。", - "DE.Views.TableSettings.tipTop": "外部の罫線(上)だけを設定します。", + "DE.Views.TableSettings.tipOuter": "外枠の罫線だけを設定", + "DE.Views.TableSettings.tipRight": "外部の罫線(右)だけを設定", + "DE.Views.TableSettings.tipTop": "外部の罫線(上)だけを設定", "DE.Views.TableSettings.txtNoBorders": "罫線なし", "DE.Views.TableSettings.txtTable_Accent": "アクセント", "DE.Views.TableSettings.txtTable_Colorful": "カラフル", @@ -2480,10 +2477,10 @@ "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.textBorderColor": "罫線の色", + "DE.Views.TableSettingsAdvanced.textBorderDesc": "図をクリックするか、ボタンで枠を選択し、選択したスタイルを適用します。", "DE.Views.TableSettingsAdvanced.textBordersBackgroung": "罫線と背景", "DE.Views.TableSettingsAdvanced.textBorderWidth": "罫線のサイズ", "DE.Views.TableSettingsAdvanced.textBottom": "下", @@ -2492,52 +2489,52 @@ "DE.Views.TableSettingsAdvanced.textCellSize": "セルのサイズ", "DE.Views.TableSettingsAdvanced.textCenter": "中央揃え", "DE.Views.TableSettingsAdvanced.textCenterTooltip": "中央揃え", - "DE.Views.TableSettingsAdvanced.textCheckMargins": "既定の余白を使用します。", - "DE.Views.TableSettingsAdvanced.textDefaultMargins": "既定のセルの余白", + "DE.Views.TableSettingsAdvanced.textCheckMargins": "既定の余白を使用", + "DE.Views.TableSettingsAdvanced.textDefaultMargins": "デフォルトのセルの余白", "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.textOnlyCells": "選択されたセルだけに適応", "DE.Views.TableSettingsAdvanced.textOptions": "オプション", - "DE.Views.TableSettingsAdvanced.textOverlap": "オーバーラップさせる", + "DE.Views.TableSettingsAdvanced.textOverlap": "オーバーラップを許可する", "DE.Views.TableSettingsAdvanced.textPage": "ページ", "DE.Views.TableSettingsAdvanced.textPosition": "位置", - "DE.Views.TableSettingsAdvanced.textPrefWidth": "幅", - "DE.Views.TableSettingsAdvanced.textPreview": "下見", - "DE.Views.TableSettingsAdvanced.textRelative": "相対", + "DE.Views.TableSettingsAdvanced.textPrefWidth": "希望する幅", + "DE.Views.TableSettingsAdvanced.textPreview": "プレビュー", + "DE.Views.TableSettingsAdvanced.textRelative": "と相対", "DE.Views.TableSettingsAdvanced.textRight": "右に", "DE.Views.TableSettingsAdvanced.textRightOf": "の右に", "DE.Views.TableSettingsAdvanced.textRightTooltip": "右揃え", - "DE.Views.TableSettingsAdvanced.textTable": "表", - "DE.Views.TableSettingsAdvanced.textTableBackColor": "表の背景", - "DE.Views.TableSettingsAdvanced.textTablePosition": "表の位置", - "DE.Views.TableSettingsAdvanced.textTableSize": "表のサイズ", + "DE.Views.TableSettingsAdvanced.textTable": "テーブル", + "DE.Views.TableSettingsAdvanced.textTableBackColor": "テーブルの背景", + "DE.Views.TableSettingsAdvanced.textTablePosition": "テーブルの位置", + "DE.Views.TableSettingsAdvanced.textTableSize": "テーブルのサイズ", "DE.Views.TableSettingsAdvanced.textTitle": "テーブル - 詳細設定", - "DE.Views.TableSettingsAdvanced.textTop": "トップ", - "DE.Views.TableSettingsAdvanced.textVertical": "縦", + "DE.Views.TableSettingsAdvanced.textTop": "上", + "DE.Views.TableSettingsAdvanced.textVertical": "垂直", "DE.Views.TableSettingsAdvanced.textWidth": "幅", "DE.Views.TableSettingsAdvanced.textWidthSpaces": "幅&スペース", "DE.Views.TableSettingsAdvanced.textWrap": "テキストの折り返し\t", - "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "表形式", - "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "フローの表", + "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "インラインテーブル", + "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "フローテーブル", "DE.Views.TableSettingsAdvanced.textWrappingStyle": "折り返しの種類と配置", - "DE.Views.TableSettingsAdvanced.textWrapText": "左右の折り返し", - "DE.Views.TableSettingsAdvanced.tipAll": "外部の罫線と全ての内部の線", - "DE.Views.TableSettingsAdvanced.tipCellAll": "内部セルだけのために罫線を設定します。", - "DE.Views.TableSettingsAdvanced.tipCellInner": "内部のセルだけのために縦線と横線を設定します。", - "DE.Views.TableSettingsAdvanced.tipCellOuter": "外部の罫線と内部のセルだけを設定します。", - "DE.Views.TableSettingsAdvanced.tipInner": "内部の線だけを設定します。", + "DE.Views.TableSettingsAdvanced.textWrapText": "テキストの折り返し", + "DE.Views.TableSettingsAdvanced.tipAll": "外枠とすべての内枠の線を設定", + "DE.Views.TableSettingsAdvanced.tipCellAll": "内部セルだけに罫線を設定", + "DE.Views.TableSettingsAdvanced.tipCellInner": "内部のセルだけのために縦線と横線を設定", + "DE.Views.TableSettingsAdvanced.tipCellOuter": "内側のセルにのみ外枠罫線を設定", + "DE.Views.TableSettingsAdvanced.tipInner": "内側の線のみを設定", "DE.Views.TableSettingsAdvanced.tipNone": "罫線の設定なし", - "DE.Views.TableSettingsAdvanced.tipOuter": "外部の罫線だけを設定します。", - "DE.Views.TableSettingsAdvanced.tipTableOuterCellAll": "内部セルの罫線と外部の罫線を設定します。", - "DE.Views.TableSettingsAdvanced.tipTableOuterCellInner": "外部の罫線と内部のセルのための縦線と横線を設定します。", - "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "タブの外部の罫線と内部のセルのための外部の罫線を設定します。", + "DE.Views.TableSettingsAdvanced.tipOuter": "外枠の罫線だけを設定", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellAll": "内部セルの罫線と外部の罫線を設定", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellInner": "内側のセルに外枠と縦線・横線を設定", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "テーブルの外枠の罫線と内部セルの外枠罫線を設定", "DE.Views.TableSettingsAdvanced.txtCm": "センチ", "DE.Views.TableSettingsAdvanced.txtInch": "インチ", "DE.Views.TableSettingsAdvanced.txtNoBorders": "罫線なし", @@ -2557,7 +2554,7 @@ "DE.Views.TextArtSettings.strStroke": "行", "DE.Views.TextArtSettings.strTransparency": "不透明度", "DE.Views.TextArtSettings.strType": "タイプ", - "DE.Views.TextArtSettings.textAngle": "角", + "DE.Views.TextArtSettings.textAngle": "角度", "DE.Views.TextArtSettings.textBorderSizeErr": "入力された値が正しくありません。
    0〜1584の数値を入力してください。", "DE.Views.TextArtSettings.textColor": "色で塗りつぶし", "DE.Views.TextArtSettings.textDirection": "方向", @@ -2566,45 +2563,45 @@ "DE.Views.TextArtSettings.textLinear": "線形", "DE.Views.TextArtSettings.textNoFill": "塗りつぶしなし", "DE.Views.TextArtSettings.textPosition": "位置", - "DE.Views.TextArtSettings.textRadial": "放射状", - "DE.Views.TextArtSettings.textSelectTexture": "選択", + "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.TextToTableDialog.textAutofit": "オートフィットの動作", + "DE.Views.TextToTableDialog.textAutofit": "自動調整の動作", "DE.Views.TextToTableDialog.textColumns": "列", - "DE.Views.TextToTableDialog.textContents": "コンテンツへのオートフィット", + "DE.Views.TextToTableDialog.textContents": "コンテンツへの自動調整", "DE.Views.TextToTableDialog.textEmpty": "カスタムセパレータの文字を入力する必要があります。", - "DE.Views.TextToTableDialog.textFixed": "カラムの幅を固定", + "DE.Views.TextToTableDialog.textFixed": "固定カラム幅", "DE.Views.TextToTableDialog.textOther": "その他", "DE.Views.TextToTableDialog.textPara": "段落", "DE.Views.TextToTableDialog.textRows": "行", "DE.Views.TextToTableDialog.textSemicolon": "セミコロン", "DE.Views.TextToTableDialog.textSeparator": "でテキストを分離", "DE.Views.TextToTableDialog.textTab": "タブ", - "DE.Views.TextToTableDialog.textTableSize": "表のサイズ", + "DE.Views.TextToTableDialog.textTableSize": "テーブルのサイズ", "DE.Views.TextToTableDialog.textTitle": "文字を表に変換する", - "DE.Views.TextToTableDialog.textWindow": "ウインドウへのオートフィット", + "DE.Views.TextToTableDialog.textWindow": "ウインドウへの自動調整", "DE.Views.TextToTableDialog.txtAutoText": "自動", "DE.Views.Toolbar.capBtnAddComment": "コメントを追加", "DE.Views.Toolbar.capBtnBlankPage": "空白ページ", "DE.Views.Toolbar.capBtnColumns": "列", "DE.Views.Toolbar.capBtnComment": "コメント", "DE.Views.Toolbar.capBtnDateTime": "日付&時刻", - "DE.Views.Toolbar.capBtnInsChart": "グラフ", - "DE.Views.Toolbar.capBtnInsControls": "コンテンツ コントロール", - "DE.Views.Toolbar.capBtnInsDropcap": "ドロップ キャップ", - "DE.Views.Toolbar.capBtnInsEquation": "数式", + "DE.Views.Toolbar.capBtnInsChart": "チャート", + "DE.Views.Toolbar.capBtnInsControls": "コンテンツコントロール", + "DE.Views.Toolbar.capBtnInsDropcap": "ドロップキャップ", + "DE.Views.Toolbar.capBtnInsEquation": "方程式\t", "DE.Views.Toolbar.capBtnInsHeader": "ヘッダー/フッター", "DE.Views.Toolbar.capBtnInsImage": "画像", "DE.Views.Toolbar.capBtnInsPagebreak": "区切り", "DE.Views.Toolbar.capBtnInsShape": "図形", "DE.Views.Toolbar.capBtnInsSymbol": "記号", - "DE.Views.Toolbar.capBtnInsTable": "表", - "DE.Views.Toolbar.capBtnInsTextart": "ワードアート", + "DE.Views.Toolbar.capBtnInsTable": "テーブル", + "DE.Views.Toolbar.capBtnInsTextart": "テキストアート", "DE.Views.Toolbar.capBtnInsTextbox": "テキストボックス", "DE.Views.Toolbar.capBtnLineNumbers": "行番号", "DE.Views.Toolbar.capBtnMargins": "余白", @@ -2616,20 +2613,20 @@ "DE.Views.Toolbar.capImgForward": "前面へ移動", "DE.Views.Toolbar.capImgGroup": "グループ化する", "DE.Views.Toolbar.capImgWrapping": "折り返し", - "DE.Views.Toolbar.mniCapitalizeWords": "各単語の先頭文字を大文字にする", - "DE.Views.Toolbar.mniCustomTable": "ユーザー設定​​の表の挿入", + "DE.Views.Toolbar.mniCapitalizeWords": "各単語を大文字にする", + "DE.Views.Toolbar.mniCustomTable": "カスタムテーブルの挿入", "DE.Views.Toolbar.mniDrawTable": "罫線を引く", - "DE.Views.Toolbar.mniEditControls": "コントロールの設定", - "DE.Views.Toolbar.mniEditDropCap": "ドロップ キャップの設定", + "DE.Views.Toolbar.mniEditControls": "コントロール設定", + "DE.Views.Toolbar.mniEditDropCap": "ドロップキャップの設定", "DE.Views.Toolbar.mniEditFooter": "フッターの編集", "DE.Views.Toolbar.mniEditHeader": "ヘッダーの編集", "DE.Views.Toolbar.mniEraseTable": "テーブルの削除", - "DE.Views.Toolbar.mniFromFile": " ファイルから", + "DE.Views.Toolbar.mniFromFile": "ファイルから", "DE.Views.Toolbar.mniFromStorage": "ストレージから", "DE.Views.Toolbar.mniFromUrl": "URLから", "DE.Views.Toolbar.mniHiddenBorders": "隠しテーブルの罫線", - "DE.Views.Toolbar.mniHiddenChars": "編集記号の表示", - "DE.Views.Toolbar.mniHighlightControls": "強調表示設定", + "DE.Views.Toolbar.mniHiddenChars": "非表示文字", + "DE.Views.Toolbar.mniHighlightControls": "ハイライト設定", "DE.Views.Toolbar.mniImageFromFile": "ファイルからの画像", "DE.Views.Toolbar.mniImageFromStorage": "ストレージから画像", "DE.Views.Toolbar.mniImageFromUrl": "URLからのファイル", @@ -2642,50 +2639,50 @@ "DE.Views.Toolbar.textAutoColor": "自動", "DE.Views.Toolbar.textBold": "太字", "DE.Views.Toolbar.textBottom": "下:", - "DE.Views.Toolbar.textChangeLevel": "変更リストラベル", + "DE.Views.Toolbar.textChangeLevel": "リストラベルの変更", "DE.Views.Toolbar.textCheckboxControl": "チェックボックス", - "DE.Views.Toolbar.textColumnsCustom": "ユーザー設定の列", + "DE.Views.Toolbar.textColumnsCustom": "カスタム設定の列", "DE.Views.Toolbar.textColumnsLeft": "左", "DE.Views.Toolbar.textColumnsOne": "1", "DE.Views.Toolbar.textColumnsRight": "右に", - "DE.Views.Toolbar.textColumnsThree": "三", - "DE.Views.Toolbar.textColumnsTwo": "二", + "DE.Views.Toolbar.textColumnsThree": "3", + "DE.Views.Toolbar.textColumnsTwo": "2", "DE.Views.Toolbar.textComboboxControl": "コンボボックス", - "DE.Views.Toolbar.textContinuous": "継続的な", - "DE.Views.Toolbar.textContPage": "連続ページ表示", + "DE.Views.Toolbar.textContinuous": "継続的", + "DE.Views.Toolbar.textContPage": "連続ページ", "DE.Views.Toolbar.textCustomLineNumbers": "行番号オプション", "DE.Views.Toolbar.textDateControl": "日付", - "DE.Views.Toolbar.textDropdownControl": "ドロップダウン リスト", - "DE.Views.Toolbar.textEditWatermark": "ユーザー設定の透かし", + "DE.Views.Toolbar.textDropdownControl": "ドロップダウンリスト", + "DE.Views.Toolbar.textEditWatermark": "カスタム設定の透かし", "DE.Views.Toolbar.textEvenPage": "偶数ページから開始", "DE.Views.Toolbar.textInMargin": "余白", "DE.Views.Toolbar.textInsColumnBreak": "段区切りの挿入", - "DE.Views.Toolbar.textInsertPageCount": "ページ数を挿入する", + "DE.Views.Toolbar.textInsertPageCount": "ページ数を挿入", "DE.Views.Toolbar.textInsertPageNumber": "ページ番号の挿入", "DE.Views.Toolbar.textInsPageBreak": "改ページの挿入", "DE.Views.Toolbar.textInsSectionBreak": "セクション区切りの挿入", "DE.Views.Toolbar.textInText": "テキスト", - "DE.Views.Toolbar.textItalic": "斜体", + "DE.Views.Toolbar.textItalic": "イタリック", "DE.Views.Toolbar.textLandscape": "横向き", "DE.Views.Toolbar.textLeft": "左:", "DE.Views.Toolbar.textListSettings": "リストの設定", - "DE.Views.Toolbar.textMarginsLast": "最後に適用したユーザー", + "DE.Views.Toolbar.textMarginsLast": "最後に適用した設定", "DE.Views.Toolbar.textMarginsModerate": "標準", "DE.Views.Toolbar.textMarginsNarrow": "狭い", "DE.Views.Toolbar.textMarginsNormal": "標準", "DE.Views.Toolbar.textMarginsUsNormal": "ノーマル(アメリカの標準)", "DE.Views.Toolbar.textMarginsWide": "広い", - "DE.Views.Toolbar.textNewColor": "ユーザー設定の色の追加", + "DE.Views.Toolbar.textNewColor": "新規カスタムカラーの追加", "DE.Views.Toolbar.textNextPage": "次のページ", - "DE.Views.Toolbar.textNoHighlight": "強調表示なし", + "DE.Views.Toolbar.textNoHighlight": "ハイライト表示なし", "DE.Views.Toolbar.textNone": "なし", "DE.Views.Toolbar.textOddPage": "奇数ページから開始", - "DE.Views.Toolbar.textPageMarginsCustom": "ユーザー設定の余白", - "DE.Views.Toolbar.textPageSizeCustom": "ユーザー設定のページ サイズ", + "DE.Views.Toolbar.textPageMarginsCustom": "カスタム設定の余白", + "DE.Views.Toolbar.textPageSizeCustom": "カスタム設定のページサイズ", "DE.Views.Toolbar.textPictureControl": "画像", "DE.Views.Toolbar.textPlainControl": "プレーンテキスト", "DE.Views.Toolbar.textPortrait": "縦向き", - "DE.Views.Toolbar.textRemoveControl": "コンテンツ コントロールを削除する", + "DE.Views.Toolbar.textRemoveControl": "コンテンツコントロールを削除する", "DE.Views.Toolbar.textRemWatermark": "透かしの削除", "DE.Views.Toolbar.textRestartEachPage": "各ページに振り直し", "DE.Views.Toolbar.textRestartEachSection": "各セクションに振り直し", @@ -2693,14 +2690,14 @@ "DE.Views.Toolbar.textRight": "右:", "DE.Views.Toolbar.textStrikeout": "取り消し線", "DE.Views.Toolbar.textStyleMenuDelete": "スタイルの削除", - "DE.Views.Toolbar.textStyleMenuDeleteAll": "ユーザー設定のスタイルの削除", + "DE.Views.Toolbar.textStyleMenuDeleteAll": "カスタム設定のスタイルを全て削除", "DE.Views.Toolbar.textStyleMenuNew": "選択からの新しいスタイル", "DE.Views.Toolbar.textStyleMenuRestore": "デフォルトへの復元", "DE.Views.Toolbar.textStyleMenuRestoreAll": "全てのデフォルトスタイルの復元", - "DE.Views.Toolbar.textStyleMenuUpdate": "選択からの更新", - "DE.Views.Toolbar.textSubscript": "下付き", + "DE.Views.Toolbar.textStyleMenuUpdate": "選択範囲からの更新", + "DE.Views.Toolbar.textSubscript": "下付き文字", "DE.Views.Toolbar.textSuperscript": "上付き文字", - "DE.Views.Toolbar.textSuppressForCurrentParagraph": "この段落に無効する", + "DE.Views.Toolbar.textSuppressForCurrentParagraph": "現在の段落を表示しない ", "DE.Views.Toolbar.textTabCollaboration": "共同編集", "DE.Views.Toolbar.textTabFile": "ファイル", "DE.Views.Toolbar.textTabHome": "ホーム", @@ -2708,12 +2705,12 @@ "DE.Views.Toolbar.textTabLayout": "レイアウト", "DE.Views.Toolbar.textTabLinks": "参考資料", "DE.Views.Toolbar.textTabProtect": "保護", - "DE.Views.Toolbar.textTabReview": "見直し", + "DE.Views.Toolbar.textTabReview": "レビュー", "DE.Views.Toolbar.textTabView": "表示", "DE.Views.Toolbar.textTitleError": "エラー", - "DE.Views.Toolbar.textToCurrent": "現在の場所", + "DE.Views.Toolbar.textToCurrent": "現在の場所へ", "DE.Views.Toolbar.textTop": "トップ:", - "DE.Views.Toolbar.textUnderline": "下線", + "DE.Views.Toolbar.textUnderline": "アンダーライン", "DE.Views.Toolbar.tipAlignCenter": "中央揃え", "DE.Views.Toolbar.tipAlignJust": "両端揃え", "DE.Views.Toolbar.tipAlignLeft": "左揃え", @@ -2725,21 +2722,21 @@ "DE.Views.Toolbar.tipClearStyle": "スタイルのクリア", "DE.Views.Toolbar.tipColorSchemas": "配色の変更", "DE.Views.Toolbar.tipColumns": "列の挿入", - "DE.Views.Toolbar.tipControls": "コンテンツ コントロールの挿入", + "DE.Views.Toolbar.tipControls": "コンテンツコントロールの挿入", "DE.Views.Toolbar.tipCopy": "コピー", "DE.Views.Toolbar.tipCopyStyle": "スタイルのコピー", - "DE.Views.Toolbar.tipDateTime": " 現在の日付と時刻を挿入", - "DE.Views.Toolbar.tipDecFont": "フォントのサイズの減分", + "DE.Views.Toolbar.tipDateTime": "現在の日付と時刻を挿入", + "DE.Views.Toolbar.tipDecFont": "フォントサイズを小さくする", "DE.Views.Toolbar.tipDecPrLeft": "インデントを減らす", - "DE.Views.Toolbar.tipDropCap": "ドロップ キャップの挿入", - "DE.Views.Toolbar.tipEditHeader": "ヘッダーやフッターの編集", + "DE.Views.Toolbar.tipDropCap": "ドロップキャップの挿入", + "DE.Views.Toolbar.tipEditHeader": "ヘッダーまたはフッターの編集", "DE.Views.Toolbar.tipFontColor": "フォントの色", "DE.Views.Toolbar.tipFontName": "フォント", "DE.Views.Toolbar.tipFontSize": "フォントのサイズ", - "DE.Views.Toolbar.tipHighlightColor": "強調表示の色", + "DE.Views.Toolbar.tipHighlightColor": "ハイライトの色", "DE.Views.Toolbar.tipImgAlign": "オブジェクトを配置する", "DE.Views.Toolbar.tipImgGroup": "オブジェクトをグループ化する", - "DE.Views.Toolbar.tipImgWrapping": "文字列の折り返し", + "DE.Views.Toolbar.tipImgWrapping": "テキストの折り返し", "DE.Views.Toolbar.tipIncFont": "フォントサイズの増分", "DE.Views.Toolbar.tipIncPrLeft": "インデントを増やす", "DE.Views.Toolbar.tipInsertChart": "グラフの挿入", @@ -2749,14 +2746,25 @@ "DE.Views.Toolbar.tipInsertShape": "オートシェイプの挿入", "DE.Views.Toolbar.tipInsertSymbol": "記号の挿入", "DE.Views.Toolbar.tipInsertTable": "表の挿入", - "DE.Views.Toolbar.tipInsertText": "テキスト ボックスの挿入", - "DE.Views.Toolbar.tipInsertTextArt": "テキスト アートの挿入", + "DE.Views.Toolbar.tipInsertText": "テキストボックスの挿入", + "DE.Views.Toolbar.tipInsertTextArt": "テキストアートの挿入", "DE.Views.Toolbar.tipLineNumbers": "行番号を表示する", "DE.Views.Toolbar.tipLineSpace": "段落の行間", "DE.Views.Toolbar.tipMailRecepients": "差し込み印刷", "DE.Views.Toolbar.tipMarkers": "箇条書き", + "DE.Views.Toolbar.tipMarkersArrow": "箇条書き(矢印)", + "DE.Views.Toolbar.tipMarkersCheckmark": "箇条書き(チェックマーク)", + "DE.Views.Toolbar.tipMarkersDash": "「ダッシュ」記号", + "DE.Views.Toolbar.tipMarkersFRhombus": "箇条書き(ひし形)", + "DE.Views.Toolbar.tipMarkersFRound": "箇条書き(丸)", + "DE.Views.Toolbar.tipMarkersFSquare": "箇条書き(四角)", + "DE.Views.Toolbar.tipMarkersHRound": "箇条書き(円)", + "DE.Views.Toolbar.tipMarkersStar": "箇条書き(星)", + "DE.Views.Toolbar.tipMultiLevelNumbered": "段落番号付き箇条書き", "DE.Views.Toolbar.tipMultilevels": "複数レベルのリスト", - "DE.Views.Toolbar.tipNumbers": "番号設定", + "DE.Views.Toolbar.tipMultiLevelSymbols": "記号付き箇条書き", + "DE.Views.Toolbar.tipMultiLevelVarious": "段落番号付き様々な箇条書き", + "DE.Views.Toolbar.tipNumbers": "ナンバリング", "DE.Views.Toolbar.tipPageBreak": "ページの挿入またはセクション区切り", "DE.Views.Toolbar.tipPageMargins": "ページ余白", "DE.Views.Toolbar.tipPageOrient": "ページの向き", @@ -2767,11 +2775,11 @@ "DE.Views.Toolbar.tipPrint": "印刷", "DE.Views.Toolbar.tipRedo": "やり直し", "DE.Views.Toolbar.tipSave": "保存", - "DE.Views.Toolbar.tipSaveCoauth": "他のユーザが変更を見れるために変更を保存します。", + "DE.Views.Toolbar.tipSaveCoauth": "変更内容を保存して、他のユーザーが確認できるようにします。", "DE.Views.Toolbar.tipSendBackward": "背面へ移動", "DE.Views.Toolbar.tipSendForward": "前面へ移動", - "DE.Views.Toolbar.tipShowHiddenChars": "編集記号の表示", - "DE.Views.Toolbar.tipSynchronize": "ドキュメントは他のユーザーによって変更されました。変更を保存するためにここでクリックし、アップデートを再ロードしてください。", + "DE.Views.Toolbar.tipShowHiddenChars": "非表示文字", + "DE.Views.Toolbar.tipSynchronize": "このドキュメントは他のユーザーによって変更されました。クリックして変更を保存し、更新を再読み込みしてください。", "DE.Views.Toolbar.tipUndo": "元に戻す", "DE.Views.Toolbar.tipWatermark": "透かしを編集する", "DE.Views.Toolbar.txtDistribHor": "左右に整列", @@ -2780,37 +2788,39 @@ "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.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.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.txtScheme22": "新しいオフィス", - "DE.Views.Toolbar.txtScheme3": "ひらめき", + "DE.Views.Toolbar.txtScheme3": "エイペックス", "DE.Views.Toolbar.txtScheme4": "アスペクト", - "DE.Views.Toolbar.txtScheme5": "クール", + "DE.Views.Toolbar.txtScheme5": "シビック", "DE.Views.Toolbar.txtScheme6": "ビジネス", - "DE.Views.Toolbar.txtScheme7": "株主資本", + "DE.Views.Toolbar.txtScheme7": "エクイティ", "DE.Views.Toolbar.txtScheme8": "フロー", - "DE.Views.Toolbar.txtScheme9": "エコロジー", + "DE.Views.Toolbar.txtScheme9": "ファウンドリー", "DE.Views.ViewTab.textAlwaysShowToolbar": "ツールバーを常に表示する", - "DE.Views.ViewTab.textDarkDocument": "ダーク ドキュメント", + "DE.Views.ViewTab.textDarkDocument": "ダークドキュメント", "DE.Views.ViewTab.textFitToPage": "ページに合わせる", + "DE.Views.ViewTab.textFitToWidth": "幅に合わせる", "DE.Views.ViewTab.textInterfaceTheme": "インターフェイスのテーマ", "DE.Views.ViewTab.textNavigation": "ナビゲーション", "DE.Views.ViewTab.textRulers": "ルーラー", + "DE.Views.ViewTab.textStatusBar": "ステータスバー", "DE.Views.ViewTab.textZoom": "ズーム", "DE.Views.WatermarkSettingsDialog.textAuto": "自動", "DE.Views.WatermarkSettingsDialog.textBold": "太字", - "DE.Views.WatermarkSettingsDialog.textColor": "テキスト色", + "DE.Views.WatermarkSettingsDialog.textColor": "文字の色", "DE.Views.WatermarkSettingsDialog.textDiagonal": "斜め", "DE.Views.WatermarkSettingsDialog.textFont": "フォント", "DE.Views.WatermarkSettingsDialog.textFromFile": "ファイルから", @@ -2818,18 +2828,18 @@ "DE.Views.WatermarkSettingsDialog.textFromUrl": "URLから", "DE.Views.WatermarkSettingsDialog.textHor": "水平", "DE.Views.WatermarkSettingsDialog.textImageW": "画像透かし", - "DE.Views.WatermarkSettingsDialog.textItalic": "斜体", + "DE.Views.WatermarkSettingsDialog.textItalic": "イタリック", "DE.Views.WatermarkSettingsDialog.textLanguage": "言語", "DE.Views.WatermarkSettingsDialog.textLayout": "レイアウト", "DE.Views.WatermarkSettingsDialog.textNone": "なし", "DE.Views.WatermarkSettingsDialog.textScale": "規模", - "DE.Views.WatermarkSettingsDialog.textSelect": "画像を選択", + "DE.Views.WatermarkSettingsDialog.textSelect": "画像を選択する", "DE.Views.WatermarkSettingsDialog.textStrikeout": "取り消し線", "DE.Views.WatermarkSettingsDialog.textText": "テキスト", "DE.Views.WatermarkSettingsDialog.textTextW": "テキスト透かし", "DE.Views.WatermarkSettingsDialog.textTitle": "透かし設定", "DE.Views.WatermarkSettingsDialog.textTransparency": "半透明", - "DE.Views.WatermarkSettingsDialog.textUnderline": "下線", + "DE.Views.WatermarkSettingsDialog.textUnderline": "アンダーライン", "DE.Views.WatermarkSettingsDialog.tipFontName": "フォント名", "DE.Views.WatermarkSettingsDialog.tipFontSize": "フォントのサイズ" } \ No newline at end of file diff --git a/apps/documenteditor/main/locale/ko.json b/apps/documenteditor/main/locale/ko.json index d4b6ebf86..b7543c2c8 100644 --- a/apps/documenteditor/main/locale/ko.json +++ b/apps/documenteditor/main/locale/ko.json @@ -168,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "New", "Common.UI.ExtendedColorDialog.textRGBErr": "입력 한 값이 잘못되었습니다.
    0에서 255 사이의 숫자 값을 입력하십시오.", "Common.UI.HSBColorPicker.textNoColor": "색상 없음", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "비밀번호 숨기기", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "비밀번호 표시", "Common.UI.SearchDialog.textHighlight": "결과 강조 표시", "Common.UI.SearchDialog.textMatchCase": "대소 문자를 구분합니다", "Common.UI.SearchDialog.textReplaceDef": "대체 텍스트 입력", @@ -211,6 +213,8 @@ "Common.Views.AutoCorrectDialog.textBulleted": "자동 글머리 기호 목록", "Common.Views.AutoCorrectDialog.textBy": "작성", "Common.Views.AutoCorrectDialog.textDelete": "삭제", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "더블 스페이스로 마침표 추가", + "Common.Views.AutoCorrectDialog.textFLCells": "표 셀의 첫 글자를 대문자로", "Common.Views.AutoCorrectDialog.textFLSentence": "영어 문장의 첫 글자를 대문자로", "Common.Views.AutoCorrectDialog.textHyperlink": "네트워크 경로 하이퍼링크", "Common.Views.AutoCorrectDialog.textHyphens": "하이픈(--)과 대시(—)", @@ -236,12 +240,14 @@ "Common.Views.Comments.mniAuthorDesc": "Z에서 A까지 작성자", "Common.Views.Comments.mniDateAsc": "가장 오래된", "Common.Views.Comments.mniDateDesc": "최신", + "Common.Views.Comments.mniFilterGroups": "그룹별 필터링", "Common.Views.Comments.mniPositionAsc": "위에서 부터", "Common.Views.Comments.mniPositionDesc": "아래로 부터", "Common.Views.Comments.textAdd": "추가", "Common.Views.Comments.textAddComment": "덧글 추가", "Common.Views.Comments.textAddCommentToDoc": "문서에 설명 추가", "Common.Views.Comments.textAddReply": "답장 추가", + "Common.Views.Comments.textAll": "모두", "Common.Views.Comments.textAnonym": "손님", "Common.Views.Comments.textCancel": "취소", "Common.Views.Comments.textClose": "닫기", @@ -255,6 +261,8 @@ "Common.Views.Comments.textResolve": "해결", "Common.Views.Comments.textResolved": "해결됨", "Common.Views.Comments.textSort": "코멘트 분류", + "Common.Views.Comments.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", + "Common.Views.Comments.txtEmpty": "문서에 코멘트가 없습니다", "Common.Views.CopyWarningDialog.textDontShow": "이 메시지를 다시 표시하지 않음", "Common.Views.CopyWarningDialog.textMsg": "편집기 도구 모음 단추 및 컨텍스트 메뉴 작업을 사용하여 복사, 잘라 내기 및 붙여 넣기 작업은이 편집기 탭 내에서만 수행됩니다.

    외부 응용 프로그램으로 복사하거나 붙여 넣으려면 편집기 탭은 다음과 같은 키보드 조합을 사용합니다 : ", "Common.Views.CopyWarningDialog.textTitle": "작업 복사, 잘라 내기 및 붙여 넣기", @@ -431,6 +439,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "다시 열기", "Common.Views.ReviewPopover.textReply": "댓글", "Common.Views.ReviewPopover.textResolve": "해결", + "Common.Views.ReviewPopover.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", "Common.Views.ReviewPopover.txtAccept": "동의", "Common.Views.ReviewPopover.txtDeleteTip": "삭제", "Common.Views.ReviewPopover.txtEditTip": "편집", @@ -504,7 +513,9 @@ "DE.Controllers.LeftMenu.txtCompatible": "문서가 새 형식으로 저장됩니다. 모든 편집기 기능을 사용할 수 있지만 문서 레이아웃에 영향을 줄 수 있습니다.
    파일을 이전 버전의 MS Word와 호환되도록 하려면 고급 설정에서 \"호환성\" 옵션을 사용하십시오.", "DE.Controllers.LeftMenu.txtUntitled": "제목없음", "DE.Controllers.LeftMenu.warnDownloadAs": "이 형식으로 저장을 계속하면 텍스트를 제외한 모든 기능이 손실됩니다. 계속 하시겠습니까?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "{0}(이)가 편집 가능한 형식으로 변환됩니다. 시간이 다소 소요될 수 있습니다. 완성된 문서는 텍스트를 편집할 수 있도록 최적화되므로 특히 원본 파일에 많은 그래픽이 포함된 경우 원본 {0}와/과 완전히 같지 않을 수 있습니다.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "이 형식으로 계속 저장하면 일부 형식이 손실될 수 있습니다.
    계속하시겠습니까?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0}은/는 대체 필드에 유효한 특수 문자가 아닙니다.", "DE.Controllers.Main.applyChangesTextText": "변경로드 중 ...", "DE.Controllers.Main.applyChangesTitleText": "변경 내용로드 중", "DE.Controllers.Main.convertationTimeoutText": "전환 시간 초과를 초과했습니다.", @@ -602,6 +613,7 @@ "DE.Controllers.Main.textLongName": "128자 미만의 이름을 입력하세요.", "DE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE 연결 제한", "DE.Controllers.Main.textPaidFeature": "유료기능", + "DE.Controllers.Main.textReconnect": "연결이 복원되었습니다", "DE.Controllers.Main.textRemember": "모든 파일에 대한 선택 사항을 기억하기", "DE.Controllers.Main.textRenameError": "사용자 이름은 비워둘 수 없습니다.", "DE.Controllers.Main.textRenameLabel": "협업에 사용할 이름을 입력합니다", @@ -879,6 +891,7 @@ "DE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.", "DE.Controllers.Navigation.txtBeginning": "문서의 시작", "DE.Controllers.Navigation.txtGotoBeginning": "문서의 시작점으로 이동", + "DE.Controllers.Statusbar.textDisconnect": "연결이 끊어졌습니다
    연결을 시도하는 중입니다.", "DE.Controllers.Statusbar.textHasChanges": "새로운 변경 내역이 조회되었습니다", "DE.Controllers.Statusbar.textSetTrackChanges": "변경 내용 추적 모드 사용중", "DE.Controllers.Statusbar.textTrackChanges": "변경 내용 추적 기능이 활성화된 상태에서 문서가 열립니다.", @@ -902,6 +915,7 @@ "DE.Controllers.Toolbar.textMatrix": "Matrices", "DE.Controllers.Toolbar.textOperator": "연산자", "DE.Controllers.Toolbar.textRadical": "Radicals", + "DE.Controllers.Toolbar.textRecentlyUsed": "최근 사용된", "DE.Controllers.Toolbar.textScript": "스크립트", "DE.Controllers.Toolbar.textSymbols": "Symbols", "DE.Controllers.Toolbar.textTabForms": "폼", @@ -1281,9 +1295,9 @@ "DE.Views.ChartSettings.textUndock": "패널에서 도킹 해제", "DE.Views.ChartSettings.textWidth": "너비", "DE.Views.ChartSettings.textWrap": "포장 스타일", - "DE.Views.ChartSettings.txtBehind": "뒤에", - "DE.Views.ChartSettings.txtInFront": "앞에", - "DE.Views.ChartSettings.txtInline": "인라인", + "DE.Views.ChartSettings.txtBehind": "텍스트 뒤", + "DE.Views.ChartSettings.txtInFront": "텍스트 앞에", + "DE.Views.ChartSettings.txtInline": "텍스트에 맞춰", "DE.Views.ChartSettings.txtSquare": "Square", "DE.Views.ChartSettings.txtThrough": "통해", "DE.Views.ChartSettings.txtTight": "Tight", @@ -1439,6 +1453,7 @@ "DE.Views.DocumentHolder.strSign": "서명", "DE.Views.DocumentHolder.styleText": "스타일로 서식 지정", "DE.Views.DocumentHolder.tableText": "테이블", + "DE.Views.DocumentHolder.textAccept": "변경 수락", "DE.Views.DocumentHolder.textAlign": "정렬", "DE.Views.DocumentHolder.textArrange": "정렬", "DE.Views.DocumentHolder.textArrangeBack": "맨 뒤로 보내기", @@ -1457,6 +1472,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "컬럼 배포", "DE.Views.DocumentHolder.textDistributeRows": "행 배포", "DE.Views.DocumentHolder.textEditControls": "콘텐트 제어 세팅", + "DE.Views.DocumentHolder.textEditPoints": "꼭지점 수정", "DE.Views.DocumentHolder.textEditWrapBoundary": "둘러싸 기 경계 편집", "DE.Views.DocumentHolder.textFlipH": "좌우대칭", "DE.Views.DocumentHolder.textFlipV": "상하대칭", @@ -1472,6 +1488,7 @@ "DE.Views.DocumentHolder.textPaste": "붙여 넣기", "DE.Views.DocumentHolder.textPrevPage": "이전 페이지", "DE.Views.DocumentHolder.textRefreshField": "필드 새로고침", + "DE.Views.DocumentHolder.textReject": "변경 거부", "DE.Views.DocumentHolder.textRemCheckBox": "체크박스 제거", "DE.Views.DocumentHolder.textRemComboBox": "콤보박스 제거", "DE.Views.DocumentHolder.textRemDropdown": "드랍박스 제거", @@ -1516,7 +1533,7 @@ "DE.Views.DocumentHolder.txtAddTop": "상단 테두리 추가", "DE.Views.DocumentHolder.txtAddVer": "세로선 추가", "DE.Views.DocumentHolder.txtAlignToChar": "문자에 정렬", - "DE.Views.DocumentHolder.txtBehind": "Behind", + "DE.Views.DocumentHolder.txtBehind": "텍스트 뒤", "DE.Views.DocumentHolder.txtBorderProps": "테두리 속성", "DE.Views.DocumentHolder.txtBottom": "Bottom", "DE.Views.DocumentHolder.txtColumnAlign": "열 정렬", @@ -1552,8 +1569,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "상한 숨기기", "DE.Views.DocumentHolder.txtHideVer": "수직선 숨기기", "DE.Views.DocumentHolder.txtIncreaseArg": "인수 크기 늘리기", - "DE.Views.DocumentHolder.txtInFront": "앞에", - "DE.Views.DocumentHolder.txtInline": "인라인", + "DE.Views.DocumentHolder.txtInFront": "텍스트 앞에", + "DE.Views.DocumentHolder.txtInline": "텍스트에 맞춰", "DE.Views.DocumentHolder.txtInsertArgAfter": "뒤에 인수를 삽입하십시오.", "DE.Views.DocumentHolder.txtInsertArgBefore": "앞에 인수를 삽입하십시오", "DE.Views.DocumentHolder.txtInsertBreak": "수동 페이지 나누기 삽입", @@ -1647,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "메뉴 닫기", "DE.Views.FileMenu.btnCreateNewCaption": "새로 만들기", "DE.Views.FileMenu.btnDownloadCaption": "다운로드 방법 ...", - "DE.Views.FileMenu.btnExitCaption": "나가기", + "DE.Views.FileMenu.btnExitCaption": "닫기", "DE.Views.FileMenu.btnFileOpenCaption": "열기", "DE.Views.FileMenu.btnHelpCaption": "Help ...", "DE.Views.FileMenu.btnHistoryCaption": "버전 기록", @@ -1674,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "액세스 권한 변경", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "코멘트", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "생성되었습니다", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "패스트 웹 뷰", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "로드 중 ...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "최종 편집자", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "최종 편집", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "아니오", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "소유자", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pages", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "페이지 크기", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "단락", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "태그드 PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF 버전", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "위치", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "권한이있는 사람", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "공백이있는 기호", @@ -1689,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "문서 제목", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "업로드 되었습니다", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "단어", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "예", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "액세스 권한 변경", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "권한이있는 사람", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "경고", @@ -1704,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "서명 보기", "DE.Views.FileMenuPanels.Settings.okButtonText": "적용", "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": "변경 사항을 확인하기 전에 변경 사항을 수락해야합니다.", "DE.Views.FileMenuPanels.Settings.strFast": "Fast", "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.strPaste": "잘라내기, 복사 및 붙여넣기", "DE.Views.FileMenuPanels.Settings.strPasteButton": "내용을 붙여넣을 때 \"붙여넣기 옵션\" 표시", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "해결 된 주석의 표시를 켜십시오", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "변경 내용 추적 표시", "DE.Views.FileMenuPanels.Settings.strShowChanges": "실시간 협업 변경 사항", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "맞춤법 검사 옵션 켜기", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -1743,6 +1757,7 @@ "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "풍선을 클릭하여 표시", "DE.Views.FileMenuPanels.Settings.txtChangesTip": "표시할 툴팁 위로 마우스를 가져갑니다.", "DE.Views.FileMenuPanels.Settings.txtCm": "센티미터", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "문서 다크 모드 켜기", "DE.Views.FileMenuPanels.Settings.txtFitPage": "페이지에 맞춤", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "너비에 맞춤", "DE.Views.FileMenuPanels.Settings.txtInch": "인치", @@ -1870,6 +1885,7 @@ "DE.Views.ImageSettings.textCrop": "자르기", "DE.Views.ImageSettings.textCropFill": "채우기", "DE.Views.ImageSettings.textCropFit": "맞춤", + "DE.Views.ImageSettings.textCropToShape": "도형에 맞게 자르기", "DE.Views.ImageSettings.textEdit": "편집", "DE.Views.ImageSettings.textEditObject": "개체 편집", "DE.Views.ImageSettings.textFitMargins": "여백에 맞추기", @@ -1884,14 +1900,15 @@ "DE.Views.ImageSettings.textHintFlipV": "상하대칭", "DE.Views.ImageSettings.textInsert": "이미지 바꾸기", "DE.Views.ImageSettings.textOriginalSize": "실제 크기", + "DE.Views.ImageSettings.textRecentlyUsed": "최근 사용된", "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": "Behind", - "DE.Views.ImageSettings.txtInFront": "앞에", - "DE.Views.ImageSettings.txtInline": "인라인", + "DE.Views.ImageSettings.txtBehind": "텍스트 뒤", + "DE.Views.ImageSettings.txtInFront": "텍스트 앞에", + "DE.Views.ImageSettings.txtInline": "텍스트에 맞춰", "DE.Views.ImageSettings.txtSquare": "Square", "DE.Views.ImageSettings.txtThrough": "통해", "DE.Views.ImageSettings.txtTight": "Tight", @@ -1964,9 +1981,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "가중치 및 화살표", "DE.Views.ImageSettingsAdvanced.textWidth": "너비", "DE.Views.ImageSettingsAdvanced.textWrap": "포장 스타일", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Behind", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "앞에 있음", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "인라인", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "텍스트 뒤", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "텍스트 앞에", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "텍스트에 맞춰", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Square", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "통해", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Tight", @@ -1999,7 +2016,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "자동", "DE.Views.Links.capBtnBookmarks": "즐겨찾기", "DE.Views.Links.capBtnCaption": "참조", - "DE.Views.Links.capBtnContentsUpdate": "재실행", + "DE.Views.Links.capBtnContentsUpdate": "표 업데이트", "DE.Views.Links.capBtnCrossRef": "상호 참조", "DE.Views.Links.capBtnInsContents": "콘텍츠 테이블", "DE.Views.Links.capBtnInsFootnote": "각주", @@ -2020,7 +2037,7 @@ "DE.Views.Links.textGotoFootnote": "각주로 이동", "DE.Views.Links.textSwapNotes": "각주와 미주 바꾸기", "DE.Views.Links.textUpdateAll": "전체 테이블을 새로고침하세요", - "DE.Views.Links.textUpdatePages": "페이지 번호만 새로고침하세요", + "DE.Views.Links.textUpdatePages": "페이지 번호만 업테이트 하세요", "DE.Views.Links.tipBookmarks": "책갈피 만들기", "DE.Views.Links.tipCaption": "캡션 삽입", "DE.Views.Links.tipContents": "콘텐트 테이블 삽입", @@ -2029,8 +2046,8 @@ "DE.Views.Links.tipInsertHyperlink": "하이퍼 링크 추가", "DE.Views.Links.tipNotes": "각주 삽입 또는 편집", "DE.Views.Links.tipTableFigures": "목차 삽입", - "DE.Views.Links.tipTableFiguresUpdate": "목차 새로고침", - "DE.Views.Links.titleUpdateTOF": "목차 새로고침", + "DE.Views.Links.tipTableFiguresUpdate": "도표 업데이트", + "DE.Views.Links.titleUpdateTOF": "도표 업데이트", "DE.Views.ListSettingsDialog.textAuto": "자동", "DE.Views.ListSettingsDialog.textCenter": "가운데", "DE.Views.ListSettingsDialog.textLeft": "왼쪽", @@ -2099,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "강등", "DE.Views.Navigation.txtEmpty": "문서에 제목이 없습니다.
    텍스트에 제목 스타일을 적용하여 목차에 표시되도록 합니다.", "DE.Views.Navigation.txtEmptyItem": "머리말 없슴", + "DE.Views.Navigation.txtEmptyViewer": "문서에 제목이 없습니다. ", "DE.Views.Navigation.txtExpand": "모두 확장", "DE.Views.Navigation.txtExpandToLevel": "레벨로 확장하기", "DE.Views.Navigation.txtHeadingAfter": "뒤에 신규 머리글 ", @@ -2154,6 +2172,11 @@ "DE.Views.PageSizeDialog.textTitle": "페이지 크기", "DE.Views.PageSizeDialog.textWidth": "너비", "DE.Views.PageSizeDialog.txtCustom": "사용자 정의", + "DE.Views.PageThumbnails.textClosePanel": "페이지 썸네일 닫기", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "페이지에서 보이는 부분 강조 표시", + "DE.Views.PageThumbnails.textPageThumbnails": "페이지 썸네일", + "DE.Views.PageThumbnails.textThumbnailsSettings": "썸네일 설정", + "DE.Views.PageThumbnails.textThumbnailsSize": "썸네일 크기", "DE.Views.ParagraphSettings.strIndent": "들여쓰기", "DE.Views.ParagraphSettings.strIndentsLeftText": "왼쪽", "DE.Views.ParagraphSettings.strIndentsRightText": "오른쪽", @@ -2289,6 +2312,7 @@ "DE.Views.ShapeSettings.textPatternFill": "패턴", "DE.Views.ShapeSettings.textPosition": "위치", "DE.Views.ShapeSettings.textRadial": "방사형", + "DE.Views.ShapeSettings.textRecentlyUsed": "최근 사용된", "DE.Views.ShapeSettings.textRotate90": "90도 회전", "DE.Views.ShapeSettings.textRotation": "회전", "DE.Views.ShapeSettings.textSelectImage": "그림선택", @@ -2300,7 +2324,7 @@ "DE.Views.ShapeSettings.textWrap": "배치 스타일", "DE.Views.ShapeSettings.tipAddGradientPoint": "그라데이션 포인트 추가", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "그라데이션 포인트 제거", - "DE.Views.ShapeSettings.txtBehind": "Behind", + "DE.Views.ShapeSettings.txtBehind": "텍스트 뒤", "DE.Views.ShapeSettings.txtBrownPaper": "갈색 종이", "DE.Views.ShapeSettings.txtCanvas": "Canvas", "DE.Views.ShapeSettings.txtCarton": "Carton", @@ -2308,8 +2332,8 @@ "DE.Views.ShapeSettings.txtGrain": "Grain", "DE.Views.ShapeSettings.txtGranite": "Granite", "DE.Views.ShapeSettings.txtGreyPaper": "회색 용지", - "DE.Views.ShapeSettings.txtInFront": "앞에", - "DE.Views.ShapeSettings.txtInline": "인라인", + "DE.Views.ShapeSettings.txtInFront": "텍스트 앞에", + "DE.Views.ShapeSettings.txtInline": "텍스트에 맞춰", "DE.Views.ShapeSettings.txtKnit": "Knit", "DE.Views.ShapeSettings.txtLeather": "가죽", "DE.Views.ShapeSettings.txtNoBorders": "No Line", @@ -2339,6 +2363,8 @@ "DE.Views.Statusbar.pageIndexText": "{1}의 페이지 {0}", "DE.Views.Statusbar.tipFitPage": "페이지에 맞춤", "DE.Views.Statusbar.tipFitWidth": "너비에 맞춤", + "DE.Views.Statusbar.tipHandTool": "손도구", + "DE.Views.Statusbar.tipSelectTool": "도구 선택", "DE.Views.Statusbar.tipSetLang": "텍스트 언어 설정", "DE.Views.Statusbar.tipZoomFactor": "확대/축소", "DE.Views.Statusbar.tipZoomIn": "확대", @@ -2680,6 +2706,7 @@ "DE.Views.Toolbar.textTabLinks": "참조", "DE.Views.Toolbar.textTabProtect": "보호", "DE.Views.Toolbar.textTabReview": "다시보기", + "DE.Views.Toolbar.textTabView": "뷰", "DE.Views.Toolbar.textTitleError": "오류", "DE.Views.Toolbar.textToCurrent": "현재 위치로", "DE.Views.Toolbar.textTop": "Top :", @@ -2725,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "단락 줄 간격", "DE.Views.Toolbar.tipMailRecepients": "편지 병합", "DE.Views.Toolbar.tipMarkers": "Bullets", + "DE.Views.Toolbar.tipMarkersArrow": "화살 글머리 기호", + "DE.Views.Toolbar.tipMarkersCheckmark": "체크 표시 글머리 기호", + "DE.Views.Toolbar.tipMarkersDash": "대시 글머리 기호", + "DE.Views.Toolbar.tipMarkersFRhombus": "채워진 마름모 글머리 기호", + "DE.Views.Toolbar.tipMarkersFRound": "채워진 원형 글머리 기호", + "DE.Views.Toolbar.tipMarkersFSquare": "채워진 사각형 글머리 기호", + "DE.Views.Toolbar.tipMarkersHRound": "빈 원형 글머리 기호", + "DE.Views.Toolbar.tipMarkersStar": "별 글머리 기호", + "DE.Views.Toolbar.tipMultiLevelNumbered": "멀티-레벨 번호 글머리 기호", "DE.Views.Toolbar.tipMultilevels": "다중 레벨 목록", + "DE.Views.Toolbar.tipMultiLevelSymbols": "멀티-레벨 기호 글머리 기호", + "DE.Views.Toolbar.tipMultiLevelVarious": "멀티-레벨 여러 번호 글머리 기호", "DE.Views.Toolbar.tipNumbers": "번호 매기기", "DE.Views.Toolbar.tipPageBreak": "페이지 또는 섹션 나누기 삽입", "DE.Views.Toolbar.tipPageMargins": "페이지 여백", @@ -2771,6 +2809,15 @@ "DE.Views.Toolbar.txtScheme7": "Equity", "DE.Views.Toolbar.txtScheme8": "흐름", "DE.Views.Toolbar.txtScheme9": "주조", + "DE.Views.ViewTab.textAlwaysShowToolbar": "항상 도구 모음 표시", + "DE.Views.ViewTab.textDarkDocument": "다크 문서", + "DE.Views.ViewTab.textFitToPage": "페이지에 맞춤", + "DE.Views.ViewTab.textFitToWidth": "너비에 맞춤", + "DE.Views.ViewTab.textInterfaceTheme": "인터페이스 테마", + "DE.Views.ViewTab.textNavigation": "네비게이션", + "DE.Views.ViewTab.textRulers": "자", + "DE.Views.ViewTab.textStatusBar": "상태 바", + "DE.Views.ViewTab.textZoom": "확대 / 축소", "DE.Views.WatermarkSettingsDialog.textAuto": "자동", "DE.Views.WatermarkSettingsDialog.textBold": "굵게", "DE.Views.WatermarkSettingsDialog.textColor": "글꼴색", diff --git a/apps/documenteditor/main/locale/lo.json b/apps/documenteditor/main/locale/lo.json index 838e7c627..e3122f883 100644 --- a/apps/documenteditor/main/locale/lo.json +++ b/apps/documenteditor/main/locale/lo.json @@ -124,6 +124,8 @@ "Common.Translation.warnFileLocked": "ແຟ້ມ ກຳ ລັງຖືກດັດແກ້ຢູ່ໃນແອັບ ອື່ນ. ທ່ານສາມາດສືບຕໍ່ດັດແກ້ແລະບັນທຶກເປັນ ສຳ ເນົາ", "Common.Translation.warnFileLockedBtnEdit": "ສ້າງສຳເນົາ", "Common.Translation.warnFileLockedBtnView": "ເປີດເບິ່ງ", + "Common.UI.ButtonColored.textAutoColor": "ອັດຕະໂນມັດ", + "Common.UI.ButtonColored.textNewColor": "ເພີ່ມສີທີ່ກຳໜົດເອງໃໝ່", "Common.UI.Calendar.textApril": "ເມສາ", "Common.UI.Calendar.textAugust": "ສິງຫາ", "Common.UI.Calendar.textDecember": "ເດືອນທັນວາ", @@ -166,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "ໃຫມ່", "Common.UI.ExtendedColorDialog.textRGBErr": "ຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
    ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 0 ເຖິງ 255.", "Common.UI.HSBColorPicker.textNoColor": "ບໍ່ມີສີ", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "ເຊື່ອງລະຫັດຜ່ານ", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "ສະແດງລະຫັດຜ່ານ", "Common.UI.SearchDialog.textHighlight": "ໄຮໄລ້ ຜົນ", "Common.UI.SearchDialog.textMatchCase": "ກໍລະນີທີ່ສຳຄັນ", "Common.UI.SearchDialog.textReplaceDef": "ກະລຸນາໃສ່ຕົວ ໜັງ ສືທົດແທນເນື້ອຫາ", @@ -209,7 +213,10 @@ "Common.Views.AutoCorrectDialog.textBulleted": "ລາຍການຫົວຂໍ້ຍອ່ຍແບບອັດຕະໂນມັດ", "Common.Views.AutoCorrectDialog.textBy": "ໂດຍ", "Common.Views.AutoCorrectDialog.textDelete": "ລົບ", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "ເພີ່ມໄລຍະຊ່ອງຫວ່າງສອງເທົ່າ", + "Common.Views.AutoCorrectDialog.textFLCells": "ໃຊ້ໂຕພິມໃຫຍ່ໂຕທຳອິດຂອງຕາລາງຕາຕະລາງ", "Common.Views.AutoCorrectDialog.textFLSentence": "ໃຊ້ຕົວອັກສອນທຳອິດເປັນຕົວພິມໃຫຍ່", + "Common.Views.AutoCorrectDialog.textHyperlink": "ອິນເຕີນັດ ແລະ ເຄື່ອຂ່າຍແບບຫຼາຍຊ່ອງທາງ", "Common.Views.AutoCorrectDialog.textHyphens": "ເຄື່ອງໝາຍຂີດເສັ້ນ (--) ເຄື່ອງໝາຍຂີດປະ", "Common.Views.AutoCorrectDialog.textMathCorrect": "ການແກ້ໄຂອັດຕະໂນມັດທາງຄະນິດສາດ", "Common.Views.AutoCorrectDialog.textNumbered": "ລາຍການລຳດັບຕົວເລກແບບອັດຕະໂນມັດ", @@ -229,13 +236,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "ທຸກໆການແກ້ໄຂອັດຕະໂນມັດທີ່ທ່ານເພີ່ມຈະຖືກລຶບອອກແລະສິ່ງທີ່ຖືກປ່ຽນແປງຈະຖືກນຳກັບມາໃຊ້ແບບເດີມ. ທ່ານຕ້ອງການດຳເນີນການຕໍ່ບໍ?", "Common.Views.AutoCorrectDialog.warnRestore": "ການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງ ສຳ ລັບ% 1 ຈະຖືກຕັ້ງຄ່າໃຫ້ກັບຄ່າເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", "Common.Views.Chat.textSend": "ສົ່ງ", + "Common.Views.Comments.mniAuthorAsc": "ລຽງ A ຫາ Z", + "Common.Views.Comments.mniAuthorDesc": "ລຽງ Z ເຖິງ A", + "Common.Views.Comments.mniDateAsc": "ເກົ່າທີ່ສຸດ", + "Common.Views.Comments.mniDateDesc": "ໃໝ່ລ່າສຸດ", + "Common.Views.Comments.mniFilterGroups": "ກັ່ນຕອງຕາມກຸ່ມ", + "Common.Views.Comments.mniPositionAsc": "ຈາກດ້ານເທິງ", + "Common.Views.Comments.mniPositionDesc": "ຈາກລຸ່ມ", "Common.Views.Comments.textAdd": "ເພີ່ມ", "Common.Views.Comments.textAddComment": "ເພີ່ມຄຳເຫັນ", "Common.Views.Comments.textAddCommentToDoc": "ເພີ່ມຄຳເຫັນໃສ່ເອກະສານ", "Common.Views.Comments.textAddReply": "ຕອບຄີືນ", + "Common.Views.Comments.textAll": "ທັງໝົດ", "Common.Views.Comments.textAnonym": " ແຂກ", "Common.Views.Comments.textCancel": "ຍົກເລີກ", "Common.Views.Comments.textClose": "ປິດ", + "Common.Views.Comments.textClosePanel": "ປິດຄຳເຫັນ", "Common.Views.Comments.textComments": "ຄຳເຫັນ", "Common.Views.Comments.textEdit": "ຕົກລົງ", "Common.Views.Comments.textEnterCommentHint": "ໃສ່ຄຳເຫັນຂອງທ່ານທີ່ນີ້", @@ -244,6 +260,9 @@ "Common.Views.Comments.textReply": "ຕອບ", "Common.Views.Comments.textResolve": "ແກ້ໄຂ", "Common.Views.Comments.textResolved": "ແກ້ໄຂແລ້ວ", + "Common.Views.Comments.textSort": "ຈັດຮຽງຄຳເຫັນ", + "Common.Views.Comments.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.Comments.txtEmpty": "ບໍ່ມີຄໍາເຫັນໃນເອກະສານ.", "Common.Views.CopyWarningDialog.textDontShow": "ຢ່າສະແດງຂໍ້ຄວາມນີ້ອີກ", "Common.Views.CopyWarningDialog.textMsg": "ດຳເນີນການ ສຳເນົາ,ຕັດ ແລະ ວາງ", "Common.Views.CopyWarningDialog.textTitle": "ປະຕິບັດການ ສໍາເນົາ, ຕັດ ແລະ ວາງ", @@ -380,7 +399,9 @@ "Common.Views.ReviewChanges.txtFinalCap": "ສຸດທ້າຍ", "Common.Views.ReviewChanges.txtHistory": "ປະຫວັດ", "Common.Views.ReviewChanges.txtMarkup": "ການປ່ຽນແປງທັງໝົດ{0}", - "Common.Views.ReviewChanges.txtMarkupCap": "ໝາຍ", + "Common.Views.ReviewChanges.txtMarkupCap": "ໝາຍ ແລະປູມເປົ້າ", + "Common.Views.ReviewChanges.txtMarkupSimple": "ການປ່ຽນທັງໝົດ {0}
    ບໍ່ມີປູມເປົ້າ", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "ມາກອັບເທົ່ານັ້ນ", "Common.Views.ReviewChanges.txtNext": "ທັດໄປ", "Common.Views.ReviewChanges.txtOff": "ປິດສະເພາະຂ້ອຍ", "Common.Views.ReviewChanges.txtOffGlobal": "ປິດສະເພາະຂ້ອຍ ແລະ ທຸກຄົນ", @@ -418,6 +439,11 @@ "Common.Views.ReviewPopover.textOpenAgain": "ເປີດໃໝ່ອີກຄັ້ງ", "Common.Views.ReviewPopover.textReply": "ຕອບ", "Common.Views.ReviewPopover.textResolve": "ແກ້ໄຂ", + "Common.Views.ReviewPopover.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.ReviewPopover.txtAccept": "ຍອມຮັບ", + "Common.Views.ReviewPopover.txtDeleteTip": "ລົບ", + "Common.Views.ReviewPopover.txtEditTip": "ແກ້ໄຂ", + "Common.Views.ReviewPopover.txtReject": "ປະຕິເສດ", "Common.Views.SaveAsDlg.textLoading": "ກຳລັງໂຫລດ", "Common.Views.SaveAsDlg.textTitle": "ແຟ້ມສຳລັບບັນທຶກ", "Common.Views.SelectFileDlg.textLoading": "ກຳລັງໂຫລດ", @@ -487,7 +513,9 @@ "DE.Controllers.LeftMenu.txtCompatible": "ເອກະສານຈະຖືກບັນທຶກເປັນຮູບແບບ ໃໝ່. ມັນຈະອະນຸຍາດໃຫ້ ນຳ ໃຊ້ທຸກລັກສະນະຂອງບັນນາທິການ, ແຕ່ອາດຈະສົ່ງຜົນກະທົບຕໍ່ການຈັດວາງເອກະສານ.
    ໃຊ້ຕົວເລືອກ 'ຄວາມເຂົ້າກັນໄດ້' ຂອງການຕັ້ງຄ່າຂັ້ນສູງຖ້າທ່ານຕ້ອງການທີ່ຈະເຮັດໃຫ້ແຟ້ມຂໍ້ມູນເຂົ້າກັນໄດ້ກັບລຸ້ນ MS Word ເກົ່າ.", "DE.Controllers.LeftMenu.txtUntitled": "ບໍ່ມີຫົວຂໍ້", "DE.Controllers.LeftMenu.warnDownloadAs": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ທຸກລັກສະນະ ຍົກເວັ້ນຂໍ້ຄວາມຈະຫາຍໄປ.
    ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດໍາເນີນຕໍ່?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "{0} ຂອງທ່ານຈະຖືກປ່ຽນເປັນຮູບແບບທີ່ສາມາດແກ້ໄຂໄດ້. ອັນນີ້ອາດຈະໃຊ້ເວລາໜ່ອຍໜຶ່ງ. ເອກະສານຜົນໄດ້ຮັບຈະຖືກປັບແຕ່ງເພື່ອໃຫ້ທ່ານສາມາດແກ້ໄຂຂໍ້ຄວາມໄດ້, ດັ່ງນັ້ນມັນອາດຈະບໍ່ຄືກັບ {0} ຕົ້ນສະບັບ, ໂດຍສະເພາະຖ້າໄຟລ໌ຕົ້ນສະບັບມີກຣາຟິກຫຼາຍ.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ ບາງຮູບແບບອາດຈະຫາຍໄປ.
    ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດຳເນີນການຕໍ່?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} ບໍ່ແມ່ນຕົວອັກສອນພິເສດທີ່ເໝາະສົມສຳລັບຊ່ອງໃສ່ແທນ.", "DE.Controllers.Main.applyChangesTextText": "ກຳລັງໂຫລດການປ່ຽນແປງ", "DE.Controllers.Main.applyChangesTitleText": "ກຳລັງໂຫລດການປ່ຽນແປງ", "DE.Controllers.Main.convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", @@ -517,6 +545,7 @@ "DE.Controllers.Main.errorForceSave": "ເກີດຂໍ້ຜິດພາດໃນລະຫວ່າງການເບັນທຶກຝາຍ. ກະລຸນາໃຊ້ຕົວເລືອກ 'ດາວໂຫລດເປັນ' ເພື່ອບັນທຶກເອກະສານໄວ້ໃນຮາດໄດຄອມພິວເຕີຂອງທ່ານຫຼືລອງໃໝ່ພາຍຫຼັງ.", "DE.Controllers.Main.errorKeyEncrypt": "ບໍ່ຮູ້ຄຳອະທິບາຍຫຼັກ", "DE.Controllers.Main.errorKeyExpire": "ລະຫັດໝົດອາຍຸ", + "DE.Controllers.Main.errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
    ກະລຸນາແອດມີນຂອງທ່ານ.", "DE.Controllers.Main.errorMailMergeLoadFile": "ບໍ່ສາມາດໂລດເອກະສານ,ກະລຸນາເລືອກເອກກະສານໃໝ່", "DE.Controllers.Main.errorMailMergeSaveFile": "ບໍ່ສາມາດລວມໄດ້", "DE.Controllers.Main.errorProcessSaveResult": "ບັນທຶກບຊ່ສຳເລັດ", @@ -576,6 +605,7 @@ "DE.Controllers.Main.textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", "DE.Controllers.Main.textConvertEquation": "ສົມຜົນນີ້ໄດ້ຖືກສ້າງຂື້ນມາກັບບັນນາທິການສົມຜົນລຸ້ນເກົ່າເຊິ່ງບໍ່ໄດ້ຮັບການສະ ໜັບ ສະ ໜູນ ອີກຕໍ່ໄປ ເພື່ອດັດແກ້ມັນ, ປ່ຽນສົມຜົນໃຫ້ເປັນຮູບແບບ Office Math ML.
    ປ່ຽນດຽວນີ້ບໍ?", "DE.Controllers.Main.textCustomLoader": "ກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
    ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", + "DE.Controllers.Main.textDisconnect": "ຂາດການເຊື່ອມຕໍ່", "DE.Controllers.Main.textGuest": " ແຂກ", "DE.Controllers.Main.textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
    ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", "DE.Controllers.Main.textLearnMore": "ຮຽນຮູ້ເພີ່ມຕື່ມ", @@ -583,6 +613,7 @@ "DE.Controllers.Main.textLongName": "ໃສ່ຊື່ທີ່ມີຄວາມຍາວນ້ອຍກວ່າ 128 ຕົວ", "DE.Controllers.Main.textNoLicenseTitle": "ຈໍານວນໃບອະນຸຍາດໄດ້ໃຊ້ຄົບແລ້ວ", "DE.Controllers.Main.textPaidFeature": "ຄວາມສາມາດ ທີຕ້ອງຊື້ເພີ່ມ", + "DE.Controllers.Main.textReconnect": "ການເຊື່ອມຕໍ່ຖືກກູ້ຄືນມາ", "DE.Controllers.Main.textRemember": "ຈື່ທາງເລືອກຂອງຂ້ອຍ", "DE.Controllers.Main.textRenameError": "ຕ້ອງບໍ່ມີຊື່ຜູ້ໃຊ້", "DE.Controllers.Main.textRenameLabel": "ໃສ່ຊື່ສຳລັບເປັນຜູ້ປະສານງານ", @@ -844,7 +875,7 @@ "DE.Controllers.Main.uploadDocSizeMessage": "ເກີນຂີດ ຈຳ ກັດຂະ ໜາດ ເອກະສານ.", "DE.Controllers.Main.uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິດຜາດຮູບແບບຂອງຮູບ", "DE.Controllers.Main.uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", - "DE.Controllers.Main.uploadImageSizeMessage": "ເກີນ ຈຳ ກັດຂະ ໜາດ ຂອງຮູບພາບ.", + "DE.Controllers.Main.uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB.", "DE.Controllers.Main.uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "DE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "DE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", @@ -860,16 +891,19 @@ "DE.Controllers.Main.warnProcessRightsChange": "ທ່ານໄດ້ຖືກປະຕິເສດສິດໃນການແກ້ໄຂເອກະສານດັ່ງກ່າວ.", "DE.Controllers.Navigation.txtBeginning": "ຈຸດເລີ່ມຕົ້ນຂອງເອກະສານ", "DE.Controllers.Navigation.txtGotoBeginning": "ໄປຍັງຈຸດເລີ່ມຕົ້ນຂອງ", + "DE.Controllers.Statusbar.textDisconnect": "ຂາດເຊື່ອມຕໍ່
    ກຳລັງພະຍາຍາມເຊື່ອມຕໍ່. ກະລຸນາກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່.", "DE.Controllers.Statusbar.textHasChanges": "ການປ່ຽນແປງ ໃໝ່ ໄດ້ຖືກຕິດຕາມ", "DE.Controllers.Statusbar.textSetTrackChanges": "ທ່ານຢູ່ໃນໂໝດກຳລັງຕິດຕາມການປ່ຽນແປງ", "DE.Controllers.Statusbar.textTrackChanges": "ເອກະສານໄດ້ຖືກເປີດດ້ວຍຮູບແບບການຕິດຕາມການປ່ຽນແປງທີ່ຖືກເປີດໃຊ້ງານ", "DE.Controllers.Statusbar.tipReview": "ໝາຍການແກ້ໄຂ ", "DE.Controllers.Statusbar.zoomText": "ຂະຫຍາຍ {0}%", "DE.Controllers.Toolbar.confirmAddFontName": "ຕົວອັກສອນທີ່ທ່ານ ກຳ ລັງຈະບັນທຶກແມ່ນບໍ່ມີຢູ່ໃນອຸປະກອນປັດຈຸບັນ.
    ຮູບແບບຕົວ ໜັງ ສືຈະຖືກສະແດງໂດຍໃຊ້ຕົວອັກສອນລະບົບໜຶ່ງ, ຕົວອັກສອນທີ່ບັນທຶກຈະຖືກ ນຳ ໃຊ້ໃນເວລາທີ່ມັນມີຢູ່.
    ທ່ານຕ້ອງການສືບຕໍ່ບໍ ?", + "DE.Controllers.Toolbar.dataUrl": "ວາງ URL ຂໍ້ມູນ", "DE.Controllers.Toolbar.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "DE.Controllers.Toolbar.textAccent": "ສຳນຽງ", "DE.Controllers.Toolbar.textBracket": "ວົງເລັບ", "DE.Controllers.Toolbar.textEmptyImgUrl": "ທ່ານຕ້ອງບອກທີຢູ່ຮູບ URL", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "ທ່ານຕ້ອງລະບຸ URL.", "DE.Controllers.Toolbar.textFontSizeErr": "ຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
    ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 1 ເຖິງ 300", "DE.Controllers.Toolbar.textFraction": "ສ່ວນໜຶ່ງ", "DE.Controllers.Toolbar.textFunction": "ໜ້າທີ່", @@ -881,6 +915,7 @@ "DE.Controllers.Toolbar.textMatrix": "ແມ່ພິມ", "DE.Controllers.Toolbar.textOperator": "ຜູ້ປະຕິບັດງານ", "DE.Controllers.Toolbar.textRadical": "ຮາກຖານ", + "DE.Controllers.Toolbar.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "DE.Controllers.Toolbar.textScript": "ບົດເລື່ອງ,ບົດລະຄອນ ", "DE.Controllers.Toolbar.textSymbols": "ສັນຍາລັກ", "DE.Controllers.Toolbar.textTabForms": "ແບບຟອມ", @@ -1260,9 +1295,9 @@ "DE.Views.ChartSettings.textUndock": "ປົດຈາກການຄວບຄຸມ", "DE.Views.ChartSettings.textWidth": "ລວງກວ້າງ", "DE.Views.ChartSettings.textWrap": "ສະໄຕການຫໍ່", - "DE.Views.ChartSettings.txtBehind": "ທາງຫຼັງ", - "DE.Views.ChartSettings.txtInFront": "ທາງໜ້າ", - "DE.Views.ChartSettings.txtInline": "ເສັ້ນ", + "DE.Views.ChartSettings.txtBehind": "ທາງຫລັງຕົວໜັງສື", + "DE.Views.ChartSettings.txtInFront": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "DE.Views.ChartSettings.txtInline": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", "DE.Views.ChartSettings.txtSquare": "ສີ່ຫຼ່ຽມ", "DE.Views.ChartSettings.txtThrough": "ຜ່ານ", "DE.Views.ChartSettings.txtTight": "ຮັດແໜ້ນ ", @@ -1396,6 +1431,7 @@ "DE.Views.DocumentHolder.mergeCellsText": "ລວມ ແຖວ", "DE.Views.DocumentHolder.moreText": "ຕົວແປອື່ນໆ ...", "DE.Views.DocumentHolder.noSpellVariantsText": "ບໍ່ມີຕົວແປ", + "DE.Views.DocumentHolder.notcriticalErrorTitle": "ເຕືອນ", "DE.Views.DocumentHolder.originalSizeText": "ຂະໜາດຕົວຈິງ", "DE.Views.DocumentHolder.paragraphText": "ວັກ", "DE.Views.DocumentHolder.removeHyperlinkText": "ລົບ Hyperlink", @@ -1417,6 +1453,7 @@ "DE.Views.DocumentHolder.strSign": "ເຊັນ", "DE.Views.DocumentHolder.styleText": "ປະເພດທີ່ຄືຕັ້ນແບບ", "DE.Views.DocumentHolder.tableText": "ຕາຕະລາງ", + "DE.Views.DocumentHolder.textAccept": "ຍອມຮັບການປ່ຽນ", "DE.Views.DocumentHolder.textAlign": "ຈັດແນວ", "DE.Views.DocumentHolder.textArrange": "ຈັດແຈງ", "DE.Views.DocumentHolder.textArrangeBack": "ສົ່ງໄປເປັນພື້ນຫຼັງ", @@ -1435,6 +1472,7 @@ "DE.Views.DocumentHolder.textDistributeCols": "ກະຈາຍຖັນ", "DE.Views.DocumentHolder.textDistributeRows": "ກະຈາຍແຖວ", "DE.Views.DocumentHolder.textEditControls": "ການຕັ້ງຄ່າການຄວບຄຸມເນື້ອຫາ", + "DE.Views.DocumentHolder.textEditPoints": "ແກ້ໄຂຄະແນນ", "DE.Views.DocumentHolder.textEditWrapBoundary": "ແກ້ໄຂຫໍ່ເຂດແດນ", "DE.Views.DocumentHolder.textFlipH": "ດີດຕາມແນວນອນ ", "DE.Views.DocumentHolder.textFlipV": "ດີດຕາມແນວຕັງ", @@ -1450,6 +1488,7 @@ "DE.Views.DocumentHolder.textPaste": "ວາງ", "DE.Views.DocumentHolder.textPrevPage": "ໜ້າກອ່ນ", "DE.Views.DocumentHolder.textRefreshField": "ໂຫລດຄືນພາກສວ່ນ", + "DE.Views.DocumentHolder.textReject": "ປະຕິເສດການປ່ຽນແປງ", "DE.Views.DocumentHolder.textRemCheckBox": "ລຶບກ່ອງເຄື່ອງໝາຍ", "DE.Views.DocumentHolder.textRemComboBox": "ລຶບກອ່ງຜະສົມ", "DE.Views.DocumentHolder.textRemDropdown": "ລຶບອອກຈາກແຖບເລື່ອນ", @@ -1494,7 +1533,7 @@ "DE.Views.DocumentHolder.txtAddTop": "ເພີ່ມຂອບດ້ານເທິງ", "DE.Views.DocumentHolder.txtAddVer": "ເພີ່ມເສັ້ນແນວຕັ້ງ", "DE.Views.DocumentHolder.txtAlignToChar": "ຈັດຕຳແໜ່ງໃຫ້ຊື່ກັບຕົວອັກສອນ", - "DE.Views.DocumentHolder.txtBehind": "ທາງຫຼັງ", + "DE.Views.DocumentHolder.txtBehind": "ທາງຫລັງຕົວໜັງສື", "DE.Views.DocumentHolder.txtBorderProps": "ຄຸນສົມບັດຂອງເສັ້ນຂອບ", "DE.Views.DocumentHolder.txtBottom": "ດ້ານລຸ່ມ", "DE.Views.DocumentHolder.txtColumnAlign": "ການຈັດແນວຖັນ", @@ -1530,8 +1569,8 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "ຈຳກັດການເຊື່ອງດ້ານເທິງ", "DE.Views.DocumentHolder.txtHideVer": "ເຊື່ອງເສັ້ນແນວຕັ້ງ", "DE.Views.DocumentHolder.txtIncreaseArg": "ເພີ່ມຂະ ໜາດ ຄວາມເຂັ້ມ", - "DE.Views.DocumentHolder.txtInFront": "ທາງໜ້າ", - "DE.Views.DocumentHolder.txtInline": "ເສັ້ນ", + "DE.Views.DocumentHolder.txtInFront": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "DE.Views.DocumentHolder.txtInline": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", "DE.Views.DocumentHolder.txtInsertArgAfter": "ເພິ່ມຄວາມເຂັ້ມໃສ່ພາຍຫຼັງ", "DE.Views.DocumentHolder.txtInsertArgBefore": "ເພີ່ມຄວາມເຂັ້ມໃສ່ກ່ອນ", "DE.Views.DocumentHolder.txtInsertBreak": "ເພີ່ມຄູ່ມືການແຍກໜ້າ", @@ -1553,6 +1592,7 @@ "DE.Views.DocumentHolder.txtRemLimit": "ເອົາຂໍ້ຈຳກັດອອກ", "DE.Views.DocumentHolder.txtRemoveAccentChar": "ລົບອັກສອນເນັ້ນສຽງ", "DE.Views.DocumentHolder.txtRemoveBar": "ລຶບແຖບ", + "DE.Views.DocumentHolder.txtRemoveWarning": "ທ່ານຕ້ອງການຕັດລາຍເຊັນນີ້ອອກບໍ່?
    ຈະບໍ່ສາມາດກູ້ຄືນໄດ້", "DE.Views.DocumentHolder.txtRemScripts": "ລືບເນື້ອເລື່ອງອອກ", "DE.Views.DocumentHolder.txtRemSubscript": "ລົບອອກຈາກຕົວຫຍໍ້", "DE.Views.DocumentHolder.txtRemSuperscript": "ເອົາຕົວຫຍໍ້ອອກ (ລົບຕົວຫຍໍ້ອອກ)", @@ -1572,6 +1612,7 @@ "DE.Views.DocumentHolder.txtTopAndBottom": "ເທີງແລະລຸ່ມ", "DE.Views.DocumentHolder.txtUnderbar": "ຂີດກອ້ງຕົວໜັງສື", "DE.Views.DocumentHolder.txtUngroup": "ຍົກເລີກການຈັດກຸ່ມ", + "DE.Views.DocumentHolder.txtWarnUrl": "ການຄລິກລິ້ງນີ້ອາດເປັນອັນຕະລາຍຕໍ່ອຸປະກອນ ແລະຂໍ້ມູນຂອງທ່ານ.
    ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສືບຕໍ່?", "DE.Views.DocumentHolder.updateStyleText": "ປັບປຸງຮູບແບບ% 1", "DE.Views.DocumentHolder.vertAlignText": "ຈັດຕາມແນວຕັ້ງ", "DE.Views.DropcapSettingsAdvanced.strBorders": "ເສັ້ນຂອບ ແລະ ຕື່ມ", @@ -1623,6 +1664,8 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "ປິດລາຍການ", "DE.Views.FileMenu.btnCreateNewCaption": "ສ້າງໃໝ່", "DE.Views.FileMenu.btnDownloadCaption": "ດາວໂຫລດດ້ວຍ", + "DE.Views.FileMenu.btnExitCaption": " ປິດ", + "DE.Views.FileMenu.btnFileOpenCaption": "ເປີດ...", "DE.Views.FileMenu.btnHelpCaption": "ຊ່ວຍເຫຼືອ", "DE.Views.FileMenu.btnHistoryCaption": "ປະຫວັດ", "DE.Views.FileMenu.btnInfoCaption": "ຂໍ້ມູນເອກະສານ ...", @@ -1638,6 +1681,8 @@ "DE.Views.FileMenu.btnSettingsCaption": "ຕັ້ງ​ຄ່າ​ຂັ້ນ​ສູງ...", "DE.Views.FileMenu.btnToEditCaption": "ແກ້ໄຂເອກະສານ", "DE.Views.FileMenu.textDownload": "ດາວໂຫຼດ", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "ເອກະສານເປົ່າ", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "ສ້າງໃໝ່", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "ໃຊ້", "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "ເພີ່ມຜູ້ຂຽນ", "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "ເພີ່ມຂໍ້ຄວາມ", @@ -1646,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "ຄຳເຫັນ", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "ສ້າງ", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "ເບິ່ງເວັບລ່ວງໜ້າ", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "ກໍາລັງດາວໂຫຼດ...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "ແກ້ໄຂຄັ້ງລ້າສຸດໂດຍ", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "ການແກ້ໄຂຄັ້ງລ້າສຸດ", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "ບໍ່", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "ເຈົ້າຂອງ", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "ໜ້າ", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "ຂະໜາດໜ້າ", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "ວັກ", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "ໝາຍ PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "ສະບັບ PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "ສະຖານທີ", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "ບຸກຄົນທີ່ມີສິດ", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "ສັນຍາລັກທີ່ມີຊອ່ງຫວ່າງ", @@ -1661,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "ຫົວຂໍ້", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "ອັບໂຫລດ", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "ຕົວໜັງສື", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "ແມ່ນແລ້ວ", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "ບຸກຄົນທີ່ມີສິດ", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", @@ -1676,20 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "ເບິ່ງລາຍເຊັນ", "DE.Views.FileMenuPanels.Settings.okButtonText": "ໃຊ້", "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": "ທ່ານຈະຕ້ອງຍອມຮັບການປ່ຽນແປງກ່ອນທີ່ທ່ານຈະເຫັນການປ່ຽນແປງ", "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.strForcesave": "ເພີ່ມເວີຊັນໃສ່ບ່ອນເກັບຂໍ້ມູນ ຫຼັງຈາກຄລິກບັນທຶກ ຫຼື Ctrl+S", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "ການຕັ້ງຄ່າ Macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "ຕັດ, ສຳເນົາ ແລະ ວາງ", "DE.Views.FileMenuPanels.Settings.strPasteButton": "ສະແດງປຸ່ມເລືອກວາງ ເມື່ອເນື້ອຫາໄດ້ຖືກຄັດຕິດ", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "ເປີດການສະແດງ ຄຳ ເຫັນທີ່ຖືກແກ້ໄຂ", "DE.Views.FileMenuPanels.Settings.strShowChanges": "ການແກ້່ໄຂຮ່ວມກັນແບບ ReaL time", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "ເປີດຕົວເລືອກການກວດສອບການສະກົດຄໍາ", "DE.Views.FileMenuPanels.Settings.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", @@ -1705,13 +1748,16 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "ບັນທຶກອັດຕະໂນມັດ", "DE.Views.FileMenuPanels.Settings.textCompatible": "ຄວາມເຂົ້າກັນໄດ້", "DE.Views.FileMenuPanels.Settings.textDisabled": "ປິດ", - "DE.Views.FileMenuPanels.Settings.textForceSave": "ບັນທຶກໃສ່ Server", + "DE.Views.FileMenuPanels.Settings.textForceSave": "ບັນທຶກສະບັບກາງ", "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.txtCacheMode": "ໂຫມດເກັບຄ່າເລີ່ມຕົ້ນ", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "ສະແດງໂດຍການຄລິກ", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "ນຳເມົ້າໄປວ່າງແລ້ວຈະຄຳຂໍ້ຄວາມສະແດງຂື້ນ", "DE.Views.FileMenuPanels.Settings.txtCm": "ເຊັນຕິເມັດ", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "ເປີດໂໝດມືດ", "DE.Views.FileMenuPanels.Settings.txtFitPage": "ພໍດີຂອບ", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "ພໍດີຂອບ", "DE.Views.FileMenuPanels.Settings.txtInch": "ຫົວຫນ່ວຍວັດແທກ (ນີ້ວ)", @@ -1731,6 +1777,10 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "ສະແດງການແຈ້ງເຕືອນ", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "ປິດທຸກ ມາກໂຄ ດ້ວຍ ການແຈ້ງເຕືອນ", "DE.Views.FileMenuPanels.Settings.txtWin": "ເປັນວິນໂດ້", + "DE.Views.FormSettings.textAlways": "ສະເໝີ", + "DE.Views.FormSettings.textAspect": "ລັອກອັດຕາສ່ວນ", + "DE.Views.FormSettings.textAutofit": "ປັບພໍດີອັດຕະໂນມັດ", + "DE.Views.FormSettings.textBackgroundColor": "ສີພື້ນຫຼັງ", "DE.Views.FormSettings.textCheckbox": "ກວດກາກ່ອງ", "DE.Views.FormSettings.textColor": "ສີເສັ້ນຂອບ", "DE.Views.FormSettings.textComb": "ສະສາງຄຸນລັກສະນະ", @@ -1749,16 +1799,21 @@ "DE.Views.FormSettings.textKey": "ຄີ", "DE.Views.FormSettings.textLock": "ລັອກ", "DE.Views.FormSettings.textMaxChars": "ຈຳກັດຄຸນລັກສະນະ", + "DE.Views.FormSettings.textMulti": "ຊ່ອງຂໍ້ມູນຫຼາຍແຖວ", + "DE.Views.FormSettings.textNever": "ບໍ່ເຄີຍ", "DE.Views.FormSettings.textNoBorder": "ບໍ່ມີຂອບ", "DE.Views.FormSettings.textPlaceholder": "ຕົວຍຶດ", "DE.Views.FormSettings.textRadiobox": "ປຸ່ມຕົວເລືອກ", "DE.Views.FormSettings.textRequired": "ຕ້ອງການ", + "DE.Views.FormSettings.textScale": "ຂະຫຍາຍ", "DE.Views.FormSettings.textSelectImage": "ເລືອກຮູບພາບ", "DE.Views.FormSettings.textTip": "ເຄັດລັບ", "DE.Views.FormSettings.textTipAdd": "ເພີ່ມຄ່າໃໝ່", "DE.Views.FormSettings.textTipDelete": "ຄ່າການລົບ", "DE.Views.FormSettings.textTipDown": "ຍ້າຍ​ລົງ", "DE.Views.FormSettings.textTipUp": "ຍ້າຍຂຶ້ນ", + "DE.Views.FormSettings.textTooBig": "ຮູບພາບໃຫຍ່ເກີນໄປ", + "DE.Views.FormSettings.textTooSmall": "ຮູບພາບນ້ອຍເກີນໄປ", "DE.Views.FormSettings.textUnlock": "ປົດລັອກ", "DE.Views.FormSettings.textValue": "ຕົວເລືອກຄ່າ", "DE.Views.FormSettings.textWidth": "ຄວາມກວ້າງຂອງແຊວ", @@ -1769,13 +1824,17 @@ "DE.Views.FormsTab.capBtnNext": "ຟີວທັດໄປ", "DE.Views.FormsTab.capBtnPrev": "ຟີວກ່ອນຫນ້າ", "DE.Views.FormsTab.capBtnRadioBox": "ປຸ່ມຕົວເລືອກ", + "DE.Views.FormsTab.capBtnSaveForm": "ບັນທຶກເປັນຮູບແບບ", "DE.Views.FormsTab.capBtnSubmit": "ສົ່ງອອກ", "DE.Views.FormsTab.capBtnText": "ຊ່ອງຂໍ້ຄວາມ", "DE.Views.FormsTab.capBtnView": "ເບິ່ງແບບຟອມ", "DE.Views.FormsTab.textClear": "ລ້າງອອກ", "DE.Views.FormsTab.textClearFields": "ລຶບລ້າງຟີລດທັງໝົດ", + "DE.Views.FormsTab.textCreateForm": "ເພີ່ມຊ່ອງຂໍ້ມູນ ແລະ ສ້າງເອກະສານ FORM ທີ່ສາມາດບັບແຕ່ງໄດ້", + "DE.Views.FormsTab.textGotIt": "ໄດ້ແລ້ວ", "DE.Views.FormsTab.textHighlight": "ໄຮໄລການຕັ້ງຄ່າ", "DE.Views.FormsTab.textNoHighlight": "ບໍ່ມີຈຸດເດັ່ນ", + "DE.Views.FormsTab.textRequired": "ຕື່ມຂໍ້ມູນໃສ່ທຸກຊ່ອງທີ່ຕ້ອງການເພື່ອສົ່ງແບບຟອມ.", "DE.Views.FormsTab.textSubmited": "ສົ່ງແບບຟອມແລ້ວ", "DE.Views.FormsTab.tipCheckBox": "ເພີ່ມເຂົ້າໃນກ່ອງ Checkbox", "DE.Views.FormsTab.tipComboBox": "ເພີ່ມ combobox", @@ -1788,6 +1847,7 @@ "DE.Views.FormsTab.tipSubmit": "ສົ່ງອອກແບບຟອມ", "DE.Views.FormsTab.tipTextField": "ເພີ່ມຂໍ້ຄວາມໃນຊ່ອງ", "DE.Views.FormsTab.tipViewForm": "ຕື່ມຈາກໂໝດ", + "DE.Views.FormsTab.txtUntitled": "ບໍ່ມີຫົວຂໍ້", "DE.Views.HeaderFooterSettings.textBottomCenter": "ສູນກາງທາງລຸ່ມ", "DE.Views.HeaderFooterSettings.textBottomLeft": "ປູ່ມດ້ານຊ້າຍ", "DE.Views.HeaderFooterSettings.textBottomPage": "ທາງລຸ່ມສຸດຂອງໜ້າເຈ້ຍ", @@ -1825,6 +1885,7 @@ "DE.Views.ImageSettings.textCrop": "ຕັດເປັນສ່ວນ", "DE.Views.ImageSettings.textCropFill": "ຕື່ມ", "DE.Views.ImageSettings.textCropFit": "ພໍດີ", + "DE.Views.ImageSettings.textCropToShape": "ຂອບຕັດເພືອເປັນຮູ້ຮ່າງ", "DE.Views.ImageSettings.textEdit": "ແກ້ໄຂ", "DE.Views.ImageSettings.textEditObject": "ແກໄຂຈຸດປະສົງ", "DE.Views.ImageSettings.textFitMargins": "ພໍດີຂອບ", @@ -1839,14 +1900,15 @@ "DE.Views.ImageSettings.textHintFlipV": "ດີດຕາມແນວຕັ້ງ", "DE.Views.ImageSettings.textInsert": "ປ່ຽນແທນຮູບ", "DE.Views.ImageSettings.textOriginalSize": "ຂະໜາດຕົວຈິງ", + "DE.Views.ImageSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "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": "ເສັ້ນ", + "DE.Views.ImageSettings.txtBehind": "ທາງຫລັງຕົວໜັງສື", + "DE.Views.ImageSettings.txtInFront": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "DE.Views.ImageSettings.txtInline": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", "DE.Views.ImageSettings.txtSquare": "ສີ່ຫຼ່ຽມ", "DE.Views.ImageSettings.txtThrough": "ຜ່ານ", "DE.Views.ImageSettings.txtTight": "ຮັດແໜ້ນ ", @@ -1919,9 +1981,9 @@ "DE.Views.ImageSettingsAdvanced.textWeightArrows": "ນໍ້າ ໜັກ ແລະ ລູກສອນ", "DE.Views.ImageSettingsAdvanced.textWidth": "ລວງກວ້າງ", "DE.Views.ImageSettingsAdvanced.textWrap": "ສະໄຕການຫໍ່", - "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "ທາງຫຼັງ", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "ທາງໜ້າ", - "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "ເສັ້ນ", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "ທາງຫລັງຕົວໜັງສື", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "ສີ່ຫຼ່ຽມ", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "ຜ່ານ", "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "ຮັດແໜ້ນ ", @@ -1954,7 +2016,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "ອັດຕະໂນມັດ", "DE.Views.Links.capBtnBookmarks": "ບຸກມາກ", "DE.Views.Links.capBtnCaption": "ຄຳບັນຍາຍ", - "DE.Views.Links.capBtnContentsUpdate": "ໂຫຼດຫນ້າຈໍຄືນ", + "DE.Views.Links.capBtnContentsUpdate": "ຕາຕະລາງອັບເດດ", "DE.Views.Links.capBtnCrossRef": "ຂ້າມການອ້າງອີງ", "DE.Views.Links.capBtnInsContents": "ຕາຕະລາງເນື້ອຫາ", "DE.Views.Links.capBtnInsFootnote": "ໂນດສ່ວນທ້າຍເອກະສານ", @@ -1984,8 +2046,8 @@ "DE.Views.Links.tipInsertHyperlink": "ເພີ່ມ hyperlink", "DE.Views.Links.tipNotes": "ເພີ່ມ ຫຼື ແກ້ໄຂຕີນໂນດ", "DE.Views.Links.tipTableFigures": "ເພີ່ມຮ່າງຕາຕະລາງ", - "DE.Views.Links.tipTableFiguresUpdate": "ໂຫລດຄືນຕາລາງຕົວເລກ", - "DE.Views.Links.titleUpdateTOF": "ໂຫລດຄືນຕາລາງຕົວເລກ", + "DE.Views.Links.tipTableFiguresUpdate": "ອັບເດດຕາຕະລາງຕົວເລກ", + "DE.Views.Links.titleUpdateTOF": "ອັບເດດຕາຕະລາງຕົວເລກ", "DE.Views.ListSettingsDialog.textAuto": "ອັດຕະໂນມັດ", "DE.Views.ListSettingsDialog.textCenter": "ທາງກາງ", "DE.Views.ListSettingsDialog.textLeft": "ຊ້າຍ", @@ -2054,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "ລົດລະດັບ", "DE.Views.Navigation.txtEmpty": "ບໍ່ມີຫົວຂໍ້ໃນເອກະສານ.
    ນຳໃຊ້ຮູບແບບຫົວຂໍ້ໃສ່ຂໍ້ຄວາມເພື່ອໃຫ້ມັນປາກົດຢູ່ໃນຕາຕະລາງເນື້ອໃນ.", "DE.Views.Navigation.txtEmptyItem": "ພື້ນທີ່ຫວ່າງສ່ວນຫົວ", + "DE.Views.Navigation.txtEmptyViewer": "ບໍ່ມີຫົວຂໍ້ໃນເອກະສານ.", "DE.Views.Navigation.txtExpand": "ຂະຫຍາຍສ່ວນທັງໝົດ", "DE.Views.Navigation.txtExpandToLevel": "ຂະຫຍາຍໄປຍັງລະດັບ", "DE.Views.Navigation.txtHeadingAfter": "ຫົວຂໍ້ ໃໝ່ ຫລັງຈາກ", @@ -2109,6 +2172,11 @@ "DE.Views.PageSizeDialog.textTitle": "ຂະໜາດໜ້າ", "DE.Views.PageSizeDialog.textWidth": "ລວງກວ້າງ", "DE.Views.PageSizeDialog.txtCustom": "ລູກຄ້າ", + "DE.Views.PageThumbnails.textClosePanel": "ປິດຮູບຫຍໍ້ຂອງໜ້າ", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "ໝາຍສີໃສ່ສ່ວນທີ່ເຫັນຂອງໜ້າ", + "DE.Views.PageThumbnails.textPageThumbnails": "ຮູບຫຍໍ້ໜ້າ", + "DE.Views.PageThumbnails.textThumbnailsSettings": "ການຕັ້ງຄ່າຮູບຕົວຢ່າງ", + "DE.Views.PageThumbnails.textThumbnailsSize": "ຂະໜາດຕົວຢ່າງ", "DE.Views.ParagraphSettings.strIndent": "ຫຍໍ້ຫນ້າ", "DE.Views.ParagraphSettings.strIndentsLeftText": "ຊ້າຍ", "DE.Views.ParagraphSettings.strIndentsRightText": "ຂວາ", @@ -2244,6 +2312,7 @@ "DE.Views.ShapeSettings.textPatternFill": "ຮູບແບບ", "DE.Views.ShapeSettings.textPosition": "ຕໍາແໜ່ງ", "DE.Views.ShapeSettings.textRadial": "ລັງສີ", + "DE.Views.ShapeSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "DE.Views.ShapeSettings.textRotate90": "ໝຸນ 90°", "DE.Views.ShapeSettings.textRotation": "ການໝຸນ", "DE.Views.ShapeSettings.textSelectImage": "ເລືອກຮູບພາບ", @@ -2255,7 +2324,7 @@ "DE.Views.ShapeSettings.textWrap": "ສະໄຕການຫໍ່", "DE.Views.ShapeSettings.tipAddGradientPoint": "ເພີ່ມຈຸດໄລ່ລະດັບ", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "ລົບຈຸດສີ", - "DE.Views.ShapeSettings.txtBehind": "ທາງຫຼັງ", + "DE.Views.ShapeSettings.txtBehind": "ທາງຫລັງຕົວໜັງສື", "DE.Views.ShapeSettings.txtBrownPaper": "ເຈ້ຍສີນ້ຳຕານ", "DE.Views.ShapeSettings.txtCanvas": "ໃບພັດ", "DE.Views.ShapeSettings.txtCarton": "ແກັດເຈ້ຍ", @@ -2263,8 +2332,8 @@ "DE.Views.ShapeSettings.txtGrain": "ເມັດ", "DE.Views.ShapeSettings.txtGranite": "ລາຍແກນນິກ", "DE.Views.ShapeSettings.txtGreyPaper": "ເຈ້ຍສີເທົາ", - "DE.Views.ShapeSettings.txtInFront": "ທາງໜ້າ", - "DE.Views.ShapeSettings.txtInline": "ເສັ້ນ", + "DE.Views.ShapeSettings.txtInFront": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "DE.Views.ShapeSettings.txtInline": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", "DE.Views.ShapeSettings.txtKnit": "ຖັກ", "DE.Views.ShapeSettings.txtLeather": "ໜັງ", "DE.Views.ShapeSettings.txtNoBorders": "ບໍ່ມີເສັ້ນ, ແຖວ", @@ -2294,6 +2363,8 @@ "DE.Views.Statusbar.pageIndexText": "ໜ້າ {0} ຂອງ {1}", "DE.Views.Statusbar.tipFitPage": "ພໍດີຂອບ", "DE.Views.Statusbar.tipFitWidth": "ພໍດີຂອບ", + "DE.Views.Statusbar.tipHandTool": "ເຄື່ອງມືນຳໃຊ້", + "DE.Views.Statusbar.tipSelectTool": "ເລືອກເຄື່ອງມື", "DE.Views.Statusbar.tipSetLang": "ກຳນົດພາສາຂໍ້ຄວາມ", "DE.Views.Statusbar.tipZoomFactor": "ຂະຫຍາຍ ", "DE.Views.Statusbar.tipZoomIn": "ຊຸມເຂົ້າ", @@ -2510,7 +2581,7 @@ "DE.Views.TextToTableDialog.textRows": "ແຖວ", "DE.Views.TextToTableDialog.textSemicolon": "ເຄື່ອງຫມາຍຈ້ຳຈຸດ (;)", "DE.Views.TextToTableDialog.textSeparator": "ການແຍກຂໍ້ຄວາມ", - "DE.Views.TextToTableDialog.textTab": "ຫຍໍ້ຫນ່້າ", + "DE.Views.TextToTableDialog.textTab": "ແຖບ", "DE.Views.TextToTableDialog.textTableSize": "ຂະໜາດຕາຕະລາງ", "DE.Views.TextToTableDialog.textTitle": "ປ່ຽນຂໍ້ຄວາມເປັນຕາຕະລາງ", "DE.Views.TextToTableDialog.textWindow": "ປັບຫນ້າຕ່າງແບບອັດຕະໂນມັດ", @@ -2524,7 +2595,7 @@ "DE.Views.Toolbar.capBtnInsControls": "ການຄວບຄຸມທັງໝົດເນື້ອຫາ", "DE.Views.Toolbar.capBtnInsDropcap": "ຝາຫຼົມ", "DE.Views.Toolbar.capBtnInsEquation": "ສົມຜົນ", - "DE.Views.Toolbar.capBtnInsHeader": "ສ່ວນຫົວ/ສ່ວນພື້ນ", + "DE.Views.Toolbar.capBtnInsHeader": "ສ່ວນຫົວ/ສ່ວນທ້າຍ", "DE.Views.Toolbar.capBtnInsImage": "ຮູບພາບ", "DE.Views.Toolbar.capBtnInsPagebreak": "ແຍກຫນ້າ", "DE.Views.Toolbar.capBtnInsShape": "ຮູບຮ່າງ", @@ -2550,6 +2621,9 @@ "DE.Views.Toolbar.mniEditFooter": "ແກ້ໄຂສ່ວນຂອບລູ່ມ", "DE.Views.Toolbar.mniEditHeader": "ແກ້ໄຂຫົວຂໍ້", "DE.Views.Toolbar.mniEraseTable": "ລຶບຕາຕະລາງ", + "DE.Views.Toolbar.mniFromFile": "ຈາກຟາຍ", + "DE.Views.Toolbar.mniFromStorage": "ຈາກບ່ອນເກັບ", + "DE.Views.Toolbar.mniFromUrl": "ຈາກ URL", "DE.Views.Toolbar.mniHiddenBorders": "ເຊື່ອງຂອບຕາຕະລາງ", "DE.Views.Toolbar.mniHiddenChars": "ບໍ່ມີຕົວອັກສອນພິມ", "DE.Views.Toolbar.mniHighlightControls": "ໄຮໄລການຕັ້ງຄ່າ", @@ -2632,6 +2706,7 @@ "DE.Views.Toolbar.textTabLinks": "ເອກະສານອ້າງອີງ", "DE.Views.Toolbar.textTabProtect": "ການປ້ອງກັນ", "DE.Views.Toolbar.textTabReview": "ກວດຄືນ", + "DE.Views.Toolbar.textTabView": "ມຸມມອງ", "DE.Views.Toolbar.textTitleError": "ຂໍ້ຜິດພາດ", "DE.Views.Toolbar.textToCurrent": "ເຖິງ ຕຳ ແໜ່ງ ປະຈຸບັນ", "DE.Views.Toolbar.textTop": "ທາງເທີງ:", @@ -2677,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "ເສັ້ນຂອບວັກ", "DE.Views.Toolbar.tipMailRecepients": "ລວມເມວເຂົ້າກັນ", "DE.Views.Toolbar.tipMarkers": "ຂີດໜ້າ", + "DE.Views.Toolbar.tipMarkersArrow": "ລູກສອນ", + "DE.Views.Toolbar.tipMarkersCheckmark": "ເຄື່ອງໝາຍຖືກ ສະແດງຫົວຂໍ້", + "DE.Views.Toolbar.tipMarkersDash": "ຫົວແຫລມ", + "DE.Views.Toolbar.tipMarkersFRhombus": "ເພີ່ມຮູບ 5 ຫລຽມ", + "DE.Views.Toolbar.tipMarkersFRound": "ເພີ່ມຮູບວົງມົນ", + "DE.Views.Toolbar.tipMarkersFSquare": "ເພີ່ມຮູບສີ່ຫຼ່ຽມ", + "DE.Views.Toolbar.tipMarkersHRound": "ແບບຮອບກວ້າງ", + "DE.Views.Toolbar.tipMarkersStar": "ຮູບແບບດາວ", + "DE.Views.Toolbar.tipMultiLevelNumbered": "ຮູບແບບສັນຍາລັກຫຍໍ້ໜ້າຫຼາຍລະດັບ", "DE.Views.Toolbar.tipMultilevels": "ລາຍການຫລາຍລະດັບ", + "DE.Views.Toolbar.tipMultiLevelSymbols": "ຮູບແບບສັນຍາລັກຫຼາຍລະດັບ", + "DE.Views.Toolbar.tipMultiLevelVarious": "ຮູບແບບຕົວເລກຕ່າງໆຫຼາຍລະດັບ", "DE.Views.Toolbar.tipNumbers": "ການນັບ", "DE.Views.Toolbar.tipPageBreak": "ເພີ່ມໜ້າ ຫຼື ຢຸດມາດຕາ", "DE.Views.Toolbar.tipPageMargins": "ຂອບໜ້າ", @@ -2715,6 +2801,7 @@ "DE.Views.Toolbar.txtScheme2": "ໂທນສີເທົາ", "DE.Views.Toolbar.txtScheme20": "ໃນເມືອງ", "DE.Views.Toolbar.txtScheme21": "Verve", + "DE.Views.Toolbar.txtScheme22": "ຫ້ອງການໃໝ່", "DE.Views.Toolbar.txtScheme3": "ເອເພັກສ", "DE.Views.Toolbar.txtScheme4": "ມຸມມອງ", "DE.Views.Toolbar.txtScheme5": "ປະຫວັດ", @@ -2722,7 +2809,15 @@ "DE.Views.Toolbar.txtScheme7": "ຄວາມເທົ່າທຽມກັນ", "DE.Views.Toolbar.txtScheme8": "ຂະບວນການ", "DE.Views.Toolbar.txtScheme9": "ໂຮງຫລໍ່", + "DE.Views.ViewTab.textAlwaysShowToolbar": "ສະແດງແຖບເຄື່ອງມືສະເໝີ", + "DE.Views.ViewTab.textDarkDocument": "ເອກະສານສີດຳ", + "DE.Views.ViewTab.textFitToPage": "ພໍດີຂອບ", + "DE.Views.ViewTab.textFitToWidth": "ຄວາມກວ້າງພໍດີ", "DE.Views.ViewTab.textInterfaceTheme": "ຮູບແບບການສະແດງຜົນ", + "DE.Views.ViewTab.textNavigation": "ການນຳທາງ", + "DE.Views.ViewTab.textRulers": "ໄມ້ບັນທັດ", + "DE.Views.ViewTab.textStatusBar": "ຮູບແບບບາ", + "DE.Views.ViewTab.textZoom": "ຂະຫຍາຍ ເຂົ້າ-ອອກ", "DE.Views.WatermarkSettingsDialog.textAuto": "ອັດຕະໂນມັດ", "DE.Views.WatermarkSettingsDialog.textBold": "ໂຕເຂັມ ", "DE.Views.WatermarkSettingsDialog.textColor": "ສີຂໍ້ຄວາມ", diff --git a/apps/documenteditor/main/locale/lv.json b/apps/documenteditor/main/locale/lv.json index 5395c04b3..35882dd72 100644 --- a/apps/documenteditor/main/locale/lv.json +++ b/apps/documenteditor/main/locale/lv.json @@ -1079,17 +1079,10 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Apskatīt parakstus", "DE.Views.FileMenuPanels.Settings.okButtonText": "Piemērot", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Ieslēgt automātisko atjaunošanu", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Turn on autosave", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "DE.Views.FileMenuPanels.Settings.strFast": "Fast", "DE.Views.FileMenuPanels.Settings.strFontRender": "Font Hinting", "DE.Views.FileMenuPanels.Settings.strForcesave": "Vienmēr noglabāt serverī (pretējā gadījumā noglabāt serverī dokumenta aizvēršanas laikā)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Ieslēgt hieroglifu", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Ieslēgtu dzīvo komentēšanas opciju", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Iespējot atrisināto komentāru rādīšanu", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Reāllaika Sadarbības Izmaiņas", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Turn on spell checking option", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -1320,6 +1313,7 @@ "DE.Views.Navigation.txtDemote": "Pazemināt", "DE.Views.Navigation.txtEmpty": "Šajā dokumentā nav virsrakstu", "DE.Views.Navigation.txtEmptyItem": "Tukšs virsraksts", + "DE.Views.Navigation.txtEmptyViewer": "Šajā dokumentā nav virsrakstu.", "DE.Views.Navigation.txtExpand": "Parādīt visas", "DE.Views.Navigation.txtExpandToLevel": "Parādīt līdz līmenim", "DE.Views.Navigation.txtHeadingAfter": "Jauns virsraksts pēc", @@ -1728,7 +1722,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "Parastie (ASV standarts)", "DE.Views.Toolbar.textMarginsWide": "Wide", - "DE.Views.Toolbar.textNewColor": "Pievienot jaunu krāsu", + "DE.Views.Toolbar.textNewColor": "Pievienot jauno krāsu", "DE.Views.Toolbar.textNextPage": "Next Page", "DE.Views.Toolbar.textNone": "None", "DE.Views.Toolbar.textOddPage": "Odd Page", diff --git a/apps/documenteditor/main/locale/nb.json b/apps/documenteditor/main/locale/nb.json index a238e6489..d5a291b3c 100644 --- a/apps/documenteditor/main/locale/nb.json +++ b/apps/documenteditor/main/locale/nb.json @@ -34,6 +34,7 @@ "Common.define.chartData.textCharts": "Diagrammer", "Common.define.chartData.textColumn": "Kolonne", "Common.UI.ButtonColored.textAutoColor": "Automatisk", + "Common.UI.ButtonColored.textNewColor": "Legg til ny egendefinert farge", "Common.UI.Calendar.textApril": "april", "Common.UI.Calendar.textAugust": "august", "Common.UI.Calendar.textDecember": "desember", @@ -404,7 +405,6 @@ "DE.Views.FileMenuPanels.Settings.okButtonText": "Bruk", "DE.Views.FileMenuPanels.Settings.strFast": "Hurtig", "DE.Views.FileMenuPanels.Settings.strForcesave": "Lagre alltid til tjeneren (eller lagre til tjeneren når dokumentet lukkes)", - "DE.Views.FileMenuPanels.Settings.strPaste": "Klipp ut, kopier og lim inn", "DE.Views.FileMenuPanels.Settings.strZoom": "Standard zoom-verdi", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Hvert 10. minutt", "DE.Views.FileMenuPanels.Settings.text30Minutes": "Hvert 30. minutt", diff --git a/apps/documenteditor/main/locale/nl.json b/apps/documenteditor/main/locale/nl.json index dba5ba8ff..03a35781d 100644 --- a/apps/documenteditor/main/locale/nl.json +++ b/apps/documenteditor/main/locale/nl.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Maak een kopie", "Common.Translation.warnFileLockedBtnView": "Open voor lezen", "Common.UI.ButtonColored.textAutoColor": "Automatisch", - "Common.UI.ButtonColored.textNewColor": "Voeg nieuwe aangepaste kleur toe", + "Common.UI.ButtonColored.textNewColor": "Nieuwe aangepaste kleur", "Common.UI.Calendar.textApril": "april", "Common.UI.Calendar.textAugust": "augustus", "Common.UI.Calendar.textDecember": "december", @@ -915,9 +915,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symbolen", "DE.Controllers.Toolbar.textTabForms": "Formulieren", "DE.Controllers.Toolbar.textWarning": "Waarschuwing", - "DE.Controllers.Toolbar.tipMarkersArrow": "Pijltjes", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Vinkjes", - "DE.Controllers.Toolbar.tipMarkersDash": "Streepjes", "DE.Controllers.Toolbar.txtAccent_Accent": "Aigu", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Pijl van rechts naar links boven", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Pijl links boven", @@ -1519,9 +1516,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Inhoudsopgave verversen", "DE.Views.DocumentHolder.textWrap": "Terugloopstijl", "DE.Views.DocumentHolder.tipIsLocked": "Dit element wordt op dit moment bewerkt door een andere gebruiker.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Pijltjes", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Vinkjes", - "DE.Views.DocumentHolder.tipMarkersDash": "Streepjes", "DE.Views.DocumentHolder.toDictionaryText": "Toevoegen aan woordenboek", "DE.Views.DocumentHolder.txtAddBottom": "Onderrand toevoegen", "DE.Views.DocumentHolder.txtAddFractionBar": "Deelteken toevoegen", @@ -1721,21 +1715,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Toon handtekeningen", "DE.Views.FileMenuPanels.Settings.okButtonText": "Toepassen", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Uitlijningshulplijnen inschakelen", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "AutoHerstel inschakelen", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Automatisch opslaan inschakelen", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modus Gezamenlijk bewerken", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andere gebruikers zien uw wijzigingen onmiddellijk", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "U moet de wijzigingen accepteren om die te kunnen zien", "DE.Views.FileMenuPanels.Settings.strFast": "Snel", "DE.Views.FileMenuPanels.Settings.strFontRender": "Hints voor lettertype", "DE.Views.FileMenuPanels.Settings.strForcesave": "Altijd op server opslaan (anders op server opslaan bij sluiten document)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Hiërogliefen inschakelen", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Weergave van opmerkingen inschakelen", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Macro instellingen", - "DE.Views.FileMenuPanels.Settings.strPaste": "Knippen, kopiëren en plakken", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Toon de knop Plakopties wanneer de inhoud is geplakt", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Weergave van opgeloste opmerkingen inschakelen", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Bijgehouden wijzigingen weergeven", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Wijzigingen in realtime samenwerking", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Optie voor spellingcontrole inschakelen", "DE.Views.FileMenuPanels.Settings.strStrict": "Strikt", @@ -2119,6 +2104,7 @@ "DE.Views.Navigation.txtDemote": "Degraderen", "DE.Views.Navigation.txtEmpty": "Er zijn geen koppen in het document.
    Pas een kopstijl toe op de tekst zodat deze in de inhoudsopgave wordt weergegeven.", "DE.Views.Navigation.txtEmptyItem": "Lege koptekst", + "DE.Views.Navigation.txtEmptyViewer": "Er zijn geen koppen in het document.", "DE.Views.Navigation.txtExpand": "Alle uitbreiden", "DE.Views.Navigation.txtExpandToLevel": "Uitbreiden tot niveau", "DE.Views.Navigation.txtHeadingAfter": "Nieuwe kop na", @@ -2671,7 +2657,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normaal", "DE.Views.Toolbar.textMarginsUsNormal": "Normaal (VS)", "DE.Views.Toolbar.textMarginsWide": "Breed", - "DE.Views.Toolbar.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "DE.Views.Toolbar.textNewColor": "Nieuwe aangepaste kleur", "DE.Views.Toolbar.textNextPage": "Volgende pagina", "DE.Views.Toolbar.textNoHighlight": "Geen accentuering", "DE.Views.Toolbar.textNone": "Geen", @@ -2751,6 +2737,9 @@ "DE.Views.Toolbar.tipLineSpace": "Regelafstand alinea", "DE.Views.Toolbar.tipMailRecepients": "Afdruk samenvoegen", "DE.Views.Toolbar.tipMarkers": "Opsommingstekens", + "DE.Views.Toolbar.tipMarkersArrow": "Pijltjes", + "DE.Views.Toolbar.tipMarkersCheckmark": "Vinkjes", + "DE.Views.Toolbar.tipMarkersDash": "Streepjes", "DE.Views.Toolbar.tipMultilevels": "Lijst met meerdere niveaus", "DE.Views.Toolbar.tipNumbers": "Nummering", "DE.Views.Toolbar.tipPageBreak": "Pagina- of sectie-einde invoegen", diff --git a/apps/documenteditor/main/locale/pl.json b/apps/documenteditor/main/locale/pl.json index 49c8f9be5..57c43b75a 100644 --- a/apps/documenteditor/main/locale/pl.json +++ b/apps/documenteditor/main/locale/pl.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Utwórz kopię", "Common.Translation.warnFileLockedBtnView": "Otwarte do oglądania", "Common.UI.ButtonColored.textAutoColor": "Automatyczny", - "Common.UI.ButtonColored.textNewColor": "Dodaj nowy niestandardowy kolor", + "Common.UI.ButtonColored.textNewColor": "Nowy niestandardowy kolor", "Common.UI.Calendar.textApril": "Kwiecień", "Common.UI.Calendar.textAugust": "Sierpień", "Common.UI.Calendar.textDecember": "Grudzień", @@ -168,6 +168,7 @@ "Common.UI.ExtendedColorDialog.textNew": "Nowy", "Common.UI.ExtendedColorDialog.textRGBErr": "Wprowadzona wartość jest nieprawidłowa.
    Wprowadź wartość liczbową w zakresie od 0 do 255.", "Common.UI.HSBColorPicker.textNoColor": "Brak koloru", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Pokaż hasło", "Common.UI.SearchDialog.textHighlight": "Podświetl wyniki", "Common.UI.SearchDialog.textMatchCase": "Rozróżniana wielkość liter", "Common.UI.SearchDialog.textReplaceDef": "Wprowadź tekst zastępczy", @@ -255,6 +256,7 @@ "Common.Views.Comments.textResolve": "Rozwiąż", "Common.Views.Comments.textResolved": "Rozwiązany", "Common.Views.Comments.textSort": "Sortuj komentarze", + "Common.Views.Comments.txtEmpty": "Nie ma komentarzy w tym dokumencie.", "Common.Views.CopyWarningDialog.textDontShow": "Nie pokazuj tej wiadomości ponownie", "Common.Views.CopyWarningDialog.textMsg": "Kopiowanie, wycinanie i wklejanie za pomocą przycisków edytora i działań menu kontekstowego zostanie przeprowadzone tylko w tej karcie edytora.

    Aby skopiować lub wkleić do lub z aplikacji poza kartą edytora, użyj następujących kombinacji klawiszy:", "Common.Views.CopyWarningDialog.textTitle": "Kopiuj, Wytnij i Wklej", @@ -1472,6 +1474,7 @@ "DE.Views.DocumentHolder.textPaste": "Wklej", "DE.Views.DocumentHolder.textPrevPage": "Poprzednia strona", "DE.Views.DocumentHolder.textRefreshField": "Odśwież pole", + "DE.Views.DocumentHolder.textReject": "Cofnij zmianę", "DE.Views.DocumentHolder.textRemCheckBox": "Usuń pole wyboru", "DE.Views.DocumentHolder.textRemComboBox": "Usuń pole kombi", "DE.Views.DocumentHolder.textRemDropdown": "Usuń listę rozwijaną", @@ -1680,6 +1683,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Właściciel", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Strony", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Akapity", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "Oznacz PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokalizacja", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Osoby, które mają prawa", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Znaki ze spacjami", @@ -1704,21 +1708,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobacz sygnatury", "DE.Views.FileMenuPanels.Settings.okButtonText": "Zatwierdź", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Włącz prowadnice wyrównania", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Włącz auto odzyskiwanie", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Włącz automatyczny zapis", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Tryb współtworzenia", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Zobaczysz zmiany innych użytkowników od razu", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Zanim będziesz mógł zobaczyć zmiany wprowadzone przez innych użytkowników, musisz je najpierw zaakceptować.", "DE.Views.FileMenuPanels.Settings.strFast": "Szybki", "DE.Views.FileMenuPanels.Settings.strFontRender": "Podpowiedź czcionki", "DE.Views.FileMenuPanels.Settings.strForcesave": "Dodaj wersję do pamięci po kliknięciu przycisku Zapisz lub Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Włącz hieroglify", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Włącz wyświetlanie komentarzy", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ustawienia Makr", - "DE.Views.FileMenuPanels.Settings.strPaste": "Wycinanie, kopiowanie i wklejanie", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Pokaż przycisk opcji wklejania po wklejeniu zawartości", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Włącz wyświetlanie rozwiązanych komentarzy", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Wyświetlanie zmian podczas przeglądania", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Zmiany w czasie rzeczywistym podczas współtworzenia", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Włącz sprawdzanie pisowni", "DE.Views.FileMenuPanels.Settings.strStrict": "Ścisły", @@ -2100,6 +2095,7 @@ "DE.Views.Navigation.txtDemote": "Zdegradować", "DE.Views.Navigation.txtEmpty": "W dokumencie nie ma nagłówków.
    Zastosuj styl nagłówka do tekstu, aby pojawił się w spisie treści.", "DE.Views.Navigation.txtEmptyItem": "Pusty nagłówek", + "DE.Views.Navigation.txtEmptyViewer": "W dokumencie nie ma nagłówków.", "DE.Views.Navigation.txtExpand": "Rozwiń wszystko", "DE.Views.Navigation.txtExpandToLevel": "Rozwiń do poziomu", "DE.Views.Navigation.txtHeadingAfter": "Nowy nagłówek po", @@ -2773,6 +2769,7 @@ "DE.Views.Toolbar.txtScheme8": "Przepływ", "DE.Views.Toolbar.txtScheme9": "Odlewnia", "DE.Views.ViewTab.textInterfaceTheme": "Motyw interfejsu", + "DE.Views.ViewTab.textRulers": "Zasady", "DE.Views.WatermarkSettingsDialog.textAuto": "Automatyczny", "DE.Views.WatermarkSettingsDialog.textBold": "Pogrubienie", "DE.Views.WatermarkSettingsDialog.textColor": "Kolor tekstu", diff --git a/apps/documenteditor/main/locale/pt-PT.json b/apps/documenteditor/main/locale/pt-PT.json new file mode 100644 index 000000000..03c641d13 --- /dev/null +++ b/apps/documenteditor/main/locale/pt-PT.json @@ -0,0 +1,2840 @@ +{ + "Common.Controllers.Chat.notcriticalErrorTitle": "Aviso", + "Common.Controllers.Chat.textEnterMessage": "Insira sua mensagem aqui", + "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Anónimo", + "Common.Controllers.ExternalDiagramEditor.textClose": "Fechar", + "Common.Controllers.ExternalDiagramEditor.warningText": "O objeto foi desativado porque está a ser editado por outro utilizador.", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "Aviso", + "Common.Controllers.ExternalMergeEditor.textAnonymous": "Anónimo", + "Common.Controllers.ExternalMergeEditor.textClose": "Fechar", + "Common.Controllers.ExternalMergeEditor.warningText": "O objeto foi desativado porque está a ser editado por outro utilizador.", + "Common.Controllers.ExternalMergeEditor.warningTitle": "Aviso", + "Common.Controllers.History.notcriticalErrorTitle": "Aviso", + "Common.Controllers.ReviewChanges.textAcceptBeforeCompare": "A fim de comparar os documentos, todas as alterações neles verificadas serão consideradas como tendo sido aceites. Deseja continuar?", + "Common.Controllers.ReviewChanges.textAtLeast": "no mínimo", + "Common.Controllers.ReviewChanges.textAuto": "auto", + "Common.Controllers.ReviewChanges.textBaseline": "Linha base", + "Common.Controllers.ReviewChanges.textBold": "Bold", + "Common.Controllers.ReviewChanges.textBreakBefore": "Quebra de página antes", + "Common.Controllers.ReviewChanges.textCaps": "Tudo em maiúsculas", + "Common.Controllers.ReviewChanges.textCenter": "Alinhar ao centro", + "Common.Controllers.ReviewChanges.textChar": "Nível de carácter", + "Common.Controllers.ReviewChanges.textChart": "Gráfico", + "Common.Controllers.ReviewChanges.textColor": "Cor do tipo de letra", + "Common.Controllers.ReviewChanges.textContextual": "Não adicionar intervalo entre parágrafos do mesmo estilo", + "Common.Controllers.ReviewChanges.textDeleted": "Eliminado:", + "Common.Controllers.ReviewChanges.textDStrikeout": "Tachado duplo", + "Common.Controllers.ReviewChanges.textEquation": "Equação", + "Common.Controllers.ReviewChanges.textExact": "exatamente", + "Common.Controllers.ReviewChanges.textFirstLine": "Primeira linha", + "Common.Controllers.ReviewChanges.textFontSize": "Tamanho do tipo de letra", + "Common.Controllers.ReviewChanges.textFormatted": "Formatado", + "Common.Controllers.ReviewChanges.textHighlight": "Cor de destaque", + "Common.Controllers.ReviewChanges.textImage": "Imagem", + "Common.Controllers.ReviewChanges.textIndentLeft": "Avanço à esquerda", + "Common.Controllers.ReviewChanges.textIndentRight": "Avanço à direita", + "Common.Controllers.ReviewChanges.textInserted": "Inserido:", + "Common.Controllers.ReviewChanges.textItalic": "Itálico", + "Common.Controllers.ReviewChanges.textJustify": "Alinhar justificado", + "Common.Controllers.ReviewChanges.textKeepLines": "Manter linhas juntas", + "Common.Controllers.ReviewChanges.textKeepNext": "Manter com seguinte", + "Common.Controllers.ReviewChanges.textLeft": "Alinhar à esquerda", + "Common.Controllers.ReviewChanges.textLineSpacing": "Espaçamento entre linhas:", + "Common.Controllers.ReviewChanges.textMultiple": "múltiplo", + "Common.Controllers.ReviewChanges.textNoBreakBefore": "Sem quebra de página antes", + "Common.Controllers.ReviewChanges.textNoContextual": "Adicionar intervalo entre parágrafos com o mesmo estilo", + "Common.Controllers.ReviewChanges.textNoKeepLines": "Não manter linhas juntas", + "Common.Controllers.ReviewChanges.textNoKeepNext": "Não manter com seguinte", + "Common.Controllers.ReviewChanges.textNot": "Não", + "Common.Controllers.ReviewChanges.textNoWidow": "Não controlar órfãos", + "Common.Controllers.ReviewChanges.textNum": "Alterar numeração", + "Common.Controllers.ReviewChanges.textOff": "{0} já não está a utilizar O Registo de Alterações.", + "Common.Controllers.ReviewChanges.textOffGlobal": "{0} Registar Alterações desativado para todos.", + "Common.Controllers.ReviewChanges.textOn": "{0} está agora a utilizar o Registar Alterações.", + "Common.Controllers.ReviewChanges.textOnGlobal": "{0} Registar Alterações ativado para todos.", + "Common.Controllers.ReviewChanges.textParaDeleted": "Parágrafo eliminado", + "Common.Controllers.ReviewChanges.textParaFormatted": "Parágrafo formatado", + "Common.Controllers.ReviewChanges.textParaInserted": "Parágrafo inserido", + "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Movido para baixo:", + "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Movido para cima:", + "Common.Controllers.ReviewChanges.textParaMoveTo": "Movido:", + "Common.Controllers.ReviewChanges.textPosition": "Posição", + "Common.Controllers.ReviewChanges.textRight": "Alinhar à direita", + "Common.Controllers.ReviewChanges.textShape": "Forma", + "Common.Controllers.ReviewChanges.textShd": "Cor de fundo", + "Common.Controllers.ReviewChanges.textShow": "Mostrar alterações em", + "Common.Controllers.ReviewChanges.textSmallCaps": "Versaletes", + "Common.Controllers.ReviewChanges.textSpacing": "Espaçamento", + "Common.Controllers.ReviewChanges.textSpacingAfter": "Espaçamento depois", + "Common.Controllers.ReviewChanges.textSpacingBefore": "Espaçamento antes", + "Common.Controllers.ReviewChanges.textStrikeout": "Riscado", + "Common.Controllers.ReviewChanges.textSubScript": "Subscrito", + "Common.Controllers.ReviewChanges.textSuperScript": "Sobrescrito", + "Common.Controllers.ReviewChanges.textTableChanged": "Definições de tabela alteradas", + "Common.Controllers.ReviewChanges.textTableRowsAdd": "Linhas de tabela adicionadas", + "Common.Controllers.ReviewChanges.textTableRowsDel": "Linhas de tabela eliminadas", + "Common.Controllers.ReviewChanges.textTabs": "Alterar separadores", + "Common.Controllers.ReviewChanges.textTitleComparison": "Definições de comparação", + "Common.Controllers.ReviewChanges.textUnderline": "Sublinhado", + "Common.Controllers.ReviewChanges.textUrl": "Colar de um URL", + "Common.Controllers.ReviewChanges.textWidow": "Controlo de órfãos", + "Common.Controllers.ReviewChanges.textWord": "Nível de palavra", + "Common.define.chartData.textArea": "Área", + "Common.define.chartData.textAreaStacked": "Área empilhada", + "Common.define.chartData.textAreaStackedPer": "Área 100% alinhada", + "Common.define.chartData.textBar": "Barra", + "Common.define.chartData.textBarNormal": "Coluna agrupada", + "Common.define.chartData.textBarNormal3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Coluna 3-D", + "Common.define.chartData.textBarStacked": "Coluna empilhada", + "Common.define.chartData.textBarStacked3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarStackedPer": "Coluna 100% alinhada", + "Common.define.chartData.textBarStackedPer3d": "Coluna 3-D 100% alinhada", + "Common.define.chartData.textCharts": "Gráficos", + "Common.define.chartData.textColumn": "Coluna", + "Common.define.chartData.textCombo": "Combinação", + "Common.define.chartData.textComboAreaBar": "Área empilhada – coluna agrupada", + "Common.define.chartData.textComboBarLine": "Coluna agrupada – linha", + "Common.define.chartData.textComboBarLineSecondary": "Coluna agrupada – linha num eixo secundário", + "Common.define.chartData.textComboCustom": "Combinação personalizada", + "Common.define.chartData.textDoughnut": "Rosca", + "Common.define.chartData.textHBarNormal": "Barra Agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStacked": "Barra empilhada", + "Common.define.chartData.textHBarStacked3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStackedPer": "Barra 100% alinhada", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3-D 100% alinhada", + "Common.define.chartData.textLine": "Linha", + "Common.define.chartData.textLine3d": "Linha 3-D", + "Common.define.chartData.textLineMarker": "Linha com marcadores", + "Common.define.chartData.textLineStacked": "Linha empilhada", + "Common.define.chartData.textLineStackedMarker": "Linha empilhada com marcadores", + "Common.define.chartData.textLineStackedPer": "100% Alinhado", + "Common.define.chartData.textLineStackedPerMarker": "Alinhado com 100%", + "Common.define.chartData.textPie": "Tarte", + "Common.define.chartData.textPie3d": "Tarte 3-D", + "Common.define.chartData.textPoint": "XY (gráfico de dispersão)", + "Common.define.chartData.textScatter": "Dispersão", + "Common.define.chartData.textScatterLine": "Dispersão com Linhas Retas", + "Common.define.chartData.textScatterLineMarker": "Dispersão com Linhas e Marcadores Retos", + "Common.define.chartData.textScatterSmooth": "Dispersão com Linhas Suaves", + "Common.define.chartData.textScatterSmoothMarker": "Dispersão com Linhas Suaves e Marcadores", + "Common.define.chartData.textStock": "Gráfico de ações", + "Common.define.chartData.textSurface": "Superfície", + "Common.Translation.warnFileLocked": "Não pode editar o ficheiro porque este está a ser editado por outra aplicação.", + "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", + "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", + "Common.UI.ButtonColored.textAutoColor": "Automático", + "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.Calendar.textApril": "Abril", + "Common.UI.Calendar.textAugust": "Agosto", + "Common.UI.Calendar.textDecember": "Dezembro", + "Common.UI.Calendar.textFebruary": "Fevereiro", + "Common.UI.Calendar.textJanuary": "Janeiro", + "Common.UI.Calendar.textJuly": "Julho", + "Common.UI.Calendar.textJune": "Junho", + "Common.UI.Calendar.textMarch": "Março", + "Common.UI.Calendar.textMay": "Mai", + "Common.UI.Calendar.textMonths": "Meses", + "Common.UI.Calendar.textNovember": "Novembro", + "Common.UI.Calendar.textOctober": "Outubro", + "Common.UI.Calendar.textSeptember": "Setembro", + "Common.UI.Calendar.textShortApril": "Abr", + "Common.UI.Calendar.textShortAugust": "Ago", + "Common.UI.Calendar.textShortDecember": "Dez", + "Common.UI.Calendar.textShortFebruary": "Fev", + "Common.UI.Calendar.textShortFriday": "Sex", + "Common.UI.Calendar.textShortJanuary": "Jan", + "Common.UI.Calendar.textShortJuly": "Jul", + "Common.UI.Calendar.textShortJune": "Jun", + "Common.UI.Calendar.textShortMarch": "Mar", + "Common.UI.Calendar.textShortMay": "Maio", + "Common.UI.Calendar.textShortMonday": "Seg", + "Common.UI.Calendar.textShortNovember": "Nov", + "Common.UI.Calendar.textShortOctober": "Out", + "Common.UI.Calendar.textShortSaturday": "Sáb", + "Common.UI.Calendar.textShortSeptember": "Set", + "Common.UI.Calendar.textShortSunday": "Dom", + "Common.UI.Calendar.textShortThursday": "Qui", + "Common.UI.Calendar.textShortTuesday": "Ter", + "Common.UI.Calendar.textShortWednesday": "Qua", + "Common.UI.Calendar.textYears": "Anos", + "Common.UI.ComboBorderSize.txtNoBorders": "Sem contornos", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sem contornos", + "Common.UI.ComboDataView.emptyComboText": "Sem estilos", + "Common.UI.ExtendedColorDialog.addButtonText": "Adicionar", + "Common.UI.ExtendedColorDialog.textCurrent": "Atual", + "Common.UI.ExtendedColorDialog.textHexErr": "O valor inserido não está correto.
    Introduza um valor entre 000000 e FFFFFF.", + "Common.UI.ExtendedColorDialog.textNew": "Novo", + "Common.UI.ExtendedColorDialog.textRGBErr": "O valor inserido não está correto.
    Introduza um valor numérico entre 0 e 255.", + "Common.UI.HSBColorPicker.textNoColor": "Sem cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar palavra-passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar palavra-passe", + "Common.UI.SearchDialog.textHighlight": "Destacar resultados", + "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", + "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto de substituição", + "Common.UI.SearchDialog.textSearchStart": "Insira seu texto aqui", + "Common.UI.SearchDialog.textTitle": "Localizar e substituir", + "Common.UI.SearchDialog.textTitle2": "Localizar", + "Common.UI.SearchDialog.textWholeWords": "Palavras inteiras apenas", + "Common.UI.SearchDialog.txtBtnHideReplace": "Ocultar substituição", + "Common.UI.SearchDialog.txtBtnReplace": "Substituir", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Substituir tudo", + "Common.UI.SynchronizeTip.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.SynchronizeTip.textSynchronize": "O documento foi alterado por outro utilizador.
    Clique para guardar as suas alterações e recarregar o documento.", + "Common.UI.ThemeColorPalette.textStandartColors": "Cores padrão", + "Common.UI.ThemeColorPalette.textThemeColors": "Cores do tema", + "Common.UI.Themes.txtThemeClassicLight": "Clássico claro", + "Common.UI.Themes.txtThemeDark": "Escuro", + "Common.UI.Themes.txtThemeLight": "Claro", + "Common.UI.Window.cancelButtonText": "Cancelar", + "Common.UI.Window.closeButtonText": "Fechar", + "Common.UI.Window.noButtonText": "Não", + "Common.UI.Window.okButtonText": "OK", + "Common.UI.Window.textConfirmation": "Confirmação", + "Common.UI.Window.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.Window.textError": "Erro", + "Common.UI.Window.textInformation": "Informações", + "Common.UI.Window.textWarning": "Aviso", + "Common.UI.Window.yesButtonText": "Sim", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "endereço:", + "Common.Views.About.txtLicensee": "LICENÇA", + "Common.Views.About.txtLicensor": "LICENCIANTE", + "Common.Views.About.txtMail": "e-mail:", + "Common.Views.About.txtPoweredBy": "Desenvolvido por", + "Common.Views.About.txtTel": "tel.: ", + "Common.Views.About.txtVersion": "Versão", + "Common.Views.AutoCorrectDialog.textAdd": "Adicionar", + "Common.Views.AutoCorrectDialog.textApplyText": "Aplicar ao escrever", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autocorreção de Texto", + "Common.Views.AutoCorrectDialog.textAutoFormat": "Formatação automática ao escrever", + "Common.Views.AutoCorrectDialog.textBulleted": "Lista automática com marcas", + "Common.Views.AutoCorrectDialog.textBy": "Por", + "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Adicionar parágrafo com espaçamento duplo", + "Common.Views.AutoCorrectDialog.textFLCells": "Maiúscula na primeira letra das células da tabela", + "Common.Views.AutoCorrectDialog.textFLSentence": "Capitalizar a primeira letra das frases", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e locais de rede com hiperligações", + "Common.Views.AutoCorrectDialog.textHyphens": "Hífens (--) com traço (-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": " Correção automática de matemática", + "Common.Views.AutoCorrectDialog.textNumbered": "Lista automática com números", + "Common.Views.AutoCorrectDialog.textQuotes": "\"Aspas retas\" com \"aspas inteligentes\"", + "Common.Views.AutoCorrectDialog.textRecognized": "Funções Reconhecidas", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "As seguintes expressões são expressões matemáticas reconhecidas. Não serão colocadas automaticamente em itálico.", + "Common.Views.AutoCorrectDialog.textReplace": "Substituir", + "Common.Views.AutoCorrectDialog.textReplaceText": "Substituir à medida que digita", + "Common.Views.AutoCorrectDialog.textReplaceType": "Substitua o texto à medida que digita", + "Common.Views.AutoCorrectDialog.textReset": "Repor", + "Common.Views.AutoCorrectDialog.textResetAll": "Repor para a predefinição", + "Common.Views.AutoCorrectDialog.textRestore": "Restaurar", + "Common.Views.AutoCorrectDialog.textTitle": "Correção automática", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "As funções reconhecidas devem conter apenas as letras de A a Z, maiúsculas ou minúsculas.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Qualquer expressão que tenha adicionado será removida e as expressões removidas serão restauradas. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnReplace": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.AutoCorrectDialog.warnReset": "Qualquer correção automática que tenha adicionado será removida e as alterações serão restauradas aos seus valores originais. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnRestore": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.Chat.textSend": "Enviar", + "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z a A", + "Common.Views.Comments.mniDateAsc": "Mais antigo", + "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por Grupo", + "Common.Views.Comments.mniPositionAsc": "De cima", + "Common.Views.Comments.mniPositionDesc": "Do fundo", + "Common.Views.Comments.textAdd": "Adicionar", + "Common.Views.Comments.textAddComment": "Adicionar comentário", + "Common.Views.Comments.textAddCommentToDoc": "Adicionar comentário ao documento", + "Common.Views.Comments.textAddReply": "Adicionar resposta", + "Common.Views.Comments.textAll": "Tudo", + "Common.Views.Comments.textAnonym": "Visitante", + "Common.Views.Comments.textCancel": "Cancelar", + "Common.Views.Comments.textClose": "Fechar", + "Common.Views.Comments.textClosePanel": "Fechar comentários", + "Common.Views.Comments.textComments": "Comentários", + "Common.Views.Comments.textEdit": "Editar", + "Common.Views.Comments.textEnterCommentHint": "Introduza o seu comentário aqui", + "Common.Views.Comments.textHintAddComment": "Adicionar comentário", + "Common.Views.Comments.textOpenAgain": "Abrir novamente", + "Common.Views.Comments.textReply": "Responder", + "Common.Views.Comments.textResolve": "Resolver", + "Common.Views.Comments.textResolved": "Resolvido", + "Common.Views.Comments.textSort": "Ordenar comentários", + "Common.Views.Comments.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente", + "Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar através dos botões da barra de ferramentas ou através do menu de contexto apenas serão executadas neste separador.

    Para copiar ou colar de outras aplicações deve utilizar estas teclas de atalho:", + "Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar", + "Common.Views.CopyWarningDialog.textToCopy": "para copiar", + "Common.Views.CopyWarningDialog.textToCut": "para cortar", + "Common.Views.CopyWarningDialog.textToPaste": "para Colar", + "Common.Views.DocumentAccessDialog.textLoading": "Carregando...", + "Common.Views.DocumentAccessDialog.textTitle": "Definições de partilha", + "Common.Views.ExternalDiagramEditor.textClose": "Fechar", + "Common.Views.ExternalDiagramEditor.textSave": "Guardar e sair", + "Common.Views.ExternalDiagramEditor.textTitle": "Editor de gráfico", + "Common.Views.ExternalMergeEditor.textClose": "Fechar", + "Common.Views.ExternalMergeEditor.textSave": "Guardar e sair", + "Common.Views.ExternalMergeEditor.textTitle": "Mail Merge Recepients", + "Common.Views.Header.labelCoUsersDescr": "Utilizadores que estão a editar o ficheiro:", + "Common.Views.Header.textAddFavorite": "Marcar como favorito", + "Common.Views.Header.textAdvSettings": "Definições avançadas", + "Common.Views.Header.textBack": "Abrir localização", + "Common.Views.Header.textCompactView": "Ocultar barra de ferramentas", + "Common.Views.Header.textHideLines": "Ocultar réguas", + "Common.Views.Header.textHideStatusBar": "Ocultar barra de estado", + "Common.Views.Header.textRemoveFavorite": "Remover dos favoritos", + "Common.Views.Header.textZoom": "Ampliação", + "Common.Views.Header.tipAccessRights": "Gerir direitos de acesso ao documento", + "Common.Views.Header.tipDownload": "Descarregar ficheiro", + "Common.Views.Header.tipGoEdit": "Editar ficheiro atual", + "Common.Views.Header.tipPrint": "Imprimir ficheiro", + "Common.Views.Header.tipRedo": "Refazer", + "Common.Views.Header.tipSave": "Guardar", + "Common.Views.Header.tipUndo": "Desfazer", + "Common.Views.Header.tipViewSettings": "Definições de visualização", + "Common.Views.Header.tipViewUsers": "Ver utilizadores e gerir direitos de acesso", + "Common.Views.Header.txtAccessRights": "Alterar direitos de acesso", + "Common.Views.Header.txtRename": "Renomear", + "Common.Views.History.textCloseHistory": "Fechar histórico", + "Common.Views.History.textHide": "Recolher", + "Common.Views.History.textHideAll": "Ocultar alterações detalhadas", + "Common.Views.History.textRestore": "Restaurar", + "Common.Views.History.textShow": "Expandir", + "Common.Views.History.textShowAll": "Mostrar alterações detalhadas", + "Common.Views.History.textVer": "ver.", + "Common.Views.ImageFromUrlDialog.textUrl": "Colar URL de uma imagem:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "Tem que especificar um número válido de linhas e de colunas.", + "Common.Views.InsertTableDialog.txtColumns": "Número de colunas", + "Common.Views.InsertTableDialog.txtMaxText": "O valor máximo para este campo é {0}.", + "Common.Views.InsertTableDialog.txtMinText": "O valor mínimo para este campo é {0}.", + "Common.Views.InsertTableDialog.txtRows": "Número de linhas", + "Common.Views.InsertTableDialog.txtTitle": "Tamanho da tabela", + "Common.Views.InsertTableDialog.txtTitleSplit": "Dividir célula", + "Common.Views.LanguageDialog.labelSelect": "Selecionar idioma do documento", + "Common.Views.OpenDialog.closeButtonText": "Fechar ficheiro", + "Common.Views.OpenDialog.txtEncoding": "Codificação", + "Common.Views.OpenDialog.txtIncorrectPwd": "Palavra-passe inválida.", + "Common.Views.OpenDialog.txtOpenFile": "Introduza a palavra-passe para abrir o ficheiro", + "Common.Views.OpenDialog.txtPassword": "Palavra-passe", + "Common.Views.OpenDialog.txtPreview": "Pré-visualizar", + "Common.Views.OpenDialog.txtProtected": "Assim que introduzir a palavra-passe e abrir o ficheiro, a palavra-passe atual será reposta.", + "Common.Views.OpenDialog.txtTitle": "Escolher opções %1", + "Common.Views.OpenDialog.txtTitleProtected": "Ficheiro protegido", + "Common.Views.PasswordDialog.txtDescription": "Defina uma palavra-passe para proteger este documento", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Disparidade nas palavras-passe introduzidas", + "Common.Views.PasswordDialog.txtPassword": "Palavra-passe", + "Common.Views.PasswordDialog.txtRepeat": "Repetição de palavra-passe", + "Common.Views.PasswordDialog.txtTitle": "Definir palavra-passe", + "Common.Views.PasswordDialog.txtWarning": "Aviso: Se perder ou esquecer a palavra-passe, não será possível recuperá-la. Guarde-a num local seguro.", + "Common.Views.PluginDlg.textLoading": "A carregar", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "A carregar", + "Common.Views.Plugins.textStart": "Iniciar", + "Common.Views.Plugins.textStop": "Parar", + "Common.Views.Protection.hintAddPwd": "Cifrar com palavra-passe", + "Common.Views.Protection.hintPwd": "Alterar ou eliminar palavra-passe", + "Common.Views.Protection.hintSignature": "Adicionar assinatura digital ou linha de assinatura", + "Common.Views.Protection.txtAddPwd": "Adicionar palavra-passe", + "Common.Views.Protection.txtChangePwd": "Alterar palavra-passe", + "Common.Views.Protection.txtDeletePwd": "Eliminar palavra-passe", + "Common.Views.Protection.txtEncrypt": "Cifrar", + "Common.Views.Protection.txtInvisibleSignature": "Adicionar assinatura digital", + "Common.Views.Protection.txtSignature": "Assinatura", + "Common.Views.Protection.txtSignatureLine": "Adicionar linha de assinatura", + "Common.Views.RenameDialog.textName": "Nome do ficheiro", + "Common.Views.RenameDialog.txtInvalidName": "O nome do ficheiro não pode ter qualquer um dos seguintes caracteres:", + "Common.Views.ReviewChanges.hintNext": "Para a próxima alteração", + "Common.Views.ReviewChanges.hintPrev": "Para a alteração anterior", + "Common.Views.ReviewChanges.mniFromFile": "Documento de um ficheiro", + "Common.Views.ReviewChanges.mniFromStorage": "Documento de um armazenamento", + "Common.Views.ReviewChanges.mniFromUrl": "Documento de um URL", + "Common.Views.ReviewChanges.mniSettings": "Definições de comparação", + "Common.Views.ReviewChanges.strFast": "Rápido", + "Common.Views.ReviewChanges.strFastDesc": "Edição em tempo real. Todas as alterações foram guardadas.", + "Common.Views.ReviewChanges.strStrict": "Estrito", + "Common.Views.ReviewChanges.strStrictDesc": "Utilize o botão 'Guardar' para sincronizar as alterações efetuadas ao documento.", + "Common.Views.ReviewChanges.textEnable": "Ativar", + "Common.Views.ReviewChanges.textWarnTrackChanges": "O Registo de Alterações estará ligadas para todos os utilizadores com acesso total. A próxima vez que alguém abrir o documento, o Registo Alterações permanecerá ativado.", + "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "Ativar rastreio de alterações para todos?", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Aceitar alteração atual", + "Common.Views.ReviewChanges.tipCoAuthMode": "Definir modo de coedição", + "Common.Views.ReviewChanges.tipCommentRem": "Remover comentários", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.tipCommentResolve": "Resolver comentários", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.tipCompare": "Comparar o documento atual com outro", + "Common.Views.ReviewChanges.tipHistory": "Mostrar histórico de versão", + "Common.Views.ReviewChanges.tipRejectCurrent": "Rejeitar alterações atuais", + "Common.Views.ReviewChanges.tipReview": "Rastrear alterações", + "Common.Views.ReviewChanges.tipReviewView": "Selecione o modo em que pretende que as alterações sejam apresentadas", + "Common.Views.ReviewChanges.tipSetDocLang": "Definir idioma do documento", + "Common.Views.ReviewChanges.tipSetSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.tipSharing": "Gerir direitos de acesso ao documento", + "Common.Views.ReviewChanges.txtAccept": "Aceitar", + "Common.Views.ReviewChanges.txtAcceptAll": "Aceitar todas as alterações", + "Common.Views.ReviewChanges.txtAcceptChanges": "Aceitar alterações", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Aceitar alteração atual", + "Common.Views.ReviewChanges.txtChat": "Conversa", + "Common.Views.ReviewChanges.txtClose": "Fechar", + "Common.Views.ReviewChanges.txtCoAuthMode": "Modo de co-edição", + "Common.Views.ReviewChanges.txtCommentRemAll": "Remover todos os comentários", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemMy": "Remover os meus comentários", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Remover os meus comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemove": "Remover", + "Common.Views.ReviewChanges.txtCommentResolve": "Resolver", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resolver todos os comentários", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resolver os meus comentários", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resolver os meus comentários atuais", + "Common.Views.ReviewChanges.txtCompare": "Comparar", + "Common.Views.ReviewChanges.txtDocLang": "Idioma", + "Common.Views.ReviewChanges.txtEditing": "A editar", + "Common.Views.ReviewChanges.txtFinal": "Todas as alterações aceites {0}", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Histórico da versão", + "Common.Views.ReviewChanges.txtMarkup": "Todas as alterações {0}", + "Common.Views.ReviewChanges.txtMarkupCap": "Marcação e balões", + "Common.Views.ReviewChanges.txtMarkupSimple": "Todas as alterações {0}
    Não há balões", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "Apenas marcação", + "Common.Views.ReviewChanges.txtNext": "To Next Change", + "Common.Views.ReviewChanges.txtOff": "Desligado pra mim", + "Common.Views.ReviewChanges.txtOffGlobal": "Desligado pra mim e para todos", + "Common.Views.ReviewChanges.txtOn": "Ligado para mim", + "Common.Views.ReviewChanges.txtOnGlobal": "Ligado para mim e para todos", + "Common.Views.ReviewChanges.txtOriginal": "Todas as alterações recusadas {0}", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", + "Common.Views.ReviewChanges.txtPrev": "To Previous Change", + "Common.Views.ReviewChanges.txtPreview": "Pré-visualizar", + "Common.Views.ReviewChanges.txtReject": "Rejeitar", + "Common.Views.ReviewChanges.txtRejectAll": "Rejeitar todas as alterações", + "Common.Views.ReviewChanges.txtRejectChanges": "Rejeitar alterações", + "Common.Views.ReviewChanges.txtRejectCurrent": "Rejeitar alteração atual", + "Common.Views.ReviewChanges.txtSharing": "Partilhar", + "Common.Views.ReviewChanges.txtSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.txtTurnon": "Rastrear alterações", + "Common.Views.ReviewChanges.txtView": "Modo de exibição", + "Common.Views.ReviewChangesDialog.textTitle": "Rever alterações", + "Common.Views.ReviewChangesDialog.txtAccept": "Aceitar", + "Common.Views.ReviewChangesDialog.txtAcceptAll": "Aceitar todas as alterações", + "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Aceitar alteração atual", + "Common.Views.ReviewChangesDialog.txtNext": "Para a próxima alteração", + "Common.Views.ReviewChangesDialog.txtPrev": "Para a alteração anterior", + "Common.Views.ReviewChangesDialog.txtReject": "Rejeitar", + "Common.Views.ReviewChangesDialog.txtRejectAll": "Rejeitar todas as alterações", + "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Rejeitar alteração atual", + "Common.Views.ReviewPopover.textAdd": "Adicionar", + "Common.Views.ReviewPopover.textAddReply": "Adicionar resposta", + "Common.Views.ReviewPopover.textCancel": "Cancelar", + "Common.Views.ReviewPopover.textClose": "Fechar", + "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textFollowMove": "Seguir movimento", + "Common.Views.ReviewPopover.textMention": "+menção disponibiliza o acesso ao documento e envia um e-mail ao utilizador", + "Common.Views.ReviewPopover.textMentionNotify": "+menção notifica o utilizador por e-mail", + "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", + "Common.Views.ReviewPopover.textReply": "Responder", + "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.ReviewPopover.txtAccept": "Aceitar", + "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", + "Common.Views.ReviewPopover.txtEditTip": "Editar", + "Common.Views.ReviewPopover.txtReject": "Rejeitar", + "Common.Views.SaveAsDlg.textLoading": "A carregar", + "Common.Views.SaveAsDlg.textTitle": "Pasta para guardar", + "Common.Views.SelectFileDlg.textLoading": "A carregar", + "Common.Views.SelectFileDlg.textTitle": "Selecionar fonte de dados", + "Common.Views.SignDialog.textBold": "Negrito", + "Common.Views.SignDialog.textCertificate": " Certificado", + "Common.Views.SignDialog.textChange": "Alterar", + "Common.Views.SignDialog.textInputName": "Inserir nome do assinante", + "Common.Views.SignDialog.textItalic": "Itálico", + "Common.Views.SignDialog.textNameError": "O nome do assinante não pode estar vazio", + "Common.Views.SignDialog.textPurpose": "Objetivo para assinar o documento", + "Common.Views.SignDialog.textSelect": "Selecionar", + "Common.Views.SignDialog.textSelectImage": "Selecionar imagem", + "Common.Views.SignDialog.textSignature": "A assinatura parece ser", + "Common.Views.SignDialog.textTitle": "Assinar o documento", + "Common.Views.SignDialog.textUseImage": "ou clique \"Selecionar imagem\" para a utilizar como assinatura", + "Common.Views.SignDialog.textValid": "Válida de %1 até %2", + "Common.Views.SignDialog.tipFontName": "Nome do tipo de letra", + "Common.Views.SignDialog.tipFontSize": "Tamanho do tipo de letra", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura", + "Common.Views.SignSettingsDialog.textInfo": "Informação sobre o Assinante", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", + "Common.Views.SignSettingsDialog.textInfoName": "Nome", + "Common.Views.SignSettingsDialog.textInfoTitle": "Título do Assinante", + "Common.Views.SignSettingsDialog.textInstructions": "Instruções para o assinante", + "Common.Views.SignSettingsDialog.textShowDate": "Mostrar data na linha de assinatura", + "Common.Views.SignSettingsDialog.textTitle": "Definições de Assinatura", + "Common.Views.SignSettingsDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.SymbolTableDialog.textCharacter": "Caractere", + "Common.Views.SymbolTableDialog.textCode": "Valor Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Assinatura Copyright", + "Common.Views.SymbolTableDialog.textDCQuote": "Aspas Duplas de Fechamento", + "Common.Views.SymbolTableDialog.textDOQuote": "Aspas de abertura", + "Common.Views.SymbolTableDialog.textEllipsis": "Elipse horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Travessão", + "Common.Views.SymbolTableDialog.textEmSpace": "Espaço", + "Common.Views.SymbolTableDialog.textEnDash": "Travessão", + "Common.Views.SymbolTableDialog.textEnSpace": "Espaço", + "Common.Views.SymbolTableDialog.textFont": "Fonte", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hífen inseparável", + "Common.Views.SymbolTableDialog.textNBSpace": "Espaço sem interrupção", + "Common.Views.SymbolTableDialog.textPilcrow": "Sinal de antígrafo", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 de espaço (Em)", + "Common.Views.SymbolTableDialog.textRange": "Intervalo", + "Common.Views.SymbolTableDialog.textRecent": "Símbolos usados recentemente", + "Common.Views.SymbolTableDialog.textRegistered": "Sinal Registado", + "Common.Views.SymbolTableDialog.textSCQuote": "Aspas de Fechamento", + "Common.Views.SymbolTableDialog.textSection": "Sinal de secção", + "Common.Views.SymbolTableDialog.textShortcut": "Tecla de atalho", + "Common.Views.SymbolTableDialog.textSHyphen": "Hífen virtual", + "Common.Views.SymbolTableDialog.textSOQuote": "Apóstrofo de abertura", + "Common.Views.SymbolTableDialog.textSpecial": "Caracteres especiais", + "Common.Views.SymbolTableDialog.textSymbols": "Símbolos", + "Common.Views.SymbolTableDialog.textTitle": "Símbolo", + "Common.Views.SymbolTableDialog.textTradeMark": "Símbolo de Marca Registada.", + "Common.Views.UserNameDialog.textDontShow": "Não perguntar novamente", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "Etiqueta não deve estar em branco.", + "DE.Controllers.LeftMenu.leavePageText": "Todas as alterações não guardadas serão perdidas.
    Prima \"Cancelar\" e, depois, prima \"Guardar\". Clique \"Ok\" para descartar as alterações não guardadas.", + "DE.Controllers.LeftMenu.newDocumentTitle": "Documento sem nome", + "DE.Controllers.LeftMenu.notcriticalErrorTitle": "Aviso", + "DE.Controllers.LeftMenu.requestEditRightsText": "Solicitando direitos de edição...", + "DE.Controllers.LeftMenu.textLoadHistory": "A carregar o histórico de versões...", + "DE.Controllers.LeftMenu.textNoTextFound": "Não foi possível localizar os dados procurados. Por favor ajuste as opções de pesquisa.", + "DE.Controllers.LeftMenu.textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "DE.Controllers.LeftMenu.textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "DE.Controllers.LeftMenu.txtCompatible": "O documento será guardado com um novo formato. Desta forma, pode utilizar todas as funcionalidades do editor mas que poderão afetar a disposição do documento.
    Utilize a opção 'Compatibilidade' nas definições avançadas que quiser tornar este ficheiro compatível com as versões antigas do MS Word.", + "DE.Controllers.LeftMenu.txtUntitled": "Sem título", + "DE.Controllers.LeftMenu.warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos exceto o texto serão perdidos.
    Você tem certeza que quer continuar?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "O seu {0} será convertido para um formato editável. Isto pode demorar algum tempo. O documento resultante será otimizado para lhe permitir editar o texto, pelo que poderá não ser exatamente igual ao {0} original, especialmente se o ficheiro original contiver muitos gráficos.", + "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Se guardar o documento neste formato, perderá alguns dos atributos de formatação.
    Tem a certeza de que deseja continuar?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} não é um caracter especial válido para o campo de substituição.", + "DE.Controllers.Main.applyChangesTextText": "Carregando as alterações...", + "DE.Controllers.Main.applyChangesTitleText": "Carregando as alterações", + "DE.Controllers.Main.convertationTimeoutText": "Excedeu o tempo limite de conversão.", + "DE.Controllers.Main.criticalErrorExtText": "Prima \"OK\" para voltar para a lista de documentos.", + "DE.Controllers.Main.criticalErrorTitle": "Erro", + "DE.Controllers.Main.downloadErrorText": "Falha ao descarregar.", + "DE.Controllers.Main.downloadMergeText": "A descarregar...", + "DE.Controllers.Main.downloadMergeTitle": "A descarregar", + "DE.Controllers.Main.downloadTextText": "A descarregar documento...", + "DE.Controllers.Main.downloadTitleText": "A descarregar documento", + "DE.Controllers.Main.errorAccessDeny": "Está a tentar executar uma ação para a qual não tem permissões.
    Por favor contacte o administrador do servidor de documentos.", + "DE.Controllers.Main.errorBadImageUrl": "URL inválido", + "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", + "DE.Controllers.Main.errorComboSeries": "Para criar um gráfico de combinação, selecione pelo menos duas séries de dados.", + "DE.Controllers.Main.errorCompare": "A funcionalidade de Comparar Documentos não está disponível enquanto se faz a coedição.", + "DE.Controllers.Main.errorConnectToServer": "Não foi possível guardar o documento. Verifique a sua ligação de rede ou contacte o seu administrador.
    Ao clicar no botão OK, ser-lhe-á pedido para descarregar 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": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "DE.Controllers.Main.errorDataRange": "Intervalo de dados inválido.", + "DE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", + "DE.Controllers.Main.errorDirectUrl": "Verifique a ligação ao documento.
    Deve ser uma ligação direta para o ficheiro a descarregar.", + "DE.Controllers.Main.errorEditingDownloadas": "Ocorreu um erro ao trabalhar no documento.
    Utilize a opção 'Descarregar como...' para guardar uma cópia do ficheiro no seu computador.", + "DE.Controllers.Main.errorEditingSaveas": "Ocorreu um erro ao trabalhar no documento.
    Utilize a opção 'Guardar como...' para guardar uma cópia do ficheiro no seu computador.", + "DE.Controllers.Main.errorEmailClient": "Não foi possível encontrar nenhum cliente de e-mail.", + "DE.Controllers.Main.errorFilePassProtect": "O ficheiro está protegido por palavra-passe e não pode ser aberto.", + "DE.Controllers.Main.errorFileSizeExceed": "O tamanho do documento excede o limite do servidor.
    Contacte o administrador do servidor de documentos para mais detalhes.", + "DE.Controllers.Main.errorForceSave": "Ocorreu um erro ao guardar o ficheiro. Utilize a opção 'Descarregar' para guardar o ficheiro no seu computador e tentar mais tarde.", + "DE.Controllers.Main.errorKeyEncrypt": "Descritor de chave desconhecido", + "DE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado", + "DE.Controllers.Main.errorLoadingFont": "Os tipos de letra não foram carregados.
    Contacte o administrador do servidor de documentos.", + "DE.Controllers.Main.errorMailMergeLoadFile": "Não foi possível carregar o documento. Por favor escolha outro ficheiro.", + "DE.Controllers.Main.errorMailMergeSaveFile": "Falha ao unir.", + "DE.Controllers.Main.errorProcessSaveResult": "Salvamento falhou.", + "DE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", + "DE.Controllers.Main.errorSessionAbsolute": "A sessão de edição expirou. Tente recarregar a página.", + "DE.Controllers.Main.errorSessionIdle": "Este documento não foi editado durante muito tempo. Tente recarregar a página.", + "DE.Controllers.Main.errorSessionToken": "A ligação ao servidor foi interrompida. Tente recarregar a página.", + "DE.Controllers.Main.errorSetPassword": "Não foi possível definir a palavra-passe.", + "DE.Controllers.Main.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
    preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "DE.Controllers.Main.errorSubmit": "Falha ao submeter.", + "DE.Controllers.Main.errorToken": "O token de segurança do documento não foi formatado corretamente.
    Entre em contato com o administrador do Servidor de Documentos.", + "DE.Controllers.Main.errorTokenExpire": "O token de segurança do documento expirou.
    Entre em contato com o administrador do Servidor de Documentos.", + "DE.Controllers.Main.errorUpdateVersion": "A versão do ficheiro foi alterada. A página será recarregada.", + "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro alterada.
    Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e recarregue a página.", + "DE.Controllers.Main.errorUserDrop": "De momento, não é possível aceder ao ficheiro.", + "DE.Controllers.Main.errorUsersExceed": "Excedeu o número máximo de utilizadores permitidos pelo seu plano", + "DE.Controllers.Main.errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas
    não o conseguirá descarregar até que a ligação seja restaurada e a página recarregada.", + "DE.Controllers.Main.leavePageText": "Este documento tem alterações não guardadas. Clique 'Ficar na página' para que o documento seja guardado automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.", + "DE.Controllers.Main.leavePageTextOnClose": "Todas as alterações não guardadas serão perdidas.
    Clique em \"Cancelar\" e depois em \"Guardar\" para as guardar. Clique em \"Ok\" para descartar todas as alterações não guardadas.", + "DE.Controllers.Main.loadFontsTextText": "Carregando dados...", + "DE.Controllers.Main.loadFontsTitleText": "Carregando dados", + "DE.Controllers.Main.loadFontTextText": "Carregando dados...", + "DE.Controllers.Main.loadFontTitleText": "Carregando dados", + "DE.Controllers.Main.loadImagesTextText": "A carregar imagens...", + "DE.Controllers.Main.loadImagesTitleText": "A carregar imagens", + "DE.Controllers.Main.loadImageTextText": "A carregar imagem...", + "DE.Controllers.Main.loadImageTitleText": "A carregar imagem", + "DE.Controllers.Main.loadingDocumentTextText": "Carregando documento...", + "DE.Controllers.Main.loadingDocumentTitleText": "Carregando documento", + "DE.Controllers.Main.mailMergeLoadFileText": "A carregar origem de dados...", + "DE.Controllers.Main.mailMergeLoadFileTitle": "A carregar origem de dados", + "DE.Controllers.Main.notcriticalErrorTitle": "Aviso", + "DE.Controllers.Main.openErrorText": "Ocorreu um erro ao abrir o ficheiro.", + "DE.Controllers.Main.openTextText": "Abrindo documento...", + "DE.Controllers.Main.openTitleText": "Abrindo documento", + "DE.Controllers.Main.printTextText": "Imprimindo documento...", + "DE.Controllers.Main.printTitleText": "Imprimindo documento", + "DE.Controllers.Main.reloadButtonText": "Recarregar página", + "DE.Controllers.Main.requestEditFailedMessageText": "Alguém está editando este documento neste momento. Tente novamente mais tarde.", + "DE.Controllers.Main.requestEditFailedTitleText": "Acesso recusado", + "DE.Controllers.Main.saveErrorText": "Ocorreu um erro ao guardar o ficheiro.", + "DE.Controllers.Main.saveErrorTextDesktop": "Este ficheiro não pode ser guardado ou criado.
    Os motivos podem ser:
    1. O ficheiro é apenas de leitura.
    2. O ficheiro está a ser editado por outro utilizador.
    3. O disco está cheio ou danificado.", + "DE.Controllers.Main.saveTextText": "Salvando documento...", + "DE.Controllers.Main.saveTitleText": "Salvando documento", + "DE.Controllers.Main.scriptLoadError": "A ligação está muito lenta e alguns dos componentes não foram carregados. Tente recarregar a página.", + "DE.Controllers.Main.sendMergeText": "A enviar combinação...", + "DE.Controllers.Main.sendMergeTitle": "A enviar combinação", + "DE.Controllers.Main.splitDividerErrorText": "O número de linhas deve ser um divisor de %1.", + "DE.Controllers.Main.splitMaxColsErrorText": "O número de colunas deve ser inferior a %1.", + "DE.Controllers.Main.splitMaxRowsErrorText": "O número de linhas deve ser inferior a %1.", + "DE.Controllers.Main.textAnonymous": "Anónimo", + "DE.Controllers.Main.textApplyAll": "Aplicar a todas as equações", + "DE.Controllers.Main.textBuyNow": "Visitar site", + "DE.Controllers.Main.textChangesSaved": "Todas as alterações foram guardadas", + "DE.Controllers.Main.textClose": "Fechar", + "DE.Controllers.Main.textCloseTip": "Clique para fechar a dica", + "DE.Controllers.Main.textContactUs": "Contacte a equipa comercial", + "DE.Controllers.Main.textConvertEquation": "Esta equação foi criada com uma versão anterior da aplicação e já não é suportada. Para a editar, tem que converter a equação para o formato Office Math ML.
    Converter agora?", + "DE.Controllers.Main.textCustomLoader": "Tenha em conta de que, de acordo com os termos da licença, não tem permissões para alterar o carregador.
    Por favor contacte a equipa comercial.", + "DE.Controllers.Main.textDisconnect": "A ligação está perdida", + "DE.Controllers.Main.textGuest": "Convidado(a)", + "DE.Controllers.Main.textHasMacros": "O ficheiro contém macros automáticas.
    Deseja executar as macros?", + "DE.Controllers.Main.textLearnMore": "Saiba mais", + "DE.Controllers.Main.textLoadingDocument": "Carregando documento", + "DE.Controllers.Main.textLongName": "Introduza um nome com menos de 128 caracteres.", + "DE.Controllers.Main.textNoLicenseTitle": "Atingiu o limite da licença", + "DE.Controllers.Main.textPaidFeature": "Funcionalidade paga", + "DE.Controllers.Main.textReconnect": "A ligação foi reposta", + "DE.Controllers.Main.textRemember": "Memorizar a minha escolha", + "DE.Controllers.Main.textRenameError": "O nome de utilizador não pode estar em branco.", + "DE.Controllers.Main.textRenameLabel": "Introduza um nome a ser usado para colaboração", + "DE.Controllers.Main.textShape": "Forma", + "DE.Controllers.Main.textStrict": "Modo estrito", + "DE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer foram desativadas para se poder co-editar o documento.
    Clique no botão 'Modo estrito' para ativar este modo de edição e editar o ficheiro sem ser incomodado por outros utilizadores enviando apenas as suas alterações assim que terminar e guardar. Pode alternar entre modos de co-edição através das definições avançadas.", + "DE.Controllers.Main.textTryUndoRedoWarn": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "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": "O seu texto aqui", + "DE.Controllers.Main.txtBasicShapes": "Formas básicas", + "DE.Controllers.Main.txtBelow": "abaixo", + "DE.Controllers.Main.txtBookmarkError": "Erro! Marcador não definido.", + "DE.Controllers.Main.txtButtons": "Botões", + "DE.Controllers.Main.txtCallouts": "Textos explicativos", + "DE.Controllers.Main.txtCharts": "Gráficos", + "DE.Controllers.Main.txtChoose": "Escolha um item", + "DE.Controllers.Main.txtClickToLoad": "Clique para carregar a imagem", + "DE.Controllers.Main.txtCurrentDocument": "Documento atual", + "DE.Controllers.Main.txtDiagramTitle": "Título do diagrama", + "DE.Controllers.Main.txtEditingMode": "Definir modo de edição...", + "DE.Controllers.Main.txtEndOfFormula": "Fim Inesperado da Fórmula", + "DE.Controllers.Main.txtEnterDate": "Indique uma data", + "DE.Controllers.Main.txtErrorLoadHistory": "Falha ao carregar histórico", + "DE.Controllers.Main.txtEvenPage": "Página par", + "DE.Controllers.Main.txtFiguredArrows": "Setas figuradas", + "DE.Controllers.Main.txtFirstPage": "Primeira página", + "DE.Controllers.Main.txtFooter": "Rodapé", + "DE.Controllers.Main.txtFormulaNotInTable": "A Fórmula Não Está na Tabela", + "DE.Controllers.Main.txtHeader": "Cabeçalho", + "DE.Controllers.Main.txtHyperlink": "Hiperligação", + "DE.Controllers.Main.txtIndTooLarge": "Índice demasiado grande", + "DE.Controllers.Main.txtLines": "Linhas", + "DE.Controllers.Main.txtMainDocOnly": "Erro! Apenas documento principal.", + "DE.Controllers.Main.txtMath": "Matemática", + "DE.Controllers.Main.txtMissArg": "Argumento em falta", + "DE.Controllers.Main.txtMissOperator": "Operador em falta", + "DE.Controllers.Main.txtNeedSynchronize": "Você tem atualizações", + "DE.Controllers.Main.txtNone": "Nenhum", + "DE.Controllers.Main.txtNoTableOfContents": "Não existem títulos no documento. Aplique um estilo de título ao texto para que este apareça no índice remissivo.", + "DE.Controllers.Main.txtNoTableOfFigures": "Não foi encontrada nenhuma entrada no índice de ilustrações.", + "DE.Controllers.Main.txtNoText": "Erro! Não existe texto com este estilo no documento.", + "DE.Controllers.Main.txtNotInTable": "Não é uma tabela", + "DE.Controllers.Main.txtNotValidBookmark": "Erro! Não é uma auto-referência de marcador válida.", + "DE.Controllers.Main.txtOddPage": "Página ímpar", + "DE.Controllers.Main.txtOnPage": "na página", + "DE.Controllers.Main.txtRectangles": "Retângulos", + "DE.Controllers.Main.txtSameAsPrev": "Igual à anterior", + "DE.Controllers.Main.txtSection": "-Secção", + "DE.Controllers.Main.txtSeries": "Série", + "DE.Controllers.Main.txtShape_accentBorderCallout1": "Chamada da linha 1 (contorno e barra de destaque)", + "DE.Controllers.Main.txtShape_accentBorderCallout2": "Chamada da linha 2 (contorno e barra de destaque)", + "DE.Controllers.Main.txtShape_accentBorderCallout3": "Chamada da linha 3 (contorno e barra de destaque)", + "DE.Controllers.Main.txtShape_accentCallout1": "Chamada da linha 1 (barra de destaque)", + "DE.Controllers.Main.txtShape_accentCallout2": "Chamada da linha 2 (barra de destaque)", + "DE.Controllers.Main.txtShape_accentCallout3": "Chamada da linha 3 (barra de destaque)", + "DE.Controllers.Main.txtShape_actionButtonBackPrevious": "Botão Recuar ou Anterior", + "DE.Controllers.Main.txtShape_actionButtonBeginning": "Botão Início", + "DE.Controllers.Main.txtShape_actionButtonBlank": "Botão vazio", + "DE.Controllers.Main.txtShape_actionButtonDocument": "Botão Documento", + "DE.Controllers.Main.txtShape_actionButtonEnd": "Botão Final", + "DE.Controllers.Main.txtShape_actionButtonForwardNext": "Botões Recuar e/ou Avançar", + "DE.Controllers.Main.txtShape_actionButtonHelp": "Botão Ajuda", + "DE.Controllers.Main.txtShape_actionButtonHome": "Botão Base", + "DE.Controllers.Main.txtShape_actionButtonInformation": "Botão Informação", + "DE.Controllers.Main.txtShape_actionButtonMovie": "Botão Filme", + "DE.Controllers.Main.txtShape_actionButtonReturn": "Botão de Voltar", + "DE.Controllers.Main.txtShape_actionButtonSound": "Botão Som", + "DE.Controllers.Main.txtShape_arc": "Arco", + "DE.Controllers.Main.txtShape_bentArrow": "Seta curvada", + "DE.Controllers.Main.txtShape_bentConnector5": "Conector angular", + "DE.Controllers.Main.txtShape_bentConnector5WithArrow": "Conector de seta angular", + "DE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Conector de seta dupla angulada", + "DE.Controllers.Main.txtShape_bentUpArrow": "Seta para cima dobrada", + "DE.Controllers.Main.txtShape_bevel": "Chanfro", + "DE.Controllers.Main.txtShape_blockArc": "Arco de bloco", + "DE.Controllers.Main.txtShape_borderCallout1": "Chamada da linha 1", + "DE.Controllers.Main.txtShape_borderCallout2": "Chamada da linha 2", + "DE.Controllers.Main.txtShape_borderCallout3": "Chamada da linha 3", + "DE.Controllers.Main.txtShape_bracePair": "Chaveta dupla", + "DE.Controllers.Main.txtShape_callout1": "Chamada da linha 1 (sem contorno)", + "DE.Controllers.Main.txtShape_callout2": "Chamada da linha 2 (sem contorno)", + "DE.Controllers.Main.txtShape_callout3": "Chamada da linha 3 (sem contorno)", + "DE.Controllers.Main.txtShape_can": "Pode", + "DE.Controllers.Main.txtShape_chevron": "Divisa", + "DE.Controllers.Main.txtShape_chord": "Acorde", + "DE.Controllers.Main.txtShape_circularArrow": "Seta circular", + "DE.Controllers.Main.txtShape_cloud": "Nuvem", + "DE.Controllers.Main.txtShape_cloudCallout": "Texto explicativo na nuvem", + "DE.Controllers.Main.txtShape_corner": "Canto", + "DE.Controllers.Main.txtShape_cube": "Cubo", + "DE.Controllers.Main.txtShape_curvedConnector3": "Conector curvado", + "DE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Conector de seta curvada", + "DE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Conector de seta dupla curvado", + "DE.Controllers.Main.txtShape_curvedDownArrow": "Seta curvada para baixo", + "DE.Controllers.Main.txtShape_curvedLeftArrow": "Seta curvada para a esquerda", + "DE.Controllers.Main.txtShape_curvedRightArrow": "Seta curvava para a direita", + "DE.Controllers.Main.txtShape_curvedUpArrow": "Seta curvada para cima", + "DE.Controllers.Main.txtShape_decagon": "Decágono", + "DE.Controllers.Main.txtShape_diagStripe": "Faixa diagonal", + "DE.Controllers.Main.txtShape_diamond": "Diamante", + "DE.Controllers.Main.txtShape_dodecagon": "Dodecágono", + "DE.Controllers.Main.txtShape_donut": "Donut", + "DE.Controllers.Main.txtShape_doubleWave": "Til", + "DE.Controllers.Main.txtShape_downArrow": "Seta para baixo", + "DE.Controllers.Main.txtShape_downArrowCallout": "Chamada com seta para baixo", + "DE.Controllers.Main.txtShape_ellipse": "Elipse", + "DE.Controllers.Main.txtShape_ellipseRibbon": "Faixa curvada para baixo", + "DE.Controllers.Main.txtShape_ellipseRibbon2": "Faixa curvada para cima", + "DE.Controllers.Main.txtShape_flowChartAlternateProcess": "Fluxograma: Processo alternativo", + "DE.Controllers.Main.txtShape_flowChartCollate": "Fluxograma: Agrupar", + "DE.Controllers.Main.txtShape_flowChartConnector": "Fluxograma: Conector", + "DE.Controllers.Main.txtShape_flowChartDecision": "Fluxograma: Decisão", + "DE.Controllers.Main.txtShape_flowChartDelay": "Fluxograma: Atraso", + "DE.Controllers.Main.txtShape_flowChartDisplay": "Fluxograma: Exibir", + "DE.Controllers.Main.txtShape_flowChartDocument": "Fluxograma: Documento", + "DE.Controllers.Main.txtShape_flowChartExtract": "Fluxograma: Extrair", + "DE.Controllers.Main.txtShape_flowChartInputOutput": "Fluxograma: Dados", + "DE.Controllers.Main.txtShape_flowChartInternalStorage": "Fluxograma: Armazenamento interno", + "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "Fluxograma: Disco magnético", + "DE.Controllers.Main.txtShape_flowChartMagneticDrum": "Fluxograma: Armazenamento de acesso direto", + "DE.Controllers.Main.txtShape_flowChartMagneticTape": "Fluxograma: Armazenamento de acesso sequencial", + "DE.Controllers.Main.txtShape_flowChartManualInput": "Fluxograma: Entrada manual", + "DE.Controllers.Main.txtShape_flowChartManualOperation": "Fluxograma: Operação manual", + "DE.Controllers.Main.txtShape_flowChartMerge": "Fluxograma: Unir", + "DE.Controllers.Main.txtShape_flowChartMultidocument": "Fluxograma: Vários documentos", + "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "Fluxograma: Conector fora da página", + "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "Fluxograma: Dados armazenados", + "DE.Controllers.Main.txtShape_flowChartOr": "Fluxograma: Ou", + "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Fluxograma: Processo predefinido", + "DE.Controllers.Main.txtShape_flowChartPreparation": "Fluxograma: Preparação", + "DE.Controllers.Main.txtShape_flowChartProcess": "Fluxograma: Processo", + "DE.Controllers.Main.txtShape_flowChartPunchedCard": "Fluxograma: Cartão", + "DE.Controllers.Main.txtShape_flowChartPunchedTape": "Fluxograma: Fita perfurada", + "DE.Controllers.Main.txtShape_flowChartSort": "Fluxograma: Ordenar", + "DE.Controllers.Main.txtShape_flowChartSummingJunction": "Fluxograma: Junção de Soma", + "DE.Controllers.Main.txtShape_flowChartTerminator": "Fluxograma: Exterminador", + "DE.Controllers.Main.txtShape_foldedCorner": "Canto dobrado", + "DE.Controllers.Main.txtShape_frame": "Moldura", + "DE.Controllers.Main.txtShape_halfFrame": "Meia moldura", + "DE.Controllers.Main.txtShape_heart": "Coração", + "DE.Controllers.Main.txtShape_heptagon": "Heptágono", + "DE.Controllers.Main.txtShape_hexagon": "Hexágono", + "DE.Controllers.Main.txtShape_homePlate": "Pentágono", + "DE.Controllers.Main.txtShape_horizontalScroll": "Deslocação horizontal", + "DE.Controllers.Main.txtShape_irregularSeal1": "Explosão 1", + "DE.Controllers.Main.txtShape_irregularSeal2": "Explosão 2", + "DE.Controllers.Main.txtShape_leftArrow": "Seta para esquerda", + "DE.Controllers.Main.txtShape_leftArrowCallout": "Chamada com seta para a esquerda", + "DE.Controllers.Main.txtShape_leftBrace": "Chaveta esquerda", + "DE.Controllers.Main.txtShape_leftBracket": "Parêntese esquerdo", + "DE.Controllers.Main.txtShape_leftRightArrow": "Seta para a esquerda e para a direita", + "DE.Controllers.Main.txtShape_leftRightArrowCallout": "Chamada com seta para a esquerda e direita", + "DE.Controllers.Main.txtShape_leftRightUpArrow": "Seta para cima, para a direita e para a esquerda", + "DE.Controllers.Main.txtShape_leftUpArrow": "Seta para a esquerda e para cima", + "DE.Controllers.Main.txtShape_lightningBolt": "Relâmpago", + "DE.Controllers.Main.txtShape_line": "Linha", + "DE.Controllers.Main.txtShape_lineWithArrow": "Seta", + "DE.Controllers.Main.txtShape_lineWithTwoArrows": "Seta dupla", + "DE.Controllers.Main.txtShape_mathDivide": "Divisão", + "DE.Controllers.Main.txtShape_mathEqual": "Igual", + "DE.Controllers.Main.txtShape_mathMinus": "Menos", + "DE.Controllers.Main.txtShape_mathMultiply": "Multiplicar", + "DE.Controllers.Main.txtShape_mathNotEqual": "Não é igual", + "DE.Controllers.Main.txtShape_mathPlus": "Mais", + "DE.Controllers.Main.txtShape_moon": "Lua", + "DE.Controllers.Main.txtShape_noSmoking": "Símbolo \"Não\"", + "DE.Controllers.Main.txtShape_notchedRightArrow": "Seta entalhada para a direita", + "DE.Controllers.Main.txtShape_octagon": "Octógono", + "DE.Controllers.Main.txtShape_parallelogram": "Paralelograma", + "DE.Controllers.Main.txtShape_pentagon": "Pentágono", + "DE.Controllers.Main.txtShape_pie": "Tarte", + "DE.Controllers.Main.txtShape_plaque": "Assinar", + "DE.Controllers.Main.txtShape_plus": "Mais", + "DE.Controllers.Main.txtShape_polyline1": "Rabisco", + "DE.Controllers.Main.txtShape_polyline2": "Forma livre", + "DE.Controllers.Main.txtShape_quadArrow": "Seta cruzada", + "DE.Controllers.Main.txtShape_quadArrowCallout": "Chamada com seta cruzada", + "DE.Controllers.Main.txtShape_rect": "Retângulo", + "DE.Controllers.Main.txtShape_ribbon": "Faixa para baixo", + "DE.Controllers.Main.txtShape_ribbon2": "Faixa para cima", + "DE.Controllers.Main.txtShape_rightArrow": "Seta para a direita", + "DE.Controllers.Main.txtShape_rightArrowCallout": "Chamada com seta para a direita", + "DE.Controllers.Main.txtShape_rightBrace": "Chaveta à Direita", + "DE.Controllers.Main.txtShape_rightBracket": "Parêntese direito", + "DE.Controllers.Main.txtShape_round1Rect": "Retângulo de Apenas Um Canto Redondo", + "DE.Controllers.Main.txtShape_round2DiagRect": "Retângulo Diagonal Redondo", + "DE.Controllers.Main.txtShape_round2SameRect": "Retângulo do Mesmo Lado Redondo", + "DE.Controllers.Main.txtShape_roundRect": "Retângulo de Cantos Redondos", + "DE.Controllers.Main.txtShape_rtTriangle": "Triângulo à Direita", + "DE.Controllers.Main.txtShape_smileyFace": "Sorriso", + "DE.Controllers.Main.txtShape_snip1Rect": "Retângulo de Canto Cortado", + "DE.Controllers.Main.txtShape_snip2DiagRect": "Retângulo de Cantos Diagonais Cortados", + "DE.Controllers.Main.txtShape_snip2SameRect": "Retângulo de Cantos Cortados No Mesmo Lado", + "DE.Controllers.Main.txtShape_snipRoundRect": "Retângulo Com Canto Arredondado e Canto Cortado", + "DE.Controllers.Main.txtShape_spline": "Curva", + "DE.Controllers.Main.txtShape_star10": "Estrela de 10 pontos", + "DE.Controllers.Main.txtShape_star12": "Estrela de 12 pontos", + "DE.Controllers.Main.txtShape_star16": "Estrela de 16 pontos", + "DE.Controllers.Main.txtShape_star24": "Estrela de 24 pontos", + "DE.Controllers.Main.txtShape_star32": "Estrela de 32 pontos", + "DE.Controllers.Main.txtShape_star4": "Estrela de 4 pontos", + "DE.Controllers.Main.txtShape_star5": "Estrela de 5 pontos", + "DE.Controllers.Main.txtShape_star6": "Estrela de 6 pontos", + "DE.Controllers.Main.txtShape_star7": "Estrela de 7 pontos", + "DE.Controllers.Main.txtShape_star8": "Estrela de 8 pontos", + "DE.Controllers.Main.txtShape_stripedRightArrow": "Seta riscada para a direita", + "DE.Controllers.Main.txtShape_sun": "Sol", + "DE.Controllers.Main.txtShape_teardrop": "Lágrima", + "DE.Controllers.Main.txtShape_textRect": "Caixa de texto", + "DE.Controllers.Main.txtShape_trapezoid": "Trapézio", + "DE.Controllers.Main.txtShape_triangle": "Triângulo", + "DE.Controllers.Main.txtShape_upArrow": "Seta para cima", + "DE.Controllers.Main.txtShape_upArrowCallout": "Chamada com seta para cima", + "DE.Controllers.Main.txtShape_upDownArrow": "Seta para cima e para baixo", + "DE.Controllers.Main.txtShape_uturnArrow": "Seta em forma de U", + "DE.Controllers.Main.txtShape_verticalScroll": "Deslocação vertical", + "DE.Controllers.Main.txtShape_wave": "Onda", + "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "Chamada oval", + "DE.Controllers.Main.txtShape_wedgeRectCallout": "Chamada retangular", + "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Chamada retangular arredondada", + "DE.Controllers.Main.txtStarsRibbons": "Estrelas e arco-íris", + "DE.Controllers.Main.txtStyle_Caption": "Legenda", + "DE.Controllers.Main.txtStyle_endnote_text": "Texto da nota final", + "DE.Controllers.Main.txtStyle_footnote_text": "Texto da nota de rodapé", + "DE.Controllers.Main.txtStyle_Heading_1": "Título 1", + "DE.Controllers.Main.txtStyle_Heading_2": "Título 2", + "DE.Controllers.Main.txtStyle_Heading_3": "Título 3", + "DE.Controllers.Main.txtStyle_Heading_4": "Título 4", + "DE.Controllers.Main.txtStyle_Heading_5": "Título 5", + "DE.Controllers.Main.txtStyle_Heading_6": "Título 6", + "DE.Controllers.Main.txtStyle_Heading_7": "Título 7", + "DE.Controllers.Main.txtStyle_Heading_8": "Título 8", + "DE.Controllers.Main.txtStyle_Heading_9": "Título 9", + "DE.Controllers.Main.txtStyle_Intense_Quote": "Citação forte", + "DE.Controllers.Main.txtStyle_List_Paragraph": "Parágrafo em lista", + "DE.Controllers.Main.txtStyle_No_Spacing": "Sem espaçamento", + "DE.Controllers.Main.txtStyle_Normal": "Normal", + "DE.Controllers.Main.txtStyle_Quote": "Citar", + "DE.Controllers.Main.txtStyle_Subtitle": "Subtítulo", + "DE.Controllers.Main.txtStyle_Title": "Titulo", + "DE.Controllers.Main.txtSyntaxError": "Erro de Sintaxe", + "DE.Controllers.Main.txtTableInd": "O Índice da Tabela Não Pode Ser Zero", + "DE.Controllers.Main.txtTableOfContents": "Índice remissivo", + "DE.Controllers.Main.txtTableOfFigures": "Tabela de figuras", + "DE.Controllers.Main.txtTOCHeading": "Cabeçalho do Índice", + "DE.Controllers.Main.txtTooLarge": "Número Demasiado Grande para Formatar", + "DE.Controllers.Main.txtTypeEquation": "Digite uma equação aqui.", + "DE.Controllers.Main.txtUndefBookmark": "Marcador Não-Definido", + "DE.Controllers.Main.txtXAxis": "Eixo X", + "DE.Controllers.Main.txtYAxis": "Eixo Y", + "DE.Controllers.Main.txtZeroDivide": "Divisão por zero", + "DE.Controllers.Main.unknownErrorText": "Erro desconhecido.", + "DE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", + "DE.Controllers.Main.uploadDocExtMessage": "Formato de documento desconhecido.", + "DE.Controllers.Main.uploadDocFileCountMessage": "Nenhum documento foi carregado.", + "DE.Controllers.Main.uploadDocSizeMessage": "Excedeu o limite de tamanho para o documento.", + "DE.Controllers.Main.uploadImageExtMessage": "Formato desconhecido", + "DE.Controllers.Main.uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "DE.Controllers.Main.uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB.", + "DE.Controllers.Main.uploadImageTextText": "A enviar imagem...", + "DE.Controllers.Main.uploadImageTitleText": "A enviar imagem", + "DE.Controllers.Main.waitText": "Aguarde...", + "DE.Controllers.Main.warnBrowserIE9": "A aplicação não funciona corretamente com IE9. Deve utilizar IE10 ou superior", + "DE.Controllers.Main.warnBrowserZoom": "A definição 'zoom' do seu navegador não é totalmente suportada. Prima Ctrl+0 para repor o valor padrão.", + "DE.Controllers.Main.warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
    Contacte o administrador para obter mais detalhes.", + "DE.Controllers.Main.warnLicenseExp": "A sua licença expirou.
    Deve atualizar a licença e recarregar a página.", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Licença expirada.
    Não pode editar o documento.
    Contacte o administrador de sistemas.", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "Tem que renovar a sua licença.
    A edição de documentos está limitada.
    Contacte o administrador de sistemas para obter acesso completo.", + "DE.Controllers.Main.warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "DE.Controllers.Main.warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
    Contacte a equipa comercial %1 para saber mais sobre os termos de licenciamento.", + "DE.Controllers.Main.warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "DE.Controllers.Main.warnProcessRightsChange": "Você não tem permissões para editar o ficheiro.", + "DE.Controllers.Navigation.txtBeginning": "Início do documento", + "DE.Controllers.Navigation.txtGotoBeginning": "Ir para o início do documento", + "DE.Controllers.Statusbar.textDisconnect": "Sem Ligação
    A tentar ligar. Por favor, verifique as definições de ligação.", + "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", + "DE.Controllers.Statusbar.textSetTrackChanges": "Está no modo Registar Alterações", + "DE.Controllers.Statusbar.textTrackChanges": "The document is opened with the Track Changes mode enabled", + "DE.Controllers.Statusbar.tipReview": "Rastrear alterações", + "DE.Controllers.Statusbar.zoomText": "Zoom {0}%", + "DE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
    The text style will be displayed using one of the device fonts, the saved font will be used when it is available.
    Do you want to continue?", + "DE.Controllers.Toolbar.dataUrl": "Colar um URL de dados", + "DE.Controllers.Toolbar.notcriticalErrorTitle": "Aviso", + "DE.Controllers.Toolbar.textAccent": "Destaques", + "DE.Controllers.Toolbar.textBracket": "Parênteses", + "DE.Controllers.Toolbar.textEmptyImgUrl": "Tem que especificar o URL da imagem.", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "Precisa de especificar o URL.", + "DE.Controllers.Toolbar.textFontSizeErr": "O valor inserido não está correto.
    Introduza um valor numérico entre 1 e 300.", + "DE.Controllers.Toolbar.textFraction": "Frações", + "DE.Controllers.Toolbar.textFunction": "Funções", + "DE.Controllers.Toolbar.textGroup": "Grupo", + "DE.Controllers.Toolbar.textInsert": "Inserir", + "DE.Controllers.Toolbar.textIntegral": "Inteiros", + "DE.Controllers.Toolbar.textLargeOperator": "Grandes operadores", + "DE.Controllers.Toolbar.textLimitAndLog": "Limites e logaritmos", + "DE.Controllers.Toolbar.textMatrix": "Matrizes", + "DE.Controllers.Toolbar.textOperator": "Operadores", + "DE.Controllers.Toolbar.textRadical": "Radicais", + "DE.Controllers.Toolbar.textRecentlyUsed": "Utilizado recentemente", + "DE.Controllers.Toolbar.textScript": "Scripts", + "DE.Controllers.Toolbar.textSymbols": "Símbolos", + "DE.Controllers.Toolbar.textTabForms": "Formulários", + "DE.Controllers.Toolbar.textWarning": "Aviso", + "DE.Controllers.Toolbar.txtAccent_Accent": "Agudo", + "DE.Controllers.Toolbar.txtAccent_ArrowD": "Seta para direita-esquerda acima", + "DE.Controllers.Toolbar.txtAccent_ArrowL": "Seta adiante para cima", + "DE.Controllers.Toolbar.txtAccent_ArrowR": "Seta para direita acima", + "DE.Controllers.Toolbar.txtAccent_Bar": "Barra", + "DE.Controllers.Toolbar.txtAccent_BarBot": "Barra inferior", + "DE.Controllers.Toolbar.txtAccent_BarTop": "Barra superior", + "DE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula embalada (com Placeholder)", + "DE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula embalada(Exemplo)", + "DE.Controllers.Toolbar.txtAccent_Check": "Verificar", + "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Chave Inferior", + "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Chave Superior", + "DE.Controllers.Toolbar.txtAccent_Custom_1": "Vetor A", + "DE.Controllers.Toolbar.txtAccent_Custom_2": "ABC com barra superior ", + "DE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y com barra superior", + "DE.Controllers.Toolbar.txtAccent_DDDot": "Ponto triplo", + "DE.Controllers.Toolbar.txtAccent_DDot": "Ponto duplo", + "DE.Controllers.Toolbar.txtAccent_Dot": "Ponto", + "DE.Controllers.Toolbar.txtAccent_DoubleBar": "Barra superior dupla", + "DE.Controllers.Toolbar.txtAccent_Grave": "Grave", + "DE.Controllers.Toolbar.txtAccent_GroupBot": "Agrupamento de caracteres abaixo", + "DE.Controllers.Toolbar.txtAccent_GroupTop": "Agrupamento de caracteres acima", + "DE.Controllers.Toolbar.txtAccent_HarpoonL": "Arpão adiante para cima", + "DE.Controllers.Toolbar.txtAccent_HarpoonR": "Arpão para direita acima", + "DE.Controllers.Toolbar.txtAccent_Hat": "Acento circunflexo", + "DE.Controllers.Toolbar.txtAccent_Smile": "Breve", + "DE.Controllers.Toolbar.txtAccent_Tilde": "Til", + "DE.Controllers.Toolbar.txtBracket_Angle": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Parênteses com separadores", + "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Parênteses com separadores", + "DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Curve": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Parênteses com separadores", + "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Custom_1": "Casos (Duas Condições)", + "DE.Controllers.Toolbar.txtBracket_Custom_2": "Casos (Três Condições)", + "DE.Controllers.Toolbar.txtBracket_Custom_3": "Objeto Empilhado", + "DE.Controllers.Toolbar.txtBracket_Custom_4": "Objeto Empilhado", + "DE.Controllers.Toolbar.txtBracket_Custom_5": "Exemplo de casos", + "DE.Controllers.Toolbar.txtBracket_Custom_6": "Coeficiente binominal", + "DE.Controllers.Toolbar.txtBracket_Custom_7": "Coeficiente binominal", + "DE.Controllers.Toolbar.txtBracket_Line": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_LineDouble": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_LowLim": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Round": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Parênteses com separadores", + "DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Square": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_SquareDouble": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_UppLim": "Parênteses", + "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Colchete Simples", + "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Colchete Simples", + "DE.Controllers.Toolbar.txtFractionDiagonal": "Fração inclinada", + "DE.Controllers.Toolbar.txtFractionDifferential_1": "Diferencial", + "DE.Controllers.Toolbar.txtFractionDifferential_2": "Diferencial", + "DE.Controllers.Toolbar.txtFractionDifferential_3": "Diferencial", + "DE.Controllers.Toolbar.txtFractionDifferential_4": "Diferencial", + "DE.Controllers.Toolbar.txtFractionHorizontal": "Fração linear", + "DE.Controllers.Toolbar.txtFractionPi_2": "Pi sobre 2", + "DE.Controllers.Toolbar.txtFractionSmall": "Fração pequena", + "DE.Controllers.Toolbar.txtFractionVertical": "Fração Empilhada", + "DE.Controllers.Toolbar.txtFunction_1_Cos": "Função cosseno inverso", + "DE.Controllers.Toolbar.txtFunction_1_Cosh": "Função cosseno inverso hiperbólico", + "DE.Controllers.Toolbar.txtFunction_1_Cot": "Função cotangente inversa", + "DE.Controllers.Toolbar.txtFunction_1_Coth": "Função cotangente inversa hiperbólica", + "DE.Controllers.Toolbar.txtFunction_1_Csc": "Função cossecante inversa", + "DE.Controllers.Toolbar.txtFunction_1_Csch": "Função cossecante inversa hiperbólica", + "DE.Controllers.Toolbar.txtFunction_1_Sec": "Função secante inversa", + "DE.Controllers.Toolbar.txtFunction_1_Sech": "Função secante inversa hiperbólica", + "DE.Controllers.Toolbar.txtFunction_1_Sin": "Função seno inverso", + "DE.Controllers.Toolbar.txtFunction_1_Sinh": "Função seno inverso hiperbólico", + "DE.Controllers.Toolbar.txtFunction_1_Tan": "Função tangente inversa", + "DE.Controllers.Toolbar.txtFunction_1_Tanh": "Função tangente inversa hiperbólica", + "DE.Controllers.Toolbar.txtFunction_Cos": "Função cosseno", + "DE.Controllers.Toolbar.txtFunction_Cosh": "Função cosseno hiperbólico", + "DE.Controllers.Toolbar.txtFunction_Cot": "Função cotangente", + "DE.Controllers.Toolbar.txtFunction_Coth": "Função cotangente hiperbólica", + "DE.Controllers.Toolbar.txtFunction_Csc": "Função cossecante", + "DE.Controllers.Toolbar.txtFunction_Csch": "Função co-secante hiperbólica", + "DE.Controllers.Toolbar.txtFunction_Custom_1": "Teta seno", + "DE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "DE.Controllers.Toolbar.txtFunction_Custom_3": "Fórmula da tangente", + "DE.Controllers.Toolbar.txtFunction_Sec": "Função secante", + "DE.Controllers.Toolbar.txtFunction_Sech": "Função secante hiperbólica", + "DE.Controllers.Toolbar.txtFunction_Sin": "Função de seno", + "DE.Controllers.Toolbar.txtFunction_Sinh": "Função seno hiperbólico", + "DE.Controllers.Toolbar.txtFunction_Tan": "Função da tangente", + "DE.Controllers.Toolbar.txtFunction_Tanh": "Função tangente hiperbólica", + "DE.Controllers.Toolbar.txtIntegral": "Inteiro", + "DE.Controllers.Toolbar.txtIntegral_dtheta": "Teta diferencial", + "DE.Controllers.Toolbar.txtIntegral_dx": "Diferencial x", + "DE.Controllers.Toolbar.txtIntegral_dy": "Diferencial y", + "DE.Controllers.Toolbar.txtIntegralCenterSubSup": "Inteiro", + "DE.Controllers.Toolbar.txtIntegralDouble": "Inteiro duplo", + "DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Inteiro duplo", + "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Inteiro duplo", + "DE.Controllers.Toolbar.txtIntegralOriented": "Contorno integral", + "DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contorno integral", + "DE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integral de Superfície", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integral de Superfície", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integral de Superfície", + "DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contorno integral", + "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "Integral de Volume", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Integral de Volume", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Integral de Volume", + "DE.Controllers.Toolbar.txtIntegralSubSup": "Inteiro", + "DE.Controllers.Toolbar.txtIntegralTriple": "Inteiro triplo", + "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Inteiro triplo", + "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "Inteiro triplo", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Triangular", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Triangular", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Triangular", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Triangular", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Triangular", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coproduto", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coproduto", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coproduto", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coproduto", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coproduto", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "União", + "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": "Interseção", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Interseção", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Interseção", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Interseção", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Interseção", + "DE.Controllers.Toolbar.txtLargeOperator_Prod": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produto", + "DE.Controllers.Toolbar.txtLargeOperator_Sum": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Somatório", + "DE.Controllers.Toolbar.txtLargeOperator_Union": "União", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "União", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "União", + "DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "União", + "DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "União", + "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "Exemplo limite", + "DE.Controllers.Toolbar.txtLimitLog_Custom_2": "Exemplo máximo", + "DE.Controllers.Toolbar.txtLimitLog_Lim": "Limite", + "DE.Controllers.Toolbar.txtLimitLog_Ln": "Logaritmo natural", + "DE.Controllers.Toolbar.txtLimitLog_Log": "Logaritmo", + "DE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritmo", + "DE.Controllers.Toolbar.txtLimitLog_Max": "Máximo", + "DE.Controllers.Toolbar.txtLimitLog_Min": "Mínimo", + "DE.Controllers.Toolbar.txtMarginsH": "As margens superior e inferior são muito grandes para a altura indicada", + "DE.Controllers.Toolbar.txtMarginsW": "As margens direita e esquerda são muito grandes para a largura indicada", + "DE.Controllers.Toolbar.txtMatrix_1_2": "Matriz vazia 1x2", + "DE.Controllers.Toolbar.txtMatrix_1_3": "Matriz vazia 1x3", + "DE.Controllers.Toolbar.txtMatrix_2_1": "Matriz vazia 2x1", + "DE.Controllers.Toolbar.txtMatrix_2_2": "Matriz vazia 2x2", + "DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriz vazia com parênteses", + "DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriz vazia com parênteses", + "DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriz vazia com parênteses", + "DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriz vazia com parênteses", + "DE.Controllers.Toolbar.txtMatrix_2_3": "Matriz vazia 2x3", + "DE.Controllers.Toolbar.txtMatrix_3_1": "Matriz vazia 3x1", + "DE.Controllers.Toolbar.txtMatrix_3_2": "Matriz vazia 3x2", + "DE.Controllers.Toolbar.txtMatrix_3_3": "Matriz vazia 3x3", + "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Pontos da linha base", + "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "Pontos de linha média", + "DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Pontos diagonais", + "DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Pontos verticais", + "DE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriz dispersa", + "DE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriz dispersa", + "DE.Controllers.Toolbar.txtMatrix_Identity_2": "Matriz da identidade 2x2", + "DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriz da identidade 3x3", + "DE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriz da identidade 3x3", + "DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriz da identidade 3x3", + "DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Seta para direita esquerda abaixo", + "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Seta para direita-esquerda acima", + "DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Seta à esquerda para baixo", + "DE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Seta adiante para cima", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Seta para direita abaixo", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Seta para direita acima", + "DE.Controllers.Toolbar.txtOperator_ColonEquals": "Dois-pontos-Sinal de Igual", + "DE.Controllers.Toolbar.txtOperator_Custom_1": "Resultados", + "DE.Controllers.Toolbar.txtOperator_Custom_2": "Resultados de Delta", + "DE.Controllers.Toolbar.txtOperator_Definition": "Igual a por definição", + "DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta igual a", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Seta para direita esquerda abaixo", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Seta para direita-esquerda acima", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Seta à esquerda para baixo", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Seta adiante para cima", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Seta para direita abaixo", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Seta para direita acima", + "DE.Controllers.Toolbar.txtOperator_EqualsEquals": "Sinal de Igual-Sinal de Igual", + "DE.Controllers.Toolbar.txtOperator_MinusEquals": "Sinal de Menos-Sinal de Igual", + "DE.Controllers.Toolbar.txtOperator_PlusEquals": "Sinal de Mais-Sinal de Igual", + "DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Medido por", + "DE.Controllers.Toolbar.txtRadicalCustom_1": "Radical", + "DE.Controllers.Toolbar.txtRadicalCustom_2": "Radical", + "DE.Controllers.Toolbar.txtRadicalRoot_2": "Raiz quadrada com grau", + "DE.Controllers.Toolbar.txtRadicalRoot_3": "Raiz cúbica", + "DE.Controllers.Toolbar.txtRadicalRoot_n": "Radical com grau", + "DE.Controllers.Toolbar.txtRadicalSqrt": "Raiz quadrada", + "DE.Controllers.Toolbar.txtScriptCustom_1": "Script", + "DE.Controllers.Toolbar.txtScriptCustom_2": "Script", + "DE.Controllers.Toolbar.txtScriptCustom_3": "Script", + "DE.Controllers.Toolbar.txtScriptCustom_4": "Script", + "DE.Controllers.Toolbar.txtScriptSub": "Subscrito", + "DE.Controllers.Toolbar.txtScriptSubSup": "Subscrito-Sobrescrito", + "DE.Controllers.Toolbar.txtScriptSubSupLeft": "LeftSubscript-Superscript", + "DE.Controllers.Toolbar.txtScriptSup": "Sobrescrito", + "DE.Controllers.Toolbar.txtSymbol_about": "Aproximadamente", + "DE.Controllers.Toolbar.txtSymbol_additional": "Complemento", + "DE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "DE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", + "DE.Controllers.Toolbar.txtSymbol_approx": "Quase igual a", + "DE.Controllers.Toolbar.txtSymbol_ast": "Operador de asterisco", + "DE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "DE.Controllers.Toolbar.txtSymbol_beth": "Aposta", + "DE.Controllers.Toolbar.txtSymbol_bullet": "Operador de marcador", + "DE.Controllers.Toolbar.txtSymbol_cap": "Interseção", + "DE.Controllers.Toolbar.txtSymbol_cbrt": "Raiz cúbica", + "DE.Controllers.Toolbar.txtSymbol_cdots": "Reticências horizontais de linha média", + "DE.Controllers.Toolbar.txtSymbol_celsius": "Graus Celsius", + "DE.Controllers.Toolbar.txtSymbol_chi": "Ki", + "DE.Controllers.Toolbar.txtSymbol_cong": "Aproximadamente igual a", + "DE.Controllers.Toolbar.txtSymbol_cup": "União", + "DE.Controllers.Toolbar.txtSymbol_ddots": "Reticências diagonal para baixo à direita", + "DE.Controllers.Toolbar.txtSymbol_degree": "Graus", + "DE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "DE.Controllers.Toolbar.txtSymbol_div": "Sinal de divisão", + "DE.Controllers.Toolbar.txtSymbol_downarrow": "Seta para baixo", + "DE.Controllers.Toolbar.txtSymbol_emptyset": "Conjunto vazio", + "DE.Controllers.Toolbar.txtSymbol_epsilon": "Epsílon", + "DE.Controllers.Toolbar.txtSymbol_equals": "Igual", + "DE.Controllers.Toolbar.txtSymbol_equiv": "Idêntico a", + "DE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "DE.Controllers.Toolbar.txtSymbol_exists": "Existe", + "DE.Controllers.Toolbar.txtSymbol_factorial": "Fatorial", + "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "Graus Fahrenheit", + "DE.Controllers.Toolbar.txtSymbol_forall": "Para todos", + "DE.Controllers.Toolbar.txtSymbol_gamma": "Gama", + "DE.Controllers.Toolbar.txtSymbol_geq": "Superior a ou igual a", + "DE.Controllers.Toolbar.txtSymbol_gg": "Muito superior a", + "DE.Controllers.Toolbar.txtSymbol_greater": "Superior a", + "DE.Controllers.Toolbar.txtSymbol_in": "Elemento de", + "DE.Controllers.Toolbar.txtSymbol_inc": "Incremento", + "DE.Controllers.Toolbar.txtSymbol_infinity": "Infinidade", + "DE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "DE.Controllers.Toolbar.txtSymbol_kappa": "Capa", + "DE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", + "DE.Controllers.Toolbar.txtSymbol_leftarrow": "Seta para esquerda", + "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Seta esquerda-direita", + "DE.Controllers.Toolbar.txtSymbol_leq": "Inferior a ou igual a", + "DE.Controllers.Toolbar.txtSymbol_less": "Inferior a", + "DE.Controllers.Toolbar.txtSymbol_ll": "Muito inferior a", + "DE.Controllers.Toolbar.txtSymbol_minus": "Menos", + "DE.Controllers.Toolbar.txtSymbol_mp": "Sinal de Menos-Sinal de Mais", + "DE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "DE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "DE.Controllers.Toolbar.txtSymbol_neq": "Não igual a", + "DE.Controllers.Toolbar.txtSymbol_ni": "Contém como membro", + "DE.Controllers.Toolbar.txtSymbol_not": "Não entrar", + "DE.Controllers.Toolbar.txtSymbol_notexists": "Não existe", + "DE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "DE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "DE.Controllers.Toolbar.txtSymbol_omega": "Ômega", + "DE.Controllers.Toolbar.txtSymbol_partial": "Diferencial parcial", + "DE.Controllers.Toolbar.txtSymbol_percent": "Porcentagem", + "DE.Controllers.Toolbar.txtSymbol_phi": "Fi", + "DE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "DE.Controllers.Toolbar.txtSymbol_plus": "Mais", + "DE.Controllers.Toolbar.txtSymbol_pm": "Sinal de Menos-Sinal de Igual", + "DE.Controllers.Toolbar.txtSymbol_propto": "Proporcional a", + "DE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "DE.Controllers.Toolbar.txtSymbol_qdrt": "Quarta raiz", + "DE.Controllers.Toolbar.txtSymbol_qed": "Fim da prova", + "DE.Controllers.Toolbar.txtSymbol_rddots": "Reticências diagonal direitas para cima", + "DE.Controllers.Toolbar.txtSymbol_rho": "Rô", + "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Seta para direita", + "DE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "DE.Controllers.Toolbar.txtSymbol_sqrt": "Sinal de Radical", + "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "DE.Controllers.Toolbar.txtSymbol_therefore": "Portanto", + "DE.Controllers.Toolbar.txtSymbol_theta": "Teta", + "DE.Controllers.Toolbar.txtSymbol_times": "Sinal de multiplicação", + "DE.Controllers.Toolbar.txtSymbol_uparrow": "Seta para cima", + "DE.Controllers.Toolbar.txtSymbol_upsilon": "Ípsilon", + "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Variante de Epsílon", + "DE.Controllers.Toolbar.txtSymbol_varphi": "Variante de fi", + "DE.Controllers.Toolbar.txtSymbol_varpi": "Variante de Pi", + "DE.Controllers.Toolbar.txtSymbol_varrho": "Variante de Rô", + "DE.Controllers.Toolbar.txtSymbol_varsigma": "Variante de Sigma", + "DE.Controllers.Toolbar.txtSymbol_vartheta": "Variante de Teta", + "DE.Controllers.Toolbar.txtSymbol_vdots": "Reticências verticais", + "DE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "DE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "DE.Controllers.Viewport.textFitPage": "Ajustar à página", + "DE.Controllers.Viewport.textFitWidth": "Ajustar à largura", + "DE.Controllers.Viewport.txtDarkMode": "Modo escuro", + "DE.Views.AddNewCaptionLabelDialog.textLabel": "Etiqueta:", + "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Etiqueta não deve estar em branco.", + "DE.Views.BookmarksDialog.textAdd": "Adicionar", + "DE.Views.BookmarksDialog.textBookmarkName": "Nome do marcador", + "DE.Views.BookmarksDialog.textClose": "Fechar", + "DE.Views.BookmarksDialog.textCopy": "Copiar", + "DE.Views.BookmarksDialog.textDelete": "Eliminar", + "DE.Views.BookmarksDialog.textGetLink": "Obter ligação", + "DE.Views.BookmarksDialog.textGoto": "Ir para", + "DE.Views.BookmarksDialog.textHidden": "Favoritos ocultos", + "DE.Views.BookmarksDialog.textLocation": "Localização", + "DE.Views.BookmarksDialog.textName": "Nome", + "DE.Views.BookmarksDialog.textSort": "Ordenar por", + "DE.Views.BookmarksDialog.textTitle": "Marcadores", + "DE.Views.BookmarksDialog.txtInvalidName": "Apenas pode utilizar letras, dígitos e sublinhado (_) para o nome do marcador e deve começar com uma letra", + "DE.Views.CaptionDialog.textAdd": "Adicionar", + "DE.Views.CaptionDialog.textAfter": "Depois", + "DE.Views.CaptionDialog.textBefore": "Antes", + "DE.Views.CaptionDialog.textCaption": "Legenda", + "DE.Views.CaptionDialog.textChapter": "Capítulo inicia com estilo", + "DE.Views.CaptionDialog.textChapterInc": "Inclui o número do capítulo", + "DE.Views.CaptionDialog.textColon": "Dois pontos", + "DE.Views.CaptionDialog.textDash": "traço", + "DE.Views.CaptionDialog.textDelete": "Eliminar", + "DE.Views.CaptionDialog.textEquation": "Equação", + "DE.Views.CaptionDialog.textExamples": "Exemplos: Tabela 2-A, Imagem 1.IV", + "DE.Views.CaptionDialog.textExclude": "Eliminar rótulo da legenda", + "DE.Views.CaptionDialog.textFigure": "Figura", + "DE.Views.CaptionDialog.textHyphen": "hífen", + "DE.Views.CaptionDialog.textInsert": "Inserir", + "DE.Views.CaptionDialog.textLabel": "Etiqueta", + "DE.Views.CaptionDialog.textLongDash": "traço longo", + "DE.Views.CaptionDialog.textNumbering": "Numeração", + "DE.Views.CaptionDialog.textPeriod": "período", + "DE.Views.CaptionDialog.textSeparator": "Use separador", + "DE.Views.CaptionDialog.textTable": "Tabela", + "DE.Views.CaptionDialog.textTitle": "Inserir legenda", + "DE.Views.CellsAddDialog.textCol": "Colunas", + "DE.Views.CellsAddDialog.textDown": "Abaixo do cursor", + "DE.Views.CellsAddDialog.textLeft": "Para a esquerda", + "DE.Views.CellsAddDialog.textRight": "Para a direita", + "DE.Views.CellsAddDialog.textRow": "Linhas", + "DE.Views.CellsAddDialog.textTitle": "Insira vários", + "DE.Views.CellsAddDialog.textUp": "Acima do cursor", + "DE.Views.ChartSettings.textAdvanced": "Mostrar definições avançadas", + "DE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico", + "DE.Views.ChartSettings.textEditData": "Editar dados", + "DE.Views.ChartSettings.textHeight": "Altura", + "DE.Views.ChartSettings.textOriginalSize": "Tamanho real", + "DE.Views.ChartSettings.textSize": "Tamanho", + "DE.Views.ChartSettings.textStyle": "Estilo", + "DE.Views.ChartSettings.textUndock": "Desafixar do painel", + "DE.Views.ChartSettings.textWidth": "Largura", + "DE.Views.ChartSettings.textWrap": "Estilo de moldagem", + "DE.Views.ChartSettings.txtBehind": "Atrás", + "DE.Views.ChartSettings.txtInFront": "Em frente", + "DE.Views.ChartSettings.txtInline": "Em Linha com o Texto", + "DE.Views.ChartSettings.txtSquare": "Quadrado", + "DE.Views.ChartSettings.txtThrough": "Através", + "DE.Views.ChartSettings.txtTight": "Justo", + "DE.Views.ChartSettings.txtTitle": "Gráfico", + "DE.Views.ChartSettings.txtTopAndBottom": "Parte superior e inferior", + "DE.Views.ControlSettingsDialog.strGeneral": "Geral", + "DE.Views.ControlSettingsDialog.textAdd": "Adicionar", + "DE.Views.ControlSettingsDialog.textAppearance": "Aparência", + "DE.Views.ControlSettingsDialog.textApplyAll": "Aplicar a todos", + "DE.Views.ControlSettingsDialog.textBox": "Caixa delimitadora", + "DE.Views.ControlSettingsDialog.textChange": "Editar", + "DE.Views.ControlSettingsDialog.textCheckbox": "Caixa de seleção", + "DE.Views.ControlSettingsDialog.textChecked": "Símbolo marcado", + "DE.Views.ControlSettingsDialog.textColor": "Cor", + "DE.Views.ControlSettingsDialog.textCombobox": "Caixa de combinação", + "DE.Views.ControlSettingsDialog.textDate": "Formato da data", + "DE.Views.ControlSettingsDialog.textDelete": "Eliminar", + "DE.Views.ControlSettingsDialog.textDisplayName": "Nome de exibição", + "DE.Views.ControlSettingsDialog.textDown": "Para baixo", + "DE.Views.ControlSettingsDialog.textDropDown": "Lista suspensa", + "DE.Views.ControlSettingsDialog.textFormat": "Mostra a data assim", + "DE.Views.ControlSettingsDialog.textLang": "Idioma", + "DE.Views.ControlSettingsDialog.textLock": "Bloqueio", + "DE.Views.ControlSettingsDialog.textName": "Título", + "DE.Views.ControlSettingsDialog.textNone": "Nenhum", + "DE.Views.ControlSettingsDialog.textPlaceholder": "Marcador de posição", + "DE.Views.ControlSettingsDialog.textShowAs": "Mostrar como", + "DE.Views.ControlSettingsDialog.textSystemColor": "Sistema", + "DE.Views.ControlSettingsDialog.textTag": "Etiqueta", + "DE.Views.ControlSettingsDialog.textTitle": "Definições de controlo de conteúdo", + "DE.Views.ControlSettingsDialog.textUnchecked": "Símbolo desmarcado", + "DE.Views.ControlSettingsDialog.textUp": "Para cima", + "DE.Views.ControlSettingsDialog.textValue": "Valor", + "DE.Views.ControlSettingsDialog.tipChange": "Alterar símbolo", + "DE.Views.ControlSettingsDialog.txtLockDelete": "Controlo de conteúdo não pode ser eliminado", + "DE.Views.ControlSettingsDialog.txtLockEdit": "Não é possível editar o conteúdo", + "DE.Views.CrossReferenceDialog.textAboveBelow": "Acima/abaixo", + "DE.Views.CrossReferenceDialog.textBookmark": "Marcador", + "DE.Views.CrossReferenceDialog.textBookmarkText": "Texto do marcador", + "DE.Views.CrossReferenceDialog.textCaption": "Legenda inteira", + "DE.Views.CrossReferenceDialog.textEmpty": "A referência do pedido está vazia.", + "DE.Views.CrossReferenceDialog.textEndnote": "Nota final", + "DE.Views.CrossReferenceDialog.textEndNoteNum": "Número de nota final", + "DE.Views.CrossReferenceDialog.textEndNoteNumForm": "Número da nota final (formatado)", + "DE.Views.CrossReferenceDialog.textEquation": "Equação", + "DE.Views.CrossReferenceDialog.textFigure": "Figura", + "DE.Views.CrossReferenceDialog.textFootnote": "Nota de rodapé", + "DE.Views.CrossReferenceDialog.textHeading": "Título", + "DE.Views.CrossReferenceDialog.textHeadingNum": "Número do título", + "DE.Views.CrossReferenceDialog.textHeadingNumFull": "Número do título (contexto total)", + "DE.Views.CrossReferenceDialog.textHeadingNumNo": "Número do título (sem contexto)", + "DE.Views.CrossReferenceDialog.textHeadingText": "Texto do título", + "DE.Views.CrossReferenceDialog.textIncludeAbove": "Incluir acima/abaixo", + "DE.Views.CrossReferenceDialog.textInsert": "Inserir", + "DE.Views.CrossReferenceDialog.textInsertAs": "Inserir como hiperligação", + "DE.Views.CrossReferenceDialog.textLabelNum": "Apenas etiqueta e número", + "DE.Views.CrossReferenceDialog.textNoteNum": "Número da nota de rodapé", + "DE.Views.CrossReferenceDialog.textNoteNumForm": "Número da nota de rodapé (formatado)", + "DE.Views.CrossReferenceDialog.textOnlyCaption": "Apenas texto de legenda", + "DE.Views.CrossReferenceDialog.textPageNum": "Número de página", + "DE.Views.CrossReferenceDialog.textParagraph": "Item numerado", + "DE.Views.CrossReferenceDialog.textParaNum": "Número do parágrafo", + "DE.Views.CrossReferenceDialog.textParaNumFull": "Número do parágrafo (contexto completo)", + "DE.Views.CrossReferenceDialog.textParaNumNo": "Número do parágrafo (sem contexto)", + "DE.Views.CrossReferenceDialog.textSeparate": "Separar números com", + "DE.Views.CrossReferenceDialog.textTable": "Tabela", + "DE.Views.CrossReferenceDialog.textText": "Texto do parágrafo", + "DE.Views.CrossReferenceDialog.textWhich": "Para qual legenda", + "DE.Views.CrossReferenceDialog.textWhichBookmark": "Para qual favorito", + "DE.Views.CrossReferenceDialog.textWhichEndnote": "Para qual nota final", + "DE.Views.CrossReferenceDialog.textWhichHeading": "De qual título", + "DE.Views.CrossReferenceDialog.textWhichNote": "Para qual nota de rodapé", + "DE.Views.CrossReferenceDialog.textWhichPara": "Para qual item numerado", + "DE.Views.CrossReferenceDialog.txtReference": "Inserir referência a", + "DE.Views.CrossReferenceDialog.txtTitle": "Referência-cruzada", + "DE.Views.CrossReferenceDialog.txtType": "Tipo de Referência", + "DE.Views.CustomColumnsDialog.textColumns": "Número de colunas", + "DE.Views.CustomColumnsDialog.textSeparator": "Separador de colunas", + "DE.Views.CustomColumnsDialog.textSpacing": "Espaçamento entre colunas", + "DE.Views.CustomColumnsDialog.textTitle": "Colunas", + "DE.Views.DateTimeDialog.confirmDefault": "Definir formato predefinido para {0}: \"{1}\"", + "DE.Views.DateTimeDialog.textDefault": "Definir como predefinido", + "DE.Views.DateTimeDialog.textFormat": "Formatos", + "DE.Views.DateTimeDialog.textLang": "Idioma", + "DE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente", + "DE.Views.DateTimeDialog.txtTitle": "Data e Hora", + "DE.Views.DocumentHolder.aboveText": "Acima", + "DE.Views.DocumentHolder.addCommentText": "Adicionar comentário", + "DE.Views.DocumentHolder.advancedDropCapText": "Definições de capitulares", + "DE.Views.DocumentHolder.advancedFrameText": "Definições avançadas de moldura", + "DE.Views.DocumentHolder.advancedParagraphText": "Definições avançadas de parágrafo", + "DE.Views.DocumentHolder.advancedTableText": "Definições avançadas de tabela", + "DE.Views.DocumentHolder.advancedText": "Definições avançadas", + "DE.Views.DocumentHolder.alignmentText": "Alinhamento", + "DE.Views.DocumentHolder.belowText": "Abaixo", + "DE.Views.DocumentHolder.breakBeforeText": "Quebra de página antes", + "DE.Views.DocumentHolder.bulletsText": "Marcadores e numeração", + "DE.Views.DocumentHolder.cellAlignText": "Alinhamento vertical da célula", + "DE.Views.DocumentHolder.cellText": "Célula", + "DE.Views.DocumentHolder.centerText": "Centro", + "DE.Views.DocumentHolder.chartText": "Definições avançadas de gráfico", + "DE.Views.DocumentHolder.columnText": "Coluna", + "DE.Views.DocumentHolder.deleteColumnText": "Eliminar coluna", + "DE.Views.DocumentHolder.deleteRowText": "Excluir linha", + "DE.Views.DocumentHolder.deleteTableText": "Eliminar tabela", + "DE.Views.DocumentHolder.deleteText": "Excluir", + "DE.Views.DocumentHolder.direct270Text": "Rodar texto para cima", + "DE.Views.DocumentHolder.direct90Text": "Rodar texto para baixo", + "DE.Views.DocumentHolder.directHText": "Horizontal", + "DE.Views.DocumentHolder.directionText": "Text Direction", + "DE.Views.DocumentHolder.editChartText": "Editar dados", + "DE.Views.DocumentHolder.editFooterText": "Editar rodapé", + "DE.Views.DocumentHolder.editHeaderText": "Editar cabeçalho", + "DE.Views.DocumentHolder.editHyperlinkText": "Editar hiperligação", + "DE.Views.DocumentHolder.guestText": "Visitante", + "DE.Views.DocumentHolder.hyperlinkText": "Hiperligação", + "DE.Views.DocumentHolder.ignoreAllSpellText": "Ignorar tudo", + "DE.Views.DocumentHolder.ignoreSpellText": "Ignorar", + "DE.Views.DocumentHolder.imageText": "Definições avançadas de imagem", + "DE.Views.DocumentHolder.insertColumnLeftText": "Coluna esquerda", + "DE.Views.DocumentHolder.insertColumnRightText": "Coluna direita", + "DE.Views.DocumentHolder.insertColumnText": "Inserir coluna", + "DE.Views.DocumentHolder.insertRowAboveText": "Linha acima", + "DE.Views.DocumentHolder.insertRowBelowText": "Linha abaixo", + "DE.Views.DocumentHolder.insertRowText": "Inserir linha", + "DE.Views.DocumentHolder.insertText": "Inserir", + "DE.Views.DocumentHolder.keepLinesText": "Manter linhas juntas", + "DE.Views.DocumentHolder.langText": "Selecionar idioma", + "DE.Views.DocumentHolder.leftText": "Esquerda", + "DE.Views.DocumentHolder.loadSpellText": "Carregando variantes...", + "DE.Views.DocumentHolder.mergeCellsText": "Mesclar células", + "DE.Views.DocumentHolder.moreText": "Mais variantes...", + "DE.Views.DocumentHolder.noSpellVariantsText": "Sem varientes", + "DE.Views.DocumentHolder.notcriticalErrorTitle": "Aviso", + "DE.Views.DocumentHolder.originalSizeText": "Tamanho padrão", + "DE.Views.DocumentHolder.paragraphText": "Parágrafo", + "DE.Views.DocumentHolder.removeHyperlinkText": "Remover hiperligação", + "DE.Views.DocumentHolder.rightText": "Direita", + "DE.Views.DocumentHolder.rowText": "Linha", + "DE.Views.DocumentHolder.saveStyleText": "Criar novo estilo", + "DE.Views.DocumentHolder.selectCellText": "Selecionar célula", + "DE.Views.DocumentHolder.selectColumnText": "Selecionar coluna", + "DE.Views.DocumentHolder.selectRowText": "Selecionar linha", + "DE.Views.DocumentHolder.selectTableText": "Selecionar tabela", + "DE.Views.DocumentHolder.selectText": "Selecionar", + "DE.Views.DocumentHolder.shapeText": "Definições avançadas de forma", + "DE.Views.DocumentHolder.spellcheckText": "Verificação ortográfica", + "DE.Views.DocumentHolder.splitCellsText": "Dividir célula...", + "DE.Views.DocumentHolder.splitCellTitleText": "Dividir célula", + "DE.Views.DocumentHolder.strDelete": "Remover assinatura", + "DE.Views.DocumentHolder.strDetails": "Detalhes da assinatura", + "DE.Views.DocumentHolder.strSetup": "Definições de Assinatura", + "DE.Views.DocumentHolder.strSign": "Assinar", + "DE.Views.DocumentHolder.styleText": "Formatting as Style", + "DE.Views.DocumentHolder.tableText": "Tabela", + "DE.Views.DocumentHolder.textAccept": "Aceitar Alteração", + "DE.Views.DocumentHolder.textAlign": "Alinhar", + "DE.Views.DocumentHolder.textArrange": "Dispor", + "DE.Views.DocumentHolder.textArrangeBack": "Enviar para plano de fundo", + "DE.Views.DocumentHolder.textArrangeBackward": "Mover para trás", + "DE.Views.DocumentHolder.textArrangeForward": "Mover para frente", + "DE.Views.DocumentHolder.textArrangeFront": "Trazer para primeiro plano", + "DE.Views.DocumentHolder.textCells": "Células", + "DE.Views.DocumentHolder.textCol": "Eliminar toda a coluna", + "DE.Views.DocumentHolder.textContentControls": "Controlo de conteúdo", + "DE.Views.DocumentHolder.textContinueNumbering": "Continuar numeração", + "DE.Views.DocumentHolder.textCopy": "Copiar", + "DE.Views.DocumentHolder.textCrop": "Recortar", + "DE.Views.DocumentHolder.textCropFill": "Preencher", + "DE.Views.DocumentHolder.textCropFit": "Ajustar", + "DE.Views.DocumentHolder.textCut": "Cortar", + "DE.Views.DocumentHolder.textDistributeCols": "Distribuir colunas", + "DE.Views.DocumentHolder.textDistributeRows": "Distribuir linhas", + "DE.Views.DocumentHolder.textEditControls": "Definições de controlo de conteúdo", + "DE.Views.DocumentHolder.textEditPoints": "Editar Pontos", + "DE.Views.DocumentHolder.textEditWrapBoundary": "Editar limites", + "DE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", + "DE.Views.DocumentHolder.textFlipV": "Virar verticalmente", + "DE.Views.DocumentHolder.textFollow": "Seguir movimento", + "DE.Views.DocumentHolder.textFromFile": "De um ficheiro", + "DE.Views.DocumentHolder.textFromStorage": "De um armazenamento", + "DE.Views.DocumentHolder.textFromUrl": "De um URL", + "DE.Views.DocumentHolder.textJoinList": "Juntar à lista anterior", + "DE.Views.DocumentHolder.textLeft": "Deslocar células para a esquerda", + "DE.Views.DocumentHolder.textNest": "Aninhar tabela", + "DE.Views.DocumentHolder.textNextPage": "Página seguinte", + "DE.Views.DocumentHolder.textNumberingValue": "Valor de numeração", + "DE.Views.DocumentHolder.textPaste": "Colar", + "DE.Views.DocumentHolder.textPrevPage": "Página anterior", + "DE.Views.DocumentHolder.textRefreshField": "Atualizar o campo", + "DE.Views.DocumentHolder.textReject": "Rejeitar Alteração", + "DE.Views.DocumentHolder.textRemCheckBox": "Remover caixa de seleção", + "DE.Views.DocumentHolder.textRemComboBox": "Remover caixa de combinação", + "DE.Views.DocumentHolder.textRemDropdown": "Remover lista suspensa", + "DE.Views.DocumentHolder.textRemField": "Remover Campo de Texto", + "DE.Views.DocumentHolder.textRemove": "Remover", + "DE.Views.DocumentHolder.textRemoveControl": "Remover controlo de conteúdo", + "DE.Views.DocumentHolder.textRemPicture": "Remover imagem", + "DE.Views.DocumentHolder.textRemRadioBox": "Remover botão de seleção", + "DE.Views.DocumentHolder.textReplace": "Substituir imagem", + "DE.Views.DocumentHolder.textRotate": "Rodar", + "DE.Views.DocumentHolder.textRotate270": "Rodar 90º à esquerda", + "DE.Views.DocumentHolder.textRotate90": "Rodar 90º à direita", + "DE.Views.DocumentHolder.textRow": "Eliminar a linha inteira", + "DE.Views.DocumentHolder.textSeparateList": "Lista distinta", + "DE.Views.DocumentHolder.textSettings": "Definições", + "DE.Views.DocumentHolder.textSeveral": "Diversas linhas/colunas", + "DE.Views.DocumentHolder.textShapeAlignBottom": "Alinhar em baixo", + "DE.Views.DocumentHolder.textShapeAlignCenter": "Alinhar ao centro", + "DE.Views.DocumentHolder.textShapeAlignLeft": "Alinhar à esquerda", + "DE.Views.DocumentHolder.textShapeAlignMiddle": "Alinhar ao centro", + "DE.Views.DocumentHolder.textShapeAlignRight": "Alinhar à direita", + "DE.Views.DocumentHolder.textShapeAlignTop": "Alinhar em cima", + "DE.Views.DocumentHolder.textStartNewList": "Iniciar nova lista", + "DE.Views.DocumentHolder.textStartNumberingFrom": "Definir valor de numeração", + "DE.Views.DocumentHolder.textTitleCellsRemove": "Eliminar células", + "DE.Views.DocumentHolder.textTOC": "Índice remissivo", + "DE.Views.DocumentHolder.textTOCSettings": "Definições do índice remissivo", + "DE.Views.DocumentHolder.textUndo": "Desfazer", + "DE.Views.DocumentHolder.textUpdateAll": "Recarregar tabela", + "DE.Views.DocumentHolder.textUpdatePages": "Recarregar apenas o número de páginas", + "DE.Views.DocumentHolder.textUpdateTOC": "Recarregar índice remissivo", + "DE.Views.DocumentHolder.textWrap": "Estilo de moldagem", + "DE.Views.DocumentHolder.tipIsLocked": "Este elemento está a ser editado por outro utilizador.", + "DE.Views.DocumentHolder.toDictionaryText": "Adicionar ao dicionário", + "DE.Views.DocumentHolder.txtAddBottom": "Adicionar contorno inferior", + "DE.Views.DocumentHolder.txtAddFractionBar": "Adicionar barra de fração", + "DE.Views.DocumentHolder.txtAddHor": "Adicionar linha horizontal", + "DE.Views.DocumentHolder.txtAddLB": "Adicionar linha inferior esquerda", + "DE.Views.DocumentHolder.txtAddLeft": "Adicionar contorno esquerdo", + "DE.Views.DocumentHolder.txtAddLT": "Adicionar linha superior esquerda", + "DE.Views.DocumentHolder.txtAddRight": "Adicionar contorno direito", + "DE.Views.DocumentHolder.txtAddTop": "Adicionar contorno superior", + "DE.Views.DocumentHolder.txtAddVer": "Adicionar linha vertical", + "DE.Views.DocumentHolder.txtAlignToChar": "Alinhar ao carácter", + "DE.Views.DocumentHolder.txtBehind": "Atrás", + "DE.Views.DocumentHolder.txtBorderProps": "Propriedades do contorno", + "DE.Views.DocumentHolder.txtBottom": "Baixo", + "DE.Views.DocumentHolder.txtColumnAlign": "Alinhamento de colunas", + "DE.Views.DocumentHolder.txtDecreaseArg": "Diminuir tamanho do argumento", + "DE.Views.DocumentHolder.txtDeleteArg": "Eliminar argumento", + "DE.Views.DocumentHolder.txtDeleteBreak": "Eliminar quebra manual", + "DE.Views.DocumentHolder.txtDeleteChars": "Eliminar caracteres anexos ", + "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Eliminar separadores e caracteres anexos", + "DE.Views.DocumentHolder.txtDeleteEq": "Eliminar equação", + "DE.Views.DocumentHolder.txtDeleteGroupChar": "Eliminar carácter", + "DE.Views.DocumentHolder.txtDeleteRadical": "Eliminar radical", + "DE.Views.DocumentHolder.txtDistribHor": "Distribuir horizontalmente", + "DE.Views.DocumentHolder.txtDistribVert": "Distribuir verticalmente", + "DE.Views.DocumentHolder.txtEmpty": "(Vazio)", + "DE.Views.DocumentHolder.txtFractionLinear": "Alterar para fração linear", + "DE.Views.DocumentHolder.txtFractionSkewed": "Alterar para fração inclinada", + "DE.Views.DocumentHolder.txtFractionStacked": "Alterar para fração empilhada", + "DE.Views.DocumentHolder.txtGroup": "Grupo", + "DE.Views.DocumentHolder.txtGroupCharOver": "Caractere sobre texto", + "DE.Views.DocumentHolder.txtGroupCharUnder": "Carácter sob texto", + "DE.Views.DocumentHolder.txtHideBottom": "Ocultar contorno inferior", + "DE.Views.DocumentHolder.txtHideBottomLimit": "Ocultar limite inferior", + "DE.Views.DocumentHolder.txtHideCloseBracket": "Ocultar o parêntesis de fecho", + "DE.Views.DocumentHolder.txtHideDegree": "Ocultar grau", + "DE.Views.DocumentHolder.txtHideHor": "Ocultar linha horizontal", + "DE.Views.DocumentHolder.txtHideLB": "Ocultar linha inferior esquerda", + "DE.Views.DocumentHolder.txtHideLeft": "Ocultar contorno esquerdo", + "DE.Views.DocumentHolder.txtHideLT": "Ocultar linha superior esquerda", + "DE.Views.DocumentHolder.txtHideOpenBracket": "Ocultar parêntese de abertura", + "DE.Views.DocumentHolder.txtHidePlaceholder": "Ocultar espaço reservado", + "DE.Views.DocumentHolder.txtHideRight": "Ocultar contorno direito", + "DE.Views.DocumentHolder.txtHideTop": "Ocultar contorno superior", + "DE.Views.DocumentHolder.txtHideTopLimit": "Ocultar limite superior", + "DE.Views.DocumentHolder.txtHideVer": "Ocultar linha vertical", + "DE.Views.DocumentHolder.txtIncreaseArg": "Aumentar tamanho do argumento", + "DE.Views.DocumentHolder.txtInFront": "Em frente", + "DE.Views.DocumentHolder.txtInline": "Inline", + "DE.Views.DocumentHolder.txtInsertArgAfter": "Inserir argumento após", + "DE.Views.DocumentHolder.txtInsertArgBefore": "Inserir argumento antes", + "DE.Views.DocumentHolder.txtInsertBreak": "Inserir quebra manual", + "DE.Views.DocumentHolder.txtInsertCaption": "Inserir legenda", + "DE.Views.DocumentHolder.txtInsertEqAfter": "Inserir equação a seguir", + "DE.Views.DocumentHolder.txtInsertEqBefore": "Inserir equação à frente", + "DE.Views.DocumentHolder.txtKeepTextOnly": "Manter apenas texto", + "DE.Views.DocumentHolder.txtLimitChange": "Alterar localização de limites", + "DE.Views.DocumentHolder.txtLimitOver": "Limite sobre o texto", + "DE.Views.DocumentHolder.txtLimitUnder": "Limite sob o texto", + "DE.Views.DocumentHolder.txtMatchBrackets": "Combinar parênteses com a altura do argumento", + "DE.Views.DocumentHolder.txtMatrixAlign": "Alinhamento de matriz", + "DE.Views.DocumentHolder.txtOverbar": "Barra por cima do texto", + "DE.Views.DocumentHolder.txtOverwriteCells": "Substituir células", + "DE.Views.DocumentHolder.txtPasteSourceFormat": "Manter formatação original", + "DE.Views.DocumentHolder.txtPressLink": "Prima Ctrl e clique na ligação", + "DE.Views.DocumentHolder.txtPrintSelection": "Imprimir seleção", + "DE.Views.DocumentHolder.txtRemFractionBar": "Remover barra de fração", + "DE.Views.DocumentHolder.txtRemLimit": "Remover limite", + "DE.Views.DocumentHolder.txtRemoveAccentChar": "Remover caractere destacado", + "DE.Views.DocumentHolder.txtRemoveBar": "Remover barra", + "DE.Views.DocumentHolder.txtRemoveWarning": "Quer remover esta assinatura?
    Isto não pode ser anulado.", + "DE.Views.DocumentHolder.txtRemScripts": "Remover scripts", + "DE.Views.DocumentHolder.txtRemSubscript": "Remover subscrito", + "DE.Views.DocumentHolder.txtRemSuperscript": "Remover sobrescrito", + "DE.Views.DocumentHolder.txtScriptsAfter": "Scripts após o texto", + "DE.Views.DocumentHolder.txtScriptsBefore": "Scripts antes do texto", + "DE.Views.DocumentHolder.txtShowBottomLimit": "Mostrar limite inferior", + "DE.Views.DocumentHolder.txtShowCloseBracket": "Mostrar colchetes de fechamento", + "DE.Views.DocumentHolder.txtShowDegree": "Exibir grau", + "DE.Views.DocumentHolder.txtShowOpenBracket": "Mostrar chaveta de abertura", + "DE.Views.DocumentHolder.txtShowPlaceholder": "Exibir espaço reservado", + "DE.Views.DocumentHolder.txtShowTopLimit": "Exibir limite superior", + "DE.Views.DocumentHolder.txtSquare": "Quadrado", + "DE.Views.DocumentHolder.txtStretchBrackets": "Esticar colchetes", + "DE.Views.DocumentHolder.txtThrough": "Através", + "DE.Views.DocumentHolder.txtTight": "Justo", + "DE.Views.DocumentHolder.txtTop": "Parte superior", + "DE.Views.DocumentHolder.txtTopAndBottom": "Parte superior e inferior", + "DE.Views.DocumentHolder.txtUnderbar": "Barra por baixo do texto", + "DE.Views.DocumentHolder.txtUngroup": "Desagrupar", + "DE.Views.DocumentHolder.txtWarnUrl": "Clicar nesta ligação pode ser prejudicial ao seu dispositivo e dados.
    Deseja continuar?", + "DE.Views.DocumentHolder.updateStyleText": "Atualizar estilo %1", + "DE.Views.DocumentHolder.vertAlignText": "Alinhamento vertical", + "DE.Views.DropcapSettingsAdvanced.strBorders": "Contornos e Preenchimento", + "DE.Views.DropcapSettingsAdvanced.strDropcap": "Letra capitular", + "DE.Views.DropcapSettingsAdvanced.strMargins": "Margens", + "DE.Views.DropcapSettingsAdvanced.textAlign": "Alinhamento", + "DE.Views.DropcapSettingsAdvanced.textAtLeast": "No mínimo", + "DE.Views.DropcapSettingsAdvanced.textAuto": "Automático", + "DE.Views.DropcapSettingsAdvanced.textBackColor": "Cor de fundo", + "DE.Views.DropcapSettingsAdvanced.textBorderColor": "Cor do contorno", + "DE.Views.DropcapSettingsAdvanced.textBorderDesc": "Clique no diagrama ou utilize os botões para selecionar o contorno", + "DE.Views.DropcapSettingsAdvanced.textBorderWidth": "Tamanho do contorno", + "DE.Views.DropcapSettingsAdvanced.textBottom": "Inferior", + "DE.Views.DropcapSettingsAdvanced.textCenter": "Centro", + "DE.Views.DropcapSettingsAdvanced.textColumn": "Coluna", + "DE.Views.DropcapSettingsAdvanced.textDistance": "Distância do texto", + "DE.Views.DropcapSettingsAdvanced.textExact": "Exatamente", + "DE.Views.DropcapSettingsAdvanced.textFlow": "Estrutura de fluxo", + "DE.Views.DropcapSettingsAdvanced.textFont": "Fonte", + "DE.Views.DropcapSettingsAdvanced.textFrame": "Moldura", + "DE.Views.DropcapSettingsAdvanced.textHeight": "Altura", + "DE.Views.DropcapSettingsAdvanced.textHorizontal": "Horizontal", + "DE.Views.DropcapSettingsAdvanced.textInline": "Moldura embutida", + "DE.Views.DropcapSettingsAdvanced.textInMargin": "Na margem", + "DE.Views.DropcapSettingsAdvanced.textInText": "No texto", + "DE.Views.DropcapSettingsAdvanced.textLeft": "Esquerda", + "DE.Views.DropcapSettingsAdvanced.textMargin": "Margem", + "DE.Views.DropcapSettingsAdvanced.textMove": "Mover com texto", + "DE.Views.DropcapSettingsAdvanced.textNone": "Nenhum", + "DE.Views.DropcapSettingsAdvanced.textPage": "Página", + "DE.Views.DropcapSettingsAdvanced.textParagraph": "Parágrafo", + "DE.Views.DropcapSettingsAdvanced.textParameters": "Parâmetros", + "DE.Views.DropcapSettingsAdvanced.textPosition": "Posição", + "DE.Views.DropcapSettingsAdvanced.textRelative": "Relativo para", + "DE.Views.DropcapSettingsAdvanced.textRight": "Direita", + "DE.Views.DropcapSettingsAdvanced.textRowHeight": "Altura em linhas", + "DE.Views.DropcapSettingsAdvanced.textTitle": "Capitulares - Definições avançadas", + "DE.Views.DropcapSettingsAdvanced.textTitleFrame": "Moldura - Definições avançadas", + "DE.Views.DropcapSettingsAdvanced.textTop": "Parte superior", + "DE.Views.DropcapSettingsAdvanced.textVertical": "Vertical", + "DE.Views.DropcapSettingsAdvanced.textWidth": "Largura", + "DE.Views.DropcapSettingsAdvanced.tipFontName": "Nome da fonte", + "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Sem contornos", + "DE.Views.EditListItemDialog.textDisplayName": "Nome de exibição", + "DE.Views.EditListItemDialog.textNameError": "O nome de exibição não deve estar vazio.", + "DE.Views.EditListItemDialog.textValue": "Valor", + "DE.Views.EditListItemDialog.textValueError": "Já existe um item com este mesmo valor.", + "DE.Views.FileMenu.btnBackCaption": "Abrir localização", + "DE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", + "DE.Views.FileMenu.btnCreateNewCaption": "Criar novo", + "DE.Views.FileMenu.btnDownloadCaption": "Descarregar como...", + "DE.Views.FileMenu.btnExitCaption": "Sair", + "DE.Views.FileMenu.btnFileOpenCaption": "Abrir...", + "DE.Views.FileMenu.btnHelpCaption": "Ajuda...", + "DE.Views.FileMenu.btnHistoryCaption": "Histórico da versão", + "DE.Views.FileMenu.btnInfoCaption": "Informações do documento...", + "DE.Views.FileMenu.btnPrintCaption": "Imprimir", + "DE.Views.FileMenu.btnProtectCaption": "Proteger", + "DE.Views.FileMenu.btnRecentFilesCaption": "Abrir recente...", + "DE.Views.FileMenu.btnRenameCaption": "Renomear...", + "DE.Views.FileMenu.btnReturnCaption": "Voltar para documento", + "DE.Views.FileMenu.btnRightsCaption": "Direitos de acesso...", + "DE.Views.FileMenu.btnSaveAsCaption": "Save as", + "DE.Views.FileMenu.btnSaveCaption": "Salvar", + "DE.Views.FileMenu.btnSaveCopyAsCaption": "Guardar cópia como...", + "DE.Views.FileMenu.btnSettingsCaption": "Definições avançadas...", + "DE.Views.FileMenu.btnToEditCaption": "Editar documento", + "DE.Views.FileMenu.textDownload": "Descarregar", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "Documento em branco", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Criar novo", + "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Adicionar autor", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Adicionar texto", + "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicação", + "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", + "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Alterar direitos de acesso", + "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentário", + "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Criado", + "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Carregando...", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última modificação por", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Não", + "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietário", + "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamanho da página", + "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Parágrafos", + "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Localização", + "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Pessoas que têm direitos", + "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Símbolos com espaços", + "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "Estatísticas", + "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Assunto", + "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Símbolos", + "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título", + "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Enviado", + "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Palavras", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Sim", + "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Alterar direitos de acesso", + "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Pessoas que têm direitos", + "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", + "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Com palavra-passe", + "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteger o documento", + "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "Com assinatura", + "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Editar documento", + "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Se editar este documento, remove as assinaturas.
    Tem a certeza de que deseja continuar?", + "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Este documento está protegido com uma palavra-passe", + "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Este documento precisa de ser assinado.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Assinaturas adicionadas ao documento. Este documento não pode ser editado.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Este documento não pode ser editado.", + "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver assinaturas", + "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", + "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Ativar guias de alinhamento", + "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modo de co-edição", + "DE.Views.FileMenuPanels.Settings.strFast": "Rápido", + "DE.Views.FileMenuPanels.Settings.strFontRender": "Dicas de fonte", + "DE.Views.FileMenuPanels.Settings.strForcesave": "Guardar sempre no servidor (caso contrário, guardar no servidor ao fechar o documento)", + "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Definições de macros", + "DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar botão Opções de colagem ao colar conteúdo", + "DE.Views.FileMenuPanels.Settings.strShowChanges": "Alterações de colaboração em tempo real", + "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ativar a opção de verificação ortográfica", + "DE.Views.FileMenuPanels.Settings.strStrict": "Estrito", + "DE.Views.FileMenuPanels.Settings.strTheme": "Tema da interface", + "DE.Views.FileMenuPanels.Settings.strUnit": "Unidade de medida", + "DE.Views.FileMenuPanels.Settings.strZoom": "Valor de zoom padrão", + "DE.Views.FileMenuPanels.Settings.text10Minutes": "Cada 10 minutos", + "DE.Views.FileMenuPanels.Settings.text30Minutes": "Cada 30 minutos", + "DE.Views.FileMenuPanels.Settings.text5Minutes": "Cada 5 minutos", + "DE.Views.FileMenuPanels.Settings.text60Minutes": "Cada hora", + "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Guias de alinhamento", + "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Recuperação automática", + "DE.Views.FileMenuPanels.Settings.textAutoSave": "Salvamento automático", + "DE.Views.FileMenuPanels.Settings.textCompatible": "Compatibilidade", + "DE.Views.FileMenuPanels.Settings.textDisabled": "Desativado", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Guardar no servidor", + "DE.Views.FileMenuPanels.Settings.textMinute": "Cada minuto", + "DE.Views.FileMenuPanels.Settings.textOldVersions": "Ao guardar como DOCX, tornar ficheiro compatível com versões antigas do MS Word", + "DE.Views.FileMenuPanels.Settings.txtAll": "Ver tudo", + "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opções de correção automática...", + "DE.Views.FileMenuPanels.Settings.txtCacheMode": "Modo de cache predefinido", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Mostrar ao clicar nos balões", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "Mostrar ao sobrepor o cursor nas descrições", + "DE.Views.FileMenuPanels.Settings.txtCm": "Centímetro", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Ligar o modo escuro do documento", + "DE.Views.FileMenuPanels.Settings.txtFitPage": "Ajustar à página", + "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Ajustar à largura", + "DE.Views.FileMenuPanels.Settings.txtInch": "Polegada", + "DE.Views.FileMenuPanels.Settings.txtInput": "Entrada alternativa", + "DE.Views.FileMenuPanels.Settings.txtLast": "Ver último", + "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Exibição de comentários", + "DE.Views.FileMenuPanels.Settings.txtMac": "como OS X", + "DE.Views.FileMenuPanels.Settings.txtNative": "Nativo", + "DE.Views.FileMenuPanels.Settings.txtNone": "Ver nenhum", + "DE.Views.FileMenuPanels.Settings.txtProofing": "Correção", + "DE.Views.FileMenuPanels.Settings.txtPt": "Ponto", + "DE.Views.FileMenuPanels.Settings.txtRunMacros": "Ativar tudo", + "DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Ativar todas as macros sem uma notificação", + "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Verificação ortográfica", + "DE.Views.FileMenuPanels.Settings.txtStopMacros": "Desativar tudo", + "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Desativar todas as macros sem uma notificação", + "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostrar notificação", + "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desativar todas as macros com uma notificação", + "DE.Views.FileMenuPanels.Settings.txtWin": "como Windows", + "DE.Views.FormSettings.textAlways": "Sempre", + "DE.Views.FormSettings.textAspect": "Bloquear proporção", + "DE.Views.FormSettings.textAutofit": "Ajuste automático", + "DE.Views.FormSettings.textBackgroundColor": "Cor de fundo", + "DE.Views.FormSettings.textCheckbox": "Caixa de seleção", + "DE.Views.FormSettings.textColor": "Cor do contorno", + "DE.Views.FormSettings.textComb": "Conjunto de caracteres", + "DE.Views.FormSettings.textCombobox": "Caixa de combinação", + "DE.Views.FormSettings.textConnected": "Campos ligados", + "DE.Views.FormSettings.textDelete": "Eliminar", + "DE.Views.FormSettings.textDisconnect": "Desconectar", + "DE.Views.FormSettings.textDropDown": "Suspenso", + "DE.Views.FormSettings.textField": "Campo de texto", + "DE.Views.FormSettings.textFixed": "Campo de tamanho fixo", + "DE.Views.FormSettings.textFromFile": "Do ficheiro", + "DE.Views.FormSettings.textFromStorage": "Do armazenamento", + "DE.Views.FormSettings.textFromUrl": "De um URL", + "DE.Views.FormSettings.textGroupKey": "Agrupar chave", + "DE.Views.FormSettings.textImage": "Imagem", + "DE.Views.FormSettings.textKey": "Chave", + "DE.Views.FormSettings.textLock": "Bloquear", + "DE.Views.FormSettings.textMaxChars": "Limite de caracteres", + "DE.Views.FormSettings.textMulti": "Campo com Múltiplas Linhas", + "DE.Views.FormSettings.textNever": "Nunca", + "DE.Views.FormSettings.textNoBorder": "Sem contorno", + "DE.Views.FormSettings.textPlaceholder": "Marcador de posição", + "DE.Views.FormSettings.textRadiobox": "Botão Seleção", + "DE.Views.FormSettings.textRequired": "Necessário", + "DE.Views.FormSettings.textScale": "Quando escalar", + "DE.Views.FormSettings.textSelectImage": "Selecionar imagem", + "DE.Views.FormSettings.textTip": "Dica", + "DE.Views.FormSettings.textTipAdd": "Adicionar novo valor", + "DE.Views.FormSettings.textTipDelete": "Eliminar valor", + "DE.Views.FormSettings.textTipDown": "Mover para baixo", + "DE.Views.FormSettings.textTipUp": "Mover para cima", + "DE.Views.FormSettings.textTooBig": "A imagem é demasiado grande", + "DE.Views.FormSettings.textTooSmall": "A imagem é demasiado pequena", + "DE.Views.FormSettings.textUnlock": "Desbloquear", + "DE.Views.FormSettings.textValue": "Opções de valor", + "DE.Views.FormSettings.textWidth": "Largura da célula", + "DE.Views.FormsTab.capBtnCheckBox": "Caixa de seleção", + "DE.Views.FormsTab.capBtnComboBox": "Caixa de combinação", + "DE.Views.FormsTab.capBtnDropDown": "Suspenso", + "DE.Views.FormsTab.capBtnImage": "Imagem", + "DE.Views.FormsTab.capBtnNext": "Campo seguinte", + "DE.Views.FormsTab.capBtnPrev": "Campo anterior", + "DE.Views.FormsTab.capBtnRadioBox": "Botão Seleção", + "DE.Views.FormsTab.capBtnSaveForm": "Guardar como oform", + "DE.Views.FormsTab.capBtnSubmit": "Submeter", + "DE.Views.FormsTab.capBtnText": "Campo de texto", + "DE.Views.FormsTab.capBtnView": "Ver formulário", + "DE.Views.FormsTab.textClear": "Limpar campos", + "DE.Views.FormsTab.textClearFields": "Limpar todos os campos", + "DE.Views.FormsTab.textCreateForm": "Adicione campos e crie um documento FORM preenchível", + "DE.Views.FormsTab.textGotIt": "Percebi", + "DE.Views.FormsTab.textHighlight": "Definições de destaque", + "DE.Views.FormsTab.textNoHighlight": "Sem realce", + "DE.Views.FormsTab.textRequired": "Preencha todos os campos obrigatórios para enviar o formulário.", + "DE.Views.FormsTab.textSubmited": "Formulário enviado com sucesso", + "DE.Views.FormsTab.tipCheckBox": "Inserir caixa de seleção", + "DE.Views.FormsTab.tipComboBox": "Inserir caixa de combinação", + "DE.Views.FormsTab.tipDropDown": "Inserir lista suspensa", + "DE.Views.FormsTab.tipImageField": "Inserir imagem", + "DE.Views.FormsTab.tipNextForm": "Ir para o campo seguinte", + "DE.Views.FormsTab.tipPrevForm": "Ir para o campo anterior", + "DE.Views.FormsTab.tipRadioBox": "Inserir botão de seleção", + "DE.Views.FormsTab.tipSaveForm": "Guardar um ficheiro como um documento OFORM preenchível", + "DE.Views.FormsTab.tipSubmit": "Submeter forma", + "DE.Views.FormsTab.tipTextField": "Inserir campo de texto", + "DE.Views.FormsTab.tipViewForm": "Ver formulário", + "DE.Views.FormsTab.txtUntitled": "Sem título", + "DE.Views.HeaderFooterSettings.textBottomCenter": "Centro inferior", + "DE.Views.HeaderFooterSettings.textBottomLeft": "Esquerda inferior", + "DE.Views.HeaderFooterSettings.textBottomPage": "Fundo da página", + "DE.Views.HeaderFooterSettings.textBottomRight": "Direita inferior", + "DE.Views.HeaderFooterSettings.textDiffFirst": "Primeira página diferente", + "DE.Views.HeaderFooterSettings.textDiffOdd": "Páginas pares e ímpares diferentes", + "DE.Views.HeaderFooterSettings.textFrom": "Iniciar em", + "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "Rodapé abaixo", + "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Cabeçalho no início", + "DE.Views.HeaderFooterSettings.textInsertCurrent": "Inserir na posição atual ", + "DE.Views.HeaderFooterSettings.textOptions": "Opções", + "DE.Views.HeaderFooterSettings.textPageNum": "Inserir número da página", + "DE.Views.HeaderFooterSettings.textPageNumbering": "Numeração de páginas", + "DE.Views.HeaderFooterSettings.textPosition": "Posição", + "DE.Views.HeaderFooterSettings.textPrev": "Continuar da secção anterior", + "DE.Views.HeaderFooterSettings.textSameAs": "Ligação à anterior", + "DE.Views.HeaderFooterSettings.textTopCenter": "Superior central", + "DE.Views.HeaderFooterSettings.textTopLeft": "Superior esquerdo", + "DE.Views.HeaderFooterSettings.textTopPage": "Topo da página", + "DE.Views.HeaderFooterSettings.textTopRight": "Superior direito", + "DE.Views.HyperlinkSettingsDialog.textDefault": "Fragmento de texto selecionado", + "DE.Views.HyperlinkSettingsDialog.textDisplay": "Exibir", + "DE.Views.HyperlinkSettingsDialog.textExternal": "Ligação externa", + "DE.Views.HyperlinkSettingsDialog.textInternal": "Colocar no Documento", + "DE.Views.HyperlinkSettingsDialog.textTitle": "Definições de hiperligação", + "DE.Views.HyperlinkSettingsDialog.textTooltip": "Texto de dica de tela:", + "DE.Views.HyperlinkSettingsDialog.textUrl": "Ligação a", + "DE.Views.HyperlinkSettingsDialog.txtBeginning": "Início do documento", + "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "Marcadores", + "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Este campo é obrigatório", + "DE.Views.HyperlinkSettingsDialog.txtHeadings": "Títulos", + "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Este campo está limitado a 2083 caracteres", + "DE.Views.ImageSettings.textAdvanced": "Mostrar definições avançadas", + "DE.Views.ImageSettings.textCrop": "Recortar", + "DE.Views.ImageSettings.textCropFill": "Preencher", + "DE.Views.ImageSettings.textCropFit": "Ajustar", + "DE.Views.ImageSettings.textCropToShape": "Recortar com Forma", + "DE.Views.ImageSettings.textEdit": "Editar", + "DE.Views.ImageSettings.textEditObject": "Editar objeto", + "DE.Views.ImageSettings.textFitMargins": "Ajustar à margem", + "DE.Views.ImageSettings.textFlip": "Virar", + "DE.Views.ImageSettings.textFromFile": "De um ficheiro", + "DE.Views.ImageSettings.textFromStorage": "De um armazenamento", + "DE.Views.ImageSettings.textFromUrl": "De um URL", + "DE.Views.ImageSettings.textHeight": "Altura", + "DE.Views.ImageSettings.textHint270": "Rodar 90º à esquerda", + "DE.Views.ImageSettings.textHint90": "Rodar 90º à direita", + "DE.Views.ImageSettings.textHintFlipH": "Virar horizontalmente", + "DE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", + "DE.Views.ImageSettings.textInsert": "Substituir imagem", + "DE.Views.ImageSettings.textOriginalSize": "Tamanho padrão", + "DE.Views.ImageSettings.textRecentlyUsed": "Utilizado recentemente", + "DE.Views.ImageSettings.textRotate90": "Rodar 90°", + "DE.Views.ImageSettings.textRotation": "Rotação", + "DE.Views.ImageSettings.textSize": "Tamanho", + "DE.Views.ImageSettings.textWidth": "Largura", + "DE.Views.ImageSettings.textWrap": "Estilo de moldagem", + "DE.Views.ImageSettings.txtBehind": "Atrás", + "DE.Views.ImageSettings.txtInFront": "Em frente", + "DE.Views.ImageSettings.txtInline": "Em Linha com o Texto", + "DE.Views.ImageSettings.txtSquare": "Quadrado", + "DE.Views.ImageSettings.txtThrough": "Através", + "DE.Views.ImageSettings.txtTight": "Justo", + "DE.Views.ImageSettings.txtTopAndBottom": "Parte superior e inferior", + "DE.Views.ImageSettingsAdvanced.strMargins": "Preenchimento de texto", + "DE.Views.ImageSettingsAdvanced.textAbsoluteWH": "Absoluto", + "DE.Views.ImageSettingsAdvanced.textAlignment": "Alinhamento", + "DE.Views.ImageSettingsAdvanced.textAlt": "Texto alternativo", + "DE.Views.ImageSettingsAdvanced.textAltDescription": "Descrição", + "DE.Views.ImageSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "DE.Views.ImageSettingsAdvanced.textAltTitle": "Título", + "DE.Views.ImageSettingsAdvanced.textAngle": "Ângulo", + "DE.Views.ImageSettingsAdvanced.textArrows": "Setas", + "DE.Views.ImageSettingsAdvanced.textAspectRatio": "Bloquear proporção", + "DE.Views.ImageSettingsAdvanced.textAutofit": "Ajuste automático", + "DE.Views.ImageSettingsAdvanced.textBeginSize": "Tamanho inicial", + "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Estilo inicial", + "DE.Views.ImageSettingsAdvanced.textBelow": "abaixo", + "DE.Views.ImageSettingsAdvanced.textBevel": "Bisel", + "DE.Views.ImageSettingsAdvanced.textBottom": "Inferior", + "DE.Views.ImageSettingsAdvanced.textBottomMargin": "Margem inferior", + "DE.Views.ImageSettingsAdvanced.textBtnWrap": "Moldar texto", + "DE.Views.ImageSettingsAdvanced.textCapType": "Tipo de letra", + "DE.Views.ImageSettingsAdvanced.textCenter": "Centro", + "DE.Views.ImageSettingsAdvanced.textCharacter": "Caractere", + "DE.Views.ImageSettingsAdvanced.textColumn": "Coluna", + "DE.Views.ImageSettingsAdvanced.textDistance": "Distância do texto", + "DE.Views.ImageSettingsAdvanced.textEndSize": "Tamanho final", + "DE.Views.ImageSettingsAdvanced.textEndStyle": "Estilo final", + "DE.Views.ImageSettingsAdvanced.textFlat": "Plano", + "DE.Views.ImageSettingsAdvanced.textFlipped": "Invertido", + "DE.Views.ImageSettingsAdvanced.textHeight": "Altura", + "DE.Views.ImageSettingsAdvanced.textHorizontal": "Horizontal", + "DE.Views.ImageSettingsAdvanced.textHorizontally": "Horizontalmente", + "DE.Views.ImageSettingsAdvanced.textJoinType": "Tipo de junção", + "DE.Views.ImageSettingsAdvanced.textKeepRatio": "Proporções constantes", + "DE.Views.ImageSettingsAdvanced.textLeft": "Esquerda", + "DE.Views.ImageSettingsAdvanced.textLeftMargin": "Margem esquerda", + "DE.Views.ImageSettingsAdvanced.textLine": "Linha", + "DE.Views.ImageSettingsAdvanced.textLineStyle": "Estilo de linha", + "DE.Views.ImageSettingsAdvanced.textMargin": "Margem", + "DE.Views.ImageSettingsAdvanced.textMiter": "Malhete", + "DE.Views.ImageSettingsAdvanced.textMove": "Mover objeto com texto", + "DE.Views.ImageSettingsAdvanced.textOptions": "Opções", + "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Tamanho padrão", + "DE.Views.ImageSettingsAdvanced.textOverlap": "Permitir sobreposição", + "DE.Views.ImageSettingsAdvanced.textPage": "Página", + "DE.Views.ImageSettingsAdvanced.textParagraph": "Parágrafo", + "DE.Views.ImageSettingsAdvanced.textPosition": "Posição", + "DE.Views.ImageSettingsAdvanced.textPositionPc": "Posição relativa", + "DE.Views.ImageSettingsAdvanced.textRelative": "relativo para", + "DE.Views.ImageSettingsAdvanced.textRelativeWH": "Relativo", + "DE.Views.ImageSettingsAdvanced.textResizeFit": "Redimensionar forma para se ajustar ao texto", + "DE.Views.ImageSettingsAdvanced.textRight": "Direita", + "DE.Views.ImageSettingsAdvanced.textRightMargin": "Margem direita", + "DE.Views.ImageSettingsAdvanced.textRightOf": "para a direita de", + "DE.Views.ImageSettingsAdvanced.textRotation": "Rotação", + "DE.Views.ImageSettingsAdvanced.textRound": "Rodada", + "DE.Views.ImageSettingsAdvanced.textShape": "Definições de forma", + "DE.Views.ImageSettingsAdvanced.textSize": "Tamanho", + "DE.Views.ImageSettingsAdvanced.textSquare": "Quadrado", + "DE.Views.ImageSettingsAdvanced.textTextBox": "Caixa de texto", + "DE.Views.ImageSettingsAdvanced.textTitle": "Imagem - Definições avançadas", + "DE.Views.ImageSettingsAdvanced.textTitleChart": "Gráfico - Definições avançadas", + "DE.Views.ImageSettingsAdvanced.textTitleShape": "Forma - Definições avançadas", + "DE.Views.ImageSettingsAdvanced.textTop": "Parte superior", + "DE.Views.ImageSettingsAdvanced.textTopMargin": "Margem superior", + "DE.Views.ImageSettingsAdvanced.textVertical": "Vertical", + "DE.Views.ImageSettingsAdvanced.textVertically": "Verticalmente", + "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Pesos e Setas", + "DE.Views.ImageSettingsAdvanced.textWidth": "Largura", + "DE.Views.ImageSettingsAdvanced.textWrap": "Estilo de moldagem", + "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Atrás", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Em frente", + "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Em Linha com o Texto", + "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Quadrado", + "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Através", + "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "Justo", + "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "Parte superior e inferior", + "DE.Views.LeftMenu.tipAbout": "Acerca", + "DE.Views.LeftMenu.tipChat": "Chat", + "DE.Views.LeftMenu.tipComments": "Comentários", + "DE.Views.LeftMenu.tipNavigation": "Navegação", + "DE.Views.LeftMenu.tipPlugins": "Plugins", + "DE.Views.LeftMenu.tipSearch": "Pesquisa", + "DE.Views.LeftMenu.tipSupport": "Feedback e Suporte", + "DE.Views.LeftMenu.tipTitles": "Títulos", + "DE.Views.LeftMenu.txtDeveloper": "MODO DE PROGRAMADOR", + "DE.Views.LeftMenu.txtLimit": "Limitar o acesso", + "DE.Views.LeftMenu.txtTrial": "MODO DE TESTE", + "DE.Views.LeftMenu.txtTrialDev": "Versão de Avaliação do Modo de Programador", + "DE.Views.LineNumbersDialog.textAddLineNumbering": "Adicionar numeração de linhas", + "DE.Views.LineNumbersDialog.textApplyTo": "Aplicar alterações a", + "DE.Views.LineNumbersDialog.textContinuous": "Contínuo", + "DE.Views.LineNumbersDialog.textCountBy": "Contar por", + "DE.Views.LineNumbersDialog.textDocument": "Documento inteiro", + "DE.Views.LineNumbersDialog.textForward": "A partir deste ponto", + "DE.Views.LineNumbersDialog.textFromText": "De um texto", + "DE.Views.LineNumbersDialog.textNumbering": "Numeração", + "DE.Views.LineNumbersDialog.textRestartEachPage": "Reiniciar cada página", + "DE.Views.LineNumbersDialog.textRestartEachSection": "Reiniciar Em Cada Secção", + "DE.Views.LineNumbersDialog.textSection": "Secção atual", + "DE.Views.LineNumbersDialog.textStartAt": "Iniciar em", + "DE.Views.LineNumbersDialog.textTitle": "Números de Linhas", + "DE.Views.LineNumbersDialog.txtAutoText": "Automático", + "DE.Views.Links.capBtnBookmarks": "Marcador", + "DE.Views.Links.capBtnCaption": "Legenda", + "DE.Views.Links.capBtnContentsUpdate": "Atualizar Tabela", + "DE.Views.Links.capBtnCrossRef": "Referência-cruzada", + "DE.Views.Links.capBtnInsContents": "Índice remissivo", + "DE.Views.Links.capBtnInsFootnote": "Nota de rodapé", + "DE.Views.Links.capBtnInsLink": "Hiperligação", + "DE.Views.Links.capBtnTOF": "Tabela de figuras", + "DE.Views.Links.confirmDeleteFootnotes": "Deseja eliminar todas as notas de rodapé?", + "DE.Views.Links.confirmReplaceTOF": "Quer substituir a tabela de figuras selecionada?", + "DE.Views.Links.mniConvertNote": "Converter todas as notas", + "DE.Views.Links.mniDelFootnote": "Eliminar todas as notas", + "DE.Views.Links.mniInsEndnote": "Inserir nota final", + "DE.Views.Links.mniInsFootnote": "Inserir nota de rodapé", + "DE.Views.Links.mniNoteSettings": "Definições de nota", + "DE.Views.Links.textContentsRemove": "Remover índice remissivo", + "DE.Views.Links.textContentsSettings": "Definições", + "DE.Views.Links.textConvertToEndnotes": "Converter todas as notas de rodapé em notas finais", + "DE.Views.Links.textConvertToFootnotes": "Converter todas as notas finais em notas de rodapé", + "DE.Views.Links.textGotoEndnote": "Ir para notas finais", + "DE.Views.Links.textGotoFootnote": "Ir para notas de rodapé", + "DE.Views.Links.textSwapNotes": "Trocar as notas de rodapé pelas notas de fim", + "DE.Views.Links.textUpdateAll": "Recarregar tabela", + "DE.Views.Links.textUpdatePages": "Recarregar apenas o número de páginas", + "DE.Views.Links.tipBookmarks": "Criar marcador", + "DE.Views.Links.tipCaption": "Inserir legenda", + "DE.Views.Links.tipContents": "Inserir índice remissivo", + "DE.Views.Links.tipContentsUpdate": "Recarregar índice remissivo", + "DE.Views.Links.tipCrossRef": "Inserir referência cruzada", + "DE.Views.Links.tipInsertHyperlink": "Adicionar hiperligação", + "DE.Views.Links.tipNotes": "Inserir ou editar notas de rodapé", + "DE.Views.Links.tipTableFigures": "Inserir tabela de figuras", + "DE.Views.Links.tipTableFiguresUpdate": "Recarregar tabela de figuras", + "DE.Views.Links.titleUpdateTOF": "Recarregar tabela de figuras", + "DE.Views.ListSettingsDialog.textAuto": "Automático", + "DE.Views.ListSettingsDialog.textCenter": "Centro", + "DE.Views.ListSettingsDialog.textLeft": "Esquerda", + "DE.Views.ListSettingsDialog.textLevel": "Nível", + "DE.Views.ListSettingsDialog.textPreview": "Pré-visualizar", + "DE.Views.ListSettingsDialog.textRight": "Direita", + "DE.Views.ListSettingsDialog.txtAlign": "Alinhamento", + "DE.Views.ListSettingsDialog.txtBullet": "Marcador", + "DE.Views.ListSettingsDialog.txtColor": "Cor", + "DE.Views.ListSettingsDialog.txtFont": "Tipo de letra e Símbolo", + "DE.Views.ListSettingsDialog.txtLikeText": "Como um texto", + "DE.Views.ListSettingsDialog.txtNewBullet": "Nova marca", + "DE.Views.ListSettingsDialog.txtNone": "Nenhum", + "DE.Views.ListSettingsDialog.txtSize": "Tamanho", + "DE.Views.ListSettingsDialog.txtSymbol": "Símbolo", + "DE.Views.ListSettingsDialog.txtTitle": "Definições da lista", + "DE.Views.ListSettingsDialog.txtType": "Tipo", + "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", + "DE.Views.MailMergeEmailDlg.okButtonText": "Enviar", + "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Tema", + "DE.Views.MailMergeEmailDlg.textAttachDocx": "Attach as DOCX", + "DE.Views.MailMergeEmailDlg.textAttachPdf": "Attach as PDF", + "DE.Views.MailMergeEmailDlg.textFileName": "Nome do ficheiro", + "DE.Views.MailMergeEmailDlg.textFormat": "Mail format", + "DE.Views.MailMergeEmailDlg.textFrom": "De", + "DE.Views.MailMergeEmailDlg.textHTML": "HTML", + "DE.Views.MailMergeEmailDlg.textMessage": "Mensagem", + "DE.Views.MailMergeEmailDlg.textSubject": "Linha de assunto", + "DE.Views.MailMergeEmailDlg.textTitle": "Send to Email", + "DE.Views.MailMergeEmailDlg.textTo": "a", + "DE.Views.MailMergeEmailDlg.textWarning": "Aviso!", + "DE.Views.MailMergeEmailDlg.textWarningMsg": "Tenha em atenção que não é possível interromper o envio de e-mail assim que selecionar 'Enviar'", + "DE.Views.MailMergeSettings.downloadMergeTitle": "Merging", + "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "Falha ao unir.", + "DE.Views.MailMergeSettings.notcriticalErrorTitle": "Aviso", + "DE.Views.MailMergeSettings.textAddRecipients": "Tem que adicionar alguns destinatários à lista", + "DE.Views.MailMergeSettings.textAll": "Todos os registos", + "DE.Views.MailMergeSettings.textCurrent": "Current record", + "DE.Views.MailMergeSettings.textDataSource": "Fonte de dados", + "DE.Views.MailMergeSettings.textDocx": "Docx", + "DE.Views.MailMergeSettings.textDownload": "Descarregar", + "DE.Views.MailMergeSettings.textEditData": "Editar lista de destinatários", + "DE.Views.MailMergeSettings.textEmail": "Email", + "DE.Views.MailMergeSettings.textFrom": "De", + "DE.Views.MailMergeSettings.textGoToMail": "Go to Mail", + "DE.Views.MailMergeSettings.textHighlight": "Highlight merge fields", + "DE.Views.MailMergeSettings.textInsertField": "Insert Merge Field", + "DE.Views.MailMergeSettings.textMaxRecepients": "Max 100 recepients.", + "DE.Views.MailMergeSettings.textMerge": "Unir", + "DE.Views.MailMergeSettings.textMergeFields": "Merge Fields", + "DE.Views.MailMergeSettings.textMergeTo": "Merge to", + "DE.Views.MailMergeSettings.textPdf": "PDF", + "DE.Views.MailMergeSettings.textPortal": "Salvar", + "DE.Views.MailMergeSettings.textPreview": "Resultados da pré-visualização", + "DE.Views.MailMergeSettings.textReadMore": "Ler mais", + "DE.Views.MailMergeSettings.textSendMsg": "Todas as mensagens de e-mail estão prontas e serão enviadas seguidamente.
    A velocidade do envio depende do seu serviço de correio eletrónico.
    Pode continuar a trabalhar ou fechar o documento. Terminada a ação, será enviada uma notificação por e-mail para o endereço de e-mail registado.", + "DE.Views.MailMergeSettings.textTo": "a", + "DE.Views.MailMergeSettings.txtFirst": "To first record", + "DE.Views.MailMergeSettings.txtFromToError": "O valor \"De\" deve ser menor do que o valor \"Até\"", + "DE.Views.MailMergeSettings.txtLast": "Para último registo", + "DE.Views.MailMergeSettings.txtNext": "To next record", + "DE.Views.MailMergeSettings.txtPrev": "To previous record", + "DE.Views.MailMergeSettings.txtUntitled": "Sem título", + "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", + "DE.Views.Navigation.txtCollapse": "Recolher tudo", + "DE.Views.Navigation.txtDemote": "Rebaixar", + "DE.Views.Navigation.txtEmpty": "Não existem títulos no documento.
    Aplique um estilo de título ao texto para que este apareça no índice remissivo.", + "DE.Views.Navigation.txtEmptyItem": "Título vazio", + "DE.Views.Navigation.txtExpand": "Expandir tudo", + "DE.Views.Navigation.txtExpandToLevel": "Expandir ao nível", + "DE.Views.Navigation.txtHeadingAfter": "Novo título depois", + "DE.Views.Navigation.txtHeadingBefore": "Novo título antes", + "DE.Views.Navigation.txtNewHeading": "Novo subtítulo", + "DE.Views.Navigation.txtPromote": "Promover", + "DE.Views.Navigation.txtSelect": "Selecionar conteúdo", + "DE.Views.NoteSettingsDialog.textApply": "Aplicar", + "DE.Views.NoteSettingsDialog.textApplyTo": "Aplicar alterações a", + "DE.Views.NoteSettingsDialog.textContinue": "Contínua", + "DE.Views.NoteSettingsDialog.textCustom": "Marca personalizada", + "DE.Views.NoteSettingsDialog.textDocEnd": "Fim do documento", + "DE.Views.NoteSettingsDialog.textDocument": "Documento inteiro", + "DE.Views.NoteSettingsDialog.textEachPage": "Reiniciar cada página", + "DE.Views.NoteSettingsDialog.textEachSection": "Reiniciar Em Cada Secção", + "DE.Views.NoteSettingsDialog.textEndnote": "Nota final", + "DE.Views.NoteSettingsDialog.textFootnote": "Nota de rodapé", + "DE.Views.NoteSettingsDialog.textFormat": "Formato", + "DE.Views.NoteSettingsDialog.textInsert": "Inserir", + "DE.Views.NoteSettingsDialog.textLocation": "Localização", + "DE.Views.NoteSettingsDialog.textNumbering": "Numeração", + "DE.Views.NoteSettingsDialog.textNumFormat": "Formato de número", + "DE.Views.NoteSettingsDialog.textPageBottom": "Fundo da página", + "DE.Views.NoteSettingsDialog.textSectEnd": "Fim da secção", + "DE.Views.NoteSettingsDialog.textSection": "Secção atual", + "DE.Views.NoteSettingsDialog.textStart": "Iniciar em", + "DE.Views.NoteSettingsDialog.textTextBottom": "Abaixo do texto", + "DE.Views.NoteSettingsDialog.textTitle": "Definições de nota", + "DE.Views.NotesRemoveDialog.textEnd": "Eliminar todas as notas finais", + "DE.Views.NotesRemoveDialog.textFoot": "Eliminar todas as notas de rodapé", + "DE.Views.NotesRemoveDialog.textTitle": "Eliminar notas", + "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "Aviso", + "DE.Views.PageMarginsDialog.textBottom": "Baixo", + "DE.Views.PageMarginsDialog.textGutter": "Medianiz", + "DE.Views.PageMarginsDialog.textGutterPosition": "Posição da Medianiz", + "DE.Views.PageMarginsDialog.textInside": "Dentro de", + "DE.Views.PageMarginsDialog.textLandscape": "Horizontal", + "DE.Views.PageMarginsDialog.textLeft": "Esquerda", + "DE.Views.PageMarginsDialog.textMirrorMargins": "Margens espelho", + "DE.Views.PageMarginsDialog.textMultiplePages": "Várias páginas", + "DE.Views.PageMarginsDialog.textNormal": "Normal", + "DE.Views.PageMarginsDialog.textOrientation": "Orientação", + "DE.Views.PageMarginsDialog.textOutside": "Exterior", + "DE.Views.PageMarginsDialog.textPortrait": "Vertical", + "DE.Views.PageMarginsDialog.textPreview": "Pré-visualizar", + "DE.Views.PageMarginsDialog.textRight": "Direita", + "DE.Views.PageMarginsDialog.textTitle": "Margens", + "DE.Views.PageMarginsDialog.textTop": "Parte superior", + "DE.Views.PageMarginsDialog.txtMarginsH": "As margens superior e inferior são muito grandes para a altura indicada", + "DE.Views.PageMarginsDialog.txtMarginsW": "As margens direita e esquerda são muito grandes para a largura indicada", + "DE.Views.PageSizeDialog.textHeight": "Altura", + "DE.Views.PageSizeDialog.textPreset": "Predefinição", + "DE.Views.PageSizeDialog.textTitle": "Tamanho da página", + "DE.Views.PageSizeDialog.textWidth": "Largura", + "DE.Views.PageSizeDialog.txtCustom": "Personalizar", + "DE.Views.PageThumbnails.textClosePanel": "Fechar os thumbnails da página", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Realçar a parte visível da página", + "DE.Views.PageThumbnails.textPageThumbnails": "Thumbnails da Página", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Definições de Thumbnails", + "DE.Views.PageThumbnails.textThumbnailsSize": "Tamanho de Thumbnails", + "DE.Views.ParagraphSettings.strIndent": "Recuos", + "DE.Views.ParagraphSettings.strIndentsLeftText": "Esquerda", + "DE.Views.ParagraphSettings.strIndentsRightText": "Direita", + "DE.Views.ParagraphSettings.strIndentsSpecial": "Especial", + "DE.Views.ParagraphSettings.strLineHeight": "Espaçamento entre linhas", + "DE.Views.ParagraphSettings.strParagraphSpacing": "Espaçamento", + "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Não adicionar intervalo entre parágrafos do mesmo estilo", + "DE.Views.ParagraphSettings.strSpacingAfter": "Depois", + "DE.Views.ParagraphSettings.strSpacingBefore": "Antes", + "DE.Views.ParagraphSettings.textAdvanced": "Mostrar definições avançadas", + "DE.Views.ParagraphSettings.textAt": "Em", + "DE.Views.ParagraphSettings.textAtLeast": "Pelo menos", + "DE.Views.ParagraphSettings.textAuto": "Múltiplo", + "DE.Views.ParagraphSettings.textBackColor": "Cor de fundo", + "DE.Views.ParagraphSettings.textExact": "Exatamente", + "DE.Views.ParagraphSettings.textFirstLine": "Primeira linha", + "DE.Views.ParagraphSettings.textHanging": "Suspensão", + "DE.Views.ParagraphSettings.textNoneSpecial": "(nenhum)", + "DE.Views.ParagraphSettings.txtAutoText": "Automático", + "DE.Views.ParagraphSettingsAdvanced.noTabs": "Os separadores especificados aparecerão neste campo", + "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "Tudo em maiúsculas", + "DE.Views.ParagraphSettingsAdvanced.strBorders": "Contornos e Preenchimento", + "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "Quebra de página antes", + "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Tachado duplo", + "DE.Views.ParagraphSettingsAdvanced.strIndent": "Recuos", + "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Esquerda", + "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Espaçamento entre linhas", + "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Nível de contorno", + "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Direita", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Depois", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Antes", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Especial", + "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "Manter linhas juntas", + "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "Manter com seguinte", + "DE.Views.ParagraphSettingsAdvanced.strMargins": "Preenchimentos", + "DE.Views.ParagraphSettingsAdvanced.strOrphan": "Controle de órfão", + "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Fonte", + "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Avanços e espaçamento", + "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "Quebras de linha e de página", + "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "Posicionamento", + "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Versaletes", + "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Não adicionar intervalo entre parágrafos do mesmo estilo", + "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Espaçamento", + "DE.Views.ParagraphSettingsAdvanced.strStrike": "Riscado", + "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscrito", + "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Sobrescrito", + "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "Suprimir números de linhas", + "DE.Views.ParagraphSettingsAdvanced.strTabs": "Aba", + "DE.Views.ParagraphSettingsAdvanced.textAlign": "Alinhamento", + "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Pelo menos", + "DE.Views.ParagraphSettingsAdvanced.textAuto": "Múltiplo", + "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Cor de fundo", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Texto básico", + "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Cor do contorno", + "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Clique no diagrama ou utilize os botões para selecionar os contornos e aplicar um estilo", + "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Tamanho do contorno", + "DE.Views.ParagraphSettingsAdvanced.textBottom": "Inferior", + "DE.Views.ParagraphSettingsAdvanced.textCentered": "Centrado", + "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Espaçamento entre caracteres", + "DE.Views.ParagraphSettingsAdvanced.textDefault": "Aba padrão", + "DE.Views.ParagraphSettingsAdvanced.textEffects": "Efeitos", + "DE.Views.ParagraphSettingsAdvanced.textExact": "Exatamente", + "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Primeira linha", + "DE.Views.ParagraphSettingsAdvanced.textHanging": "Suspensão", + "DE.Views.ParagraphSettingsAdvanced.textJustified": "Justificado", + "DE.Views.ParagraphSettingsAdvanced.textLeader": "Guia", + "DE.Views.ParagraphSettingsAdvanced.textLeft": "Esquerda", + "DE.Views.ParagraphSettingsAdvanced.textLevel": "Nível", + "DE.Views.ParagraphSettingsAdvanced.textNone": "Nenhum", + "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nenhum)", + "DE.Views.ParagraphSettingsAdvanced.textPosition": "Posição", + "DE.Views.ParagraphSettingsAdvanced.textRemove": "Remover", + "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remover todos", + "DE.Views.ParagraphSettingsAdvanced.textRight": "Direita", + "DE.Views.ParagraphSettingsAdvanced.textSet": "Especificar", + "DE.Views.ParagraphSettingsAdvanced.textSpacing": "Espaçamento", + "DE.Views.ParagraphSettingsAdvanced.textTabCenter": "Centro", + "DE.Views.ParagraphSettingsAdvanced.textTabLeft": "Esquerda", + "DE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posição da aba", + "DE.Views.ParagraphSettingsAdvanced.textTabRight": "Direita", + "DE.Views.ParagraphSettingsAdvanced.textTitle": "Parágrafo - Definições avançadas", + "DE.Views.ParagraphSettingsAdvanced.textTop": "Parte superior", + "DE.Views.ParagraphSettingsAdvanced.tipAll": "Definir contorno externo e todas as linhas internas", + "DE.Views.ParagraphSettingsAdvanced.tipBottom": "Definir apenas contorno inferior", + "DE.Views.ParagraphSettingsAdvanced.tipInner": "Definir apenas linhas internas horizontais", + "DE.Views.ParagraphSettingsAdvanced.tipLeft": "Definir apenas contorno esquerdo", + "DE.Views.ParagraphSettingsAdvanced.tipNone": "Definir sem contornos", + "DE.Views.ParagraphSettingsAdvanced.tipOuter": "Definir apenas contorno externo", + "DE.Views.ParagraphSettingsAdvanced.tipRight": "Definir apenas contorno direito", + "DE.Views.ParagraphSettingsAdvanced.tipTop": "Definir apenas contorno superior", + "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático", + "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "Sem contornos", + "DE.Views.RightMenu.txtChartSettings": "Definições de gráfico", + "DE.Views.RightMenu.txtFormSettings": "Definições do formulário", + "DE.Views.RightMenu.txtHeaderFooterSettings": "Definições de cabeçalho/rodapé", + "DE.Views.RightMenu.txtImageSettings": "Definições de imagem", + "DE.Views.RightMenu.txtMailMergeSettings": "Definições de e-mail em série", + "DE.Views.RightMenu.txtParagraphSettings": "Definições de parágrafo", + "DE.Views.RightMenu.txtShapeSettings": "Definições de forma", + "DE.Views.RightMenu.txtSignatureSettings": "Definições de assinatura", + "DE.Views.RightMenu.txtTableSettings": "Definições da tabela", + "DE.Views.RightMenu.txtTextArtSettings": "Definições de texto artístico", + "DE.Views.ShapeSettings.strBackground": "Cor de fundo", + "DE.Views.ShapeSettings.strChange": "Alterar forma automática", + "DE.Views.ShapeSettings.strColor": "Cor", + "DE.Views.ShapeSettings.strFill": "Preencher", + "DE.Views.ShapeSettings.strForeground": "Cor principal", + "DE.Views.ShapeSettings.strPattern": "Padrão", + "DE.Views.ShapeSettings.strShadow": "Mostrar sombra", + "DE.Views.ShapeSettings.strSize": "Tamanho", + "DE.Views.ShapeSettings.strStroke": "Linha", + "DE.Views.ShapeSettings.strTransparency": "Opacidade", + "DE.Views.ShapeSettings.strType": "Tipo", + "DE.Views.ShapeSettings.textAdvanced": "Mostrar definições avançadas", + "DE.Views.ShapeSettings.textAngle": "Ângulo", + "DE.Views.ShapeSettings.textBorderSizeErr": "O valor inserido não está correto.
    Introduza um valor entre 0 pt e 1584 pt.", + "DE.Views.ShapeSettings.textColor": "Cor de preenchimento", + "DE.Views.ShapeSettings.textDirection": "Direção", + "DE.Views.ShapeSettings.textEmptyPattern": "Sem padrão", + "DE.Views.ShapeSettings.textFlip": "Virar", + "DE.Views.ShapeSettings.textFromFile": "De um ficheiro", + "DE.Views.ShapeSettings.textFromStorage": "De um armazenamento", + "DE.Views.ShapeSettings.textFromUrl": "De um URL", + "DE.Views.ShapeSettings.textGradient": "Ponto de gradiente", + "DE.Views.ShapeSettings.textGradientFill": "Preenchimento gradiente", + "DE.Views.ShapeSettings.textHint270": "Rodar 90º à esquerda", + "DE.Views.ShapeSettings.textHint90": "Rodar 90º à direita", + "DE.Views.ShapeSettings.textHintFlipH": "Virar horizontalmente", + "DE.Views.ShapeSettings.textHintFlipV": "Virar verticalmente", + "DE.Views.ShapeSettings.textImageTexture": "Imagem ou Textura", + "DE.Views.ShapeSettings.textLinear": "Linear", + "DE.Views.ShapeSettings.textNoFill": "Sem preenchimento", + "DE.Views.ShapeSettings.textPatternFill": "Padrão", + "DE.Views.ShapeSettings.textPosition": "Posição", + "DE.Views.ShapeSettings.textRadial": "Radial", + "DE.Views.ShapeSettings.textRecentlyUsed": "Utilizado recentemente", + "DE.Views.ShapeSettings.textRotate90": "Rodar 90°", + "DE.Views.ShapeSettings.textRotation": "Rotação", + "DE.Views.ShapeSettings.textSelectImage": "Selecionar imagem", + "DE.Views.ShapeSettings.textSelectTexture": "Selecionar", + "DE.Views.ShapeSettings.textStretch": "Alongar", + "DE.Views.ShapeSettings.textStyle": "Estilo", + "DE.Views.ShapeSettings.textTexture": "De uma textura", + "DE.Views.ShapeSettings.textTile": "Lado a lado", + "DE.Views.ShapeSettings.textWrap": "Estilo de moldagem", + "DE.Views.ShapeSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "DE.Views.ShapeSettings.txtBehind": "Atrás", + "DE.Views.ShapeSettings.txtBrownPaper": "Papel pardo", + "DE.Views.ShapeSettings.txtCanvas": "Canvas", + "DE.Views.ShapeSettings.txtCarton": "Cartão", + "DE.Views.ShapeSettings.txtDarkFabric": "Tela escura", + "DE.Views.ShapeSettings.txtGrain": "Granulação", + "DE.Views.ShapeSettings.txtGranite": "Granito", + "DE.Views.ShapeSettings.txtGreyPaper": "Papel cinza", + "DE.Views.ShapeSettings.txtInFront": "Em frente", + "DE.Views.ShapeSettings.txtInline": "Em Linha com o Texto", + "DE.Views.ShapeSettings.txtKnit": "Unir", + "DE.Views.ShapeSettings.txtLeather": "Couro", + "DE.Views.ShapeSettings.txtNoBorders": "Sem linha", + "DE.Views.ShapeSettings.txtPapyrus": "Papiro", + "DE.Views.ShapeSettings.txtSquare": "Quadrado", + "DE.Views.ShapeSettings.txtThrough": "Através", + "DE.Views.ShapeSettings.txtTight": "Justo", + "DE.Views.ShapeSettings.txtTopAndBottom": "Parte superior e inferior", + "DE.Views.ShapeSettings.txtWood": "Madeira", + "DE.Views.SignatureSettings.notcriticalErrorTitle": "Aviso", + "DE.Views.SignatureSettings.strDelete": "Remover assinatura", + "DE.Views.SignatureSettings.strDetails": "Detalhes da assinatura", + "DE.Views.SignatureSettings.strInvalid": "Assinaturas inválidas", + "DE.Views.SignatureSettings.strRequested": "Assinaturas solicitadas", + "DE.Views.SignatureSettings.strSetup": "Definições de Assinatura", + "DE.Views.SignatureSettings.strSign": "Assinar", + "DE.Views.SignatureSettings.strSignature": "Assinatura", + "DE.Views.SignatureSettings.strSigner": "Assinante", + "DE.Views.SignatureSettings.strValid": "Assinaturas válidas", + "DE.Views.SignatureSettings.txtContinueEditing": "Editar mesmo assim", + "DE.Views.SignatureSettings.txtEditWarning": "Se editar este documento, remove as assinaturas.
    Tem a certeza de que deseja continuar?", + "DE.Views.SignatureSettings.txtRemoveWarning": "Quer remover esta assinatura?
    Isto não pode ser anulado.", + "DE.Views.SignatureSettings.txtRequestedSignatures": "Este documento precisa de ser assinado.", + "DE.Views.SignatureSettings.txtSigned": "Assinaturas adicionadas ao documento. Este documento não pode ser editado.", + "DE.Views.SignatureSettings.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Este documento não pode ser editado.", + "DE.Views.Statusbar.goToPageText": "Ir para a página", + "DE.Views.Statusbar.pageIndexText": "Página {0} de {1}", + "DE.Views.Statusbar.tipFitPage": "Ajustar à página", + "DE.Views.Statusbar.tipFitWidth": "Ajustar largura", + "DE.Views.Statusbar.tipHandTool": "Ferramenta de mão", + "DE.Views.Statusbar.tipSelectTool": "Selecionar ferramenta", + "DE.Views.Statusbar.tipSetLang": "Definir idioma do texto", + "DE.Views.Statusbar.tipZoomFactor": "Ampliação", + "DE.Views.Statusbar.tipZoomIn": "Ampliar", + "DE.Views.Statusbar.tipZoomOut": "Reduzir", + "DE.Views.Statusbar.txtPageNumInvalid": "Número da página inválido", + "DE.Views.StyleTitleDialog.textHeader": "Criar novo estilo", + "DE.Views.StyleTitleDialog.textNextStyle": "Next paragraph style", + "DE.Views.StyleTitleDialog.textTitle": "Título", + "DE.Views.StyleTitleDialog.txtEmpty": "This field is required", + "DE.Views.StyleTitleDialog.txtNotEmpty": "Field must not be empty", + "DE.Views.StyleTitleDialog.txtSameAs": "Igual ao novo estilo criado", + "DE.Views.TableFormulaDialog.textBookmark": "Colar Marcador", + "DE.Views.TableFormulaDialog.textFormat": "Formato de número", + "DE.Views.TableFormulaDialog.textFormula": "Fórmula", + "DE.Views.TableFormulaDialog.textInsertFunction": "Colar Função", + "DE.Views.TableFormulaDialog.textTitle": "Definições de fórmula", + "DE.Views.TableOfContentsSettings.strAlign": "Alinhar número das páginas à direita", + "DE.Views.TableOfContentsSettings.strFullCaption": "Incluir etiqueta e número", + "DE.Views.TableOfContentsSettings.strLinks": "Formatar índice remissivo como ligação", + "DE.Views.TableOfContentsSettings.strLinksOF": "Formatar tabela de figuras como ligações", + "DE.Views.TableOfContentsSettings.strShowPages": "Mostrar número da página", + "DE.Views.TableOfContentsSettings.textBuildTable": "Criar índice remissivo com base em", + "DE.Views.TableOfContentsSettings.textBuildTableOF": "Construir tabela de figuras de", + "DE.Views.TableOfContentsSettings.textEquation": "Equação", + "DE.Views.TableOfContentsSettings.textFigure": "Figura", + "DE.Views.TableOfContentsSettings.textLeader": "Guia", + "DE.Views.TableOfContentsSettings.textLevel": "Nível", + "DE.Views.TableOfContentsSettings.textLevels": "Níveis", + "DE.Views.TableOfContentsSettings.textNone": "Nenhum", + "DE.Views.TableOfContentsSettings.textRadioCaption": "Legenda", + "DE.Views.TableOfContentsSettings.textRadioLevels": "Níveis de contorno", + "DE.Views.TableOfContentsSettings.textRadioStyle": "Estilo", + "DE.Views.TableOfContentsSettings.textRadioStyles": "Estilos selecionados", + "DE.Views.TableOfContentsSettings.textStyle": "Estilo", + "DE.Views.TableOfContentsSettings.textStyles": "Estilos", + "DE.Views.TableOfContentsSettings.textTable": "Tabela", + "DE.Views.TableOfContentsSettings.textTitle": "Índice remissivo", + "DE.Views.TableOfContentsSettings.textTitleTOF": "Tabela de figuras", + "DE.Views.TableOfContentsSettings.txtCentered": "Centrado", + "DE.Views.TableOfContentsSettings.txtClassic": "Clássico", + "DE.Views.TableOfContentsSettings.txtCurrent": "Atual", + "DE.Views.TableOfContentsSettings.txtDistinctive": "Distintivo", + "DE.Views.TableOfContentsSettings.txtFormal": "Formal", + "DE.Views.TableOfContentsSettings.txtModern": "Moderno", + "DE.Views.TableOfContentsSettings.txtOnline": "Online", + "DE.Views.TableOfContentsSettings.txtSimple": "Simples", + "DE.Views.TableOfContentsSettings.txtStandard": "Padrão", + "DE.Views.TableSettings.deleteColumnText": "Eliminar coluna", + "DE.Views.TableSettings.deleteRowText": "Excluir linha", + "DE.Views.TableSettings.deleteTableText": "Eliminar tabela", + "DE.Views.TableSettings.insertColumnLeftText": "Inserir coluna à esquerda", + "DE.Views.TableSettings.insertColumnRightText": "Inserir coluna à direita", + "DE.Views.TableSettings.insertRowAboveText": "Inserir linha acima", + "DE.Views.TableSettings.insertRowBelowText": "Inserir linha abaixo", + "DE.Views.TableSettings.mergeCellsText": "Mesclar células", + "DE.Views.TableSettings.selectCellText": "Selecionar célula", + "DE.Views.TableSettings.selectColumnText": "Selecionar coluna", + "DE.Views.TableSettings.selectRowText": "Selecionar linha", + "DE.Views.TableSettings.selectTableText": "Selecionar tabela", + "DE.Views.TableSettings.splitCellsText": "Dividir célula...", + "DE.Views.TableSettings.splitCellTitleText": "Dividir célula", + "DE.Views.TableSettings.strRepeatRow": "Repetir como linha de cabeçalho em todas as páginas", + "DE.Views.TableSettings.textAddFormula": "Adicionar fórmula", + "DE.Views.TableSettings.textAdvanced": "Mostrar definições avançadas", + "DE.Views.TableSettings.textBackColor": "Cor de fundo", + "DE.Views.TableSettings.textBanded": "Em tiras", + "DE.Views.TableSettings.textBorderColor": "Cor", + "DE.Views.TableSettings.textBorders": "Estilo do contorno", + "DE.Views.TableSettings.textCellSize": "Tamanho de linhas e de colunas", + "DE.Views.TableSettings.textColumns": "Colunas", + "DE.Views.TableSettings.textConvert": "Converter tabela em texto", + "DE.Views.TableSettings.textDistributeCols": "Distribuir colunas", + "DE.Views.TableSettings.textDistributeRows": "Distribuir linhas", + "DE.Views.TableSettings.textEdit": "Linhas e colunas", + "DE.Views.TableSettings.textEmptyTemplate": "Sem modelos", + "DE.Views.TableSettings.textFirst": "Primeiro", + "DE.Views.TableSettings.textHeader": "Cabeçalho", + "DE.Views.TableSettings.textHeight": "Altura", + "DE.Views.TableSettings.textLast": "Última", + "DE.Views.TableSettings.textRows": "Linhas", + "DE.Views.TableSettings.textSelectBorders": "Selecione os contornos aos quais pretende aplicar o estilo escolhido", + "DE.Views.TableSettings.textTemplate": "Selecionar de um modelo", + "DE.Views.TableSettings.textTotal": "Total", + "DE.Views.TableSettings.textWidth": "Largura", + "DE.Views.TableSettings.tipAll": "Definir contorno externo e todas as linhas internas", + "DE.Views.TableSettings.tipBottom": "Definir apenas contorno inferior externo", + "DE.Views.TableSettings.tipInner": "Definir apenas linhas internas", + "DE.Views.TableSettings.tipInnerHor": "Definir apenas linhas internas horizontais", + "DE.Views.TableSettings.tipInnerVert": "Definir apenas linhas internas verticais", + "DE.Views.TableSettings.tipLeft": "Definir apenas contorno esquerdo externo", + "DE.Views.TableSettings.tipNone": "Definir sem contornos", + "DE.Views.TableSettings.tipOuter": "Definir apenas contorno externo", + "DE.Views.TableSettings.tipRight": "Definir apenas contorno direito externo", + "DE.Views.TableSettings.tipTop": "Definir apenas contorno superior externo", + "DE.Views.TableSettings.txtNoBorders": "Sem contornos", + "DE.Views.TableSettings.txtTable_Accent": "Destaque", + "DE.Views.TableSettings.txtTable_Colorful": "Colorido", + "DE.Views.TableSettings.txtTable_Dark": "Escuro", + "DE.Views.TableSettings.txtTable_GridTable": "Tabela em grelha", + "DE.Views.TableSettings.txtTable_Light": "Claro", + "DE.Views.TableSettings.txtTable_ListTable": "Tabela em lista", + "DE.Views.TableSettings.txtTable_PlainTable": "Tabela simples", + "DE.Views.TableSettings.txtTable_TableGrid": "Grelha da tabela", + "DE.Views.TableSettingsAdvanced.textAlign": "Alinhamento", + "DE.Views.TableSettingsAdvanced.textAlignment": "Alinhamento", + "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Permitir espaçamento entre células", + "DE.Views.TableSettingsAdvanced.textAlt": "Texto alternativo", + "DE.Views.TableSettingsAdvanced.textAltDescription": "Descrição", + "DE.Views.TableSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "DE.Views.TableSettingsAdvanced.textAltTitle": "Título", + "DE.Views.TableSettingsAdvanced.textAnchorText": "Тexto", + "DE.Views.TableSettingsAdvanced.textAutofit": "Redimensionar automaticamente para se ajustar ao conteúdo", + "DE.Views.TableSettingsAdvanced.textBackColor": "Plano de fundo da célula", + "DE.Views.TableSettingsAdvanced.textBelow": "abaixo", + "DE.Views.TableSettingsAdvanced.textBorderColor": "Cor do contorno", + "DE.Views.TableSettingsAdvanced.textBorderDesc": "Clique no diagrama ou utilize os botões para selecionar os contornos e aplicar um estilo", + "DE.Views.TableSettingsAdvanced.textBordersBackgroung": "Contornos e Fundo", + "DE.Views.TableSettingsAdvanced.textBorderWidth": "Tamanho do contorno", + "DE.Views.TableSettingsAdvanced.textBottom": "Inferior", + "DE.Views.TableSettingsAdvanced.textCellOptions": "Opções de célula", + "DE.Views.TableSettingsAdvanced.textCellProps": "Propriedades da célula", + "DE.Views.TableSettingsAdvanced.textCellSize": "Tamanho da célula", + "DE.Views.TableSettingsAdvanced.textCenter": "Centro", + "DE.Views.TableSettingsAdvanced.textCenterTooltip": "Centro", + "DE.Views.TableSettingsAdvanced.textCheckMargins": "Usar margens padrão", + "DE.Views.TableSettingsAdvanced.textDefaultMargins": "Margens padrão", + "DE.Views.TableSettingsAdvanced.textDistance": "Distância do texto", + "DE.Views.TableSettingsAdvanced.textHorizontal": "Horizontal", + "DE.Views.TableSettingsAdvanced.textIndLeft": "Recuo da esquerda", + "DE.Views.TableSettingsAdvanced.textLeft": "Esquerda", + "DE.Views.TableSettingsAdvanced.textLeftTooltip": "Esquerda", + "DE.Views.TableSettingsAdvanced.textMargin": "Margem", + "DE.Views.TableSettingsAdvanced.textMargins": "Margens da célula", + "DE.Views.TableSettingsAdvanced.textMeasure": "Medir em", + "DE.Views.TableSettingsAdvanced.textMove": "Mover objeto com texto", + "DE.Views.TableSettingsAdvanced.textOnlyCells": "Apenas para as células selecionadas", + "DE.Views.TableSettingsAdvanced.textOptions": "Opções", + "DE.Views.TableSettingsAdvanced.textOverlap": "Permitir sobreposição", + "DE.Views.TableSettingsAdvanced.textPage": "Página", + "DE.Views.TableSettingsAdvanced.textPosition": "Posição", + "DE.Views.TableSettingsAdvanced.textPrefWidth": "Largura preferida", + "DE.Views.TableSettingsAdvanced.textPreview": "Pré-visualizar", + "DE.Views.TableSettingsAdvanced.textRelative": "relativo para", + "DE.Views.TableSettingsAdvanced.textRight": "Direita", + "DE.Views.TableSettingsAdvanced.textRightOf": "para a direita de", + "DE.Views.TableSettingsAdvanced.textRightTooltip": "Direita", + "DE.Views.TableSettingsAdvanced.textTable": "Tabela", + "DE.Views.TableSettingsAdvanced.textTableBackColor": "Fundo da tabela", + "DE.Views.TableSettingsAdvanced.textTablePosition": "Posição da tabela", + "DE.Views.TableSettingsAdvanced.textTableSize": "Tamanho da tabela", + "DE.Views.TableSettingsAdvanced.textTitle": "Tabela - Definições avançadas", + "DE.Views.TableSettingsAdvanced.textTop": "Parte superior", + "DE.Views.TableSettingsAdvanced.textVertical": "Vertical", + "DE.Views.TableSettingsAdvanced.textWidth": "Largura", + "DE.Views.TableSettingsAdvanced.textWidthSpaces": "Largura e Espaços", + "DE.Views.TableSettingsAdvanced.textWrap": "Moldar texto", + "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "Tabela embutida", + "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "Tabela de fluxo", + "DE.Views.TableSettingsAdvanced.textWrappingStyle": "Estilo de moldagem", + "DE.Views.TableSettingsAdvanced.textWrapText": "Moldar texto", + "DE.Views.TableSettingsAdvanced.tipAll": "Definir contorno externo e todas as linhas internas", + "DE.Views.TableSettingsAdvanced.tipCellAll": "Definir contornos para células internas apenas", + "DE.Views.TableSettingsAdvanced.tipCellInner": "Definir linhas verticais e horizontais apenas para células internas", + "DE.Views.TableSettingsAdvanced.tipCellOuter": "Definir contornos externos apenas para células internas", + "DE.Views.TableSettingsAdvanced.tipInner": "Definir apenas linhas internas", + "DE.Views.TableSettingsAdvanced.tipNone": "Definir sem contornos", + "DE.Views.TableSettingsAdvanced.tipOuter": "Definir apenas contorno externo", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellAll": "Definir contorno externo e contornos para todas as células internas", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellInner": "Definir contorno externo e linhas verticais e horizontais para células internas", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "Definir contorno externo da tabela e contornos externos para células internas", + "DE.Views.TableSettingsAdvanced.txtCm": "Centímetro", + "DE.Views.TableSettingsAdvanced.txtInch": "Polegada", + "DE.Views.TableSettingsAdvanced.txtNoBorders": "Sem contornos", + "DE.Views.TableSettingsAdvanced.txtPercent": "Percentagem", + "DE.Views.TableSettingsAdvanced.txtPt": "Ponto", + "DE.Views.TableToTextDialog.textEmpty": "Deve escrever um carácter para o separador personalizado.", + "DE.Views.TableToTextDialog.textNested": "Converter tabelas aninhadas", + "DE.Views.TableToTextDialog.textOther": "Outros", + "DE.Views.TableToTextDialog.textPara": "Marcas de parágrafo", + "DE.Views.TableToTextDialog.textSemicolon": "Ponto e vírgula", + "DE.Views.TableToTextDialog.textSeparator": "Separar texto com", + "DE.Views.TableToTextDialog.textTab": "Separadores", + "DE.Views.TableToTextDialog.textTitle": "Converter tabela em texto", + "DE.Views.TextArtSettings.strColor": "Cor", + "DE.Views.TextArtSettings.strFill": "Preencher", + "DE.Views.TextArtSettings.strSize": "Tamanho", + "DE.Views.TextArtSettings.strStroke": "Traço", + "DE.Views.TextArtSettings.strTransparency": "Opacidade", + "DE.Views.TextArtSettings.strType": "Tipo", + "DE.Views.TextArtSettings.textAngle": "Ângulo", + "DE.Views.TextArtSettings.textBorderSizeErr": "O valor inserido não está correto.
    Introduza um valor entre 0 pt e 1584 pt.", + "DE.Views.TextArtSettings.textColor": "Cor de preenchimento", + "DE.Views.TextArtSettings.textDirection": "Direção", + "DE.Views.TextArtSettings.textGradient": "Gradiente", + "DE.Views.TextArtSettings.textGradientFill": "Preenchimento gradiente", + "DE.Views.TextArtSettings.textLinear": "Linear", + "DE.Views.TextArtSettings.textNoFill": "Sem preenchimento", + "DE.Views.TextArtSettings.textPosition": "Posição", + "DE.Views.TextArtSettings.textRadial": "Radial", + "DE.Views.TextArtSettings.textSelectTexture": "Selecionar", + "DE.Views.TextArtSettings.textStyle": "Estilo", + "DE.Views.TextArtSettings.textTemplate": "Modelo", + "DE.Views.TextArtSettings.textTransform": "Transform", + "DE.Views.TextArtSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "DE.Views.TextArtSettings.txtNoBorders": "Sem linha", + "DE.Views.TextToTableDialog.textAutofit": "Comportamento de auto-ajuste", + "DE.Views.TextToTableDialog.textColumns": "Colunas", + "DE.Views.TextToTableDialog.textContents": "Adaptação automática ao conteúdo", + "DE.Views.TextToTableDialog.textEmpty": "Deve escrever um carácter para o separador personalizado.", + "DE.Views.TextToTableDialog.textFixed": "Largura fixa da coluna", + "DE.Views.TextToTableDialog.textOther": "Outros", + "DE.Views.TextToTableDialog.textPara": "Parágrafos", + "DE.Views.TextToTableDialog.textRows": "Linhas", + "DE.Views.TextToTableDialog.textSemicolon": "Ponto e vírgula", + "DE.Views.TextToTableDialog.textSeparator": "Separar texto em", + "DE.Views.TextToTableDialog.textTab": "Separadores", + "DE.Views.TextToTableDialog.textTableSize": "Tamanho da tabela", + "DE.Views.TextToTableDialog.textTitle": "Converter texto em tabela", + "DE.Views.TextToTableDialog.textWindow": "Ajustar automaticamente à janela", + "DE.Views.TextToTableDialog.txtAutoText": "Automático", + "DE.Views.Toolbar.capBtnAddComment": "Adicionar comentário", + "DE.Views.Toolbar.capBtnBlankPage": "Página vazia", + "DE.Views.Toolbar.capBtnColumns": "Colunas", + "DE.Views.Toolbar.capBtnComment": "Comentário", + "DE.Views.Toolbar.capBtnDateTime": "Data e Hora", + "DE.Views.Toolbar.capBtnInsChart": "Gráfico", + "DE.Views.Toolbar.capBtnInsControls": "Controlos de conteúdo", + "DE.Views.Toolbar.capBtnInsDropcap": "Letra capitular", + "DE.Views.Toolbar.capBtnInsEquation": "Equação", + "DE.Views.Toolbar.capBtnInsHeader": "Cabeçalho/rodapé", + "DE.Views.Toolbar.capBtnInsImage": "Imagem", + "DE.Views.Toolbar.capBtnInsPagebreak": "Quebras", + "DE.Views.Toolbar.capBtnInsShape": "Forma", + "DE.Views.Toolbar.capBtnInsSymbol": "Símbolo", + "DE.Views.Toolbar.capBtnInsTable": "Tabela", + "DE.Views.Toolbar.capBtnInsTextart": "Lágrima", + "DE.Views.Toolbar.capBtnInsTextbox": "Caixa de texto", + "DE.Views.Toolbar.capBtnLineNumbers": "Números de Linhas", + "DE.Views.Toolbar.capBtnMargins": "Margens", + "DE.Views.Toolbar.capBtnPageOrient": "Orientação", + "DE.Views.Toolbar.capBtnPageSize": "Tamanho", + "DE.Views.Toolbar.capBtnWatermark": "Marca d'água", + "DE.Views.Toolbar.capImgAlign": "Alinhar", + "DE.Views.Toolbar.capImgBackward": "Enviar para trás", + "DE.Views.Toolbar.capImgForward": "Trazer para a frente", + "DE.Views.Toolbar.capImgGroup": "Grupo", + "DE.Views.Toolbar.capImgWrapping": "Moldar", + "DE.Views.Toolbar.mniCapitalizeWords": "Capitalizar cada palavra", + "DE.Views.Toolbar.mniCustomTable": "Inserir tabela personalizada", + "DE.Views.Toolbar.mniDrawTable": "Desenhar tabela", + "DE.Views.Toolbar.mniEditControls": "Definições de controlo", + "DE.Views.Toolbar.mniEditDropCap": "Definições de capitulares", + "DE.Views.Toolbar.mniEditFooter": "Editar rodapé", + "DE.Views.Toolbar.mniEditHeader": "Editar cabeçalho", + "DE.Views.Toolbar.mniEraseTable": "Eliminar tabela", + "DE.Views.Toolbar.mniFromFile": "Do ficheiro", + "DE.Views.Toolbar.mniFromStorage": "Do armazenamento", + "DE.Views.Toolbar.mniFromUrl": "De um URL", + "DE.Views.Toolbar.mniHiddenBorders": "Ocultar contornos da tabela", + "DE.Views.Toolbar.mniHiddenChars": "Caracteres não imprimíveis", + "DE.Views.Toolbar.mniHighlightControls": "Definições de destaque", + "DE.Views.Toolbar.mniImageFromFile": "Imagem de um ficheiro", + "DE.Views.Toolbar.mniImageFromStorage": "Imagem de um armazenamento", + "DE.Views.Toolbar.mniImageFromUrl": "Imagem de um URL", + "DE.Views.Toolbar.mniLowerCase": "minúscula", + "DE.Views.Toolbar.mniSentenceCase": "Maiúscula no Início da frase.", + "DE.Views.Toolbar.mniTextToTable": "Converter texto em tabela", + "DE.Views.Toolbar.mniToggleCase": "iNVERTER mAIÚSCULAS/mINÚSCULAS", + "DE.Views.Toolbar.mniUpperCase": "MAIÚSCULAS", + "DE.Views.Toolbar.strMenuNoFill": "Sem preenchimento", + "DE.Views.Toolbar.textAutoColor": "Automático", + "DE.Views.Toolbar.textBold": "Negrito", + "DE.Views.Toolbar.textBottom": "Inferior:", + "DE.Views.Toolbar.textChangeLevel": "Alterar nível de lista", + "DE.Views.Toolbar.textCheckboxControl": "Caixa de seleção", + "DE.Views.Toolbar.textColumnsCustom": "Colunas personalizadas", + "DE.Views.Toolbar.textColumnsLeft": "Esquerda", + "DE.Views.Toolbar.textColumnsOne": "Uma", + "DE.Views.Toolbar.textColumnsRight": "Direita", + "DE.Views.Toolbar.textColumnsThree": "Três", + "DE.Views.Toolbar.textColumnsTwo": "Duas", + "DE.Views.Toolbar.textComboboxControl": "Caixa de combinação", + "DE.Views.Toolbar.textContinuous": "Contínuo", + "DE.Views.Toolbar.textContPage": "Página contínua", + "DE.Views.Toolbar.textCustomLineNumbers": "Opções de numeração de linha", + "DE.Views.Toolbar.textDateControl": "Data", + "DE.Views.Toolbar.textDropdownControl": "Lista suspensa", + "DE.Views.Toolbar.textEditWatermark": "Marca d'água personalizada", + "DE.Views.Toolbar.textEvenPage": "Página par", + "DE.Views.Toolbar.textInMargin": "Na margem", + "DE.Views.Toolbar.textInsColumnBreak": "Inserir quebra de coluna", + "DE.Views.Toolbar.textInsertPageCount": "Inserir número de páginas", + "DE.Views.Toolbar.textInsertPageNumber": "Inserir número de página", + "DE.Views.Toolbar.textInsPageBreak": "Inserir quebra de página", + "DE.Views.Toolbar.textInsSectionBreak": "Inserir quebra de seção", + "DE.Views.Toolbar.textInText": "No texto", + "DE.Views.Toolbar.textItalic": "Itálico", + "DE.Views.Toolbar.textLandscape": "Horizontal", + "DE.Views.Toolbar.textLeft": "Esquerda:", + "DE.Views.Toolbar.textListSettings": "Definições da lista", + "DE.Views.Toolbar.textMarginsLast": "Última personalizada", + "DE.Views.Toolbar.textMarginsModerate": "Moderado", + "DE.Views.Toolbar.textMarginsNarrow": "Estreita", + "DE.Views.Toolbar.textMarginsNormal": "Normal", + "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", + "DE.Views.Toolbar.textMarginsWide": "Amplo", + "DE.Views.Toolbar.textNewColor": "Adicionar nova cor personalizada", + "DE.Views.Toolbar.textNextPage": "Página seguinte", + "DE.Views.Toolbar.textNoHighlight": "Sem realce", + "DE.Views.Toolbar.textNone": "Nenhum", + "DE.Views.Toolbar.textOddPage": "Página ímpar", + "DE.Views.Toolbar.textPageMarginsCustom": "Margens personalizadas", + "DE.Views.Toolbar.textPageSizeCustom": "Tamanho de página personalizado", + "DE.Views.Toolbar.textPictureControl": "Imagem", + "DE.Views.Toolbar.textPlainControl": "Texto simples", + "DE.Views.Toolbar.textPortrait": "Vertical", + "DE.Views.Toolbar.textRemoveControl": "Remover controlo de conteúdo", + "DE.Views.Toolbar.textRemWatermark": "Remover marca d'água", + "DE.Views.Toolbar.textRestartEachPage": "Reiniciar cada página", + "DE.Views.Toolbar.textRestartEachSection": "Reiniciar Em Cada Secção", + "DE.Views.Toolbar.textRichControl": "Texto simples", + "DE.Views.Toolbar.textRight": "Direita:", + "DE.Views.Toolbar.textStrikeout": "Riscado", + "DE.Views.Toolbar.textStyleMenuDelete": "Delete style", + "DE.Views.Toolbar.textStyleMenuDeleteAll": "Delete all custom styles", + "DE.Views.Toolbar.textStyleMenuNew": "Novo estilo baseado na seleção", + "DE.Views.Toolbar.textStyleMenuRestore": "Repor valores padrão", + "DE.Views.Toolbar.textStyleMenuRestoreAll": "Restore all to default styles", + "DE.Views.Toolbar.textStyleMenuUpdate": "Atualizar com base na seleção", + "DE.Views.Toolbar.textSubscript": "Subscrito", + "DE.Views.Toolbar.textSuperscript": "Sobrescrito", + "DE.Views.Toolbar.textSuppressForCurrentParagraph": "Suprimir para Parágrafo Atual", + "DE.Views.Toolbar.textTabCollaboration": "Colaboração", + "DE.Views.Toolbar.textTabFile": "Ficheiro", + "DE.Views.Toolbar.textTabHome": "Base", + "DE.Views.Toolbar.textTabInsert": "Inserir", + "DE.Views.Toolbar.textTabLayout": "Disposição", + "DE.Views.Toolbar.textTabLinks": "Referências", + "DE.Views.Toolbar.textTabProtect": "Proteção", + "DE.Views.Toolbar.textTabReview": "Rever", + "DE.Views.Toolbar.textTabView": "Visualizar", + "DE.Views.Toolbar.textTitleError": "Erro", + "DE.Views.Toolbar.textToCurrent": "Para posição atual", + "DE.Views.Toolbar.textTop": "Parte superior:", + "DE.Views.Toolbar.textUnderline": "Sublinhado", + "DE.Views.Toolbar.tipAlignCenter": "Alinhar ao centro", + "DE.Views.Toolbar.tipAlignJust": "Justificado", + "DE.Views.Toolbar.tipAlignLeft": "Alinhar à esquerda", + "DE.Views.Toolbar.tipAlignRight": "Alinhar à direita", + "DE.Views.Toolbar.tipBack": "Voltar", + "DE.Views.Toolbar.tipBlankPage": "Inserir página vazia", + "DE.Views.Toolbar.tipChangeCase": "Alternar maiúscula/minúscula", + "DE.Views.Toolbar.tipChangeChart": "Alterar tipo de gráfico", + "DE.Views.Toolbar.tipClearStyle": "Limpar estilo", + "DE.Views.Toolbar.tipColorSchemas": "Alterar esquema de cor", + "DE.Views.Toolbar.tipColumns": "Inserir colunas", + "DE.Views.Toolbar.tipControls": "Adicionar controlos de conteúdo", + "DE.Views.Toolbar.tipCopy": "Copiar", + "DE.Views.Toolbar.tipCopyStyle": "Copiar estilo", + "DE.Views.Toolbar.tipDateTime": "Insira a data e hora atuais", + "DE.Views.Toolbar.tipDecFont": "Diminuir tamanho do tipo de letra", + "DE.Views.Toolbar.tipDecPrLeft": "Diminuir o Recuo", + "DE.Views.Toolbar.tipDropCap": "Inserir letra capitular", + "DE.Views.Toolbar.tipEditHeader": "Editar cabeçalho e rodapé", + "DE.Views.Toolbar.tipFontColor": "Cor do tipo de letra", + "DE.Views.Toolbar.tipFontName": "Nome da fonte", + "DE.Views.Toolbar.tipFontSize": "Tamanho do tipo de letra", + "DE.Views.Toolbar.tipHighlightColor": "Cor de destaque", + "DE.Views.Toolbar.tipImgAlign": "Alinhar objetos", + "DE.Views.Toolbar.tipImgGroup": "Agrupar objetos", + "DE.Views.Toolbar.tipImgWrapping": "Moldar texto", + "DE.Views.Toolbar.tipIncFont": "Aumentar tamanho do tipo de letra", + "DE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo", + "DE.Views.Toolbar.tipInsertChart": "Inserir gráfico", + "DE.Views.Toolbar.tipInsertEquation": "Inserir equação", + "DE.Views.Toolbar.tipInsertImage": "Inserir imagem", + "DE.Views.Toolbar.tipInsertNum": "Inserir número da página", + "DE.Views.Toolbar.tipInsertShape": "Inserir forma automática", + "DE.Views.Toolbar.tipInsertSymbol": "Inserir símbolo", + "DE.Views.Toolbar.tipInsertTable": "Inserir tabela", + "DE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", + "DE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto", + "DE.Views.Toolbar.tipLineNumbers": "Mostrar número das linhas", + "DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo", + "DE.Views.Toolbar.tipMailRecepients": "Select Recepients", + "DE.Views.Toolbar.tipMarkers": "Marcadores", + "DE.Views.Toolbar.tipMarkersArrow": "Marcas em Seta", + "DE.Views.Toolbar.tipMarkersCheckmark": "Marcas de verificação", + "DE.Views.Toolbar.tipMarkersDash": "Marcadores de traços", + "DE.Views.Toolbar.tipMarkersFRhombus": "Listas Rômbicas Preenchidas", + "DE.Views.Toolbar.tipMarkersFRound": "Listas Redondas Preenchidas", + "DE.Views.Toolbar.tipMarkersFSquare": "Listas Quadradas Preenchidas", + "DE.Views.Toolbar.tipMarkersHRound": "Marcas de lista redondas vazias", + "DE.Views.Toolbar.tipMarkersStar": "Marcas em estrela", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Listas Multiníveis Numeradas ", + "DE.Views.Toolbar.tipMultilevels": "Lista multi-níveis", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Listas de Símbolos Multiníveis", + "DE.Views.Toolbar.tipMultiLevelVarious": "Várias Listas Multiníveis Numeradas", + "DE.Views.Toolbar.tipNumbers": "Numeração", + "DE.Views.Toolbar.tipPageBreak": "Inserir página ou quebra de seção", + "DE.Views.Toolbar.tipPageMargins": "Margens da página", + "DE.Views.Toolbar.tipPageOrient": "Orientação da página", + "DE.Views.Toolbar.tipPageSize": "Tamanho da página", + "DE.Views.Toolbar.tipParagraphStyle": "Estilo do parágrafo", + "DE.Views.Toolbar.tipPaste": "Colar", + "DE.Views.Toolbar.tipPrColor": "Cor de fundo do parágrafo", + "DE.Views.Toolbar.tipPrint": "Imprimir", + "DE.Views.Toolbar.tipRedo": "Refazer", + "DE.Views.Toolbar.tipSave": "Salvar", + "DE.Views.Toolbar.tipSaveCoauth": "Guarde as suas alterações para que os outros utilizadores as possam ver.", + "DE.Views.Toolbar.tipSendBackward": "Enviar para trás", + "DE.Views.Toolbar.tipSendForward": "Trazer para a frente", + "DE.Views.Toolbar.tipShowHiddenChars": "Caracteres não imprimíveis", + "DE.Views.Toolbar.tipSynchronize": "O documento foi alterado por outro utilizador. Clique para guardar as suas alterações e recarregar o documento.", + "DE.Views.Toolbar.tipUndo": "Desfazer", + "DE.Views.Toolbar.tipWatermark": "Editar marca d'água", + "DE.Views.Toolbar.txtDistribHor": "Distribuir horizontalmente", + "DE.Views.Toolbar.txtDistribVert": "Distribuir verticalmente", + "DE.Views.Toolbar.txtMarginAlign": "Alinhar à margem", + "DE.Views.Toolbar.txtObjectsAlign": "Alinhar objetos selecionados", + "DE.Views.Toolbar.txtPageAlign": "Alinhar à página", + "DE.Views.Toolbar.txtScheme1": "Office", + "DE.Views.Toolbar.txtScheme10": "Mediana", + "DE.Views.Toolbar.txtScheme11": "Metro", + "DE.Views.Toolbar.txtScheme12": "Módulo", + "DE.Views.Toolbar.txtScheme13": "Opulento", + "DE.Views.Toolbar.txtScheme14": "Balcão envidraçado", + "DE.Views.Toolbar.txtScheme15": "Origem", + "DE.Views.Toolbar.txtScheme16": "Papel", + "DE.Views.Toolbar.txtScheme17": "Solstício", + "DE.Views.Toolbar.txtScheme18": "Técnica", + "DE.Views.Toolbar.txtScheme19": "Viagem", + "DE.Views.Toolbar.txtScheme2": "Escala de cinza", + "DE.Views.Toolbar.txtScheme20": "Urbano", + "DE.Views.Toolbar.txtScheme21": "Verve", + "DE.Views.Toolbar.txtScheme22": "Novo Escritório", + "DE.Views.Toolbar.txtScheme3": "Ápice", + "DE.Views.Toolbar.txtScheme4": "Aspeto", + "DE.Views.Toolbar.txtScheme5": "Cívico", + "DE.Views.Toolbar.txtScheme6": "Concurso", + "DE.Views.Toolbar.txtScheme7": "Patrimônio Líquido", + "DE.Views.Toolbar.txtScheme8": "Fluxo", + "DE.Views.Toolbar.txtScheme9": "Fundição", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar sempre a barra de ferramentas", + "DE.Views.ViewTab.textDarkDocument": "Documento escuro", + "DE.Views.ViewTab.textFitToPage": "Ajustar à página", + "DE.Views.ViewTab.textFitToWidth": "Ajustar à Largura", + "DE.Views.ViewTab.textInterfaceTheme": "Tema da interface", + "DE.Views.ViewTab.textNavigation": "Navegação", + "DE.Views.ViewTab.textRulers": "Réguas", + "DE.Views.ViewTab.textStatusBar": "Barra de estado", + "DE.Views.ViewTab.textZoom": "Zoom", + "DE.Views.WatermarkSettingsDialog.textAuto": "Automático", + "DE.Views.WatermarkSettingsDialog.textBold": "Negrito", + "DE.Views.WatermarkSettingsDialog.textColor": "Cor do texto", + "DE.Views.WatermarkSettingsDialog.textDiagonal": "Diagonal", + "DE.Views.WatermarkSettingsDialog.textFont": "Fonte", + "DE.Views.WatermarkSettingsDialog.textFromFile": "De um ficheiro", + "DE.Views.WatermarkSettingsDialog.textFromStorage": "De um armazenamento", + "DE.Views.WatermarkSettingsDialog.textFromUrl": "De um URL", + "DE.Views.WatermarkSettingsDialog.textHor": "Horizontal", + "DE.Views.WatermarkSettingsDialog.textImageW": "Marca d'água da imagem", + "DE.Views.WatermarkSettingsDialog.textItalic": "Itálico", + "DE.Views.WatermarkSettingsDialog.textLanguage": "Idioma", + "DE.Views.WatermarkSettingsDialog.textLayout": "Disposição", + "DE.Views.WatermarkSettingsDialog.textNone": "Nenhum", + "DE.Views.WatermarkSettingsDialog.textScale": "Redimensionar", + "DE.Views.WatermarkSettingsDialog.textSelect": "Selecionar imagem", + "DE.Views.WatermarkSettingsDialog.textStrikeout": "Riscado", + "DE.Views.WatermarkSettingsDialog.textText": "Тexto", + "DE.Views.WatermarkSettingsDialog.textTextW": "Marca d'água de texto", + "DE.Views.WatermarkSettingsDialog.textTitle": "Definições de marcas d'água", + "DE.Views.WatermarkSettingsDialog.textTransparency": "Semi-transparente", + "DE.Views.WatermarkSettingsDialog.textUnderline": "Sublinhado", + "DE.Views.WatermarkSettingsDialog.tipFontName": "Nome do tipo de letra", + "DE.Views.WatermarkSettingsDialog.tipFontSize": "Tamanho do tipo de letra" +} \ No newline at end of file diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json index a31fcd768..df7e0c207 100644 --- a/apps/documenteditor/main/locale/pt.json +++ b/apps/documenteditor/main/locale/pt.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", "Common.Translation.warnFileLockedBtnView": "Aberto para visualização", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.Calendar.textApril": "Abril", "Common.UI.Calendar.textAugust": "Agosto", "Common.UI.Calendar.textDecember": "Dezembro", @@ -918,17 +918,6 @@ "DE.Controllers.Toolbar.textSymbols": "Símbolos", "DE.Controllers.Toolbar.textTabForms": "Formulários", "DE.Controllers.Toolbar.textWarning": "Aviso", - "DE.Controllers.Toolbar.tipMarkersArrow": "Balas de flecha", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Marcas de verificação", - "DE.Controllers.Toolbar.tipMarkersDash": "Marcadores de roteiro", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Vinhetas rômbicas cheias", - "DE.Controllers.Toolbar.tipMarkersFRound": "Balas redondas cheias", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Balas quadradas cheias", - "DE.Controllers.Toolbar.tipMarkersHRound": "Balas redondas ocas", - "DE.Controllers.Toolbar.tipMarkersStar": "Balas de estrelas", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Marcadores numerados de vários níveis", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Marcadores de símbolos de vários níveis", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Várias balas numeradas de vários níveis", "DE.Controllers.Toolbar.txtAccent_Accent": "Agudo", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Seta para direita-esquerda acima", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Seta adiante para cima", @@ -1531,14 +1520,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Atualizar a tabela de conteúdo", "DE.Views.DocumentHolder.textWrap": "Estilo da quebra automática", "DE.Views.DocumentHolder.tipIsLocked": "Este elemento está sendo atualmente editado por outro usuário.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Balas de flecha", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Marcas de verificação", - "DE.Views.DocumentHolder.tipMarkersDash": "Marcadores de roteiro", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Vinhetas rômbicas cheias", - "DE.Views.DocumentHolder.tipMarkersFRound": "Balas redondas cheias", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Balas quadradas cheias", - "DE.Views.DocumentHolder.tipMarkersHRound": "Balas redondas ocas", - "DE.Views.DocumentHolder.tipMarkersStar": "Balas de estrelas", "DE.Views.DocumentHolder.toDictionaryText": "Incluir no Dicionário", "DE.Views.DocumentHolder.txtAddBottom": "Adicionar borda inferior", "DE.Views.DocumentHolder.txtAddFractionBar": "Adicionar barra de fração", @@ -1681,7 +1662,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", "DE.Views.FileMenu.btnCreateNewCaption": "Criar novo", "DE.Views.FileMenu.btnDownloadCaption": "Baixar como...", - "DE.Views.FileMenu.btnExitCaption": "Sair", + "DE.Views.FileMenu.btnExitCaption": "Encerrar", "DE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "DE.Views.FileMenu.btnHelpCaption": "Ajuda...", "DE.Views.FileMenu.btnHistoryCaption": "Histórico de Versão", @@ -1711,8 +1692,10 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Carregando...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última Modificação Por", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Não", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietário", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Páginas", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Tamanho da página", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Parágrafos", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Localização", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Pessoas que têm direitos", @@ -1723,6 +1706,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título do documento", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Carregado", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Palavras", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Sim", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Alterar direitos de acesso", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Pessoas que têm direitos", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", @@ -1738,21 +1722,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Visualizar assinaturas", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Ativar guias de alinhamento", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Ativar recuperação automática", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Ativar salvamento automático", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modo de Coedição", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Outros usuários verão todas as suas alterações.", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "DE.Views.FileMenuPanels.Settings.strFast": "Rápido", "DE.Views.FileMenuPanels.Settings.strFontRender": "Dicas de fonte", "DE.Views.FileMenuPanels.Settings.strForcesave": "Sempre salvar para o servidor (caso contrário, salvar para servidor no documento fechado)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Ativar hieróglifos", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Ativar opção comentário ao vivo", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configurações de macros", - "DE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar e colar", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar o botão Opções de colagem quando o conteúdo for colado", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Ativar exibição dos comentários resolvidos", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Visualização de mudanças de trilha", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Alterações de colaboração em tempo real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ativar a opção de verificação ortográfica", "DE.Views.FileMenuPanels.Settings.strStrict": "Estrito", @@ -2136,6 +2111,7 @@ "DE.Views.Navigation.txtDemote": "Rebaixar", "DE.Views.Navigation.txtEmpty": "Não há títulos no documento.
    Aplique um estilo de título ao texto para que ele apareça no índice.", "DE.Views.Navigation.txtEmptyItem": "Título Vazio", + "DE.Views.Navigation.txtEmptyViewer": "Não há títulos no documento.", "DE.Views.Navigation.txtExpand": "Expandir tudo", "DE.Views.Navigation.txtExpandToLevel": "Expandir ao nível", "DE.Views.Navigation.txtHeadingAfter": "Novo título após", @@ -2691,7 +2667,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Normal", "DE.Views.Toolbar.textMarginsUsNormal": "US Normal", "DE.Views.Toolbar.textMarginsWide": "Amplo", - "DE.Views.Toolbar.textNewColor": "Adicionar nova cor personalizada", + "DE.Views.Toolbar.textNewColor": "Nova cor personalizada", "DE.Views.Toolbar.textNextPage": "Próxima página", "DE.Views.Toolbar.textNoHighlight": "Sem destaque", "DE.Views.Toolbar.textNone": "Nenhum", @@ -2771,7 +2747,18 @@ "DE.Views.Toolbar.tipLineSpace": "Espaçamento entre linhas do parágrafo", "DE.Views.Toolbar.tipMailRecepients": "Select Recepients", "DE.Views.Toolbar.tipMarkers": "Marcadores", + "DE.Views.Toolbar.tipMarkersArrow": "Balas de flecha", + "DE.Views.Toolbar.tipMarkersCheckmark": "Marcas de verificação", + "DE.Views.Toolbar.tipMarkersDash": "Marcadores de roteiro", + "DE.Views.Toolbar.tipMarkersFRhombus": "Vinhetas rômbicas cheias", + "DE.Views.Toolbar.tipMarkersFRound": "Balas redondas cheias", + "DE.Views.Toolbar.tipMarkersFSquare": "Balas quadradas cheias", + "DE.Views.Toolbar.tipMarkersHRound": "Balas redondas ocas", + "DE.Views.Toolbar.tipMarkersStar": "Balas de estrelas", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Marcadores numerados de vários níveis", "DE.Views.Toolbar.tipMultilevels": "Contorno", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Marcadores de símbolos de vários níveis", + "DE.Views.Toolbar.tipMultiLevelVarious": "Várias balas numeradas de vários níveis", "DE.Views.Toolbar.tipNumbers": "Numeração", "DE.Views.Toolbar.tipPageBreak": "Inserir página ou quebra de seção", "DE.Views.Toolbar.tipPageMargins": "Margens da página", diff --git a/apps/documenteditor/main/locale/ro.json b/apps/documenteditor/main/locale/ro.json index ac257d705..dd34bdfff 100644 --- a/apps/documenteditor/main/locale/ro.json +++ b/apps/documenteditor/main/locale/ro.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crează o copie", "Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea", "Common.UI.ButtonColored.textAutoColor": "Automat", - "Common.UI.ButtonColored.textNewColor": "Adăugarea unei culori particularizate noi", + "Common.UI.ButtonColored.textNewColor": "Сuloare particularizată", "Common.UI.Calendar.textApril": "Aprilie", "Common.UI.Calendar.textAugust": "August", "Common.UI.Calendar.textDecember": "Decembrie", @@ -262,6 +262,7 @@ "Common.Views.Comments.textResolved": "Rezolvat", "Common.Views.Comments.textSort": "Sortare comentarii", "Common.Views.Comments.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", + "Common.Views.Comments.txtEmpty": "Nu există niciun comentariu.", "Common.Views.CopyWarningDialog.textDontShow": "Nu afișa acest mesaj din nou", "Common.Views.CopyWarningDialog.textMsg": "Operațiuni de copiere, decupare și lipire din bară de instrumente sau meniul contextual al editorului se execută numai în editorul.

    Pentru copiere și lipire din sau în aplicații exterioare folosiți următoarele combinații de taste:", "Common.Views.CopyWarningDialog.textTitle": "Comenzile de copiere, decupare și lipire", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.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?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Fișierul dvs {0} va fi convertit într-un format editabil. Convertirea poate dura ceva timp. Documentul rezultat va fi optimizat pentru a vă permite să editați textul, dar s-ar putea să nu arate exact ca original {0}, mai ales dacă fișierul original conține mai multe elemente grafice.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Dacă salvați în acest format de fișier, este posibil ca unele dintre formatări să se piardă.
    Sigur doriți să continuați?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} nu este un caracter special pe care îl puteți introduce în câmpul pentru înlocuire.", "DE.Controllers.Main.applyChangesTextText": "Încărcarea modificărilor...", "DE.Controllers.Main.applyChangesTitleText": "Încărcare modificări", "DE.Controllers.Main.convertationTimeoutText": "Timpul de așteptare pentru conversie a expirat.", @@ -918,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "Simboluri", "DE.Controllers.Toolbar.textTabForms": "Formulare", "DE.Controllers.Toolbar.textWarning": "Avertisment", - "DE.Controllers.Toolbar.tipMarkersArrow": "Listă cu marcatori săgeată", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Listă cu marcatori simbol de bifare", - "DE.Controllers.Toolbar.tipMarkersDash": "Listă cu marcatori cu o liniuță", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Listă cu marcatori romb umplut", - "DE.Controllers.Toolbar.tipMarkersFRound": "Listă cu marcatori cerc umplut", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Listă cu marcatori pătrat umplut", - "DE.Controllers.Toolbar.tipMarkersHRound": "Listă cu marcatori cerc gol ", - "DE.Controllers.Toolbar.tipMarkersStar": "Listă cu marcatori stele", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Listă multinivel numerotată", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Listă multinivel cu marcatori", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Listă multinivel cu numerotare diversă ", "DE.Controllers.Toolbar.txtAccent_Accent": "Ascuțit", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Săgeată deasupra de la dreapta la stînga", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Săgeată deasupra spre stânga ", @@ -1531,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Actualizare cuprins", "DE.Views.DocumentHolder.textWrap": "Stil de încadrare", "DE.Views.DocumentHolder.tipIsLocked": "La moment acest obiect este editat de către un alt utilizator.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Listă cu marcatori săgeată", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Listă cu marcatori simbol de bifare", - "DE.Views.DocumentHolder.tipMarkersDash": "Listă cu marcatori cu o liniuță", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Listă cu marcatori romb umplut", - "DE.Views.DocumentHolder.tipMarkersFRound": "Listă cu marcatori cerc umplut", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Listă cu marcatori pătrat umplut", - "DE.Views.DocumentHolder.tipMarkersHRound": "Listă cu marcatori cerc gol ", - "DE.Views.DocumentHolder.tipMarkersStar": "Listă cu marcatori stele", "DE.Views.DocumentHolder.toDictionaryText": "Adăugare la dicționar", "DE.Views.DocumentHolder.txtAddBottom": "Adăugare bordură de jos", "DE.Views.DocumentHolder.txtAddFractionBar": "Adăugare linia de fracție", @@ -1681,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Închidere meniu", "DE.Views.FileMenu.btnCreateNewCaption": "Crearea unui document nou", "DE.Views.FileMenu.btnDownloadCaption": "Descărcare ca...", - "DE.Views.FileMenu.btnExitCaption": "Ieșire", + "DE.Views.FileMenu.btnExitCaption": "Închidere", "DE.Views.FileMenu.btnFileOpenCaption": "Deschidere...", "DE.Views.FileMenu.btnHelpCaption": "Asistență...", "DE.Views.FileMenu.btnHistoryCaption": "Istoricul versiune", @@ -1708,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Modificare permisiuni", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentariu", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "A fost creat", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Vizualizare rapidă web", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Se incarca...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Modificat ultima dată de către", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Data ultimei modificări", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Nu", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietar", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Pagini", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Dimensiune pagină", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Paragrafe", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF etichetat", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Versiune a PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Locația", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persoane care au dreptul de acces", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Simboluri cu spații", @@ -1723,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Titlu", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "S-a încărcat", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Cuvinte", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Da", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Modificare permisiuni", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Persoane care au dreptul de acces", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avertisment", @@ -1738,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Vizualizare semnături", "DE.Views.FileMenuPanels.Settings.okButtonText": "Aplicare", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Activare ghiduri de aliniere", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Activare recuperare automată", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Activare salvare automată", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modul de editare colaborativă", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ceilalți utilizatori vor putea vedea modificările dvs imediat", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Pentru a vizualiza modificările, trebuie mai întâi să le acceptați", "DE.Views.FileMenuPanels.Settings.strFast": "Rapid", "DE.Views.FileMenuPanels.Settings.strFontRender": "Sugestie font", "DE.Views.FileMenuPanels.Settings.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Activare hieroglife", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Activarea afișare comentarii", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Setări macrocomandă", - "DE.Views.FileMenuPanels.Settings.strPaste": "Decupare, copiere și lipire", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Afișarea butonului Opțiuni lipire de fiecare dată când lipiți conținut", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Activarea afișare comentarii rezolvate", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Afișarea modificărilor urmărite", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Modificările aduse documentului la colaborarea în timp real", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activarea verificare ortografică", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -2136,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "Retrogradare", "DE.Views.Navigation.txtEmpty": "Documentul nu are anteturi.
    Aplicați un stil de titlu pentru textul care va fi inclus în cuprins.", "DE.Views.Navigation.txtEmptyItem": "Titlul necompletat", + "DE.Views.Navigation.txtEmptyViewer": "Documentul nu are anteturi.", "DE.Views.Navigation.txtExpand": "Extindere totală ", "DE.Views.Navigation.txtExpandToLevel": "Extindere la nivel", "DE.Views.Navigation.txtHeadingAfter": "Titlul nou după", @@ -2771,7 +2752,18 @@ "DE.Views.Toolbar.tipLineSpace": "Spațiere interlinie paragraf ", "DE.Views.Toolbar.tipMailRecepients": "Îmbinare corespondență", "DE.Views.Toolbar.tipMarkers": "Marcatori", + "DE.Views.Toolbar.tipMarkersArrow": "Listă cu marcatori săgeată", + "DE.Views.Toolbar.tipMarkersCheckmark": "Listă cu marcatori simbol de bifare", + "DE.Views.Toolbar.tipMarkersDash": "Listă cu marcatori cu o liniuță", + "DE.Views.Toolbar.tipMarkersFRhombus": "Listă cu marcatori romb umplut", + "DE.Views.Toolbar.tipMarkersFRound": "Listă cu marcatori cerc umplut", + "DE.Views.Toolbar.tipMarkersFSquare": "Listă cu marcatori pătrat umplut", + "DE.Views.Toolbar.tipMarkersHRound": "Listă cu marcatori cerc gol ", + "DE.Views.Toolbar.tipMarkersStar": "Listă cu marcatori stele", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Listă multinivel numerotată", "DE.Views.Toolbar.tipMultilevels": "Listă multinivel", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Listă multinivel cu marcatori", + "DE.Views.Toolbar.tipMultiLevelVarious": "Listă multinivel cu numerotare diversă ", "DE.Views.Toolbar.tipNumbers": "Numerotare", "DE.Views.Toolbar.tipPageBreak": "Inserare sfârșit de pagină sau secțiune", "DE.Views.Toolbar.tipPageMargins": "Margini de pagină", diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json index 4ac9eb04b..8ede8d475 100644 --- a/apps/documenteditor/main/locale/ru.json +++ b/apps/documenteditor/main/locale/ru.json @@ -263,6 +263,7 @@ "Common.Views.Comments.textResolved": "Решено", "Common.Views.Comments.textSort": "Сортировать комментарии", "Common.Views.Comments.textViewResolved": "У вас нет прав для повторного открытия комментария", + "Common.Views.Comments.txtEmpty": "В документе нет комментариев.", "Common.Views.CopyWarningDialog.textDontShow": "Больше не показывать это сообщение", "Common.Views.CopyWarningDialog.textMsg": "Операции копирования, вырезания и вставки можно выполнить с помощью кнопок на панели инструментов и команд контекстного меню только в этой вкладке редактора.

    Для копирования в другие приложения и вставки из них используйте следующие сочетания клавиш:", "Common.Views.CopyWarningDialog.textTitle": "Операции копирования, вырезания и вставки", @@ -512,9 +513,10 @@ "DE.Controllers.LeftMenu.textReplaceSuccess": "Поиск выполнен. Заменено вхождений: {0}", "DE.Controllers.LeftMenu.txtCompatible": "Документ будет сохранен в новый формат. Это позволит использовать все функции редактора, но может повлиять на структуру документа.
    Используйте опцию 'Совместимость' в дополнительных параметрах, если хотите сделать файлы совместимыми с более старыми версиями MS Word.", "DE.Controllers.LeftMenu.txtUntitled": "Без имени", - "DE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
    Вы действительно хотите продолжить?", + "DE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, вcя функциональность, кроме текста, будет потеряна.
    Вы действительно хотите продолжить?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "{0} будет сконвертирован в редактируемый формат. Это может занять некоторое время. Получившийся в результате документ будет оптимизирован для редактирования текста, поэтому он может отличаться от исходного {0}, особенно если исходный файл содержит много графических элементов.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна.
    Вы действительно хотите продолжить?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0} нельзя использовать как специальный символ в поле замены.", "DE.Controllers.Main.applyChangesTextText": "Загрузка изменений...", "DE.Controllers.Main.applyChangesTitleText": "Загрузка изменений", "DE.Controllers.Main.convertationTimeoutText": "Превышено время ожидания конвертации.", @@ -919,17 +921,6 @@ "DE.Controllers.Toolbar.textSymbols": "Символы", "DE.Controllers.Toolbar.textTabForms": "Формы", "DE.Controllers.Toolbar.textWarning": "Предупреждение", - "DE.Controllers.Toolbar.tipMarkersArrow": "Маркеры-стрелки", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Маркеры-галочки", - "DE.Controllers.Toolbar.tipMarkersDash": "Маркеры-тире", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", - "DE.Controllers.Toolbar.tipMarkersFRound": "Заполненные круглые маркеры", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Заполненные квадратные маркеры", - "DE.Controllers.Toolbar.tipMarkersHRound": "Пустые круглые маркеры", - "DE.Controllers.Toolbar.tipMarkersStar": "Маркеры-звездочки", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Многоуровневые нумерованные маркеры", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Многоуровневые маркеры-сивволы", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Многоуровневые разные нумерованные маркеры", "DE.Controllers.Toolbar.txtAccent_Accent": "Ударение", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Стрелка вправо-влево сверху", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Стрелка влево сверху", @@ -1532,14 +1523,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Обновить оглавление", "DE.Views.DocumentHolder.textWrap": "Стиль обтекания", "DE.Views.DocumentHolder.tipIsLocked": "Этот элемент редактируется другим пользователем.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Маркеры-стрелки", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Маркеры-галочки", - "DE.Views.DocumentHolder.tipMarkersDash": "Маркеры-тире", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", - "DE.Views.DocumentHolder.tipMarkersFRound": "Заполненные круглые маркеры", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Заполненные квадратные маркеры", - "DE.Views.DocumentHolder.tipMarkersHRound": "Пустые круглые маркеры", - "DE.Views.DocumentHolder.tipMarkersStar": "Маркеры-звездочки", "DE.Views.DocumentHolder.toDictionaryText": "Добавить в словарь", "DE.Views.DocumentHolder.txtAddBottom": "Добавить нижнюю границу", "DE.Views.DocumentHolder.txtAddFractionBar": "Добавить дробную черту", @@ -1682,7 +1665,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "Закрыть меню", "DE.Views.FileMenu.btnCreateNewCaption": "Создать новый", "DE.Views.FileMenu.btnDownloadCaption": "Скачать как...", - "DE.Views.FileMenu.btnExitCaption": "Выйти", + "DE.Views.FileMenu.btnExitCaption": "Закрыть", "DE.Views.FileMenu.btnFileOpenCaption": "Открыть...", "DE.Views.FileMenu.btnHelpCaption": "Справка...", "DE.Views.FileMenu.btnHistoryCaption": "История версий", @@ -1709,12 +1692,18 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Изменить права доступа", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Комментарий", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Создан", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "Быстрый веб-просмотр", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Загрузка...", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Автор последнего изменения", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Последнее изменение", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "Нет", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Владелец", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Страницы", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "Размер страницы", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Абзацы", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "PDF с тегами", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "Версия PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfProducer": "Производитель PDF", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Размещение", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "Люди, имеющие права", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "Символы с пробелами", @@ -1724,6 +1713,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Название", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Загружен", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Слова", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "Да", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Изменить права доступа", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Люди, имеющие права", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Внимание", @@ -1739,21 +1729,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Просмотр подписей", "DE.Views.FileMenuPanels.Settings.okButtonText": "Применить", "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": "Прежде чем вы сможете увидеть изменения, их надо будет принять", "DE.Views.FileMenuPanels.Settings.strFast": "Быстрый", "DE.Views.FileMenuPanels.Settings.strFontRender": "Хинтинг шрифтов", "DE.Views.FileMenuPanels.Settings.strForcesave": "Добавлять версию в хранилище после нажатия кнопки Сохранить или Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Включить иероглифы", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Включить отображение комментариев в тексте", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Настройки макросов", - "DE.Views.FileMenuPanels.Settings.strPaste": "Вырезание, копирование и вставка", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Показывать кнопку Параметры вставки при вставке содержимого", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Включить отображение решенных комментариев", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Отображение изменений при рецензировании", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Отображать изменения при совместной работе", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включить проверку орфографии", "DE.Views.FileMenuPanels.Settings.strStrict": "Строгий", @@ -2137,6 +2118,7 @@ "DE.Views.Navigation.txtDemote": "Понизить уровень", "DE.Views.Navigation.txtEmpty": "В документе нет заголовков.
    Примените стиль заголовка к тексту, чтобы он появился в оглавлении.", "DE.Views.Navigation.txtEmptyItem": "Пустой заголовок", + "DE.Views.Navigation.txtEmptyViewer": "В документе нет заголовков.", "DE.Views.Navigation.txtExpand": "Развернуть все", "DE.Views.Navigation.txtExpandToLevel": "Развернуть до уровня", "DE.Views.Navigation.txtHeadingAfter": "Новый заголовок после", @@ -2772,7 +2754,18 @@ "DE.Views.Toolbar.tipLineSpace": "Междустрочный интервал в абзацах", "DE.Views.Toolbar.tipMailRecepients": "Слияние", "DE.Views.Toolbar.tipMarkers": "Маркированный список", + "DE.Views.Toolbar.tipMarkersArrow": "Маркеры-стрелки", + "DE.Views.Toolbar.tipMarkersCheckmark": "Маркеры-галочки", + "DE.Views.Toolbar.tipMarkersDash": "Маркеры-тире", + "DE.Views.Toolbar.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", + "DE.Views.Toolbar.tipMarkersFRound": "Заполненные круглые маркеры", + "DE.Views.Toolbar.tipMarkersFSquare": "Заполненные квадратные маркеры", + "DE.Views.Toolbar.tipMarkersHRound": "Пустые круглые маркеры", + "DE.Views.Toolbar.tipMarkersStar": "Маркеры-звездочки", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Многоуровневые нумерованные маркеры", "DE.Views.Toolbar.tipMultilevels": "Многоуровневый список", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Многоуровневые маркеры-сивволы", + "DE.Views.Toolbar.tipMultiLevelVarious": "Многоуровневые разные нумерованные маркеры", "DE.Views.Toolbar.tipNumbers": "Нумерованный список", "DE.Views.Toolbar.tipPageBreak": "Вставить разрыв страницы или раздела", "DE.Views.Toolbar.tipPageMargins": "Поля страницы", diff --git a/apps/documenteditor/main/locale/sk.json b/apps/documenteditor/main/locale/sk.json index 08b4085da..be69cf270 100644 --- a/apps/documenteditor/main/locale/sk.json +++ b/apps/documenteditor/main/locale/sk.json @@ -62,6 +62,7 @@ "Common.Controllers.ReviewChanges.textRight": "Zarovnať doprava", "Common.Controllers.ReviewChanges.textShape": "Tvar", "Common.Controllers.ReviewChanges.textShd": "Farba pozadia", + "Common.Controllers.ReviewChanges.textShow": "Zobraziť zmeny na", "Common.Controllers.ReviewChanges.textSmallCaps": "Malé písmená", "Common.Controllers.ReviewChanges.textSpacing": "Medzery", "Common.Controllers.ReviewChanges.textSpacingAfter": "Medzera za", @@ -77,38 +78,54 @@ "Common.Controllers.ReviewChanges.textUnderline": "Podčiarknuť", "Common.Controllers.ReviewChanges.textUrl": "Vlepiť URL dokumentu", "Common.Controllers.ReviewChanges.textWidow": "Ovládanie okien", + "Common.Controllers.ReviewChanges.textWord": "Úroveň slova", "Common.define.chartData.textArea": "Plošný graf", + "Common.define.chartData.textAreaStacked": "Skladaná oblasť", "Common.define.chartData.textAreaStackedPer": "100% stohovaná oblasť", "Common.define.chartData.textBar": "Pruhový graf", "Common.define.chartData.textBarNormal": "Zoskupený stĺpec", "Common.define.chartData.textBarNormal3d": "3-D klastrovaný stĺpec", "Common.define.chartData.textBarNormal3dPerspective": "3D stĺpec", + "Common.define.chartData.textBarStacked": "Skladaný stĺpec", "Common.define.chartData.textBarStacked3d": "3-D stohovaný stĺpec", "Common.define.chartData.textBarStackedPer": "100% stohovaný stĺpec", "Common.define.chartData.textBarStackedPer3d": "3-D 100% stohovaný stĺpec", "Common.define.chartData.textCharts": "Grafy", "Common.define.chartData.textColumn": "Stĺpec", "Common.define.chartData.textCombo": "Kombo", + "Common.define.chartData.textComboAreaBar": "Skladaná oblasť - zoskupené", "Common.define.chartData.textComboBarLine": "Zoskupený stĺpec - riadok", "Common.define.chartData.textComboBarLineSecondary": "Zoskupený stĺpec - čiara na sekundárnej osi", "Common.define.chartData.textComboCustom": "Vlastná kombinácia", "Common.define.chartData.textDoughnut": "Šiška", "Common.define.chartData.textHBarNormal": "Zoskupená lišta", "Common.define.chartData.textHBarNormal3d": "3-D zoskupená lišta", + "Common.define.chartData.textHBarStacked": "Skladaný bar", "Common.define.chartData.textHBarStacked3d": "3-D zoskupená lišta", "Common.define.chartData.textHBarStackedPer": "100% stohovaná lišta", "Common.define.chartData.textHBarStackedPer3d": "3-D 100% stohovaná lišta", "Common.define.chartData.textLine": "Čiara/líniový graf", "Common.define.chartData.textLine3d": "3-D línia", + "Common.define.chartData.textLineMarker": "Líniový so značkami", + "Common.define.chartData.textLineStacked": "Skladaná linka", + "Common.define.chartData.textLineStackedMarker": "Skladaná linka so značkami", "Common.define.chartData.textLineStackedPer": "100% stohovaná čiara", "Common.define.chartData.textLineStackedPerMarker": "100% stohovaná línia so značkami", "Common.define.chartData.textPie": "Koláčový graf", "Common.define.chartData.textPie3d": "3-D koláč", "Common.define.chartData.textPoint": "Bodový graf", + "Common.define.chartData.textScatter": "Bodový", + "Common.define.chartData.textScatterLine": "Bodový s rovnými linkami", + "Common.define.chartData.textScatterLineMarker": "Bodový s rovnými linkami a značkami", + "Common.define.chartData.textScatterSmooth": "Bodový s vyhladenými linkami", + "Common.define.chartData.textScatterSmoothMarker": "Bodový s vyhladenými linkami a značkami", "Common.define.chartData.textStock": "Akcie/burzový graf", "Common.define.chartData.textSurface": "Povrch", + "Common.Translation.warnFileLocked": "Dokument nie je možné editovať, pretože je používaný inou aplikáciou.", "Common.Translation.warnFileLockedBtnEdit": "Vytvoriť kópiu", + "Common.Translation.warnFileLockedBtnView": "Otvoriť pre náhľad", "Common.UI.ButtonColored.textAutoColor": "Automaticky", + "Common.UI.ButtonColored.textNewColor": "Pridať novú vlastnú farbu", "Common.UI.Calendar.textApril": "apríl", "Common.UI.Calendar.textAugust": "august", "Common.UI.Calendar.textDecember": "december", @@ -141,6 +158,7 @@ "Common.UI.Calendar.textShortThursday": "št", "Common.UI.Calendar.textShortTuesday": "út", "Common.UI.Calendar.textShortWednesday": "st", + "Common.UI.Calendar.textYears": "Roky", "Common.UI.ComboBorderSize.txtNoBorders": "Bez orámovania", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Bez orámovania", "Common.UI.ComboDataView.emptyComboText": "Žiadne štýly", @@ -150,6 +168,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nový", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota je nesprávna.
    Prosím, zadajte číselnú hodnotu medzi 0 a 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez farby", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skrýt heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobraziť heslo", "Common.UI.SearchDialog.textHighlight": "Zvýrazniť výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovať veľkosť písmen", "Common.UI.SearchDialog.textReplaceDef": "Zadať náhradný text", @@ -164,7 +184,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Dokument bol zmenený ďalším používateľom.
    Prosím, kliknite na uloženie zmien a opätovne načítajte aktualizácie.", "Common.UI.ThemeColorPalette.textStandartColors": "Štandardné farby", "Common.UI.ThemeColorPalette.textThemeColors": "Farebné témy", + "Common.UI.Themes.txtThemeClassicLight": "Štandardná svetlosť", "Common.UI.Themes.txtThemeDark": "Tmavý", + "Common.UI.Themes.txtThemeLight": "Svetlé", "Common.UI.Window.cancelButtonText": "Zrušiť", "Common.UI.Window.closeButtonText": "Zatvoriť", "Common.UI.Window.noButtonText": "Nie", @@ -186,14 +208,21 @@ "Common.Views.About.txtVersion": "Verzia", "Common.Views.AutoCorrectDialog.textAdd": "Pridať", "Common.Views.AutoCorrectDialog.textApplyText": "Aplikujte počas písania", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorekcia textu", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformátovať počas písania", "Common.Views.AutoCorrectDialog.textBulleted": "Automatické zoznamy s odrážkami", "Common.Views.AutoCorrectDialog.textBy": "Od", "Common.Views.AutoCorrectDialog.textDelete": "Vymazať", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Pridaj interval s dvojitou medzerou", + "Common.Views.AutoCorrectDialog.textFLCells": "Prvé písmeno v obsahu buniek tabuľky meniť na veľké", + "Common.Views.AutoCorrectDialog.textFLSentence": "Veľlé písmeno na začiatku vety", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internetové a sieťové prístupy s hypertextovými odkazmi", "Common.Views.AutoCorrectDialog.textHyphens": "Rozdeľovníky (--) s pomlčkou (-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "Autokorekcia pre matematiku", "Common.Views.AutoCorrectDialog.textNumbered": "Automatické očíslované zoznamy ", "Common.Views.AutoCorrectDialog.textQuotes": "\"Rovné úvodzovky\" s \"chytrými úvodzovkami\"", "Common.Views.AutoCorrectDialog.textRecognized": "Uznané funkcie", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Nasledujúce výrazy sú rozpoznané ako matematické funkcie. Nebudú aplikované pravidlá týkajúce sa veľkých a malých písmen.", "Common.Views.AutoCorrectDialog.textReplace": "Nahradiť", "Common.Views.AutoCorrectDialog.textReplaceText": "Nahrádzať počas písania", "Common.Views.AutoCorrectDialog.textReplaceType": "Nahrádzať text počas písania", @@ -207,13 +236,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "Akákoľvek automatická oprava bude odstránená a zmeny budú vrátené na pôvodné hodnoty. Chcete pokračovať?", "Common.Views.AutoCorrectDialog.warnRestore": "Samooprava pre %1 bude resetovaná na pôvodnú hodnotu. Chcete pokračovať?", "Common.Views.Chat.textSend": "Poslať", + "Common.Views.Comments.mniAuthorAsc": "Autor A až Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", + "Common.Views.Comments.mniDateAsc": "Najstarší", + "Common.Views.Comments.mniDateDesc": "Najnovší", + "Common.Views.Comments.mniFilterGroups": "Filtrovať podľa skupiny", + "Common.Views.Comments.mniPositionAsc": "Zhora ", + "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Pridať", "Common.Views.Comments.textAddComment": "Pridať komentár", "Common.Views.Comments.textAddCommentToDoc": "Pridať komentár k dokumentu", "Common.Views.Comments.textAddReply": "Pridať odpoveď", + "Common.Views.Comments.textAll": "Všetko", "Common.Views.Comments.textAnonym": "Hosť", "Common.Views.Comments.textCancel": "Zrušiť", "Common.Views.Comments.textClose": "Zatvoriť", + "Common.Views.Comments.textClosePanel": "Zavrieť komentáre", "Common.Views.Comments.textComments": "Komentáre", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Zadať svoj komentár tu", @@ -222,6 +260,8 @@ "Common.Views.Comments.textReply": "Odpovedať", "Common.Views.Comments.textResolve": "Vyriešiť", "Common.Views.Comments.textResolved": "Vyriešené", + "Common.Views.Comments.textSort": "Triediť komentáre", + "Common.Views.Comments.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", "Common.Views.CopyWarningDialog.textDontShow": "Neukazovať túto správu znova", "Common.Views.CopyWarningDialog.textMsg": "Kopírovať, vystrihovať a priliepať pomocou tlačidiel panela nástrojov editora a kontextovej ponuky sa vykonajú iba v rámci tejto karty editora.

    Ak chcete kopírovať alebo priliepať do alebo z aplikácií mimo editora, použite nasledujúce klávesové skratky: ", "Common.Views.CopyWarningDialog.textTitle": "Akcia kopírovať, vystrihnúť a prilepiť", @@ -237,11 +277,13 @@ "Common.Views.ExternalMergeEditor.textSave": "Uložiť a Zatvoriť", "Common.Views.ExternalMergeEditor.textTitle": "Príjemcovia hromadnej korešpondencie", "Common.Views.Header.labelCoUsersDescr": "Používatelia, ktorí súbor práve upravujú:", + "Common.Views.Header.textAddFavorite": "Označiť ako obľúbené", "Common.Views.Header.textAdvSettings": "Pokročilé nastavenia", "Common.Views.Header.textBack": "Otvoriť umiestnenie súboru", "Common.Views.Header.textCompactView": "Skryť panel s nástrojmi", "Common.Views.Header.textHideLines": "Skryť pravítka", "Common.Views.Header.textHideStatusBar": "Schovať stavový riadok", + "Common.Views.Header.textRemoveFavorite": "Odstrániť z obľúbených", "Common.Views.Header.textZoom": "Priblíženie", "Common.Views.Header.tipAccessRights": "Spravovať prístupové práva k dokumentom", "Common.Views.Header.tipDownload": "Stiahnuť súbor", @@ -250,6 +292,7 @@ "Common.Views.Header.tipRedo": "Opakovať", "Common.Views.Header.tipSave": "Uložiť", "Common.Views.Header.tipUndo": "Krok späť", + "Common.Views.Header.tipViewSettings": "Zobraziť nastavenia", "Common.Views.Header.tipViewUsers": "Zobraziť používateľov a spravovať prístupové práva k dokumentom", "Common.Views.Header.txtAccessRights": "Zmeniť prístupové práva", "Common.Views.Header.txtRename": "Premenovať", @@ -259,6 +302,7 @@ "Common.Views.History.textRestore": "Obnoviť", "Common.Views.History.textShow": "Expandovať/rozšíriť", "Common.Views.History.textShowAll": "Zobraziť detailné zmeny", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "Vložte obrázok URL:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", @@ -283,6 +327,7 @@ "Common.Views.PasswordDialog.txtIncorrectPwd": "Heslá sa nezhodujú", "Common.Views.PasswordDialog.txtPassword": "Heslo", "Common.Views.PasswordDialog.txtRepeat": "Zopakujte heslo", + "Common.Views.PasswordDialog.txtTitle": "Nastaviť Heslo", "Common.Views.PasswordDialog.txtWarning": "Upozornenie: Ak stratíte alebo zabudnete heslo, nemožno ho obnoviť. Uschovajte ho na bezpečnom mieste.", "Common.Views.PluginDlg.textLoading": "Nahrávanie", "Common.Views.Plugins.groupCaption": "Pluginy", @@ -311,12 +356,16 @@ "Common.Views.ReviewChanges.strFast": "Rýchly", "Common.Views.ReviewChanges.strFastDesc": "Spoločné úpravy v reálnom čase. Všetky zmeny sú ukladané automaticky.", "Common.Views.ReviewChanges.strStrict": "Prísny", + "Common.Views.ReviewChanges.strStrictDesc": "Pre synchronizáciu zmien, ktoré ste urobili vy a ostatný, použite tlačítko \"Uložiť\".", "Common.Views.ReviewChanges.textEnable": "Zapnúť", + "Common.Views.ReviewChanges.textWarnTrackChanges": "Sledovanie zmien bude zapnuté pre všetkých užívateľov s plným prístupom. Pri nasledujúcom otvorení dokumentu bude sledovanie zmien zachované.", "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "Povoliť sledovanie zmien všetkým?", "Common.Views.ReviewChanges.tipAcceptCurrent": "Akceptovať aktuálnu zmenu", "Common.Views.ReviewChanges.tipCoAuthMode": "Nastaviť mód spoločných úprav", "Common.Views.ReviewChanges.tipCommentRem": "Odstrániť komentáre", "Common.Views.ReviewChanges.tipCommentRemCurrent": "Odstrániť aktuálne komentáre", + "Common.Views.ReviewChanges.tipCommentResolve": "Vyriešiť komentáre", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Vyriešiť aktuálne komentáre", "Common.Views.ReviewChanges.tipCompare": "Porovnať súčasný dokument s iným", "Common.Views.ReviewChanges.tipHistory": "Zobraziť históriu verzií", "Common.Views.ReviewChanges.tipRejectCurrent": "Odmietnuť aktuálnu zmenu", @@ -337,14 +386,26 @@ "Common.Views.ReviewChanges.txtCommentRemMy": "Odstrániť moje komentáre", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Odstrániť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtCommentRemove": "Odstrániť", + "Common.Views.ReviewChanges.txtCommentResolve": "Vyriešiť", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Vyriešiť všetky komentáre", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Vyriešiť aktuálne komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Vyriešiť moje komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Vyriešiť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtCompare": "Porovnať", "Common.Views.ReviewChanges.txtDocLang": "Jazyk", "Common.Views.ReviewChanges.txtEditing": "upravované", "Common.Views.ReviewChanges.txtFinal": "Všetky zmeny prijaté {0}", "Common.Views.ReviewChanges.txtFinalCap": "Posledný", + "Common.Views.ReviewChanges.txtHistory": "História verzií", "Common.Views.ReviewChanges.txtMarkup": "Všetky zmeny {0}", - "Common.Views.ReviewChanges.txtMarkupCap": "Vyznačenie", + "Common.Views.ReviewChanges.txtMarkupCap": "Označenie a bubliny", + "Common.Views.ReviewChanges.txtMarkupSimple": "Všetky zmeny {0}
    Bez rečových bublín", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "Len označenie", "Common.Views.ReviewChanges.txtNext": "Nasledujúci", + "Common.Views.ReviewChanges.txtOff": "Vypnúť pre mňa", + "Common.Views.ReviewChanges.txtOffGlobal": "Vypnúť pre mňa a ostatných", + "Common.Views.ReviewChanges.txtOn": "Zapnúť pre mňa", + "Common.Views.ReviewChanges.txtOnGlobal": "Zapnúť pre mňa a ostatných", "Common.Views.ReviewChanges.txtOriginal": "Všetky zmeny boli zamietnuté {0}", "Common.Views.ReviewChanges.txtOriginalCap": "Originál", "Common.Views.ReviewChanges.txtPrev": "Predchádzajúci", @@ -371,11 +432,17 @@ "Common.Views.ReviewPopover.textCancel": "Zrušiť", "Common.Views.ReviewPopover.textClose": "Zatvoriť", "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textFollowMove": "Nasledovať Pohyb", "Common.Views.ReviewPopover.textMention": "+zmienka poskytne prístup k dokumentu a odošle mail", "Common.Views.ReviewPopover.textMentionNotify": "+zmienka upovedomí užívateľa mailom", "Common.Views.ReviewPopover.textOpenAgain": "Znova otvoriť", "Common.Views.ReviewPopover.textReply": "Odpoveď", "Common.Views.ReviewPopover.textResolve": "Vyriešiť", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", + "Common.Views.ReviewPopover.txtAccept": "Akceptovať", + "Common.Views.ReviewPopover.txtDeleteTip": "Zmazať", + "Common.Views.ReviewPopover.txtEditTip": "Upraviť", + "Common.Views.ReviewPopover.txtReject": "Odmietnuť", "Common.Views.SaveAsDlg.textLoading": "Načítavanie", "Common.Views.SaveAsDlg.textTitle": "Priečinok na uloženie", "Common.Views.SelectFileDlg.textLoading": "Načítavanie", @@ -385,6 +452,7 @@ "Common.Views.SignDialog.textChange": "Zmeniť", "Common.Views.SignDialog.textInputName": "Zadať meno signatára", "Common.Views.SignDialog.textItalic": "Kurzíva", + "Common.Views.SignDialog.textNameError": "Meno podpisovateľa nesmie byť prázdne. ", "Common.Views.SignDialog.textPurpose": "Účel podpisovania tohto dokumentu", "Common.Views.SignDialog.textSelect": "Vybrať", "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", @@ -404,21 +472,32 @@ "Common.Views.SignSettingsDialog.textTitle": "Nastavenia podpisu", "Common.Views.SignSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.SymbolTableDialog.textCharacter": "Symbol", + "Common.Views.SymbolTableDialog.textCode": "Hodnota unicode HEX ", "Common.Views.SymbolTableDialog.textCopyright": "Znak autorských práv", "Common.Views.SymbolTableDialog.textDCQuote": "Uzatvárajúca úvodzovka", "Common.Views.SymbolTableDialog.textDOQuote": "Úvodná úvodzovka", "Common.Views.SymbolTableDialog.textEllipsis": "Horizontálna elipsa", + "Common.Views.SymbolTableDialog.textEmDash": "Dlhá pomlčka", + "Common.Views.SymbolTableDialog.textEmSpace": "Dlhá medzera", + "Common.Views.SymbolTableDialog.textEnDash": "Krátka pomlčka", + "Common.Views.SymbolTableDialog.textEnSpace": "Krátka medzera", "Common.Views.SymbolTableDialog.textFont": "Písmo", + "Common.Views.SymbolTableDialog.textNBHyphen": "Pevná pomlčka", + "Common.Views.SymbolTableDialog.textNBSpace": "Nezalomiteľná medzera", + "Common.Views.SymbolTableDialog.textPilcrow": "Pí", "Common.Views.SymbolTableDialog.textQEmSpace": "Medzera 1/4 Em", "Common.Views.SymbolTableDialog.textRange": "Rozsah", "Common.Views.SymbolTableDialog.textRecent": "Nedávno použité symboly", "Common.Views.SymbolTableDialog.textRegistered": "Registrovaná značka", "Common.Views.SymbolTableDialog.textSCQuote": "Uzatvárajúca úvodzovka", + "Common.Views.SymbolTableDialog.textSection": "Paragraf", "Common.Views.SymbolTableDialog.textShortcut": "Klávesová skratka", + "Common.Views.SymbolTableDialog.textSHyphen": "Mäkký spojovník", "Common.Views.SymbolTableDialog.textSOQuote": "Úvodná jednoduchá úvodzovka", "Common.Views.SymbolTableDialog.textSpecial": "špeciálne znaky", "Common.Views.SymbolTableDialog.textSymbols": "Symboly", "Common.Views.SymbolTableDialog.textTitle": "Symbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Symbol ochrannej známky", "Common.Views.UserNameDialog.textDontShow": "Nepýtať sa ma znova", "Common.Views.UserNameDialog.textLabel": "Štítok:", "Common.Views.UserNameDialog.textLabelError": "Etiketa nesmie byť prázdna.", @@ -430,7 +509,10 @@ "DE.Controllers.LeftMenu.textNoTextFound": "Dáta, ktoré hľadáte sa nedajú nájsť. Prosím, upravte svoje možnosti vyhľadávania.", "DE.Controllers.LeftMenu.textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", "DE.Controllers.LeftMenu.textReplaceSuccess": "Vyhľadávanie bolo uskutočnené. Nahradené udalosti: {0}", + "DE.Controllers.LeftMenu.txtCompatible": "Dokument bude uložený v novom formáte. Umožní Vám využiť všetky funkcie editora, ale môže ovplyvniť rozloženie dokumentu.
    Pokiaľ chcete, aby súbory boli kompatibilné so staršími verziami MS Word, použite voľbu \"Kompatibilita\" v pokročilých nastaveniach.", + "DE.Controllers.LeftMenu.txtUntitled": "Bez názvu", "DE.Controllers.LeftMenu.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ť?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Vaše {0} bude prevedené do editovateľného formátu. Táto operácia môže chvíľu trvať. Výsledný dokument bude optimalizovaný a umožní editáciu textu. Nemusí vyzerať totožne ako pôvodný {0}, zvlášť pokiaľ pôvodný súbor obsahoval veľké množstvo grafiky. ", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Ak budete pokračovať v ukladaní tohto formátu, časť z formátovania sa môže stratiť.
    Ste si istí, že chcete pokračovať?", "DE.Controllers.Main.applyChangesTextText": "Načítavanie zmien...", "DE.Controllers.Main.applyChangesTitleText": "Načítavanie zmien", @@ -445,6 +527,7 @@ "DE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
    Prosím, kontaktujte svojho správcu dokumentového servera. ", "DE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", + "DE.Controllers.Main.errorComboSeries": "Pre vytvorenie kombinovaného grafu, zvoľte aspoň dve skupiny dát.", "DE.Controllers.Main.errorCompare": "Počas spoločných úprav nie je Porovnávanie dokumentov dostupné.", "DE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
    Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.", "DE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
    Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", @@ -456,9 +539,11 @@ "DE.Controllers.Main.errorEditingSaveas": "Pri práci s dokumentom došlo k chybe.
    Použite voľbu \"Uložiť ako...\" a uložte si záložnú kópiu súboru na svoj počítač.", "DE.Controllers.Main.errorEmailClient": "Nenašiel sa žiadny emailový klient.", "DE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom a nie je možné ho otvoriť.", + "DE.Controllers.Main.errorFileSizeExceed": "Veľkosť súboru prekračuje limity vášho servera.
    Pre ďalšie podrobnosti kontaktujte prosím vášho správcu dokumentového servera.", "DE.Controllers.Main.errorForceSave": "Pri ukladaní súboru sa vyskytla chyba. Ak chcete súbor uložiť na pevný disk počítača, použite možnosť 'Prevziať ako' alebo to skúste znova neskôr.", "DE.Controllers.Main.errorKeyEncrypt": "Neznámy kľúč deskriptoru", "DE.Controllers.Main.errorKeyExpire": "Kľúč deskriptora vypršal", + "DE.Controllers.Main.errorLoadingFont": "Štýly písma nie sú načítané
    Prosím kontaktujte Vášho administrátora dokumentových serverov.", "DE.Controllers.Main.errorMailMergeLoadFile": "Načítavanie zlyhalo. Vyberte iný súbor.", "DE.Controllers.Main.errorMailMergeSaveFile": "Zlúčenie zlyhalo.", "DE.Controllers.Main.errorProcessSaveResult": "Ukladanie zlyhalo.", @@ -466,7 +551,9 @@ "DE.Controllers.Main.errorSessionAbsolute": "Režim editácie dokumentu vypršal. Prosím, načítajte stránku znova.", "DE.Controllers.Main.errorSessionIdle": "Dokument nebol dlho upravovaný. Prosím, načítajte stránku znova.", "DE.Controllers.Main.errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", + "DE.Controllers.Main.errorSetPassword": "Heslo nemohlo byť použité", "DE.Controllers.Main.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
    začiatočná cena, max cena, min cena, konečná cena.", + "DE.Controllers.Main.errorSubmit": "Potvrdenie zlyhalo", "DE.Controllers.Main.errorToken": "Rámec platnosti zabezpečenia dokumentu nie je správne vytvorený.
    Prosím, kontaktujte svojho správcu dokumentového servera. ", "DE.Controllers.Main.errorTokenExpire": "Rámec platnosti zabezpečenia dokumentu vypršal.
    Prosím, kontaktujte svojho správcu dokumentového servera. ", "DE.Controllers.Main.errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", @@ -475,6 +562,7 @@ "DE.Controllers.Main.errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", "DE.Controllers.Main.errorViewerDisconnect": "Spojenie so serverom je prerušené. Dokument môžete zobraziť,
    ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví.", "DE.Controllers.Main.leavePageText": "V tomto dokumente máte neuložené zmeny. Kliknite na \"Zostať na tejto stránke\", potom \"Uložiť\" aby ste zmeny uložili. Kliknutím na \"Odísť z tejto stránky\" zrušíte všetky neuložené zmeny. ", + "DE.Controllers.Main.leavePageTextOnClose": "Všetky neuložené zmeny v tomto dokumente budú stratené.
    Kliknite na \"Zrušiť\" a potom na \"Uložiť\" pre uloženie. Kliknite na \"OK\" pre zrušenie všetkých neuložených zmien.", "DE.Controllers.Main.loadFontsTextText": "Načítavanie dát...", "DE.Controllers.Main.loadFontsTitleText": "Načítavanie dát", "DE.Controllers.Main.loadFontTextText": "Načítavanie dát...", @@ -497,6 +585,7 @@ "DE.Controllers.Main.requestEditFailedMessageText": "Niekto tento dokument práve upravuje. Skúste neskôr prosím.", "DE.Controllers.Main.requestEditFailedTitleText": "Prístup zamietnutý", "DE.Controllers.Main.saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "DE.Controllers.Main.saveErrorTextDesktop": "Súbor nemohol byť uložený, alebo vytvorený
    Možné dôvody:
    1.Súbor je možne použiť iba na čítanie.
    2. Súbor je editovaný iným užívateľom.
    3.Úložisko je plné, alebo poškodené.", "DE.Controllers.Main.saveTextText": "Ukladanie dokumentu...", "DE.Controllers.Main.saveTitleText": "Ukladanie dokumentu", "DE.Controllers.Main.scriptLoadError": "Spojenie je príliš pomalé, niektoré komponenty nemožno nahrať. Obnovte prosím stránku.", @@ -512,18 +601,24 @@ "DE.Controllers.Main.textClose": "Zatvoriť", "DE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "DE.Controllers.Main.textContactUs": "Kontaktujte predajcu", + "DE.Controllers.Main.textConvertEquation": "Táto rovnica bola vytvorená starou verziou editora rovníc, ktorá už nie je podporovaná. Pre jej upravenie, preveďte rovnicu do formátu Office Math ML.
    Previesť teraz?", "DE.Controllers.Main.textCustomLoader": "Všimnite si, prosím, že podľa zmluvných podmienok licencie nemáte oprávnenie zmeniť loader.
    Kontaktujte prosím naše Predajné oddelenie, aby ste získali odhad ceny.", + "DE.Controllers.Main.textDisconnect": "Spojenie sa stratilo", "DE.Controllers.Main.textGuest": "Hosť", + "DE.Controllers.Main.textHasMacros": "Súbor obsahuje automatické makrá.
    Naozaj chcete makra spustiť?", "DE.Controllers.Main.textLearnMore": "Viac informácií", "DE.Controllers.Main.textLoadingDocument": "Načítavanie dokumentu", "DE.Controllers.Main.textLongName": "Vložte meno, ktorého dĺžka je menej ako 128 znakov.", "DE.Controllers.Main.textNoLicenseTitle": "Bol dosiahnutý limit licencie", "DE.Controllers.Main.textPaidFeature": "Platená funkcia", - "DE.Controllers.Main.textRemember": "Pamätať si moju voľbu", + "DE.Controllers.Main.textReconnect": "Spojenie sa obnovilo", + "DE.Controllers.Main.textRemember": "Pamätať si moju voľbu pre všetky súbory", + "DE.Controllers.Main.textRenameError": "Meno užívateľa nesmie byť prázdne.", "DE.Controllers.Main.textRenameLabel": "Zadajte meno, ktoré sa bude používať pre spoluprácu", "DE.Controllers.Main.textShape": "Tvar", "DE.Controllers.Main.textStrict": "Prísny režim", "DE.Controllers.Main.textTryUndoRedo": "Funkcie späť/zopakovať sú vypnuté pre rýchly spolueditačný režim.
    Kliknite na tlačítko \"Prísny režim\", aby ste prešli do prísneho spolueditačného režimu a aby ste upravovali súbor bez rušenia ostatných užívateľov a odosielali vaše zmeny iba po ich uložení. Pomocou Rozšírených nastavení editoru môžete prepínať medzi spolueditačnými režimami.", + "DE.Controllers.Main.textTryUndoRedoWarn": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", "DE.Controllers.Main.titleLicenseExp": "Platnosť licencie uplynula", "DE.Controllers.Main.titleServerVersion": "Editor bol aktualizovaný", "DE.Controllers.Main.titleUpdateVersion": "Verzia bola zmenená", @@ -536,23 +631,30 @@ "DE.Controllers.Main.txtCallouts": "Popisky obrázku", "DE.Controllers.Main.txtCharts": "Grafy", "DE.Controllers.Main.txtChoose": "Zvolte položku", + "DE.Controllers.Main.txtClickToLoad": "Klikni pre nahratie obrázku", "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.txtEndOfFormula": "Neočakávaný koniec vzorca", "DE.Controllers.Main.txtEnterDate": "Zadajte dátum", "DE.Controllers.Main.txtErrorLoadHistory": "Načítavanie histórie zlyhalo", "DE.Controllers.Main.txtEvenPage": "Párna stránka", "DE.Controllers.Main.txtFiguredArrows": "Šipky", "DE.Controllers.Main.txtFirstPage": "Prvá strana", "DE.Controllers.Main.txtFooter": "Päta stránky", + "DE.Controllers.Main.txtFormulaNotInTable": "Vzorec nie je v tabuľke", "DE.Controllers.Main.txtHeader": "Hlavička", "DE.Controllers.Main.txtHyperlink": "Hypertextový odkaz", "DE.Controllers.Main.txtIndTooLarge": "Index je priveľký", "DE.Controllers.Main.txtLines": "Riadky", "DE.Controllers.Main.txtMainDocOnly": "Chyba! Iba hlavný dokument.", "DE.Controllers.Main.txtMath": "Matematika", + "DE.Controllers.Main.txtMissArg": "Chýba argument", "DE.Controllers.Main.txtMissOperator": "Chýbajúci operátor", "DE.Controllers.Main.txtNeedSynchronize": "Máte aktualizácie", + "DE.Controllers.Main.txtNone": "Žiadny", + "DE.Controllers.Main.txtNoTableOfContents": "V dokumente neboli nájdené žiadne nadpisy. Použite na ne v texte štýl pre nadpisy, aby sa objavili v tabuľke obsahu.", + "DE.Controllers.Main.txtNoTableOfFigures": "Žiadne vstupné hodnoty pre obsah neboli nájdené.", "DE.Controllers.Main.txtNoText": "Chyba! V dokumente nie je žiaden text špecifikovaného štýlu.", "DE.Controllers.Main.txtNotInTable": "Nie je v tabuľke", "DE.Controllers.Main.txtNotValidBookmark": "Chyba! Nie je platnou záložkou odkazujúcou na seba.", @@ -563,7 +665,11 @@ "DE.Controllers.Main.txtSection": "-Sekcia", "DE.Controllers.Main.txtSeries": "Rady", "DE.Controllers.Main.txtShape_accentBorderCallout1": "Vyvolanie riadku 1 (ohraničenie a akcentový pruh)", + "DE.Controllers.Main.txtShape_accentBorderCallout2": "Bublina s čiarou 2 (ohraničenie a zvýraznenie)", + "DE.Controllers.Main.txtShape_accentBorderCallout3": "Čiarová bublina 3 (Ohraničenie a zvýraznenie)", "DE.Controllers.Main.txtShape_accentCallout1": "Vyvolanie riadku 1 (Accent Bar)", + "DE.Controllers.Main.txtShape_accentCallout2": "Bublina s čiarou 2 (zvýraznenie)", + "DE.Controllers.Main.txtShape_accentCallout3": "Čiarová bublina 3 (zvýraznená)", "DE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tlačítko Späť alebo Predchádzajúci", "DE.Controllers.Main.txtShape_actionButtonBeginning": "Tlačítko Začiatok", "DE.Controllers.Main.txtShape_actionButtonBlank": "Prázdne tlačítko", @@ -585,8 +691,12 @@ "DE.Controllers.Main.txtShape_bevel": "Skosenie", "DE.Controllers.Main.txtShape_blockArc": "Časť kruhu", "DE.Controllers.Main.txtShape_borderCallout1": "Vyvolanie riadku 1", + "DE.Controllers.Main.txtShape_borderCallout2": "Bublina s čiarou 2", + "DE.Controllers.Main.txtShape_borderCallout3": "Čiarová bublina 3", "DE.Controllers.Main.txtShape_bracePair": "Dvojitá zátvorka", "DE.Controllers.Main.txtShape_callout1": "Vyvolanie riadku 1 (bez ohraničenia)", + "DE.Controllers.Main.txtShape_callout2": "Bublina s čiarou 2 (bez orámovania)", + "DE.Controllers.Main.txtShape_callout3": "Čiarová bublina 3 (bez orámovania)", "DE.Controllers.Main.txtShape_can": "Môže", "DE.Controllers.Main.txtShape_chevron": "Chevron", "DE.Controllers.Main.txtShape_chord": "Akord", @@ -671,16 +781,22 @@ "DE.Controllers.Main.txtShape_mathPlus": "Plus", "DE.Controllers.Main.txtShape_moon": "Mesiac", "DE.Controllers.Main.txtShape_noSmoking": "Symbol \"Nie\"", + "DE.Controllers.Main.txtShape_notchedRightArrow": "Šípka v pravo so zárezom", "DE.Controllers.Main.txtShape_octagon": "Osemuholník", "DE.Controllers.Main.txtShape_parallelogram": "Rovnobežník", "DE.Controllers.Main.txtShape_pentagon": "Päťuholník", "DE.Controllers.Main.txtShape_pie": "Koláčový graf", "DE.Controllers.Main.txtShape_plaque": "Podpísať", "DE.Controllers.Main.txtShape_plus": "Plus", + "DE.Controllers.Main.txtShape_polyline1": "Čmárať", "DE.Controllers.Main.txtShape_polyline2": "Voľná forma", + "DE.Controllers.Main.txtShape_quadArrow": "Štvorstranná šípka", + "DE.Controllers.Main.txtShape_quadArrowCallout": "Bublina so štvorstrannou šípkou", "DE.Controllers.Main.txtShape_rect": "Pravouholník", "DE.Controllers.Main.txtShape_ribbon": "Spodný pruh", + "DE.Controllers.Main.txtShape_ribbon2": "Pásik hore", "DE.Controllers.Main.txtShape_rightArrow": "Pravá šípka", + "DE.Controllers.Main.txtShape_rightArrowCallout": "Bublina so šípkou vpravo", "DE.Controllers.Main.txtShape_rightBrace": "Pravá svorka", "DE.Controllers.Main.txtShape_rightBracket": "Pravá zátvorka", "DE.Controllers.Main.txtShape_round1Rect": "Obdĺžnik s jedným oblým rohom", @@ -689,6 +805,10 @@ "DE.Controllers.Main.txtShape_roundRect": "obdĺžnik s oblými rohmi", "DE.Controllers.Main.txtShape_rtTriangle": "Pravý trojuholník", "DE.Controllers.Main.txtShape_smileyFace": "Smajlík", + "DE.Controllers.Main.txtShape_snip1Rect": "Obdĺžnik s jedným odstrihnutým rohom", + "DE.Controllers.Main.txtShape_snip2DiagRect": "Obdĺžnik s dvoma protiľahlými odstrihnutými rohmi", + "DE.Controllers.Main.txtShape_snip2SameRect": "Obdĺžnik s dvoma odstrihnutými rohmi na rovnakej strane ", + "DE.Controllers.Main.txtShape_snipRoundRect": "Obdĺžnik s jedným zaobleným a jedným odstrihnutým rohom hore", "DE.Controllers.Main.txtShape_spline": "Krivka", "DE.Controllers.Main.txtShape_star10": "10-cípa hviezda", "DE.Controllers.Main.txtShape_star12": "12-cípa hviezda", @@ -700,11 +820,24 @@ "DE.Controllers.Main.txtShape_star6": "6-cípa hviezda", "DE.Controllers.Main.txtShape_star7": "7-cípa hviezda", "DE.Controllers.Main.txtShape_star8": "8-cípa hviezda", + "DE.Controllers.Main.txtShape_stripedRightArrow": "Prúžkovaná šípka vpravo", "DE.Controllers.Main.txtShape_sun": "Slnko", "DE.Controllers.Main.txtShape_teardrop": "Slza", "DE.Controllers.Main.txtShape_textRect": "Textové pole", + "DE.Controllers.Main.txtShape_trapezoid": "Lichobežník", + "DE.Controllers.Main.txtShape_triangle": "Trojuholník", + "DE.Controllers.Main.txtShape_upArrow": "Šípka hore", + "DE.Controllers.Main.txtShape_upArrowCallout": "Bublina so šípkou hore", + "DE.Controllers.Main.txtShape_upDownArrow": "Šípka hore a dole", + "DE.Controllers.Main.txtShape_uturnArrow": "Šípka s otočkou", + "DE.Controllers.Main.txtShape_verticalScroll": "Vertikálne posúvanie", + "DE.Controllers.Main.txtShape_wave": "Vlnovka", + "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "Oválna bublina", + "DE.Controllers.Main.txtShape_wedgeRectCallout": "Obdĺžniková bublina", + "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Bublina v tvare obdĺžnika so zaoblenými rohmi", "DE.Controllers.Main.txtStarsRibbons": "Hviezdy a stuhy", "DE.Controllers.Main.txtStyle_Caption": "Popis", + "DE.Controllers.Main.txtStyle_endnote_text": "Text vysvetlívky", "DE.Controllers.Main.txtStyle_footnote_text": "Poznámka pod čiarou", "DE.Controllers.Main.txtStyle_Heading_1": "Nadpis 1", "DE.Controllers.Main.txtStyle_Heading_2": "Nadpis 2", @@ -725,40 +858,54 @@ "DE.Controllers.Main.txtSyntaxError": "Syntaktická chyba", "DE.Controllers.Main.txtTableInd": "Index tabuľky nemôže byť nula", "DE.Controllers.Main.txtTableOfContents": "Obsah", + "DE.Controllers.Main.txtTableOfFigures": "Obsah", + "DE.Controllers.Main.txtTOCHeading": "Nadpis Obsahu", "DE.Controllers.Main.txtTooLarge": "Číslo priveľké na formátovanie", + "DE.Controllers.Main.txtTypeEquation": "Sem zadajte rovnicu", + "DE.Controllers.Main.txtUndefBookmark": "Nedefinovaná záložka", "DE.Controllers.Main.txtXAxis": "Os X", "DE.Controllers.Main.txtYAxis": "Os Y", + "DE.Controllers.Main.txtZeroDivide": "Delenie nulou", "DE.Controllers.Main.unknownErrorText": "Neznáma chyba.", "DE.Controllers.Main.unsupportedBrowserErrorText": "Váš prehliadač nie je podporovaný.", + "DE.Controllers.Main.uploadDocExtMessage": "Neznámy formát dokumentu", "DE.Controllers.Main.uploadDocFileCountMessage": "Neboli nahraté žiadne dokumenty.", "DE.Controllers.Main.uploadDocSizeMessage": "Prekročený limit maximálnej veľkosti dokumentu.", "DE.Controllers.Main.uploadImageExtMessage": "Neznámy formát obrázka.", "DE.Controllers.Main.uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", - "DE.Controllers.Main.uploadImageSizeMessage": "Prekročená maximálna veľkosť obrázka", + "DE.Controllers.Main.uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB.", "DE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...", "DE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku", "DE.Controllers.Main.waitText": "Čakajte, prosím...", "DE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "DE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.", + "DE.Controllers.Main.warnLicenseExceeded": "Dosiahli ste limit počtu súbežných spojení %1 editora. Dokument bude otvorený len na náhľad. Pre viac podrobností kontaktujte svojho správcu. ", "DE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.
    Prosím, aktualizujte si svoju licenciu a obnovte stránku.", "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Licencia vypršala.
    K funkcii úprav dokumentu už nemáte prístup.
    Kontaktujte svojho administrátora, prosím.", "DE.Controllers.Main.warnLicenseLimitedRenewed": "Je potrebné obnoviť licenciu.
    K funkciám úprav dokumentov máte obmedzený prístup.
    Pre získanie úplného prístupu kontaktujte prosím svojho administrátora.", - "DE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru.
    Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", + "DE.Controllers.Main.warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "DE.Controllers.Main.warnNoLicense": "Dosiahli ste limit súběžných pripojení %1 editora. Dokument bude otvorený len na prezeranie.
    Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "DE.Controllers.Main.warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", "DE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", "DE.Controllers.Navigation.txtBeginning": "Začiatok dokumentu", "DE.Controllers.Navigation.txtGotoBeginning": "Ísť na začiatok dokumentu", + "DE.Controllers.Statusbar.textDisconnect": "Spojenie sa stratilo
    Pokus o opätovné spojenie. Skontrolujte nastavenie pripojenia. ", "DE.Controllers.Statusbar.textHasChanges": "Boli sledované nové zmeny", + "DE.Controllers.Statusbar.textSetTrackChanges": "Ste v móde Sledovania Zmien", "DE.Controllers.Statusbar.textTrackChanges": "Dokument je otvorený so zapnutým režimom sledovania zmien.", "DE.Controllers.Statusbar.tipReview": "Sledovať zmeny", "DE.Controllers.Statusbar.zoomText": "Priblíženie {0}%", "DE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení.
    Štýl textu sa zobrazí pomocou jedného zo systémových písiem, uložené písmo sa použije, keď bude k dispozícii.
    Chcete pokračovať?", + "DE.Controllers.Toolbar.dataUrl": "Vložiť adresu domény URL", "DE.Controllers.Toolbar.notcriticalErrorTitle": "Upozornenie", "DE.Controllers.Toolbar.textAccent": "Akcenty", "DE.Controllers.Toolbar.textBracket": "Zátvorky", "DE.Controllers.Toolbar.textEmptyImgUrl": "Musíte upresniť URL obrázka.", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "Musíte špecifikovať adresu URL.", "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.textGroup": "Skupina", "DE.Controllers.Toolbar.textInsert": "Vložiť", "DE.Controllers.Toolbar.textIntegral": "Integrály", "DE.Controllers.Toolbar.textLargeOperator": "Veľké operátory", @@ -766,6 +913,7 @@ "DE.Controllers.Toolbar.textMatrix": "Matice", "DE.Controllers.Toolbar.textOperator": "Operátory", "DE.Controllers.Toolbar.textRadical": "Odmocniny", + "DE.Controllers.Toolbar.textRecentlyUsed": "Nedávno použité", "DE.Controllers.Toolbar.textScript": "Mocniny", "DE.Controllers.Toolbar.textSymbols": "Symboly", "DE.Controllers.Toolbar.textTabForms": "Formuláre", @@ -1090,6 +1238,7 @@ "DE.Controllers.Toolbar.txtSymbol_zeta": "Zéta", "DE.Controllers.Viewport.textFitPage": "Prispôsobiť na stranu", "DE.Controllers.Viewport.textFitWidth": "Prispôsobiť na šírku", + "DE.Controllers.Viewport.txtDarkMode": "Tmavý režim", "DE.Views.AddNewCaptionLabelDialog.textLabel": "Štítok:", "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Etiketa nesmie byť prázdna", "DE.Views.BookmarksDialog.textAdd": "Pridať", @@ -1121,12 +1270,16 @@ "DE.Views.CaptionDialog.textHyphen": "Rozdeľovník", "DE.Views.CaptionDialog.textInsert": "Vložiť", "DE.Views.CaptionDialog.textLabel": "Štítok", + "DE.Views.CaptionDialog.textLongDash": "dlhá pomlčka", "DE.Views.CaptionDialog.textNumbering": "Číslovanie", "DE.Views.CaptionDialog.textPeriod": "Perióda", + "DE.Views.CaptionDialog.textSeparator": "Použi oddeľovač", "DE.Views.CaptionDialog.textTable": "Tabuľka", "DE.Views.CaptionDialog.textTitle": "Vložte titulok", "DE.Views.CellsAddDialog.textCol": "Stĺpce", "DE.Views.CellsAddDialog.textDown": "Pod kurzorom", + "DE.Views.CellsAddDialog.textLeft": "Doľava", + "DE.Views.CellsAddDialog.textRight": "Doprava", "DE.Views.CellsAddDialog.textRow": "Riadky", "DE.Views.CellsAddDialog.textTitle": "Vložiť niekoľko", "DE.Views.CellsAddDialog.textUp": "Nad kurzorom", @@ -1141,7 +1294,7 @@ "DE.Views.ChartSettings.textWidth": "Šírka", "DE.Views.ChartSettings.textWrap": "Obtekanie textu", "DE.Views.ChartSettings.txtBehind": "Za", - "DE.Views.ChartSettings.txtInFront": "vpredu", + "DE.Views.ChartSettings.txtInFront": "Vpredu", "DE.Views.ChartSettings.txtInline": "Zarovno s textom", "DE.Views.ChartSettings.txtSquare": "Štvorec", "DE.Views.ChartSettings.txtThrough": "Cez", @@ -1165,11 +1318,17 @@ "DE.Views.ControlSettingsDialog.textDropDown": "Rozbaľovací zoznam", "DE.Views.ControlSettingsDialog.textFormat": "Zobraz dátum takto", "DE.Views.ControlSettingsDialog.textLang": "Jazyk", + "DE.Views.ControlSettingsDialog.textLock": "Zamykanie", + "DE.Views.ControlSettingsDialog.textName": "Nadpis", "DE.Views.ControlSettingsDialog.textNone": "žiadny", + "DE.Views.ControlSettingsDialog.textPlaceholder": "Zástupný symbol", "DE.Views.ControlSettingsDialog.textShowAs": "Ukázať ako", "DE.Views.ControlSettingsDialog.textSystemColor": "Systém", "DE.Views.ControlSettingsDialog.textTag": "Značka", "DE.Views.ControlSettingsDialog.textTitle": "Nastavenia kontroly obsahu", + "DE.Views.ControlSettingsDialog.textUnchecked": "Symbol nezaškrtnuté", + "DE.Views.ControlSettingsDialog.textUp": "Hore", + "DE.Views.ControlSettingsDialog.textValue": "Hodnota", "DE.Views.ControlSettingsDialog.tipChange": "Zmeniť symbol", "DE.Views.ControlSettingsDialog.txtLockDelete": "Kontrolu obsahu nemožno vymazať", "DE.Views.ControlSettingsDialog.txtLockEdit": "Obsah nie je možné upravovať", @@ -1177,6 +1336,7 @@ "DE.Views.CrossReferenceDialog.textBookmark": "Záložka", "DE.Views.CrossReferenceDialog.textBookmarkText": "Zazáložkovať text", "DE.Views.CrossReferenceDialog.textCaption": "Celý titulok", + "DE.Views.CrossReferenceDialog.textEmpty": "Odkaz na požiadavku je prázdny.", "DE.Views.CrossReferenceDialog.textEndnote": "Poznámka na konci textu", "DE.Views.CrossReferenceDialog.textEndNoteNum": "Číslo poznámky na konci textu", "DE.Views.CrossReferenceDialog.textEndNoteNumForm": "Číslo poznámky na konci textu (formátované)", @@ -1194,6 +1354,7 @@ "DE.Views.CrossReferenceDialog.textLabelNum": "Len štítok a číslo", "DE.Views.CrossReferenceDialog.textNoteNum": "Číslo poznámky pod čiarou", "DE.Views.CrossReferenceDialog.textNoteNumForm": "Číslo poznámky pod čiarou (formátované)", + "DE.Views.CrossReferenceDialog.textOnlyCaption": "Len text popisu", "DE.Views.CrossReferenceDialog.textPageNum": "Číslo strany", "DE.Views.CrossReferenceDialog.textParagraph": "Číslovaná položka", "DE.Views.CrossReferenceDialog.textParaNum": "Číslo odseku", @@ -1219,6 +1380,7 @@ "DE.Views.DateTimeDialog.textDefault": "Nastaviť ako defaultné", "DE.Views.DateTimeDialog.textFormat": "Formáty", "DE.Views.DateTimeDialog.textLang": "Jazyk", + "DE.Views.DateTimeDialog.textUpdate": "Aktualizovať automaticky", "DE.Views.DateTimeDialog.txtTitle": "Dátum a čas", "DE.Views.DocumentHolder.aboveText": "Nad", "DE.Views.DocumentHolder.addCommentText": "Pridať komentár", @@ -1267,6 +1429,7 @@ "DE.Views.DocumentHolder.mergeCellsText": "Zlúčiť bunky", "DE.Views.DocumentHolder.moreText": "Viac variantov...", "DE.Views.DocumentHolder.noSpellVariantsText": "Žiadne varianty", + "DE.Views.DocumentHolder.notcriticalErrorTitle": "Varovanie", "DE.Views.DocumentHolder.originalSizeText": "Predvolená veľkosť", "DE.Views.DocumentHolder.paragraphText": "Odsek", "DE.Views.DocumentHolder.removeHyperlinkText": "Odstrániť hypertextový odkaz", @@ -1288,6 +1451,7 @@ "DE.Views.DocumentHolder.strSign": "Podpísať", "DE.Views.DocumentHolder.styleText": "Formátovanie ako štýl", "DE.Views.DocumentHolder.tableText": "Tabuľka", + "DE.Views.DocumentHolder.textAccept": "Akceptovať zmenu", "DE.Views.DocumentHolder.textAlign": "Zarovnať", "DE.Views.DocumentHolder.textArrange": "Upraviť/usporiadať/zarovnať", "DE.Views.DocumentHolder.textArrangeBack": "Presunúť do pozadia", @@ -1306,20 +1470,31 @@ "DE.Views.DocumentHolder.textDistributeCols": "Rozdeliť stĺpce", "DE.Views.DocumentHolder.textDistributeRows": "Rozložiť riadky", "DE.Views.DocumentHolder.textEditControls": "Nastavenia kontroly obsahu", + "DE.Views.DocumentHolder.textEditPoints": "Upraviť body", "DE.Views.DocumentHolder.textEditWrapBoundary": "Upraviť okrajovú obálku", "DE.Views.DocumentHolder.textFlipH": "Prevrátiť horizontálne", "DE.Views.DocumentHolder.textFlipV": "Prevrátiť vertikálne", + "DE.Views.DocumentHolder.textFollow": "Nasledovať pohyb", "DE.Views.DocumentHolder.textFromFile": "Zo súboru", "DE.Views.DocumentHolder.textFromStorage": "Z úložiska", "DE.Views.DocumentHolder.textFromUrl": "Z URL adresy ", "DE.Views.DocumentHolder.textJoinList": "Pripojiť k predošlému zoznamu", + "DE.Views.DocumentHolder.textLeft": "Posunúť bunky v ľavo", + "DE.Views.DocumentHolder.textNest": "Vnoriť tabuľku", "DE.Views.DocumentHolder.textNextPage": "Ďalšia stránka", "DE.Views.DocumentHolder.textNumberingValue": "Hodnota číslovania", "DE.Views.DocumentHolder.textPaste": "Vložiť", "DE.Views.DocumentHolder.textPrevPage": "Predchádzajúca strana", "DE.Views.DocumentHolder.textRefreshField": "Obnoviť pole", + "DE.Views.DocumentHolder.textReject": "Odmietnuť zmenu", + "DE.Views.DocumentHolder.textRemCheckBox": "Odstrániť zaškrtávacie pole", + "DE.Views.DocumentHolder.textRemComboBox": "Odstrániť výberové pole", + "DE.Views.DocumentHolder.textRemDropdown": "Odstrániť rozbaľovací zoznam", + "DE.Views.DocumentHolder.textRemField": "Odstrániť textové pole", "DE.Views.DocumentHolder.textRemove": "Odstrániť", "DE.Views.DocumentHolder.textRemoveControl": "Odstrániť kontrolu obsahu", + "DE.Views.DocumentHolder.textRemPicture": "Odstrániť obrázok", + "DE.Views.DocumentHolder.textRemRadioBox": "Odstrániť prepínač", "DE.Views.DocumentHolder.textReplace": "Nahradiť obrázok", "DE.Views.DocumentHolder.textRotate": "Otočiť", "DE.Views.DocumentHolder.textRotate270": "Otočiť o 90° doľava", @@ -1392,7 +1567,7 @@ "DE.Views.DocumentHolder.txtHideTopLimit": "Skryť horné ohraničenie", "DE.Views.DocumentHolder.txtHideVer": "Skryť vertikálnu čiaru", "DE.Views.DocumentHolder.txtIncreaseArg": "Zväčšiť veľkosť obsahu/argumentu", - "DE.Views.DocumentHolder.txtInFront": "vpredu", + "DE.Views.DocumentHolder.txtInFront": "Vpredu", "DE.Views.DocumentHolder.txtInline": "Zarovno s textom", "DE.Views.DocumentHolder.txtInsertArgAfter": "Vložiť argument/obsah po", "DE.Views.DocumentHolder.txtInsertArgBefore": "Vložiť argument/obsah pred", @@ -1415,6 +1590,7 @@ "DE.Views.DocumentHolder.txtRemLimit": "Odstrániť limitu", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Odstrániť znak akcentu", "DE.Views.DocumentHolder.txtRemoveBar": "Odstrániť vodorovnú čiaru", + "DE.Views.DocumentHolder.txtRemoveWarning": "Chcete odstrániť tento podpis?
    Tento krok je nezvratný.", "DE.Views.DocumentHolder.txtRemScripts": "Odstrániť skripty", "DE.Views.DocumentHolder.txtRemSubscript": "Odstrániť dolný index", "DE.Views.DocumentHolder.txtRemSuperscript": "Odstrániť horný index", @@ -1434,6 +1610,7 @@ "DE.Views.DocumentHolder.txtTopAndBottom": "Hore a dole", "DE.Views.DocumentHolder.txtUnderbar": "Čiara pod textom", "DE.Views.DocumentHolder.txtUngroup": "Oddeliť", + "DE.Views.DocumentHolder.txtWarnUrl": "Kliknutie na tento odkaz môže byť škodlivé pre Vaše zariadenie a Vaše dáta.
    Ste si istý, že chcete pokračovať?", "DE.Views.DocumentHolder.updateStyleText": "Aktualizovať %1 štýl", "DE.Views.DocumentHolder.vertAlignText": "Vertikálne zarovnanie", "DE.Views.DropcapSettingsAdvanced.strBorders": "Orámovanie a výplň", @@ -1479,11 +1656,14 @@ "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "Bez orámovania", "DE.Views.EditListItemDialog.textDisplayName": "Meno/názov na zobrazenie", "DE.Views.EditListItemDialog.textNameError": "Názov na zobrazenie nesmie byť prázdny.", + "DE.Views.EditListItemDialog.textValue": "Hodnota", "DE.Views.EditListItemDialog.textValueError": "Položka s rovnakou hodnotou už existuje.", "DE.Views.FileMenu.btnBackCaption": "Otvoriť umiestnenie súboru", "DE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "DE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "DE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", + "DE.Views.FileMenu.btnExitCaption": "Koniec", + "DE.Views.FileMenu.btnFileOpenCaption": "Otvoriť...", "DE.Views.FileMenu.btnHelpCaption": "Pomoc...", "DE.Views.FileMenu.btnHistoryCaption": "História verzií", "DE.Views.FileMenu.btnInfoCaption": "Informácie o dokumente...", @@ -1499,6 +1679,8 @@ "DE.Views.FileMenu.btnSettingsCaption": "Pokročilé nastavenia...", "DE.Views.FileMenu.btnToEditCaption": "Upraviť dokument", "DE.Views.FileMenu.textDownload": "Stiahnuť", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "Prázdny dokument", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Vytvoriť nový", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Použiť", "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Pridať autora", "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Pridať text", @@ -1520,33 +1702,33 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Predmet", "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "Symboly", "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov", + "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Nahrané", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "Slová", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmeniť prístupové práva", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby s oprávneniami", + "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Varovanie", + "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Za pomoci hesla", "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "Ochrániť dokument", "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "Podpis", "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Upraviť dokument", "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Upravovanie odstráni z dokumentu podpisy
    Ste si istí, že chcete pokračovať?", + "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Tento dokument je zabezpečený heslom", + "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Tento dokument je potrebné podpísať.", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Do dokumentu boli pridané platné podpisy. Je zabezpečený proti úpravám.", "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Niektoré digitálne podpisy v dokumente nie sú platné alebo nemohli byť overené. Dokument nie je možné upravovať.", + "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobraziť podpisy", "DE.Views.FileMenuPanels.Settings.okButtonText": "Použiť", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Zapnúť tipy zarovnávania", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Zapnúť automatickú obnovu", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Zapnúť automatické ukladanie", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Režim spoločnej úpravy", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ostatní používatelia uvidia Vaše zmeny naraz", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Musíte akceptovať zmeny pretým ako ich uvidíte ", "DE.Views.FileMenuPanels.Settings.strFast": "Rýchly", "DE.Views.FileMenuPanels.Settings.strFontRender": "Náznak typu písma", - "DE.Views.FileMenuPanels.Settings.strForcesave": "Vždy uložiť na server (inak uložiť na server pri zatvorení dokumentu)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Zapnúť hieroglyfy", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Zapnúť zobrazovanie komentárov", + "DE.Views.FileMenuPanels.Settings.strForcesave": "Pridaj verziu na úložisko kliknutím na Uložiť alebo Ctrl+S", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Nastavenia makier", - "DE.Views.FileMenuPanels.Settings.strPaste": "Vystrihni, skopíruj a vlep", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Po vložení obsahu ukázať tlačítko Možnosti vloženia", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Zapnúť zobrazenie vyriešených komentárov", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Zmeny spolupráce v reálnom čase", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Zapnúť kontrolu pravopisu", "DE.Views.FileMenuPanels.Settings.strStrict": "Prísny", + "DE.Views.FileMenuPanels.Settings.strTheme": "Vzhľad prostredia", "DE.Views.FileMenuPanels.Settings.strUnit": "Jednotka merania", "DE.Views.FileMenuPanels.Settings.strZoom": "Predvolená hodnota priblíženia", "DE.Views.FileMenuPanels.Settings.text10Minutes": "Každých 10 minút", @@ -1558,13 +1740,16 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "Automatické ukladanie", "DE.Views.FileMenuPanels.Settings.textCompatible": "Kompatibilita", "DE.Views.FileMenuPanels.Settings.textDisabled": "Zakázané", - "DE.Views.FileMenuPanels.Settings.textForceSave": "Uložiť na Server", + "DE.Views.FileMenuPanels.Settings.textForceSave": "Uložiť dočasnú verziu", "DE.Views.FileMenuPanels.Settings.textMinute": "Každú minútu", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Pri uložení ako DOCX urobiť súbory kompatibilné so staršími verziami MS Word", "DE.Views.FileMenuPanels.Settings.txtAll": "Zobraziť všetko", "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Možnosti automatickej opravy...", "DE.Views.FileMenuPanels.Settings.txtCacheMode": "Prednastavený mód cache", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "Zobraziť kliknutím do bublín", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "Zobraziť prejdemím na popisy", "DE.Views.FileMenuPanels.Settings.txtCm": "Centimeter", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "Zapnúť tmavý režim pre dokument", "DE.Views.FileMenuPanels.Settings.txtFitPage": "Prispôsobiť na stranu", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Prispôsobiť na šírku", "DE.Views.FileMenuPanels.Settings.txtInch": "Palec (miera 2,54 cm)", @@ -1584,6 +1769,10 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Ukázať oznámenie", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Zablokovať všetky makrá s upozornením", "DE.Views.FileMenuPanels.Settings.txtWin": "ako Windows", + "DE.Views.FormSettings.textAlways": "Vždy", + "DE.Views.FormSettings.textAspect": "Uzamknúť pomer strán", + "DE.Views.FormSettings.textAutofit": "Automaticky prispôsobiť", + "DE.Views.FormSettings.textBackgroundColor": "Farba pozadia", "DE.Views.FormSettings.textCheckbox": "Zaškrtávacie pole", "DE.Views.FormSettings.textColor": "Farba okraja", "DE.Views.FormSettings.textComb": "Hrebeň znakov", @@ -1593,26 +1782,51 @@ "DE.Views.FormSettings.textDisconnect": "Odpojiť", "DE.Views.FormSettings.textDropDown": "Rozbaľovacia ponuka", "DE.Views.FormSettings.textField": "Textové pole", + "DE.Views.FormSettings.textFixed": "Fixná veľkosť poľa", "DE.Views.FormSettings.textFromFile": "Zo súboru", "DE.Views.FormSettings.textFromStorage": "Z úložiska", "DE.Views.FormSettings.textFromUrl": "Z URL adresy ", "DE.Views.FormSettings.textGroupKey": "Skupinový kľúč", "DE.Views.FormSettings.textImage": "Obrázok", "DE.Views.FormSettings.textKey": "Kľúč", + "DE.Views.FormSettings.textLock": "Uzamknúť", "DE.Views.FormSettings.textMaxChars": "Limit znakov", + "DE.Views.FormSettings.textMulti": "Viacriadkové pole", + "DE.Views.FormSettings.textNever": "Nikdy", + "DE.Views.FormSettings.textNoBorder": "Žiadne ohraničenie", + "DE.Views.FormSettings.textPlaceholder": "Zástupný symbol", "DE.Views.FormSettings.textRadiobox": "Prepínač", + "DE.Views.FormSettings.textRequired": "Nevyhnutné", + "DE.Views.FormSettings.textScale": "Kedy škálovať", + "DE.Views.FormSettings.textSelectImage": "Vybrať obrázok", + "DE.Views.FormSettings.textTip": "Pomocník", "DE.Views.FormSettings.textTipAdd": "Pridať novú hodnotu", "DE.Views.FormSettings.textTipDelete": "Vymazať hodnotu", + "DE.Views.FormSettings.textTipDown": "Presunúť dole ", + "DE.Views.FormSettings.textTipUp": "Presunúť hore", + "DE.Views.FormSettings.textTooBig": "Obrázok je príliš veľký", + "DE.Views.FormSettings.textTooSmall": "Obrázok je príliš malý", + "DE.Views.FormSettings.textUnlock": "Odomknúť", + "DE.Views.FormSettings.textValue": "Možnosti hodnôt", "DE.Views.FormSettings.textWidth": "Šírka bunky", "DE.Views.FormsTab.capBtnCheckBox": "Zaškrtávacie pole", "DE.Views.FormsTab.capBtnComboBox": "Zmiešaná schránka", "DE.Views.FormsTab.capBtnDropDown": "Rozbaľovacia ponuka", "DE.Views.FormsTab.capBtnImage": "Obrázok", "DE.Views.FormsTab.capBtnNext": "Nasledujúce pole", + "DE.Views.FormsTab.capBtnPrev": "Predchádzajúce pole", + "DE.Views.FormsTab.capBtnRadioBox": "Prepínač", + "DE.Views.FormsTab.capBtnSaveForm": "Uložiť ako oform", + "DE.Views.FormsTab.capBtnSubmit": "Potvrdiť", + "DE.Views.FormsTab.capBtnText": "Textové pole", + "DE.Views.FormsTab.capBtnView": "Zobraziť formulár", "DE.Views.FormsTab.textClear": "Vyčistiť políčka", "DE.Views.FormsTab.textClearFields": "Vyčistiť všetky polia", + "DE.Views.FormsTab.textCreateForm": "Pridať polia a vytvoriť dokument OFORM z možnosťou vyplnenia. ", + "DE.Views.FormsTab.textGotIt": "Rozumiem", "DE.Views.FormsTab.textHighlight": "Nastavenia zvýraznenia", "DE.Views.FormsTab.textNoHighlight": "Bez zvýraznenia", + "DE.Views.FormsTab.textRequired": "Pre odoslanie formulára vyplňte všetky požadované polia.", "DE.Views.FormsTab.textSubmited": "Formulár úspešne odoslaný", "DE.Views.FormsTab.tipCheckBox": "Vložiť začiarkavacie políčko", "DE.Views.FormsTab.tipComboBox": "Vložiť výberové pole", @@ -1621,8 +1835,11 @@ "DE.Views.FormsTab.tipNextForm": "Prejsť na ďalšie pole", "DE.Views.FormsTab.tipPrevForm": "Ísť na predošlé pole", "DE.Views.FormsTab.tipRadioBox": "Vložiť prepínač", + "DE.Views.FormsTab.tipSaveForm": "Uložiť ako vyplniteľný dokument OFORM", + "DE.Views.FormsTab.tipSubmit": "Potvrdiť formulár", "DE.Views.FormsTab.tipTextField": "Vložiť textové pole", - "DE.Views.FormsTab.tipViewForm": "Režim vypĺňania formulára", + "DE.Views.FormsTab.tipViewForm": "Zobraziť formulár", + "DE.Views.FormsTab.txtUntitled": "Bez názvu", "DE.Views.HeaderFooterSettings.textBottomCenter": "Dole v strede", "DE.Views.HeaderFooterSettings.textBottomLeft": "Dole vľavo", "DE.Views.HeaderFooterSettings.textBottomPage": "Spodná časť stránky", @@ -1641,6 +1858,7 @@ "DE.Views.HeaderFooterSettings.textSameAs": "Odkaz na predchádzajúci", "DE.Views.HeaderFooterSettings.textTopCenter": "Hore v strede", "DE.Views.HeaderFooterSettings.textTopLeft": "Hore vľavo", + "DE.Views.HeaderFooterSettings.textTopPage": "Horná časť stránky", "DE.Views.HeaderFooterSettings.textTopRight": "Hore vpravo", "DE.Views.HyperlinkSettingsDialog.textDefault": "Vybraný textový úryvok", "DE.Views.HyperlinkSettingsDialog.textDisplay": "Zobraziť", @@ -1654,10 +1872,12 @@ "DE.Views.HyperlinkSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "Nadpisy", "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Toto pole je obmedzené na 2083 znakov", "DE.Views.ImageSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "DE.Views.ImageSettings.textCrop": "Orezať", "DE.Views.ImageSettings.textCropFill": "Vyplniť", "DE.Views.ImageSettings.textCropFit": "Prispôsobiť", + "DE.Views.ImageSettings.textCropToShape": "Orezať podľa tvaru", "DE.Views.ImageSettings.textEdit": "Upraviť", "DE.Views.ImageSettings.textEditObject": "Upraviť objekt", "DE.Views.ImageSettings.textFitMargins": "Prispôsobiť na okraj", @@ -1672,13 +1892,14 @@ "DE.Views.ImageSettings.textHintFlipV": "Prevrátiť vertikálne", "DE.Views.ImageSettings.textInsert": "Nahradiť obrázok", "DE.Views.ImageSettings.textOriginalSize": "Predvolená veľkosť", + "DE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "DE.Views.ImageSettings.textRotate90": "Otočiť o 90°", "DE.Views.ImageSettings.textRotation": "Otočenie", "DE.Views.ImageSettings.textSize": "Veľkosť", "DE.Views.ImageSettings.textWidth": "Šírka", "DE.Views.ImageSettings.textWrap": "Obtekanie textu", "DE.Views.ImageSettings.txtBehind": "Za", - "DE.Views.ImageSettings.txtInFront": "vpredu", + "DE.Views.ImageSettings.txtInFront": "Vpredu", "DE.Views.ImageSettings.txtInline": "Zarovno s textom", "DE.Views.ImageSettings.txtSquare": "Štvorec", "DE.Views.ImageSettings.txtThrough": "Cez", @@ -1748,11 +1969,12 @@ "DE.Views.ImageSettingsAdvanced.textTop": "Hore", "DE.Views.ImageSettingsAdvanced.textTopMargin": "Horný okraj", "DE.Views.ImageSettingsAdvanced.textVertical": "Zvislý", + "DE.Views.ImageSettingsAdvanced.textVertically": "Vertikálne", "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Tvary a šípky", "DE.Views.ImageSettingsAdvanced.textWidth": "Šírka", "DE.Views.ImageSettingsAdvanced.textWrap": "Obtekanie textu", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Za", - "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "vpredu", + "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Vpredu", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Zarovno s textom", "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "Štvorec", "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "Cez", @@ -1769,10 +1991,13 @@ "DE.Views.LeftMenu.txtDeveloper": "VÝVOJÁRSKY REŽIM", "DE.Views.LeftMenu.txtLimit": "Obmedziť prístup", "DE.Views.LeftMenu.txtTrial": "Skúšobný režim", + "DE.Views.LeftMenu.txtTrialDev": "Skúšobný vývojársky režim", "DE.Views.LineNumbersDialog.textAddLineNumbering": "Pridať číslovanie riadkov", "DE.Views.LineNumbersDialog.textApplyTo": "Aplikovať zmeny na", "DE.Views.LineNumbersDialog.textContinuous": "Nepretržitý", "DE.Views.LineNumbersDialog.textCountBy": "Rátať podľa", + "DE.Views.LineNumbersDialog.textDocument": "Celý dokument", + "DE.Views.LineNumbersDialog.textForward": "Z aktuálneho miesta", "DE.Views.LineNumbersDialog.textFromText": "Z textu", "DE.Views.LineNumbersDialog.textNumbering": "Číslovanie", "DE.Views.LineNumbersDialog.textRestartEachPage": "Reštartovať/znova spustiť každú stránku", @@ -1783,15 +2008,16 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Záložka", "DE.Views.Links.capBtnCaption": "Popis", - "DE.Views.Links.capBtnContentsUpdate": "Obnoviť", + "DE.Views.Links.capBtnContentsUpdate": "Obnoviť tabuľku", "DE.Views.Links.capBtnCrossRef": "Krížový odkaz", "DE.Views.Links.capBtnInsContents": "Obsah", "DE.Views.Links.capBtnInsFootnote": "Poznámka pod čiarou", "DE.Views.Links.capBtnInsLink": "Hypertextový odkaz", + "DE.Views.Links.capBtnTOF": "Obsah", "DE.Views.Links.confirmDeleteFootnotes": "Chcete odstrániť všetky poznámky pod čiarou?", "DE.Views.Links.confirmReplaceTOF": "Chcete nahradiť vybranú tabuľku čísiel", "DE.Views.Links.mniConvertNote": "Konvertovať všetky poznámky", - "DE.Views.Links.mniDelFootnote": "Odstrániť všetky poznámky pod čiarou", + "DE.Views.Links.mniDelFootnote": "Odstrániť všetky poznámky", "DE.Views.Links.mniInsEndnote": "Vložiť poznámku na konci textu", "DE.Views.Links.mniInsFootnote": "Vložiť poznámku pod čiarou", "DE.Views.Links.mniNoteSettings": "Nastavenia poznámok", @@ -1812,6 +2038,8 @@ "DE.Views.Links.tipInsertHyperlink": "Pridať odkaz", "DE.Views.Links.tipNotes": "Vložiť alebo editovať poznámky pod čiarou", "DE.Views.Links.tipTableFigures": "Vložiť tabuľku s údajmi", + "DE.Views.Links.tipTableFiguresUpdate": "Obnoviť obsah", + "DE.Views.Links.titleUpdateTOF": "Obnoviť obsah", "DE.Views.ListSettingsDialog.textAuto": "Automaticky", "DE.Views.ListSettingsDialog.textCenter": "Stred", "DE.Views.ListSettingsDialog.textLeft": "Vľavo", @@ -1828,6 +2056,7 @@ "DE.Views.ListSettingsDialog.txtSize": "Veľkosť", "DE.Views.ListSettingsDialog.txtSymbol": "Symbol", "DE.Views.ListSettingsDialog.txtTitle": "Nastavenia zoznamu", + "DE.Views.ListSettingsDialog.txtType": "Typ", "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF", "DE.Views.MailMergeEmailDlg.okButtonText": "Poslať", "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "Téma", @@ -1877,12 +2106,15 @@ "DE.Views.MailMergeSettings.warnProcessMailMerge": "Spustenie zlúčenia zlyhalo", "DE.Views.Navigation.txtCollapse": "Zbaliť všetko", "DE.Views.Navigation.txtDemote": "Zníženie hodnosti", + "DE.Views.Navigation.txtEmpty": "Tento dokument neobsahuje nadpisy.
    Pre zahrnutie textu v obsahu použite na text štýl nadpisov.", "DE.Views.Navigation.txtEmptyItem": "Prázdne záhlavie", + "DE.Views.Navigation.txtEmptyViewer": "Tento dokument neobsahuje nadpisy.", "DE.Views.Navigation.txtExpand": "Rozbaliť všetko", "DE.Views.Navigation.txtExpandToLevel": "Rozšíriť na úroveň", "DE.Views.Navigation.txtHeadingAfter": "Nový nadpis po", "DE.Views.Navigation.txtHeadingBefore": "Nový nadpis pred", "DE.Views.Navigation.txtNewHeading": "Nový podnadpis", + "DE.Views.Navigation.txtPromote": "Povýšiť", "DE.Views.Navigation.txtSelect": "Vybrať obsah", "DE.Views.NoteSettingsDialog.textApply": "Použiť", "DE.Views.NoteSettingsDialog.textApplyTo": "Použiť zmeny na", @@ -1919,6 +2151,7 @@ "DE.Views.PageMarginsDialog.textMultiplePages": "Viacnásobné stránky", "DE.Views.PageMarginsDialog.textNormal": "Normálny", "DE.Views.PageMarginsDialog.textOrientation": "Orientácia", + "DE.Views.PageMarginsDialog.textOutside": "Vonkajšok", "DE.Views.PageMarginsDialog.textPortrait": "Na výšku", "DE.Views.PageMarginsDialog.textPreview": "Náhľad", "DE.Views.PageMarginsDialog.textRight": "Vpravo", @@ -1931,8 +2164,15 @@ "DE.Views.PageSizeDialog.textTitle": "Veľkosť stránky", "DE.Views.PageSizeDialog.textWidth": "Šírka", "DE.Views.PageSizeDialog.txtCustom": "Vlastný", + "DE.Views.PageThumbnails.textClosePanel": "Zavrieť náhľady stránok", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "Zvýrazniť viditeľnú časť stránky", + "DE.Views.PageThumbnails.textPageThumbnails": "Náhľady stránok", + "DE.Views.PageThumbnails.textThumbnailsSettings": "Nastavenia pre náhľady", + "DE.Views.PageThumbnails.textThumbnailsSize": "Veľkosť náhľadov", "DE.Views.ParagraphSettings.strIndent": "Odsadenia", "DE.Views.ParagraphSettings.strIndentsLeftText": "Vľavo", + "DE.Views.ParagraphSettings.strIndentsRightText": "Vpravo", + "DE.Views.ParagraphSettings.strIndentsSpecial": "Špeciálne", "DE.Views.ParagraphSettings.strLineHeight": "Riadkovanie", "DE.Views.ParagraphSettings.strParagraphSpacing": "Riadkovanie medzi odstavcami", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Nepridávať medzeru medzi odseky s rovnakým štýlom", @@ -1945,6 +2185,7 @@ "DE.Views.ParagraphSettings.textBackColor": "Farba pozadia", "DE.Views.ParagraphSettings.textExact": "Presne", "DE.Views.ParagraphSettings.textFirstLine": "Prvý riadok", + "DE.Views.ParagraphSettings.textHanging": "Závesný", "DE.Views.ParagraphSettings.textNoneSpecial": "(žiadne)", "DE.Views.ParagraphSettings.txtAutoText": "Automaticky", "DE.Views.ParagraphSettingsAdvanced.noTabs": "Špecifikované tabulátory sa objavia v tomto poli", @@ -1955,6 +2196,7 @@ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Odsadenia", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Vľavo", "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Riadkovanie", + "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Úroveň obrysov", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Vpravo", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Za", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred", @@ -1990,6 +2232,7 @@ "DE.Views.ParagraphSettingsAdvanced.textEffects": "Efekty", "DE.Views.ParagraphSettingsAdvanced.textExact": "presne", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prvý riadok", + "DE.Views.ParagraphSettingsAdvanced.textHanging": "Závesný", "DE.Views.ParagraphSettingsAdvanced.textJustified": "Podľa okrajov", "DE.Views.ParagraphSettingsAdvanced.textLeader": "Vodítko", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Vľavo", @@ -2061,6 +2304,7 @@ "DE.Views.ShapeSettings.textPatternFill": "Vzor", "DE.Views.ShapeSettings.textPosition": "Pozícia", "DE.Views.ShapeSettings.textRadial": "Kruhový/hviezdicovitý", + "DE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "DE.Views.ShapeSettings.textRotate90": "Otočiť o 90°", "DE.Views.ShapeSettings.textRotation": "Rotácia", "DE.Views.ShapeSettings.textSelectImage": "Vybrať obrázok", @@ -2080,7 +2324,7 @@ "DE.Views.ShapeSettings.txtGrain": "Textúra/zrnitosť", "DE.Views.ShapeSettings.txtGranite": "Mramorovaný", "DE.Views.ShapeSettings.txtGreyPaper": "Sivý papier", - "DE.Views.ShapeSettings.txtInFront": "vpredu", + "DE.Views.ShapeSettings.txtInFront": "Vpredu", "DE.Views.ShapeSettings.txtInline": "Zarovno s textom", "DE.Views.ShapeSettings.txtKnit": "Pletený", "DE.Views.ShapeSettings.txtLeather": "Koža/kožený", @@ -2091,6 +2335,7 @@ "DE.Views.ShapeSettings.txtTight": "Tesný", "DE.Views.ShapeSettings.txtTopAndBottom": "Hore a dole", "DE.Views.ShapeSettings.txtWood": "Drevo", + "DE.Views.SignatureSettings.notcriticalErrorTitle": "Varovanie", "DE.Views.SignatureSettings.strDelete": "Odstrániť podpis", "DE.Views.SignatureSettings.strDetails": "Podrobnosti podpisu", "DE.Views.SignatureSettings.strInvalid": "Neplatné podpisy", @@ -2103,11 +2348,15 @@ "DE.Views.SignatureSettings.txtContinueEditing": "Aj tak uprav", "DE.Views.SignatureSettings.txtEditWarning": "Upravovanie odstráni z dokumentu podpisy
    Ste si istí, že chcete pokračovať?", "DE.Views.SignatureSettings.txtRemoveWarning": "Chcete odstrániť tento podpis?
    Nie je možné to vrátiť späť.", + "DE.Views.SignatureSettings.txtRequestedSignatures": "Tento dokument je potrebné podpísať.", + "DE.Views.SignatureSettings.txtSigned": "Do dokumentu boli pridané platné podpisy. Je zabezpečený proti úpravám. ", "DE.Views.SignatureSettings.txtSignedInvalid": "Niektoré digitálne podpisy v dokumente nie sú platné alebo nemohli byť overené. Dokument nie je možné upravovať.", "DE.Views.Statusbar.goToPageText": "Ísť na stranu", "DE.Views.Statusbar.pageIndexText": "Strana {0} z {1}", "DE.Views.Statusbar.tipFitPage": "Prispôsobiť na stranu", "DE.Views.Statusbar.tipFitWidth": "Prispôsobiť na šírku", + "DE.Views.Statusbar.tipHandTool": "Nástroj ruka", + "DE.Views.Statusbar.tipSelectTool": "Zvoliť nástroj", "DE.Views.Statusbar.tipSetLang": "Nastaviť jazyk textu", "DE.Views.Statusbar.tipZoomFactor": "Priblíženie", "DE.Views.Statusbar.tipZoomIn": "Priblížiť", @@ -2138,10 +2387,14 @@ "DE.Views.TableOfContentsSettings.textLevels": "Stupne", "DE.Views.TableOfContentsSettings.textNone": "žiadny", "DE.Views.TableOfContentsSettings.textRadioCaption": "Popis", + "DE.Views.TableOfContentsSettings.textRadioLevels": "Úroveň osnovy", + "DE.Views.TableOfContentsSettings.textRadioStyle": "Štýl", "DE.Views.TableOfContentsSettings.textRadioStyles": "Vybrané štýly", "DE.Views.TableOfContentsSettings.textStyle": "Štýl", "DE.Views.TableOfContentsSettings.textStyles": "Štýly", + "DE.Views.TableOfContentsSettings.textTable": "Tabuľka", "DE.Views.TableOfContentsSettings.textTitle": "Obsah", + "DE.Views.TableOfContentsSettings.textTitleTOF": "Obsah", "DE.Views.TableOfContentsSettings.txtCentered": "Vycentrované", "DE.Views.TableOfContentsSettings.txtClassic": "Klasický", "DE.Views.TableOfContentsSettings.txtCurrent": "Aktuálny", @@ -2174,6 +2427,7 @@ "DE.Views.TableSettings.textBorders": "Štýl orámovania", "DE.Views.TableSettings.textCellSize": "Veľkosť bunky", "DE.Views.TableSettings.textColumns": "Stĺpce", + "DE.Views.TableSettings.textConvert": "Previesť tabuľku na text", "DE.Views.TableSettings.textDistributeCols": "Rozdeliť stĺpce", "DE.Views.TableSettings.textDistributeRows": "Rozložiť riadky", "DE.Views.TableSettings.textEdit": "Riadky a stĺpce", @@ -2186,6 +2440,7 @@ "DE.Views.TableSettings.textSelectBorders": "Vyberte orámovanie, ktoré chcete zmeniť podľa vyššie uvedeného štýlu", "DE.Views.TableSettings.textTemplate": "Vybrať zo šablóny", "DE.Views.TableSettings.textTotal": "Celkovo", + "DE.Views.TableSettings.textWidth": "Šírka", "DE.Views.TableSettings.tipAll": "Nastaviť vonkajšie orámovanie a všetky vnútorné čiary", "DE.Views.TableSettings.tipBottom": "Nastaviť len spodné vonkajšie orámovanie", "DE.Views.TableSettings.tipInner": "Nastaviť len vnútorné čiary", @@ -2202,6 +2457,7 @@ "DE.Views.TableSettings.txtTable_Dark": "Tmavý", "DE.Views.TableSettings.txtTable_GridTable": "Mriežková tabuľka", "DE.Views.TableSettings.txtTable_Light": "Ľahký", + "DE.Views.TableSettings.txtTable_ListTable": "Tabuľka obsahu", "DE.Views.TableSettings.txtTable_PlainTable": "Jednoduchá tabuľka", "DE.Views.TableSettings.txtTable_TableGrid": "Mriežka tabuľky", "DE.Views.TableSettingsAdvanced.textAlign": "Zarovnanie", @@ -2276,6 +2532,14 @@ "DE.Views.TableSettingsAdvanced.txtNoBorders": "Bez orámovania", "DE.Views.TableSettingsAdvanced.txtPercent": "Percento", "DE.Views.TableSettingsAdvanced.txtPt": "Bod", + "DE.Views.TableToTextDialog.textEmpty": "Zadajte znak, ktorý bude použitý ako vlastný oddeľovač.", + "DE.Views.TableToTextDialog.textNested": "Preniesť vnorené tabuľky", + "DE.Views.TableToTextDialog.textOther": "Ostatné", + "DE.Views.TableToTextDialog.textPara": "Znaky odstavca", + "DE.Views.TableToTextDialog.textSemicolon": "Bodkočiarky", + "DE.Views.TableToTextDialog.textSeparator": "Rozdeliť text s/so", + "DE.Views.TableToTextDialog.textTab": "Karty", + "DE.Views.TableToTextDialog.textTitle": "Previesť tabuľku na text", "DE.Views.TextArtSettings.strColor": "Farba", "DE.Views.TextArtSettings.strFill": "Vyplniť", "DE.Views.TextArtSettings.strSize": "Veľkosť", @@ -2299,6 +2563,21 @@ "DE.Views.TextArtSettings.tipAddGradientPoint": "Pridať spádový bod", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Odstrániť spádový bod", "DE.Views.TextArtSettings.txtNoBorders": "Bez čiary", + "DE.Views.TextToTableDialog.textAutofit": "Vlastnosti automatického prispôsobenia", + "DE.Views.TextToTableDialog.textColumns": "Stĺpce", + "DE.Views.TextToTableDialog.textContents": "Automaticky prispôsobiť obsahu", + "DE.Views.TextToTableDialog.textEmpty": "Zadajte znak, ktorý bude použitý ako vlastný oddeľovač.", + "DE.Views.TextToTableDialog.textFixed": "Fixná šírka stĺpca", + "DE.Views.TextToTableDialog.textOther": "Ostatné", + "DE.Views.TextToTableDialog.textPara": "Odseky", + "DE.Views.TextToTableDialog.textRows": "Riadky", + "DE.Views.TextToTableDialog.textSemicolon": "Bodkočiarky", + "DE.Views.TextToTableDialog.textSeparator": "Rozdeliť text na", + "DE.Views.TextToTableDialog.textTab": "Karty", + "DE.Views.TextToTableDialog.textTableSize": "Veľkosť tabuľky", + "DE.Views.TextToTableDialog.textTitle": "Previesť text na tabuľku", + "DE.Views.TextToTableDialog.textWindow": "Automaticky prispôsobiť oknu", + "DE.Views.TextToTableDialog.txtAutoText": "Automaticky", "DE.Views.Toolbar.capBtnAddComment": "Pridať komentár", "DE.Views.Toolbar.capBtnBlankPage": "Prázdná stránka", "DE.Views.Toolbar.capBtnColumns": "Stĺpce", @@ -2308,7 +2587,7 @@ "DE.Views.Toolbar.capBtnInsControls": "Kontroly obsahu", "DE.Views.Toolbar.capBtnInsDropcap": "Iniciála", "DE.Views.Toolbar.capBtnInsEquation": "Rovnica", - "DE.Views.Toolbar.capBtnInsHeader": "Záhlavie/päta", + "DE.Views.Toolbar.capBtnInsHeader": "Záhlavie & Päta", "DE.Views.Toolbar.capBtnInsImage": "Obrázok", "DE.Views.Toolbar.capBtnInsPagebreak": "Oddeľovač stránky/zlom strany", "DE.Views.Toolbar.capBtnInsShape": "Tvar", @@ -2320,6 +2599,7 @@ "DE.Views.Toolbar.capBtnMargins": "Okraje", "DE.Views.Toolbar.capBtnPageOrient": "Orientácia", "DE.Views.Toolbar.capBtnPageSize": "Veľkosť", + "DE.Views.Toolbar.capBtnWatermark": "Vodoznak", "DE.Views.Toolbar.capImgAlign": "Zarovnať", "DE.Views.Toolbar.capImgBackward": "Posunúť späť", "DE.Views.Toolbar.capImgForward": "Posunúť vpred", @@ -2333,12 +2613,20 @@ "DE.Views.Toolbar.mniEditFooter": "Upraviť pätu", "DE.Views.Toolbar.mniEditHeader": "Upraviť hlavičku", "DE.Views.Toolbar.mniEraseTable": "Vymazať tabuľku", + "DE.Views.Toolbar.mniFromFile": "Zo súboru", + "DE.Views.Toolbar.mniFromStorage": "Z úložiska", + "DE.Views.Toolbar.mniFromUrl": "Z adresy URL", "DE.Views.Toolbar.mniHiddenBorders": "Skryté orámovania tabuľky", "DE.Views.Toolbar.mniHiddenChars": "Formátovacie značky", "DE.Views.Toolbar.mniHighlightControls": "Nastavenia zvýraznenia", "DE.Views.Toolbar.mniImageFromFile": "Obrázok zo súboru", "DE.Views.Toolbar.mniImageFromStorage": "Obrázok z úložiska", "DE.Views.Toolbar.mniImageFromUrl": "Obrázok z URL adresy", + "DE.Views.Toolbar.mniLowerCase": "malé písmena", + "DE.Views.Toolbar.mniSentenceCase": "Veľké písmeno na začiatku vety.", + "DE.Views.Toolbar.mniTextToTable": "Previesť text na tabuľku", + "DE.Views.Toolbar.mniToggleCase": "zAMENIŤ mALÉ a vEĽKÉ", + "DE.Views.Toolbar.mniUpperCase": "VEĽKÉ PÍSMENÁ", "DE.Views.Toolbar.strMenuNoFill": "Bez výplne", "DE.Views.Toolbar.textAutoColor": "Automaticky", "DE.Views.Toolbar.textBold": "Tučné", @@ -2390,6 +2678,7 @@ "DE.Views.Toolbar.textRemWatermark": "Odstrániť vodoznak", "DE.Views.Toolbar.textRestartEachPage": "Reštartovať/znova spustiť každú stránku", "DE.Views.Toolbar.textRestartEachSection": "Reštartovať každú sekciu", + "DE.Views.Toolbar.textRichControl": "Formátovaný text", "DE.Views.Toolbar.textRight": "Vpravo:", "DE.Views.Toolbar.textStrikeout": "Prečiarknuť", "DE.Views.Toolbar.textStyleMenuDelete": "Odstrániť štýl", @@ -2409,6 +2698,7 @@ "DE.Views.Toolbar.textTabLinks": "Referencie", "DE.Views.Toolbar.textTabProtect": "Ochrana", "DE.Views.Toolbar.textTabReview": "Prehľad", + "DE.Views.Toolbar.textTabView": "Zobraziť", "DE.Views.Toolbar.textTitleError": "Chyba", "DE.Views.Toolbar.textToCurrent": "Na aktuálnu pozíciu", "DE.Views.Toolbar.textTop": "Hore:", @@ -2419,11 +2709,11 @@ "DE.Views.Toolbar.tipAlignRight": "Zarovnať doprava", "DE.Views.Toolbar.tipBack": "Späť", "DE.Views.Toolbar.tipBlankPage": "Vložiť prázdnu stranu", - "DE.Views.Toolbar.tipChangeCase": "Zmeniť púzdro", + "DE.Views.Toolbar.tipChangeCase": "Zmeniť veľkosť písmen", "DE.Views.Toolbar.tipChangeChart": "Zmeniť typ grafu", "DE.Views.Toolbar.tipClearStyle": "Vymazať štýl", "DE.Views.Toolbar.tipColorSchemas": "Zmeniť farebnú schému", - "DE.Views.Toolbar.tipColumns": "Vložiť riadky", + "DE.Views.Toolbar.tipColumns": "Vložiť stĺpce", "DE.Views.Toolbar.tipControls": "Vložiť kontrolu obsahu", "DE.Views.Toolbar.tipCopy": "Kopírovať", "DE.Views.Toolbar.tipCopyStyle": "Kopírovať štýl", @@ -2454,7 +2744,18 @@ "DE.Views.Toolbar.tipLineSpace": "Riadkovanie odstavcov", "DE.Views.Toolbar.tipMailRecepients": "Zlúčenie pošty", "DE.Views.Toolbar.tipMarkers": "Odrážky", + "DE.Views.Toolbar.tipMarkersArrow": "Šípkové odrážky", + "DE.Views.Toolbar.tipMarkersCheckmark": "Začiarknuteľné odrážky", + "DE.Views.Toolbar.tipMarkersDash": "Pomlčkové odrážky", + "DE.Views.Toolbar.tipMarkersFRhombus": "Kosoštvorcové odrážky s výplňou", + "DE.Views.Toolbar.tipMarkersFRound": "Vyplnené okrúhle odrážky", + "DE.Views.Toolbar.tipMarkersFSquare": "Vyplnené štvorcové odrážky", + "DE.Views.Toolbar.tipMarkersHRound": "Prázdne okrúhle odrážky", + "DE.Views.Toolbar.tipMarkersStar": "Hviezdičkové odrážky", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Viacúrovňové číslované odrážky", "DE.Views.Toolbar.tipMultilevels": "Viacúrovňový zoznam", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Viacúrovňové symbolové odrážky", + "DE.Views.Toolbar.tipMultiLevelVarious": "Viacúrovňové rôzne číslované odrážky", "DE.Views.Toolbar.tipNumbers": "Číslovanie", "DE.Views.Toolbar.tipPageBreak": "Vložiť zlom strany alebo sekcie", "DE.Views.Toolbar.tipPageMargins": "Okraje stránky", @@ -2492,6 +2793,7 @@ "DE.Views.Toolbar.txtScheme2": "Odtiene sivej", "DE.Views.Toolbar.txtScheme20": "Mestský", "DE.Views.Toolbar.txtScheme21": "Elán", + "DE.Views.Toolbar.txtScheme22": "Nová kancelária", "DE.Views.Toolbar.txtScheme3": "Vrchol", "DE.Views.Toolbar.txtScheme4": "Aspekt", "DE.Views.Toolbar.txtScheme5": "Občiansky", @@ -2499,6 +2801,15 @@ "DE.Views.Toolbar.txtScheme7": "Spravodlivosť", "DE.Views.Toolbar.txtScheme8": "Prietok", "DE.Views.Toolbar.txtScheme9": "Zlieváreň", + "DE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovať panel nástrojov", + "DE.Views.ViewTab.textDarkDocument": "Tmavý dokument", + "DE.Views.ViewTab.textFitToPage": "Prispôsobiť stránke", + "DE.Views.ViewTab.textFitToWidth": "Prispôsobiť šírke", + "DE.Views.ViewTab.textInterfaceTheme": "Vzhľad prostredia", + "DE.Views.ViewTab.textNavigation": "Navigácia", + "DE.Views.ViewTab.textRulers": "Pravítka", + "DE.Views.ViewTab.textStatusBar": "Stavový riadok", + "DE.Views.ViewTab.textZoom": "Priblížiť", "DE.Views.WatermarkSettingsDialog.textAuto": "Automaticky", "DE.Views.WatermarkSettingsDialog.textBold": "Tučné", "DE.Views.WatermarkSettingsDialog.textColor": "Farba textu", @@ -2518,7 +2829,9 @@ "DE.Views.WatermarkSettingsDialog.textStrikeout": "Preškrtnutie", "DE.Views.WatermarkSettingsDialog.textText": "Text", "DE.Views.WatermarkSettingsDialog.textTextW": "Vodoznak textu", + "DE.Views.WatermarkSettingsDialog.textTitle": "Nastavenie vodoznaku", "DE.Views.WatermarkSettingsDialog.textTransparency": "Polopriehľadný", + "DE.Views.WatermarkSettingsDialog.textUnderline": "Podčiarknutie", "DE.Views.WatermarkSettingsDialog.tipFontName": "Názov písma", "DE.Views.WatermarkSettingsDialog.tipFontSize": "Veľkosť písma" } \ No newline at end of file diff --git a/apps/documenteditor/main/locale/sl.json b/apps/documenteditor/main/locale/sl.json index a46bdedca..a6caaaa87 100644 --- a/apps/documenteditor/main/locale/sl.json +++ b/apps/documenteditor/main/locale/sl.json @@ -100,6 +100,7 @@ "Common.define.chartData.textStock": "Založni grafikon", "Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo", "Common.UI.ButtonColored.textAutoColor": "Avtomatsko", + "Common.UI.ButtonColored.textNewColor": "Dodaj novo barvo po meri", "Common.UI.Calendar.textApril": "April", "Common.UI.Calendar.textAugust": "Avgust", "Common.UI.Calendar.textDecember": "December", @@ -1201,16 +1202,10 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Uredi dokument", "DE.Views.FileMenuPanels.Settings.okButtonText": "Uporabi", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Vključi vodnike poravnave", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Vključi samodejno shranjevanje", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "DE.Views.FileMenuPanels.Settings.strFast": "Fast", "DE.Views.FileMenuPanels.Settings.strFontRender": "Namigovanje pisave", "DE.Views.FileMenuPanels.Settings.strForcesave": "Vedno shrani na strežnik (sicer shrani na strežnik ob zapiranju dokumenta)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Vključi hieroglife", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Vključi možnost živega komentiranja", - "DE.Views.FileMenuPanels.Settings.strPaste": "Izreži, kopiraj in prilepi", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Sprotne spremembe sodelovanja", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Vključi možnost preverjanja črkovanja", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -1449,6 +1444,7 @@ "DE.Views.MailMergeSettings.txtUntitled": "Untitled", "DE.Views.MailMergeSettings.warnProcessMailMerge": "Starting merge failed", "DE.Views.Navigation.txtEmpty": "V dokumentu ni naslovov.
    Z uporabo slogov v besedilu določite naslove, tako se bodo prikazali v kazalu in navigaciji.", + "DE.Views.Navigation.txtEmptyViewer": "V dokumentu ni naslovov.", "DE.Views.NoteSettingsDialog.textApply": "Uporabi", "DE.Views.NoteSettingsDialog.textApplyTo": "Uveljavi spremembe za", "DE.Views.NoteSettingsDialog.textEndnote": "Končna opomba", diff --git a/apps/documenteditor/main/locale/sv.json b/apps/documenteditor/main/locale/sv.json index 95e4c597e..90c03b301 100644 --- a/apps/documenteditor/main/locale/sv.json +++ b/apps/documenteditor/main/locale/sv.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Skapa en kopia", "Common.Translation.warnFileLockedBtnView": "Öppna skrivskyddad", "Common.UI.ButtonColored.textAutoColor": "Automatisk", - "Common.UI.ButtonColored.textNewColor": "Lägg till en ny anpassad färg", + "Common.UI.ButtonColored.textNewColor": "Lägg till ny egen färg", "Common.UI.Calendar.textApril": "April", "Common.UI.Calendar.textAugust": "Augusti", "Common.UI.Calendar.textDecember": "December", @@ -213,6 +213,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatiska punktlistor", "Common.Views.AutoCorrectDialog.textBy": "Av", "Common.Views.AutoCorrectDialog.textDelete": "Radera", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Lägg till punkt med dubbla mellanslag", "Common.Views.AutoCorrectDialog.textFLCells": "Sätt den första bokstaven i tabellcellerna till en versal", "Common.Views.AutoCorrectDialog.textFLSentence": "Stor bokstav varje mening", "Common.Views.AutoCorrectDialog.textHyperlink": "Sökvägar för internet och nätverk med hyperlänk", @@ -511,6 +512,7 @@ "DE.Controllers.LeftMenu.txtCompatible": "Dokumentet sparas i det nya formatet. Det tillåter att använda alla redigeringsfunktioner, men kan påverka dokumentlayouten.
    Använd alternativet 'Kompatibilitet' i de avancerade inställningarna om du vill göra filerna kompatibla med äldre MS Word-versioner.", "DE.Controllers.LeftMenu.txtUntitled": "Odöpt", "DE.Controllers.LeftMenu.warnDownloadAs": "Om du fortsätter att spara i detta format kommer alla funktioner utom texten försvinna.
    Är du säker på att du vill fortsätta?", + "DE.Controllers.LeftMenu.warnDownloadAsPdf": "Din {0} kommer att konverteras till ett redigerbart format. Detta kan ta en stund. Det färdiga dokumentet kommer att optimeras så att du kan redigera texten. Det är därför inte säkert att det ser ut precis som originalet {0}, speciellt om originalfilen innehöll mycket grafik.", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Om du fortsätter att spara i det här formatet kan en del av formateringen gå förlorad.
    Är du säker på att du vill fortsätta?", "DE.Controllers.Main.applyChangesTextText": "Laddar ändringar...", "DE.Controllers.Main.applyChangesTitleText": "Laddar ändringar", @@ -916,17 +918,6 @@ "DE.Controllers.Toolbar.textSymbols": "Symboler", "DE.Controllers.Toolbar.textTabForms": "Formulär", "DE.Controllers.Toolbar.textWarning": "Varning", - "DE.Controllers.Toolbar.tipMarkersArrow": "Pil punkter", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Bock punkt", - "DE.Controllers.Toolbar.tipMarkersDash": "Sträck punkter", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Fyllda romb punkter", - "DE.Controllers.Toolbar.tipMarkersFRound": "Fyllda runda punkter", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Fyllda kvadratiska punkter", - "DE.Controllers.Toolbar.tipMarkersHRound": "Ofylld rund punkt", - "DE.Controllers.Toolbar.tipMarkersStar": "Stjärn punkter", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Numrerade punkter på flera nivåer", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Symbol punkter på flera nivåer", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Olika numrerade punkter på flera nivåer", "DE.Controllers.Toolbar.txtAccent_Accent": "Akut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Höger-vänster pil ovanför", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Vänsterpil ovan", @@ -1460,6 +1451,7 @@ "DE.Views.DocumentHolder.strSign": "Underteckna", "DE.Views.DocumentHolder.styleText": "Formatering som stil", "DE.Views.DocumentHolder.tableText": "Tabell", + "DE.Views.DocumentHolder.textAccept": "Acceptera ändringarna", "DE.Views.DocumentHolder.textAlign": "Justera", "DE.Views.DocumentHolder.textArrange": "Ordna", "DE.Views.DocumentHolder.textArrangeBack": "Skicka längst bak", @@ -1494,6 +1486,7 @@ "DE.Views.DocumentHolder.textPaste": "Klistra in", "DE.Views.DocumentHolder.textPrevPage": "Föregående sida", "DE.Views.DocumentHolder.textRefreshField": "Uppdatera fältet", + "DE.Views.DocumentHolder.textReject": "Förkasta ändring", "DE.Views.DocumentHolder.textRemCheckBox": "Radera kryssruta", "DE.Views.DocumentHolder.textRemComboBox": "Radera Combobox", "DE.Views.DocumentHolder.textRemDropdown": "Ta bort dropdown", @@ -1527,14 +1520,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Uppdatera innehållsförteckningen", "DE.Views.DocumentHolder.textWrap": "Figursättning", "DE.Views.DocumentHolder.tipIsLocked": "Detta element redigeras för närvarande av en annan användare.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Pil punkter", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Bock punkt", - "DE.Views.DocumentHolder.tipMarkersDash": "Sträck punkter", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Fyllda romb punkter", - "DE.Views.DocumentHolder.tipMarkersFRound": "Fyllda runda punkter", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Fyllda kvadratiska punkter", - "DE.Views.DocumentHolder.tipMarkersHRound": "Ofylld runda punkter", - "DE.Views.DocumentHolder.tipMarkersStar": "Stjärnpunkter", "DE.Views.DocumentHolder.toDictionaryText": "Lägg till i ordlista", "DE.Views.DocumentHolder.txtAddBottom": "Lägg till nedre linje", "DE.Views.DocumentHolder.txtAddFractionBar": "Lägg fraktion bar", @@ -1734,21 +1719,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Visa signaturer", "DE.Views.FileMenuPanels.Settings.okButtonText": "Tillämpa", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Aktivera justeringsguider", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Aktivera automatisk återställning", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Aktivera spara automatiskt", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Redigera samtidigt", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andra användare vill se dina ändringar direkt", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Du måste acceptera ändringar innan du kan se dom", "DE.Views.FileMenuPanels.Settings.strFast": "Snabb", "DE.Views.FileMenuPanels.Settings.strFontRender": "Fontförslag", "DE.Views.FileMenuPanels.Settings.strForcesave": "Lägg till version till lagringen efter att ha klickat på Spara eller CTRL+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Aktivera hieroglyfer", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Aktivera visning av kommentarer", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makroinställningar", - "DE.Views.FileMenuPanels.Settings.strPaste": "Klipp ut, kopiera och klistra in", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Visa knappen Klistra in alternativ när innehållet klistras in", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Aktivera visning av lösta kommentarer", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Visa spåra ändringar", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Samarbeta i realtid", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Aktivera stavningskontroll", "DE.Views.FileMenuPanels.Settings.strStrict": "Strikt", @@ -2032,7 +2008,7 @@ "DE.Views.LineNumbersDialog.txtAutoText": "Auto", "DE.Views.Links.capBtnBookmarks": "Bokmärke", "DE.Views.Links.capBtnCaption": "Rubrik", - "DE.Views.Links.capBtnContentsUpdate": "Uppdatera", + "DE.Views.Links.capBtnContentsUpdate": "Uppdatera tabellen", "DE.Views.Links.capBtnCrossRef": "Korsreferens", "DE.Views.Links.capBtnInsContents": "Innehållsförteckning", "DE.Views.Links.capBtnInsFootnote": "Fotnot", @@ -2132,6 +2108,7 @@ "DE.Views.Navigation.txtDemote": "Degradera", "DE.Views.Navigation.txtEmpty": "Det finns inga rubriker i dokumentet.
    Tillämpa en rubrikstil på texten så att den visas i innehållsförteckningen.", "DE.Views.Navigation.txtEmptyItem": "Tom rubrik", + "DE.Views.Navigation.txtEmptyViewer": "Det finns inga rubriker i dokumentet.", "DE.Views.Navigation.txtExpand": "Expandera alla", "DE.Views.Navigation.txtExpandToLevel": "Expandera till nivå", "DE.Views.Navigation.txtHeadingAfter": "Ny rubrik efter", @@ -2378,6 +2355,8 @@ "DE.Views.Statusbar.pageIndexText": "Sida {0} av {1}", "DE.Views.Statusbar.tipFitPage": "Anpassa till sida", "DE.Views.Statusbar.tipFitWidth": "Anpassa till bredd", + "DE.Views.Statusbar.tipHandTool": "Handverktyg", + "DE.Views.Statusbar.tipSelectTool": "Välj verktyg", "DE.Views.Statusbar.tipSetLang": "Ställ in text språk", "DE.Views.Statusbar.tipZoomFactor": "Förstoring", "DE.Views.Statusbar.tipZoomIn": "Zooma in", @@ -2765,7 +2744,18 @@ "DE.Views.Toolbar.tipLineSpace": "Styckets radavstånd", "DE.Views.Toolbar.tipMailRecepients": "Slå ihop e-post", "DE.Views.Toolbar.tipMarkers": "Punktlista", + "DE.Views.Toolbar.tipMarkersArrow": "Pil punkter", + "DE.Views.Toolbar.tipMarkersCheckmark": "Bock punkt", + "DE.Views.Toolbar.tipMarkersDash": "Sträck punkter", + "DE.Views.Toolbar.tipMarkersFRhombus": "Fyllda romb punkter", + "DE.Views.Toolbar.tipMarkersFRound": "Fyllda runda punkter", + "DE.Views.Toolbar.tipMarkersFSquare": "Fyllda kvadratiska punkter", + "DE.Views.Toolbar.tipMarkersHRound": "Ofyllda runda punkter", + "DE.Views.Toolbar.tipMarkersStar": "Stjärn punkter", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Numrerade punkter på flera nivåer", "DE.Views.Toolbar.tipMultilevels": "Flernivålista", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Symbol punkter på flera nivåer", + "DE.Views.Toolbar.tipMultiLevelVarious": "Olika numrerade punkter på flera nivåer", "DE.Views.Toolbar.tipNumbers": "Numrering", "DE.Views.Toolbar.tipPageBreak": "Infoga sida eller sektionsbrytning", "DE.Views.Toolbar.tipPageMargins": "Sidmarginal", diff --git a/apps/documenteditor/main/locale/tr.json b/apps/documenteditor/main/locale/tr.json index 1fa916143..c1a89d1e3 100644 --- a/apps/documenteditor/main/locale/tr.json +++ b/apps/documenteditor/main/locale/tr.json @@ -915,17 +915,6 @@ "DE.Controllers.Toolbar.textSymbols": "Simgeler", "DE.Controllers.Toolbar.textTabForms": "Formlar", "DE.Controllers.Toolbar.textWarning": "Dikkat", - "DE.Controllers.Toolbar.tipMarkersArrow": "Ok işaretleri", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Onay işaretleri", - "DE.Controllers.Toolbar.tipMarkersDash": "Çizgi işaretleri", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", - "DE.Controllers.Toolbar.tipMarkersFRound": "Dolu yuvarlak işaretler", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Dolu kare işaretler", - "DE.Controllers.Toolbar.tipMarkersHRound": "İçi boş daire işaretler", - "DE.Controllers.Toolbar.tipMarkersStar": "Yıldız işaretleri", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Çok düzeyli numaralı işaretler", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Çok düzeyli sembol işaretleri", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Çok düzeyli çeşitli numaralı işaretler", "DE.Controllers.Toolbar.txtAccent_Accent": "Akut", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Right-Left Arrow Above", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Leftwards Arrow Above", @@ -1526,14 +1515,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "İçindekiler tablosunu yenile", "DE.Views.DocumentHolder.textWrap": "Kaydırma Stili", "DE.Views.DocumentHolder.tipIsLocked": "Bu element şu an başka bir kullanıcı tarafından düzenleniyor.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Ok işaretleri", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Onay işaretleri", - "DE.Views.DocumentHolder.tipMarkersDash": "Çizgi işaretleri", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", - "DE.Views.DocumentHolder.tipMarkersFRound": "Dolu yuvarlak işaretler", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Dolu kare işaretler", - "DE.Views.DocumentHolder.tipMarkersHRound": "İçi boş daire işaretler", - "DE.Views.DocumentHolder.tipMarkersStar": "Yıldız işaretleri", "DE.Views.DocumentHolder.toDictionaryText": "Sözlüğe ekle", "DE.Views.DocumentHolder.txtAddBottom": "Alt kenarlık ekle", "DE.Views.DocumentHolder.txtAddFractionBar": "Kesir çubuğu ekle", @@ -1733,21 +1714,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzaları görüntüle", "DE.Views.FileMenuPanels.Settings.okButtonText": "Uygula", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Hizalama kılavuzlarını aç", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Otomatik kaydetmeyi aç", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Otomatik kaydetmeyi aç", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Ortak Düzenleme Modu", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "DE.Views.FileMenuPanels.Settings.strFast": "Fast", "DE.Views.FileMenuPanels.Settings.strFontRender": "Yazı Tipi İpucu", "DE.Views.FileMenuPanels.Settings.strForcesave": "Kaydet veya Ctrl+S'ye tıkladıktan sonra sürümü depolamaya ekleyin", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Hiyeroglifleri aç", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Canlı yorum yapma seçeneğini aç", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makro Ayarları", - "DE.Views.FileMenuPanels.Settings.strPaste": "Kes, kopyala ve yapıştır", "DE.Views.FileMenuPanels.Settings.strPasteButton": "İçerik yapıştırıldığında Yapıştırma Seçenekleri düğmesini göster", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Çözülmüş yorumların görünümünü aç", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Değişiklikleri İzle Ekranı", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Gerçek Zamanlı Ortak Düzenleme Değişiklikleri", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Yazım denetimi seçeneğini aç", "DE.Views.FileMenuPanels.Settings.strStrict": "Strict", @@ -2131,6 +2103,7 @@ "DE.Views.Navigation.txtDemote": "İndirgeme", "DE.Views.Navigation.txtEmpty": "Belgede başlık yok.
    İçindekiler tablosunda görünmesi için metne bir başlık stili uygulayın.", "DE.Views.Navigation.txtEmptyItem": "Boş Başlık", + "DE.Views.Navigation.txtEmptyViewer": "Belgede başlık yok.", "DE.Views.Navigation.txtExpand": "Hepsini genişlet", "DE.Views.Navigation.txtExpandToLevel": "Seviyeye genişlet", "DE.Views.Navigation.txtHeadingAfter": "Sonra yeni başlık", @@ -2764,7 +2737,18 @@ "DE.Views.Toolbar.tipLineSpace": "Paragraf satır aralığı", "DE.Views.Toolbar.tipMailRecepients": "Mail Merge", "DE.Views.Toolbar.tipMarkers": "Maddeler", + "DE.Views.Toolbar.tipMarkersArrow": "Ok işaretleri", + "DE.Views.Toolbar.tipMarkersCheckmark": "Onay işaretleri", + "DE.Views.Toolbar.tipMarkersDash": "Çizgi işaretleri", + "DE.Views.Toolbar.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", + "DE.Views.Toolbar.tipMarkersFRound": "Dolu yuvarlak işaretler", + "DE.Views.Toolbar.tipMarkersFSquare": "Dolu kare işaretler", + "DE.Views.Toolbar.tipMarkersHRound": "İçi boş daire işaretler", + "DE.Views.Toolbar.tipMarkersStar": "Yıldız işaretleri", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Çok düzeyli numaralı işaretler", "DE.Views.Toolbar.tipMultilevels": "Çok düzeyli liste", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Çok düzeyli sembol işaretleri", + "DE.Views.Toolbar.tipMultiLevelVarious": "Çok düzeyli çeşitli numaralı işaretler", "DE.Views.Toolbar.tipNumbers": "Numaralandırma", "DE.Views.Toolbar.tipPageBreak": "Sayfa yada Bölüm Kesmesi Ekle", "DE.Views.Toolbar.tipPageMargins": "Sayfa kenar boşlukları", diff --git a/apps/documenteditor/main/locale/uk.json b/apps/documenteditor/main/locale/uk.json index ca8b50ec7..8fafe542d 100644 --- a/apps/documenteditor/main/locale/uk.json +++ b/apps/documenteditor/main/locale/uk.json @@ -125,7 +125,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Створити копію", "Common.Translation.warnFileLockedBtnView": "Відкрити на перегляд", "Common.UI.ButtonColored.textAutoColor": "Автоматичний", - "Common.UI.ButtonColored.textNewColor": "Додати новий спеціальний колір", + "Common.UI.ButtonColored.textNewColor": "Новий спеціальний колір", "Common.UI.Calendar.textApril": "Квітень", "Common.UI.Calendar.textAugust": "Серпень", "Common.UI.Calendar.textDecember": "Грудень", @@ -916,17 +916,6 @@ "DE.Controllers.Toolbar.textSymbols": "Символи", "DE.Controllers.Toolbar.textTabForms": "Форми", "DE.Controllers.Toolbar.textWarning": "Застереження", - "DE.Controllers.Toolbar.tipMarkersArrow": "Маркери-стрілки", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "Маркери-галочки", - "DE.Controllers.Toolbar.tipMarkersDash": "Маркери-тире", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", - "DE.Controllers.Toolbar.tipMarkersFRound": "Заповнені круглі маркери", - "DE.Controllers.Toolbar.tipMarkersFSquare": "Заповнені квадратні маркери", - "DE.Controllers.Toolbar.tipMarkersHRound": "Пусті круглі маркери", - "DE.Controllers.Toolbar.tipMarkersStar": "Маркери-зірочки", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "Багаторівневі нумеровані маркери", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "Багаторівневі маркери-символи", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "Багаторівневі різні нумеровані маркери", "DE.Controllers.Toolbar.txtAccent_Accent": "Гострий", "DE.Controllers.Toolbar.txtAccent_ArrowD": "Стрілка праворуч вліво вище", "DE.Controllers.Toolbar.txtAccent_ArrowL": "Стрілка вліво вгору", @@ -1527,14 +1516,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "Оновити зміст", "DE.Views.DocumentHolder.textWrap": "Стиль упаковки", "DE.Views.DocumentHolder.tipIsLocked": "Цей елемент в даний час редагує інший користувач.", - "DE.Views.DocumentHolder.tipMarkersArrow": "Маркери-стрілки", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "Маркери-галочки", - "DE.Views.DocumentHolder.tipMarkersDash": "Маркери-тире", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", - "DE.Views.DocumentHolder.tipMarkersFRound": "Заповнені круглі маркери", - "DE.Views.DocumentHolder.tipMarkersFSquare": "Заповнені квадратні маркери", - "DE.Views.DocumentHolder.tipMarkersHRound": "Пусті круглі маркери", - "DE.Views.DocumentHolder.tipMarkersStar": "Маркери-зірочки", "DE.Views.DocumentHolder.toDictionaryText": "Додати в словник", "DE.Views.DocumentHolder.txtAddBottom": "Додати нижню межу", "DE.Views.DocumentHolder.txtAddFractionBar": "Додати фракційну панель", @@ -1734,21 +1715,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "Переглянути підписи", "DE.Views.FileMenuPanels.Settings.okButtonText": "Застосувати", "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": "Вам потрібно буде прийняти зміни, перш ніж побачити їх", "DE.Views.FileMenuPanels.Settings.strFast": "Швидко", "DE.Views.FileMenuPanels.Settings.strFontRender": "Підказки шрифта", "DE.Views.FileMenuPanels.Settings.strForcesave": "Додавати версію до сховища після натискання кнопки Зберегти або Ctrl+S", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Увімкніть ієрогліфи", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Показувати коментарі", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Налаштування макросів", - "DE.Views.FileMenuPanels.Settings.strPaste": "Вирізання, копіювання та вставка", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Показувати кнопку Налаштування ставки при вставці вмісту", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Показувати вирішені зауваження", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "Показ змін під час рецензування", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Зміни у співпраці в реальному часі", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Увімкніть параметр перевірки орфографії", "DE.Views.FileMenuPanels.Settings.strStrict": "Суворий", @@ -2132,6 +2104,7 @@ "DE.Views.Navigation.txtDemote": "Понизити рівень", "DE.Views.Navigation.txtEmpty": "У документі відсутні заголовки.
    Застосуйте стиль заголовків до тексту, щоби він з'явився у змісті.", "DE.Views.Navigation.txtEmptyItem": "Пустий заголовок", + "DE.Views.Navigation.txtEmptyViewer": "У документі відсутні заголовки.", "DE.Views.Navigation.txtExpand": "Розгорнути все", "DE.Views.Navigation.txtExpandToLevel": "Розгорнути до рівня", "DE.Views.Navigation.txtHeadingAfter": "Новий заголовок після", @@ -2685,7 +2658,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Нормальний", "DE.Views.Toolbar.textMarginsUsNormal": "Нормальний US", "DE.Views.Toolbar.textMarginsWide": "Широкий", - "DE.Views.Toolbar.textNewColor": "Додати новий власний колір", + "DE.Views.Toolbar.textNewColor": "Новий спеціальний колір", "DE.Views.Toolbar.textNextPage": "Наступна сторінка", "DE.Views.Toolbar.textNoHighlight": "Без виділення", "DE.Views.Toolbar.textNone": "Жоден", @@ -2765,7 +2738,18 @@ "DE.Views.Toolbar.tipLineSpace": "Розмітка міжрядкових інтервалів", "DE.Views.Toolbar.tipMailRecepients": "Надіслати ел.поштою", "DE.Views.Toolbar.tipMarkers": "Кулі", + "DE.Views.Toolbar.tipMarkersArrow": "Маркери-стрілки", + "DE.Views.Toolbar.tipMarkersCheckmark": "Маркери-галочки", + "DE.Views.Toolbar.tipMarkersDash": "Маркери-тире", + "DE.Views.Toolbar.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", + "DE.Views.Toolbar.tipMarkersFRound": "Заповнені круглі маркери", + "DE.Views.Toolbar.tipMarkersFSquare": "Заповнені квадратні маркери", + "DE.Views.Toolbar.tipMarkersHRound": "Пусті круглі маркери", + "DE.Views.Toolbar.tipMarkersStar": "Маркери-зірочки", + "DE.Views.Toolbar.tipMultiLevelNumbered": "Багаторівневі нумеровані маркери", "DE.Views.Toolbar.tipMultilevels": "Багаторівневий список", + "DE.Views.Toolbar.tipMultiLevelSymbols": "Багаторівневі маркери-символи", + "DE.Views.Toolbar.tipMultiLevelVarious": "Багаторівневі різні нумеровані маркери", "DE.Views.Toolbar.tipNumbers": "Нумерація", "DE.Views.Toolbar.tipPageBreak": "Вставити розрив сторінки або розділу", "DE.Views.Toolbar.tipPageMargins": "Поля сторінки", diff --git a/apps/documenteditor/main/locale/vi.json b/apps/documenteditor/main/locale/vi.json index 3304f0edf..c16aaaf88 100644 --- a/apps/documenteditor/main/locale/vi.json +++ b/apps/documenteditor/main/locale/vi.json @@ -71,6 +71,7 @@ "Common.define.chartData.textPoint": "XY (Phân tán)", "Common.define.chartData.textStock": "Cổ phiếu", "Common.define.chartData.textSurface": "Bề mặt", + "Common.UI.ButtonColored.textNewColor": "Màu tùy chỉnh", "Common.UI.ComboBorderSize.txtNoBorders": "Không viền", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Không viền", "Common.UI.ComboDataView.emptyComboText": "Không có kiểu", @@ -953,17 +954,10 @@ "DE.Views.FileMenuPanels.DocumentRights.txtRights": "Những cá nhân có quyền", "DE.Views.FileMenuPanels.Settings.okButtonText": "Áp dụng", "DE.Views.FileMenuPanels.Settings.strAlignGuides": "Bật hướng dẫn căn chỉnh", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "Bật tự động khôi phục", - "DE.Views.FileMenuPanels.Settings.strAutosave": "Bật tự động lưu", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Chế độ đồng chỉnh sửa", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Những người dùng khác sẽ cùng lúc thấy các thay đổi của bạn", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Bạn sẽ cần chấp nhận thay đổi trước khi có thể xem chúng", "DE.Views.FileMenuPanels.Settings.strFast": "Nhanh", "DE.Views.FileMenuPanels.Settings.strFontRender": "Phông chữ gợi ý", "DE.Views.FileMenuPanels.Settings.strForcesave": "Luôn lưu vào server (hoặc lưu vào server khi đóng tài liệu)", - "DE.Views.FileMenuPanels.Settings.strInputMode": "Bật chữ tượng hình", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "Bật hiển thị bình luận", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Bật hiển thị các bình luận đã giải quyết", "DE.Views.FileMenuPanels.Settings.strShowChanges": "Thay đổi Cộng tác Thời gian thực", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Bật tùy chọn kiểm tra chính tả", "DE.Views.FileMenuPanels.Settings.strStrict": "Nghiêm ngặt", @@ -1505,7 +1499,7 @@ "DE.Views.Toolbar.textMarginsNormal": "Thường", "DE.Views.Toolbar.textMarginsUsNormal": "Mỹ Thường", "DE.Views.Toolbar.textMarginsWide": "Rộng", - "DE.Views.Toolbar.textNewColor": "Thêm màu tùy chỉnh mới", + "DE.Views.Toolbar.textNewColor": "Màu tùy chỉnh", "DE.Views.Toolbar.textNextPage": "Trang tiếp theo", "DE.Views.Toolbar.textNone": "Không", "DE.Views.Toolbar.textOddPage": "Trang lẻ", diff --git a/apps/documenteditor/main/locale/zh-TW.json b/apps/documenteditor/main/locale/zh-TW.json new file mode 100644 index 000000000..23436fc38 --- /dev/null +++ b/apps/documenteditor/main/locale/zh-TW.json @@ -0,0 +1,2840 @@ +{ + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", + "Common.Controllers.Chat.textEnterMessage": "在這裡輸入您的信息", + "Common.Controllers.ExternalDiagramEditor.textAnonymous": "匿名", + "Common.Controllers.ExternalDiagramEditor.textClose": "關閉", + "Common.Controllers.ExternalDiagramEditor.warningText": "該物件被禁用,因為它正在由另一個帳戶編輯。", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", + "Common.Controllers.ExternalMergeEditor.textAnonymous": "匿名", + "Common.Controllers.ExternalMergeEditor.textClose": "關閉", + "Common.Controllers.ExternalMergeEditor.warningText": "該物件被禁用,因為它正在由另一個帳戶編輯。", + "Common.Controllers.ExternalMergeEditor.warningTitle": "警告", + "Common.Controllers.History.notcriticalErrorTitle": "警告", + "Common.Controllers.ReviewChanges.textAcceptBeforeCompare": "為了比較文檔,所有被跟蹤的更改都將被視為已接受。你想繼續嗎?", + "Common.Controllers.ReviewChanges.textAtLeast": "至少", + "Common.Controllers.ReviewChanges.textAuto": "自動", + "Common.Controllers.ReviewChanges.textBaseline": "基準線", + "Common.Controllers.ReviewChanges.textBold": "粗體", + "Common.Controllers.ReviewChanges.textBreakBefore": "分頁之前", + "Common.Controllers.ReviewChanges.textCaps": "全部大寫", + "Common.Controllers.ReviewChanges.textCenter": "居中對齊", + "Common.Controllers.ReviewChanges.textChar": "文字水平", + "Common.Controllers.ReviewChanges.textChart": "圖表", + "Common.Controllers.ReviewChanges.textColor": "字體顏色", + "Common.Controllers.ReviewChanges.textContextual": "不要在相同風格的文字段落之間添加間隔", + "Common.Controllers.ReviewChanges.textDeleted": "已刪除", + "Common.Controllers.ReviewChanges.textDStrikeout": "雙刪除線", + "Common.Controllers.ReviewChanges.textEquation": "方程式", + "Common.Controllers.ReviewChanges.textExact": "準確", + "Common.Controllers.ReviewChanges.textFirstLine": "第一行", + "Common.Controllers.ReviewChanges.textFontSize": "字體大小", + "Common.Controllers.ReviewChanges.textFormatted": "已格式化", + "Common.Controllers.ReviewChanges.textHighlight": "熒光色選", + "Common.Controllers.ReviewChanges.textImage": "圖像", + "Common.Controllers.ReviewChanges.textIndentLeft": "向左內縮", + "Common.Controllers.ReviewChanges.textIndentRight": "向右內縮", + "Common.Controllers.ReviewChanges.textInserted": "已插入:", + "Common.Controllers.ReviewChanges.textItalic": "斜體", + "Common.Controllers.ReviewChanges.textJustify": "對齊", + "Common.Controllers.ReviewChanges.textKeepLines": "保持線條一致", + "Common.Controllers.ReviewChanges.textKeepNext": "跟著下一個", + "Common.Controllers.ReviewChanges.textLeft": "對齊左側", + "Common.Controllers.ReviewChanges.textLineSpacing": "行間距: ", + "Common.Controllers.ReviewChanges.textMultiple": "多項", + "Common.Controllers.ReviewChanges.textNoBreakBefore": "之前沒有分頁符", + "Common.Controllers.ReviewChanges.textNoContextual": "在相同風格的段落之間加入間隔", + "Common.Controllers.ReviewChanges.textNoKeepLines": "不要保持多個線條在一起", + "Common.Controllers.ReviewChanges.textNoKeepNext": "不要與文字保持在一起", + "Common.Controllers.ReviewChanges.textNot": "不", + "Common.Controllers.ReviewChanges.textNoWidow": "無窗口控制", + "Common.Controllers.ReviewChanges.textNum": "變更編號", + "Common.Controllers.ReviewChanges.textOff": "{0} 已沒有再使用Track.", + "Common.Controllers.ReviewChanges.textOffGlobal": "{0} 關閉了所有用戶的Track Changes.", + "Common.Controllers.ReviewChanges.textOn": "{0} 已開始使用Track.", + "Common.Controllers.ReviewChanges.textOnGlobal": "{0} 開啟了所有帳戶的Track Changes.", + "Common.Controllers.ReviewChanges.textParaDeleted": "段落已刪除", + "Common.Controllers.ReviewChanges.textParaFormatted": "段落格式", + "Common.Controllers.ReviewChanges.textParaInserted": "段落已插入", + "Common.Controllers.ReviewChanges.textParaMoveFromDown": "已下移:", + "Common.Controllers.ReviewChanges.textParaMoveFromUp": "已上移:", + "Common.Controllers.ReviewChanges.textParaMoveTo": "已移動:", + "Common.Controllers.ReviewChanges.textPosition": "職務", + "Common.Controllers.ReviewChanges.textRight": "對齊右側", + "Common.Controllers.ReviewChanges.textShape": "形狀", + "Common.Controllers.ReviewChanges.textShd": "背景顏色", + "Common.Controllers.ReviewChanges.textShow": "顯示更改", + "Common.Controllers.ReviewChanges.textSmallCaps": "小大寫", + "Common.Controllers.ReviewChanges.textSpacing": "間距", + "Common.Controllers.ReviewChanges.textSpacingAfter": "間隔後", + "Common.Controllers.ReviewChanges.textSpacingBefore": "前間距", + "Common.Controllers.ReviewChanges.textStrikeout": "刪除線", + "Common.Controllers.ReviewChanges.textSubScript": "下標", + "Common.Controllers.ReviewChanges.textSuperScript": "上標", + "Common.Controllers.ReviewChanges.textTableChanged": "表格設定已刪除", + "Common.Controllers.ReviewChanges.textTableRowsAdd": "已添加表格行", + "Common.Controllers.ReviewChanges.textTableRowsDel": "已刪除表格行", + "Common.Controllers.ReviewChanges.textTabs": "變更定位", + "Common.Controllers.ReviewChanges.textTitleComparison": "比較設定", + "Common.Controllers.ReviewChanges.textUnderline": "底線", + "Common.Controllers.ReviewChanges.textUrl": "粘貼文檔網址", + "Common.Controllers.ReviewChanges.textWidow": "遺留文字控制", + "Common.Controllers.ReviewChanges.textWord": "字級", + "Common.define.chartData.textArea": "區域", + "Common.define.chartData.textAreaStacked": "堆叠面積", + "Common.define.chartData.textAreaStackedPer": "100% 堆疊面積圖", + "Common.define.chartData.textBar": "槓", + "Common.define.chartData.textBarNormal": "劇集柱形", + "Common.define.chartData.textBarNormal3d": "3-D 簇狀直式長條圖", + "Common.define.chartData.textBarNormal3dPerspective": "3-D 直式長條圖", + "Common.define.chartData.textBarStacked": "堆叠柱形", + "Common.define.chartData.textBarStacked3d": "3-D 堆疊直式長條圖", + "Common.define.chartData.textBarStackedPer": "100% 堆疊直式長條圖", + "Common.define.chartData.textBarStackedPer3d": "3-D 100% 堆疊直式長條圖", + "Common.define.chartData.textCharts": "圖表", + "Common.define.chartData.textColumn": "欄", + "Common.define.chartData.textCombo": "組合", + "Common.define.chartData.textComboAreaBar": "堆叠面積 - 劇集柱形", + "Common.define.chartData.textComboBarLine": "劇集柱形 - 綫", + "Common.define.chartData.textComboBarLineSecondary": "劇集柱形 - 副軸綫", + "Common.define.chartData.textComboCustom": "自訂組合", + "Common.define.chartData.textDoughnut": "甜甜圈圖", + "Common.define.chartData.textHBarNormal": "劇集條形", + "Common.define.chartData.textHBarNormal3d": "3-D 簇狀橫式長條圖", + "Common.define.chartData.textHBarStacked": "堆叠條形", + "Common.define.chartData.textHBarStacked3d": "3-D 堆疊橫式長條圖", + "Common.define.chartData.textHBarStackedPer": "100% 堆疊橫式長條圖", + "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 堆疊橫式長條圖", + "Common.define.chartData.textLine": "線", + "Common.define.chartData.textLine3d": "3-D 直線圖", + "Common.define.chartData.textLineMarker": "直線加標記", + "Common.define.chartData.textLineStacked": "堆叠綫", + "Common.define.chartData.textLineStackedMarker": "堆積綫及標記", + "Common.define.chartData.textLineStackedPer": "100% 堆疊直線圖", + "Common.define.chartData.textLineStackedPerMarker": "100% 堆疊直線圖加標記", + "Common.define.chartData.textPie": "餅", + "Common.define.chartData.textPie3d": "3-D 圓餅圖", + "Common.define.chartData.textPoint": "XY(散點圖)", + "Common.define.chartData.textScatter": "散佈圖", + "Common.define.chartData.textScatterLine": "散佈圖同直線", + "Common.define.chartData.textScatterLineMarker": "散佈圖同直線及標記", + "Common.define.chartData.textScatterSmooth": "散佈圖同平滑線", + "Common.define.chartData.textScatterSmoothMarker": "散佈圖同平滑線及標記", + "Common.define.chartData.textStock": "庫存", + "Common.define.chartData.textSurface": "表面", + "Common.Translation.warnFileLocked": "該文件正在另一個應用程式中進行編輯。您可以繼續編輯並將其另存為副本。", + "Common.Translation.warnFileLockedBtnEdit": "\n建立副本", + "Common.Translation.warnFileLockedBtnView": "打開查看", + "Common.UI.ButtonColored.textAutoColor": "自動", + "Common.UI.ButtonColored.textNewColor": "新增自訂顏色", + "Common.UI.Calendar.textApril": "四月", + "Common.UI.Calendar.textAugust": "八月", + "Common.UI.Calendar.textDecember": "十二月", + "Common.UI.Calendar.textFebruary": "二月", + "Common.UI.Calendar.textJanuary": "一月", + "Common.UI.Calendar.textJuly": "七月", + "Common.UI.Calendar.textJune": "六月", + "Common.UI.Calendar.textMarch": "三月", + "Common.UI.Calendar.textMay": "五月", + "Common.UI.Calendar.textMonths": "月", + "Common.UI.Calendar.textNovember": "十一月", + "Common.UI.Calendar.textOctober": "八邊形", + "Common.UI.Calendar.textSeptember": "九月", + "Common.UI.Calendar.textShortApril": "Apr", + "Common.UI.Calendar.textShortAugust": "八月", + "Common.UI.Calendar.textShortDecember": "十二月", + "Common.UI.Calendar.textShortFebruary": "二月", + "Common.UI.Calendar.textShortFriday": "Fr", + "Common.UI.Calendar.textShortJanuary": "一月", + "Common.UI.Calendar.textShortJuly": "七月", + "Common.UI.Calendar.textShortJune": "六月", + "Common.UI.Calendar.textShortMarch": "三月", + "Common.UI.Calendar.textShortMay": "五月", + "Common.UI.Calendar.textShortMonday": "Mo", + "Common.UI.Calendar.textShortNovember": "十一月", + "Common.UI.Calendar.textShortOctober": "十月", + "Common.UI.Calendar.textShortSaturday": "Sa", + "Common.UI.Calendar.textShortSeptember": "九月", + "Common.UI.Calendar.textShortSunday": "Su", + "Common.UI.Calendar.textShortThursday": "th", + "Common.UI.Calendar.textShortTuesday": "Tu", + "Common.UI.Calendar.textShortWednesday": "我們", + "Common.UI.Calendar.textYears": "年", + "Common.UI.ComboBorderSize.txtNoBorders": "無邊框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "無邊框", + "Common.UI.ComboDataView.emptyComboText": "無風格", + "Common.UI.ExtendedColorDialog.addButtonText": "新增", + "Common.UI.ExtendedColorDialog.textCurrent": "當前", + "Common.UI.ExtendedColorDialog.textHexErr": "輸入的值不正確。
    請輸入一個介於000000和FFFFFF之間的值。", + "Common.UI.ExtendedColorDialog.textNew": "新", + "Common.UI.ExtendedColorDialog.textRGBErr": "輸入的值不正確。
    請輸入0到255之間的數字。", + "Common.UI.HSBColorPicker.textNoColor": "無顏色", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "不顯示密碼", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "顯示密碼", + "Common.UI.SearchDialog.textHighlight": "強調結果", + "Common.UI.SearchDialog.textMatchCase": "區分大小寫", + "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.SynchronizeTip.textDontShow": "不再顯示此消息", + "Common.UI.SynchronizeTip.textSynchronize": "該文檔已被其他帳戶更改。
    請單擊以儲存更改並重新加載更新。", + "Common.UI.ThemeColorPalette.textStandartColors": "標準顏色", + "Common.UI.ThemeColorPalette.textThemeColors": "主題顏色", + "Common.UI.Themes.txtThemeClassicLight": "傳統亮色", + "Common.UI.Themes.txtThemeDark": "暗", + "Common.UI.Themes.txtThemeLight": "光亮色系", + "Common.UI.Window.cancelButtonText": "取消", + "Common.UI.Window.closeButtonText": "關閉", + "Common.UI.Window.noButtonText": "沒有", + "Common.UI.Window.okButtonText": "確定", + "Common.UI.Window.textConfirmation": "確認", + "Common.UI.Window.textDontShow": "不再顯示此消息", + "Common.UI.Window.textError": "錯誤", + "Common.UI.Window.textInformation": "資訊", + "Common.UI.Window.textWarning": "警告", + "Common.UI.Window.yesButtonText": "是", + "Common.Utils.Metric.txtCm": "公分", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "地址:", + "Common.Views.About.txtLicensee": "被許可人", + "Common.Views.About.txtLicensor": "許可人", + "Common.Views.About.txtMail": "電子郵件:", + "Common.Views.About.txtPoweredBy": "於支援", + "Common.Views.About.txtTel": "電話: ", + "Common.Views.About.txtVersion": "版本", + "Common.Views.AutoCorrectDialog.textAdd": "新增", + "Common.Views.AutoCorrectDialog.textApplyText": "鍵入時同時申請", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "自動更正", + "Common.Views.AutoCorrectDialog.textAutoFormat": "鍵入時自動調整規格", + "Common.Views.AutoCorrectDialog.textBulleted": "自動項目符號列表", + "Common.Views.AutoCorrectDialog.textBy": "依照", + "Common.Views.AutoCorrectDialog.textDelete": "刪除", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "按兩下空白鍵自動增加一個句點(.)符號", + "Common.Views.AutoCorrectDialog.textFLCells": "儲存格首字母大寫", + "Common.Views.AutoCorrectDialog.textFLSentence": "英文句子第一個字母大寫", + "Common.Views.AutoCorrectDialog.textHyperlink": "網絡路徑超連結", + "Common.Views.AutoCorrectDialog.textHyphens": "帶連字符(-)的連字符(-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "數學自動更正", + "Common.Views.AutoCorrectDialog.textNumbered": "自動編號列表", + "Common.Views.AutoCorrectDialog.textQuotes": "\"直引號\"與\"智能引號\"", + "Common.Views.AutoCorrectDialog.textRecognized": "公認的功能", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表達式是公認的數學表達式。它們不會自動斜體顯示。", + "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.textWarnAddRec": "公認的函數只能包含字母A到Z,大寫或小寫。", + "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.mniAuthorAsc": "作者排行A到Z", + "Common.Views.Comments.mniAuthorDesc": "作者排行Z到A", + "Common.Views.Comments.mniDateAsc": "從最老的", + "Common.Views.Comments.mniDateDesc": "從最新的", + "Common.Views.Comments.mniFilterGroups": "依群組篩選", + "Common.Views.Comments.mniPositionAsc": "從上到下", + "Common.Views.Comments.mniPositionDesc": "自下而上", + "Common.Views.Comments.textAdd": "新增", + "Common.Views.Comments.textAddComment": "發表註解", + "Common.Views.Comments.textAddCommentToDoc": "在文檔中新增註解", + "Common.Views.Comments.textAddReply": "加入回應", + "Common.Views.Comments.textAll": "全部", + "Common.Views.Comments.textAnonym": "來賓帳戶", + "Common.Views.Comments.textCancel": "取消", + "Common.Views.Comments.textClose": "關閉", + "Common.Views.Comments.textClosePanel": "關閉註解", + "Common.Views.Comments.textComments": "註解", + "Common.Views.Comments.textEdit": "確定", + "Common.Views.Comments.textEnterCommentHint": "在這裡輸入您的註解", + "Common.Views.Comments.textHintAddComment": "新增註解", + "Common.Views.Comments.textOpenAgain": "重新打開", + "Common.Views.Comments.textReply": "回覆", + "Common.Views.Comments.textResolve": "解決", + "Common.Views.Comments.textResolved": "已解決", + "Common.Views.Comments.textSort": "註解分類", + "Common.Views.Comments.textViewResolved": "你沒有權限來重新開啟這個註解", + "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.DocumentAccessDialog.textLoading": "載入中...", + "Common.Views.DocumentAccessDialog.textTitle": "分享設定", + "Common.Views.ExternalDiagramEditor.textClose": "關閉", + "Common.Views.ExternalDiagramEditor.textSave": "存檔並離開", + "Common.Views.ExternalDiagramEditor.textTitle": "圖表編輯器", + "Common.Views.ExternalMergeEditor.textClose": "關閉", + "Common.Views.ExternalMergeEditor.textSave": "存檔並離開", + "Common.Views.ExternalMergeEditor.textTitle": "郵件合併收件人", + "Common.Views.Header.labelCoUsersDescr": "正在編輯文件的帳戶:", + "Common.Views.Header.textAddFavorite": "標記為最愛收藏", + "Common.Views.Header.textAdvSettings": "進階設定", + "Common.Views.Header.textBack": "打開文件所在位置", + "Common.Views.Header.textCompactView": "隱藏工具欄", + "Common.Views.Header.textHideLines": "隱藏標尺", + "Common.Views.Header.textHideStatusBar": "隱藏狀態欄", + "Common.Views.Header.textRemoveFavorite": "\n從最愛收藏夾中刪除", + "Common.Views.Header.textZoom": "放大", + "Common.Views.Header.tipAccessRights": "管理文檔存取權限", + "Common.Views.Header.tipDownload": "下載文件", + "Common.Views.Header.tipGoEdit": "編輯當前文件", + "Common.Views.Header.tipPrint": "列印文件", + "Common.Views.Header.tipRedo": "重複", + "Common.Views.Header.tipSave": "存檔", + "Common.Views.Header.tipUndo": "復原", + "Common.Views.Header.tipViewSettings": "查看設定", + "Common.Views.Header.tipViewUsers": "查看帳戶並管理文檔存取權限", + "Common.Views.Header.txtAccessRights": "變更存取權限", + "Common.Views.Header.txtRename": "重新命名", + "Common.Views.History.textCloseHistory": "關閉歷史紀錄", + "Common.Views.History.textHide": "縮小", + "Common.Views.History.textHideAll": "隱藏詳細的更改", + "Common.Views.History.textRestore": "恢復", + "Common.Views.History.textShow": "擴大", + "Common.Views.History.textShowAll": "顯示詳細的更改", + "Common.Views.History.textVer": "版本", + "Common.Views.ImageFromUrlDialog.textUrl": "粘貼圖片網址:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "這是必填欄", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "此段落應為“ http://www.example.com”格式的網址", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "您需要指定有效的行數和列數。", + "Common.Views.InsertTableDialog.txtColumns": "列數", + "Common.Views.InsertTableDialog.txtMaxText": "此段落的最大值為{0}。", + "Common.Views.InsertTableDialog.txtMinText": "此段落的最小值為{0}。", + "Common.Views.InsertTableDialog.txtRows": "行數", + "Common.Views.InsertTableDialog.txtTitle": "表格大小", + "Common.Views.InsertTableDialog.txtTitleSplit": "分割儲存格", + "Common.Views.LanguageDialog.labelSelect": "選擇文件語言", + "Common.Views.OpenDialog.closeButtonText": "關閉檔案", + "Common.Views.OpenDialog.txtEncoding": "編碼", + "Common.Views.OpenDialog.txtIncorrectPwd": "密碼錯誤。", + "Common.Views.OpenDialog.txtOpenFile": "輸入檔案密碼", + "Common.Views.OpenDialog.txtPassword": "密碼", + "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": "重複輸入密碼", + "Common.Views.PasswordDialog.txtTitle": "設置密碼", + "Common.Views.PasswordDialog.txtWarning": "警告:如果失去密碼,將無法取回。請妥善保存。", + "Common.Views.PluginDlg.textLoading": "載入中", + "Common.Views.Plugins.groupCaption": "外掛程式", + "Common.Views.Plugins.strPlugins": "外掛程式", + "Common.Views.Plugins.textLoading": "載入中", + "Common.Views.Plugins.textStart": "開始", + "Common.Views.Plugins.textStop": "停止", + "Common.Views.Protection.hintAddPwd": "用密碼加密", + "Common.Views.Protection.hintPwd": "變更或刪除密碼", + "Common.Views.Protection.hintSignature": "新增數字簽名或簽名行", + "Common.Views.Protection.txtAddPwd": "新增密碼", + "Common.Views.Protection.txtChangePwd": "變更密碼", + "Common.Views.Protection.txtDeletePwd": "刪除密碼", + "Common.Views.Protection.txtEncrypt": "加密", + "Common.Views.Protection.txtInvisibleSignature": "新增數字簽名", + "Common.Views.Protection.txtSignature": "簽名", + "Common.Views.Protection.txtSignatureLine": "新增簽名行", + "Common.Views.RenameDialog.textName": "檔案名稱", + "Common.Views.RenameDialog.txtInvalidName": "文件名不能包含以下任何字符:", + "Common.Views.ReviewChanges.hintNext": "到下一個變化", + "Common.Views.ReviewChanges.hintPrev": "到以前的變化", + "Common.Views.ReviewChanges.mniFromFile": "檔案裡的文件", + "Common.Views.ReviewChanges.mniFromStorage": "儲存巢裡的文件", + "Common.Views.ReviewChanges.mniFromUrl": "來自URL裡文件", + "Common.Views.ReviewChanges.mniSettings": "比較設定", + "Common.Views.ReviewChanges.strFast": "快", + "Common.Views.ReviewChanges.strFastDesc": "即時共同編輯。所有更改將自動保存。", + "Common.Views.ReviewChanges.strStrict": "嚴格", + "Common.Views.ReviewChanges.strStrictDesc": "使用“存檔”按鈕同步您和其他人所做的更改。", + "Common.Views.ReviewChanges.textEnable": "啟用", + "Common.Views.ReviewChanges.textWarnTrackChanges": "Track Changes將會幫有權限的帳戶開啟。下一次任何帳戶開啟文件時,Track Changes會保持開啟狀態。", + "Common.Views.ReviewChanges.textWarnTrackChangesTitle": "幫所有使用者開啟Track Changes?", + "Common.Views.ReviewChanges.tipAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.tipCoAuthMode": "設定共同編輯模式", + "Common.Views.ReviewChanges.tipCommentRem": "刪除註解", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "刪除當前註解", + "Common.Views.ReviewChanges.tipCommentResolve": "標記註解為已解決", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "將所有的註解標記為已解決", + "Common.Views.ReviewChanges.tipCompare": "比較當前文件和另一個文件", + "Common.Views.ReviewChanges.tipHistory": "顯示版本歷史", + "Common.Views.ReviewChanges.tipRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewChanges.tipReview": "跟蹤變化", + "Common.Views.ReviewChanges.tipReviewView": "選擇您要顯示更改的模式", + "Common.Views.ReviewChanges.tipSetDocLang": "設定文件語言", + "Common.Views.ReviewChanges.tipSetSpelling": "拼字檢查", + "Common.Views.ReviewChanges.tipSharing": "管理文檔存取權限", + "Common.Views.ReviewChanges.txtAccept": "同意", + "Common.Views.ReviewChanges.txtAcceptAll": "同意所有更改", + "Common.Views.ReviewChanges.txtAcceptChanges": "同意更改", + "Common.Views.ReviewChanges.txtAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.txtChat": "聊天", + "Common.Views.ReviewChanges.txtClose": "關閉", + "Common.Views.ReviewChanges.txtCoAuthMode": "共同編輯模式", + "Common.Views.ReviewChanges.txtCommentRemAll": "刪除所有註解", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "刪除當前註解", + "Common.Views.ReviewChanges.txtCommentRemMy": "刪除我的註解", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "刪除我當前的註解", + "Common.Views.ReviewChanges.txtCommentRemove": "移除", + "Common.Views.ReviewChanges.txtCommentResolve": "解決", + "Common.Views.ReviewChanges.txtCommentResolveAll": "將所有註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "將註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMy": "將自己所有的註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "將自己的註解標記為已解決", + "Common.Views.ReviewChanges.txtCompare": "相比", + "Common.Views.ReviewChanges.txtDocLang": "語言", + "Common.Views.ReviewChanges.txtEditing": "编辑中", + "Common.Views.ReviewChanges.txtFinal": "更改已全部接受 {0}", + "Common.Views.ReviewChanges.txtFinalCap": "最後", + "Common.Views.ReviewChanges.txtHistory": "版本歷史", + "Common.Views.ReviewChanges.txtMarkup": "全部的更改{0}", + "Common.Views.ReviewChanges.txtMarkupCap": "標記與氣球", + "Common.Views.ReviewChanges.txtMarkupSimple": "所有變化{0}
    無文字通知", + "Common.Views.ReviewChanges.txtMarkupSimpleCap": "只改標記的", + "Common.Views.ReviewChanges.txtNext": "下一個", + "Common.Views.ReviewChanges.txtOff": "給自己關閉", + "Common.Views.ReviewChanges.txtOffGlobal": "給自己跟所有使用者關閉", + "Common.Views.ReviewChanges.txtOn": "給自己開啟", + "Common.Views.ReviewChanges.txtOnGlobal": "給自己跟所有使用者開啟", + "Common.Views.ReviewChanges.txtOriginal": "全部更改被拒絕{0}", + "Common.Views.ReviewChanges.txtOriginalCap": "原始", + "Common.Views.ReviewChanges.txtPrev": "前一個", + "Common.Views.ReviewChanges.txtPreview": "預覽", + "Common.Views.ReviewChanges.txtReject": "拒絕", + "Common.Views.ReviewChanges.txtRejectAll": "拒絕所有更改", + "Common.Views.ReviewChanges.txtRejectChanges": "拒絕更改", + "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.txtNext": "到下一個變化", + "Common.Views.ReviewChangesDialog.txtPrev": "到以前的變化", + "Common.Views.ReviewChangesDialog.txtReject": "拒絕", + "Common.Views.ReviewChangesDialog.txtRejectAll": "拒絕所有更改", + "Common.Views.ReviewChangesDialog.txtRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewPopover.textAdd": "新增", + "Common.Views.ReviewPopover.textAddReply": "加入回應", + "Common.Views.ReviewPopover.textCancel": "取消", + "Common.Views.ReviewPopover.textClose": "關閉", + "Common.Views.ReviewPopover.textEdit": "確定", + "Common.Views.ReviewPopover.textFollowMove": "跟隨移動", + "Common.Views.ReviewPopover.textMention": "+提及將提供對文檔的存取權限並發送電子郵件", + "Common.Views.ReviewPopover.textMentionNotify": "+提及將通過電子郵件通知帳戶", + "Common.Views.ReviewPopover.textOpenAgain": "重新打開", + "Common.Views.ReviewPopover.textReply": "回覆", + "Common.Views.ReviewPopover.textResolve": "解決", + "Common.Views.ReviewPopover.textViewResolved": "你沒有權限來重新開啟這個註解", + "Common.Views.ReviewPopover.txtAccept": "同意", + "Common.Views.ReviewPopover.txtDeleteTip": "刪除", + "Common.Views.ReviewPopover.txtEditTip": "編輯", + "Common.Views.ReviewPopover.txtReject": "拒絕", + "Common.Views.SaveAsDlg.textLoading": "載入中", + "Common.Views.SaveAsDlg.textTitle": "儲存文件夾", + "Common.Views.SelectFileDlg.textLoading": "載入中", + "Common.Views.SelectFileDlg.textTitle": "選擇資料來源", + "Common.Views.SignDialog.textBold": "粗體", + "Common.Views.SignDialog.textCertificate": "證書", + "Common.Views.SignDialog.textChange": "變更", + "Common.Views.SignDialog.textInputName": "輸入簽名者名稱", + "Common.Views.SignDialog.textItalic": "斜體", + "Common.Views.SignDialog.textNameError": "簽名人姓名不能留空。", + "Common.Views.SignDialog.textPurpose": "簽署本文件的目的", + "Common.Views.SignDialog.textSelect": "選擇", + "Common.Views.SignDialog.textSelectImage": "選擇圖片", + "Common.Views.SignDialog.textSignature": "簽名看起來像", + "Common.Views.SignDialog.textTitle": "簽署文件", + "Common.Views.SignDialog.textUseImage": "或單擊“選擇圖像”以使用圖片作為簽名", + "Common.Views.SignDialog.textValid": "從%1到%2有效", + "Common.Views.SignDialog.tipFontName": "字體名稱", + "Common.Views.SignDialog.tipFontSize": "字體大小", + "Common.Views.SignSettingsDialog.textAllowComment": "允許簽名者在簽名對話框中添加註釋", + "Common.Views.SignSettingsDialog.textInfo": "簽名者資訊", + "Common.Views.SignSettingsDialog.textInfoEmail": "電子郵件", + "Common.Views.SignSettingsDialog.textInfoName": "名稱", + "Common.Views.SignSettingsDialog.textInfoTitle": "簽名人稱號", + "Common.Views.SignSettingsDialog.textInstructions": "簽名者說明", + "Common.Views.SignSettingsDialog.textShowDate": "在簽名行中顯示簽名日期", + "Common.Views.SignSettingsDialog.textTitle": "簽名設置", + "Common.Views.SignSettingsDialog.txtEmpty": "這是必填欄", + "Common.Views.SymbolTableDialog.textCharacter": "文字", + "Common.Views.SymbolTableDialog.textCode": "Unicode HEX 值", + "Common.Views.SymbolTableDialog.textCopyright": "版權標誌", + "Common.Views.SymbolTableDialog.textDCQuote": "結束雙引號", + "Common.Views.SymbolTableDialog.textDOQuote": "開頭雙引號", + "Common.Views.SymbolTableDialog.textEllipsis": "水平橢圓", + "Common.Views.SymbolTableDialog.textEmDash": "空槓", + "Common.Views.SymbolTableDialog.textEmSpace": "空白空間", + "Common.Views.SymbolTableDialog.textEnDash": "En 橫槓", + "Common.Views.SymbolTableDialog.textEnSpace": "En 空白", + "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": "註冊標誌", + "Common.Views.SymbolTableDialog.textSCQuote": "結束單引號", + "Common.Views.SymbolTableDialog.textSection": "分區標誌", + "Common.Views.SymbolTableDialog.textShortcut": "快捷鍵", + "Common.Views.SymbolTableDialog.textSHyphen": "軟連字符", + "Common.Views.SymbolTableDialog.textSOQuote": "開單報價", + "Common.Views.SymbolTableDialog.textSpecial": "特殊字符", + "Common.Views.SymbolTableDialog.textSymbols": "符號", + "Common.Views.SymbolTableDialog.textTitle": "符號", + "Common.Views.SymbolTableDialog.textTradeMark": "商標符號", + "Common.Views.UserNameDialog.textDontShow": "不要再顯示", + "Common.Views.UserNameDialog.textLabel": "標籤:", + "Common.Views.UserNameDialog.textLabelError": "標籤不能為空。", + "DE.Controllers.LeftMenu.leavePageText": "該文檔中所有未儲存的更改都將丟失。
    單擊“取消”,然後單擊“存檔”以保存它們。單擊“確定”,放棄所有未儲存的更改。", + "DE.Controllers.LeftMenu.newDocumentTitle": "未命名文件", + "DE.Controllers.LeftMenu.notcriticalErrorTitle": "警告", + "DE.Controllers.LeftMenu.requestEditRightsText": "正在請求編輯權限...", + "DE.Controllers.LeftMenu.textLoadHistory": "正在載入版本歷史記錄...", + "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.warnDownloadAsPdf": "您的 {0} 將轉換成一份可修改的文件。系統需要處理一段時間。轉換後的文件即可隨之修改,但可能不完全跟您的原 {0} 相同,特別是如果原文件有過多的圖像將會更有差異。", + "DE.Controllers.LeftMenu.warnDownloadAsRTF": "如果繼續以這種格式保存,則某些格式可能會丟失。
    確定要繼續嗎?", + "DE.Controllers.Main.applyChangesTextText": "加載更改...", + "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.errorAccessDeny": "您嘗試進行未被授權的動作
    請聯繫您的文件伺服器主機的管理者。", + "DE.Controllers.Main.errorBadImageUrl": "不正確的圖像 URL", + "DE.Controllers.Main.errorCoAuthoringDisconnect": "服務器連接丟失。該文檔目前無法編輯。", + "DE.Controllers.Main.errorComboSeries": "如要新增組合圖表,選擇兩個以上的Series資料。", + "DE.Controllers.Main.errorCompare": "共同編輯時,“比較文檔”功能不可用。", + "DE.Controllers.Main.errorConnectToServer": "無法儲存該文檔。請檢查連接設置或與管理員聯繫。
    單擊“確定”按鈕時,系統將提示您下載文檔。", + "DE.Controllers.Main.errorDatabaseConnection": "外部錯誤。
    數據庫連接錯誤。如果錯誤仍然存在,請聯繫支持。", + "DE.Controllers.Main.errorDataEncrypted": "已收到加密的更改,無法解密。", + "DE.Controllers.Main.errorDataRange": "不正確的資料範圍", + "DE.Controllers.Main.errorDefaultMessage": "錯誤編號:%1", + "DE.Controllers.Main.errorDirectUrl": "請驗證指向文檔的連結。
    此連結必須是指向要下載文件的直接連結。", + "DE.Controllers.Main.errorEditingDownloadas": "在處理文檔期間發生錯誤。
    使用“下載為...”選項將文件備份副本儲存到電腦硬碟中。", + "DE.Controllers.Main.errorEditingSaveas": "使用文檔期間發生錯誤。
    使用“另存為...”選項將文件備份副本儲存到電腦硬碟中。", + "DE.Controllers.Main.errorEmailClient": "找不到電子郵件客戶端。", + "DE.Controllers.Main.errorFilePassProtect": "該文件受密碼保護,無法打開。", + "DE.Controllers.Main.errorFileSizeExceed": "此檔案超過這一主機限制的大小
    進一步資訊,請聯絡您的文件服務主機的管理者。", + "DE.Controllers.Main.errorForceSave": "儲存文件時發生錯誤。請使用“下載為”選項將文件儲存到電腦機硬碟中,或稍後再試。", + "DE.Controllers.Main.errorKeyEncrypt": "未知密鑰描述符", + "DE.Controllers.Main.errorKeyExpire": "密鑰描述符已過期", + "DE.Controllers.Main.errorLoadingFont": "字體未加載。
    請聯繫文件服務器管理員。", + "DE.Controllers.Main.errorMailMergeLoadFile": "文件載入中", + "DE.Controllers.Main.errorMailMergeSaveFile": "合併失敗.", + "DE.Controllers.Main.errorProcessSaveResult": "儲存失敗", + "DE.Controllers.Main.errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以應用更改。", + "DE.Controllers.Main.errorSessionAbsolute": "此文件編輯的會期已經過時。請重新載入此頁面。", + "DE.Controllers.Main.errorSessionIdle": "此文件已經在編輯狀態有很長時間, 請重新載入此頁面。", + "DE.Controllers.Main.errorSessionToken": "與服務器的連接已中斷。請重新加載頁面。", + "DE.Controllers.Main.errorSetPassword": "無法重設密碼。", + "DE.Controllers.Main.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
    出價, 最高價, 最低價, 節標價。", + "DE.Controllers.Main.errorSubmit": "傳送失敗", + "DE.Controllers.Main.errorToken": "文檔安全令牌的格式不正確。
    請與您的Document Server管理員聯繫。", + "DE.Controllers.Main.errorTokenExpire": "文檔安全令牌已過期。
    請與您的Document Server管理員聯繫。", + "DE.Controllers.Main.errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internet連接已恢復,文件版本已更改。
    在繼續工作之前,您需要下載文件或複制其內容以確保沒有丟失,然後重新加載此頁面。", + "DE.Controllers.Main.errorUserDrop": "目前無法存取該文件。", + "DE.Controllers.Main.errorUsersExceed": "超出了定價計劃所允許的帳戶數量", + "DE.Controllers.Main.errorViewerDisconnect": "連線失敗。您仍然可以查看該檔案,但在恢復連接並重新加載頁面之前將無法下載或列印該檔案。", + "DE.Controllers.Main.leavePageText": "您在此文檔中尚未儲存更改。單擊“保留在此頁面上”,然後單擊“存檔”以儲存更改。單擊“離開此頁面”以放棄所有未儲存的更改。", + "DE.Controllers.Main.leavePageTextOnClose": "該文檔中所有未儲存的更改都將遺失。
    單擊“取消”,然後單擊“存檔”以保存它們。單擊“確定”,放棄所有未儲存的更改。", + "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.loadImageTextText": "正在載入圖片...", + "DE.Controllers.Main.loadImageTitleText": "正在載入圖片", + "DE.Controllers.Main.loadingDocumentTextText": "正在載入文件...", + "DE.Controllers.Main.loadingDocumentTitleText": "載入文件", + "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.printTextText": "列印文件中...", + "DE.Controllers.Main.printTitleText": "列印文件", + "DE.Controllers.Main.reloadButtonText": "重新載入頁面", + "DE.Controllers.Main.requestEditFailedMessageText": "有人正在編輯此文檔。請稍後再試。", + "DE.Controllers.Main.requestEditFailedTitleText": "存取拒絕", + "DE.Controllers.Main.saveErrorText": "儲存檔案時發生錯誤", + "DE.Controllers.Main.saveErrorTextDesktop": "無法存檔或新增此文件。
    可能的原因是:
    1。該文件是唯獨模式的。
    2。該文件正在由其他帳戶編輯。
    3。磁碟已滿或損壞。", + "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的除數。", + "DE.Controllers.Main.splitMaxColsErrorText": "列數必須少於%1。", + "DE.Controllers.Main.splitMaxRowsErrorText": "行數必須少於%1。", + "DE.Controllers.Main.textAnonymous": "匿名", + "DE.Controllers.Main.textApplyAll": "適用於所有方程式", + "DE.Controllers.Main.textBuyNow": "訪問網站", + "DE.Controllers.Main.textChangesSaved": "所有更改已儲存", + "DE.Controllers.Main.textClose": "關閉", + "DE.Controllers.Main.textCloseTip": "點擊關閉提示", + "DE.Controllers.Main.textContactUs": "聯絡業務人員", + "DE.Controllers.Main.textConvertEquation": "該方程式是使用不再受支持的方程式編輯器的舊版本創建的。要對其進行編輯,請將等式轉換為Office Math ML格式。
    立即轉換?", + "DE.Controllers.Main.textCustomLoader": "請注意,根據許可條款,您無權更換裝載機。
    請聯繫我們的銷售部門以獲取報價。", + "DE.Controllers.Main.textDisconnect": "失去網路連結", + "DE.Controllers.Main.textGuest": "來賓帳戶", + "DE.Controllers.Main.textHasMacros": "此檔案包含自動的", + "DE.Controllers.Main.textLearnMore": "了解更多", + "DE.Controllers.Main.textLoadingDocument": "載入文件", + "DE.Controllers.Main.textLongName": "輸入少於128個字符的名稱。", + "DE.Controllers.Main.textNoLicenseTitle": "達到許可限制", + "DE.Controllers.Main.textPaidFeature": "付費功能", + "DE.Controllers.Main.textReconnect": "連線恢復", + "DE.Controllers.Main.textRemember": "記住我的選擇", + "DE.Controllers.Main.textRenameError": "使用者名稱無法是空白。", + "DE.Controllers.Main.textRenameLabel": "輸入合作名稱", + "DE.Controllers.Main.textShape": "形狀", + "DE.Controllers.Main.textStrict": "嚴格模式", + "DE.Controllers.Main.textTryUndoRedo": "快速共同編輯模式禁用了“復原/重複”功能。
    點擊“嚴格模式”按鈕切換到“嚴格共同編輯”模式以編輯文件而不會受到其他帳戶的干擾,並且僅在保存後發送更改他們。您可以使用編輯器的“進階”設置在共同編輯模式之間切換。", + "DE.Controllers.Main.textTryUndoRedoWarn": "在快速共同編輯模式下,復原/重複功能被禁用。", + "DE.Controllers.Main.titleLicenseExp": "證件過期", + "DE.Controllers.Main.titleServerVersion": "編輯器已更新", + "DE.Controllers.Main.titleUpdateVersion": "版本已更改", + "DE.Controllers.Main.txtAbove": "以上", + "DE.Controllers.Main.txtArt": "在這輸入文字", + "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.txtClickToLoad": "點此讀取圖片", + "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.txtFiguredArrows": "圖箭", + "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.txtMath": "數學", + "DE.Controllers.Main.txtMissArg": "遺失論點", + "DE.Controllers.Main.txtMissOperator": "缺少運算符", + "DE.Controllers.Main.txtNeedSynchronize": "您有更新", + "DE.Controllers.Main.txtNone": "無", + "DE.Controllers.Main.txtNoTableOfContents": "該文件中沒有標題。將標題風格應用於內文,以便出現在目錄中。", + "DE.Controllers.Main.txtNoTableOfFigures": "沒有圖表目錄項目可用。", + "DE.Controllers.Main.txtNoText": "錯誤!指定的風格文件中沒有文字。", + "DE.Controllers.Main.txtNotInTable": "不在表中", + "DE.Controllers.Main.txtNotValidBookmark": "錯誤!不是有效的書籤自參考。", + "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_actionButtonBackPrevious": "後退或上一步按鈕", + "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_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_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_can": "罐狀", + "DE.Controllers.Main.txtShape_chevron": "雪佛龍V形", + "DE.Controllers.Main.txtShape_chord": "弦", + "DE.Controllers.Main.txtShape_circularArrow": "圓形箭頭", + "DE.Controllers.Main.txtShape_cloud": "雲", + "DE.Controllers.Main.txtShape_cloudCallout": "雲標註", + "DE.Controllers.Main.txtShape_corner": "角", + "DE.Controllers.Main.txtShape_cube": "立方體", + "DE.Controllers.Main.txtShape_curvedConnector3": "彎曲連接器", + "DE.Controllers.Main.txtShape_curvedConnector3WithArrow": "彎曲箭頭連接器", + "DE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "彎曲雙箭頭連接器", + "DE.Controllers.Main.txtShape_curvedDownArrow": "彎曲的向下箭頭", + "DE.Controllers.Main.txtShape_curvedLeftArrow": "彎曲的左箭頭", + "DE.Controllers.Main.txtShape_curvedRightArrow": "彎曲的右箭頭", + "DE.Controllers.Main.txtShape_curvedUpArrow": "彎曲的向上箭頭", + "DE.Controllers.Main.txtShape_decagon": "十邊形", + "DE.Controllers.Main.txtShape_diagStripe": "斜條紋", + "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_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_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_flowChartInputOutput": "流程圖:數據", + "DE.Controllers.Main.txtShape_flowChartInternalStorage": "流程圖:內部存儲", + "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "流程圖:磁碟", + "DE.Controllers.Main.txtShape_flowChartMagneticDrum": "流程圖:直接存取存儲", + "DE.Controllers.Main.txtShape_flowChartMagneticTape": "流程圖:順序存取存儲", + "DE.Controllers.Main.txtShape_flowChartManualInput": "流程圖:手動輸入", + "DE.Controllers.Main.txtShape_flowChartManualOperation": "流程圖:手動操作", + "DE.Controllers.Main.txtShape_flowChartMerge": "流程圖:合併", + "DE.Controllers.Main.txtShape_flowChartMultidocument": "流程圖:多文檔", + "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "流程圖:頁外連接器", + "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "流程圖:存儲的數據", + "DE.Controllers.Main.txtShape_flowChartOr": "流程圖:或", + "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "流程圖:預定義流程", + "DE.Controllers.Main.txtShape_flowChartPreparation": "流程圖:準備", + "DE.Controllers.Main.txtShape_flowChartProcess": "流程圖:流程", + "DE.Controllers.Main.txtShape_flowChartPunchedCard": "流程圖:卡", + "DE.Controllers.Main.txtShape_flowChartPunchedTape": "流程圖:穿孔紙帶", + "DE.Controllers.Main.txtShape_flowChartSort": "流程圖:排序", + "DE.Controllers.Main.txtShape_flowChartSummingJunction": "流程圖:求和結點", + "DE.Controllers.Main.txtShape_flowChartTerminator": "流程圖:終結者", + "DE.Controllers.Main.txtShape_foldedCorner": "折角", + "DE.Controllers.Main.txtShape_frame": "框", + "DE.Controllers.Main.txtShape_halfFrame": "半框", + "DE.Controllers.Main.txtShape_heart": "心", + "DE.Controllers.Main.txtShape_heptagon": "七邊形", + "DE.Controllers.Main.txtShape_hexagon": "六邊形", + "DE.Controllers.Main.txtShape_homePlate": "五角形", + "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_leftArrowCallout": "向左箭頭標註", + "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": "左右上箭頭", + "DE.Controllers.Main.txtShape_leftUpArrow": "左上箭頭", + "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_mathEqual": "等於", + "DE.Controllers.Main.txtShape_mathMinus": "減去", + "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_pentagon": "五角形", + "DE.Controllers.Main.txtShape_pie": "餅", + "DE.Controllers.Main.txtShape_plaque": "簽名", + "DE.Controllers.Main.txtShape_plus": "加", + "DE.Controllers.Main.txtShape_polyline1": "塗", + "DE.Controllers.Main.txtShape_polyline2": "自由形式", + "DE.Controllers.Main.txtShape_quadArrow": "四箭頭", + "DE.Controllers.Main.txtShape_quadArrowCallout": "四箭頭標註", + "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_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_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_spline": "曲線", + "DE.Controllers.Main.txtShape_star10": "十點星", + "DE.Controllers.Main.txtShape_star12": "十二點星", + "DE.Controllers.Main.txtShape_star16": "十六點星", + "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_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_upDownArrow": "上下箭頭", + "DE.Controllers.Main.txtShape_uturnArrow": "掉頭箭頭", + "DE.Controllers.Main.txtShape_verticalScroll": "垂直滾動", + "DE.Controllers.Main.txtShape_wave": "波", + "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "橢圓形標註", + "DE.Controllers.Main.txtShape_wedgeRectCallout": "矩形標註", + "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "圓角矩形標註", + "DE.Controllers.Main.txtStarsRibbons": "星星和絲帶", + "DE.Controllers.Main.txtStyle_Caption": "標題", + "DE.Controllers.Main.txtStyle_endnote_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", + "DE.Controllers.Main.txtStyle_Heading_4": "標題 4", + "DE.Controllers.Main.txtStyle_Heading_5": "標題 5", + "DE.Controllers.Main.txtStyle_Heading_6": "標題 6", + "DE.Controllers.Main.txtStyle_Heading_7": "標題 7", + "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_Quote": "引用", + "DE.Controllers.Main.txtStyle_Subtitle": "副標題", + "DE.Controllers.Main.txtStyle_Title": "標題", + "DE.Controllers.Main.txtSyntaxError": "語法錯誤", + "DE.Controllers.Main.txtTableInd": "表索引不能為零", + "DE.Controllers.Main.txtTableOfContents": "目錄", + "DE.Controllers.Main.txtTableOfFigures": "圖表目錄", + "DE.Controllers.Main.txtTOCHeading": "目錄標題", + "DE.Controllers.Main.txtTooLarge": "數字太大而無法格式化", + "DE.Controllers.Main.txtTypeEquation": "在此處輸入方程式。", + "DE.Controllers.Main.txtUndefBookmark": "未定義的書籤", + "DE.Controllers.Main.txtXAxis": "X軸", + "DE.Controllers.Main.txtYAxis": "Y軸", + "DE.Controllers.Main.txtZeroDivide": "零分度", + "DE.Controllers.Main.unknownErrorText": "未知錯誤。", + "DE.Controllers.Main.unsupportedBrowserErrorText": "不支援您的瀏覽器", + "DE.Controllers.Main.uploadDocExtMessage": "未知的文件格式。", + "DE.Controllers.Main.uploadDocFileCountMessage": "沒有文件上傳。", + "DE.Controllers.Main.uploadDocSizeMessage": "超出最大文檔大小限制。", + "DE.Controllers.Main.uploadImageExtMessage": "圖片格式未知。", + "DE.Controllers.Main.uploadImageFileCountMessage": "沒有上傳圖片。", + "DE.Controllers.Main.uploadImageSizeMessage": "圖像超出最大大小限制。最大大小為25MB。", + "DE.Controllers.Main.uploadImageTextText": "正在上傳圖片...", + "DE.Controllers.Main.uploadImageTitleText": "上載圖片", + "DE.Controllers.Main.waitText": "請耐心等待...", + "DE.Controllers.Main.warnBrowserIE9": "該應用程序在IE9上具有較低的功能。使用IE10或更高版本", + "DE.Controllers.Main.warnBrowserZoom": "瀏覽器當前的縮放設置不受完全支持。請按Ctrl + 0重置為預設縮放。", + "DE.Controllers.Main.warnLicenseExceeded": "您的系統已經達到同時編輯連線的 %1 編輯器。只能以檢視模式開啟此文件。
    欲得知進一步訊息, 請聯絡您的帳號管理者。", + "DE.Controllers.Main.warnLicenseExp": "您的授權證已過期.
    請更新您的授權證並重新整理頁面。", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "授權過期
    您已沒有編輯文件功能的授權
    請與您的管理者聯繫。", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "授權證書需要更新
    您只有部分的文件編輯功能的存取權限
    請與您的管理者聯繫來取得完整的存取權限。", + "DE.Controllers.Main.warnLicenseUsersExceeded": "您已達到%1個編輯器限制。請聯絡你的帳號管理員以了解更多資訊。", + "DE.Controllers.Main.warnNoLicense": "您的系統已經達到同時編輯連線的 %1 編輯器。只能以檢視模式開啟此文件。
    請聯繫 %1 銷售團隊來取得個人升級的需求。", + "DE.Controllers.Main.warnNoLicenseUsers": "您已達到%1個編輯器限制。請聯絡%1業務部以了解更多的升級條款及方案。", + "DE.Controllers.Main.warnProcessRightsChange": "您被拒絕編輯文件的權利。", + "DE.Controllers.Navigation.txtBeginning": "文件的開頭", + "DE.Controllers.Navigation.txtGotoBeginning": "轉到文檔的開頭", + "DE.Controllers.Statusbar.textDisconnect": "連線失敗
    正在嘗試連線。請檢查網路連線設定。", + "DE.Controllers.Statusbar.textHasChanges": "跟蹤了新的變化", + "DE.Controllers.Statusbar.textSetTrackChanges": "您現在是在Track Changes模式", + "DE.Controllers.Statusbar.textTrackChanges": "在啟用“修訂”模式的情況下打開文檔", + "DE.Controllers.Statusbar.tipReview": "跟蹤變化", + "DE.Controllers.Statusbar.zoomText": "放大{0}%", + "DE.Controllers.Toolbar.confirmAddFontName": "您要儲存的字型在目前的設備上無法使用。
    字型風格將使用其中一種系統字體顯示,儲存的字體將在可用時啟用。
    您要繼續嗎?", + "DE.Controllers.Toolbar.dataUrl": "粘貼數據 URL", + "DE.Controllers.Toolbar.notcriticalErrorTitle": "警告", + "DE.Controllers.Toolbar.textAccent": "口音", + "DE.Controllers.Toolbar.textBracket": "括號", + "DE.Controllers.Toolbar.textEmptyImgUrl": "您必須輸入圖檔的URL.", + "DE.Controllers.Toolbar.textEmptyMMergeUrl": "你必須指定URL", + "DE.Controllers.Toolbar.textFontSizeErr": "輸入的值不正確。
    請輸入1到300之間的數字值", + "DE.Controllers.Toolbar.textFraction": "分數", + "DE.Controllers.Toolbar.textFunction": "功能", + "DE.Controllers.Toolbar.textGroup": "群組", + "DE.Controllers.Toolbar.textInsert": "插入", + "DE.Controllers.Toolbar.textIntegral": "積分", + "DE.Controllers.Toolbar.textLargeOperator": "大型運營商", + "DE.Controllers.Toolbar.textLimitAndLog": "極限和對數", + "DE.Controllers.Toolbar.textMatrix": "矩陣", + "DE.Controllers.Toolbar.textOperator": "經營者", + "DE.Controllers.Toolbar.textRadical": "激進單數", + "DE.Controllers.Toolbar.textRecentlyUsed": "最近使用", + "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": "上方的左右箭頭", + "DE.Controllers.Toolbar.txtAccent_ArrowL": "上方的向左箭頭", + "DE.Controllers.Toolbar.txtAccent_ArrowR": "上方向右箭頭", + "DE.Controllers.Toolbar.txtAccent_Bar": "槓", + "DE.Controllers.Toolbar.txtAccent_BarBot": "底橫槓", + "DE.Controllers.Toolbar.txtAccent_BarTop": "橫槓", + "DE.Controllers.Toolbar.txtAccent_BorderBox": "盒裝公式(帶佔位符)", + "DE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "盒裝函數(範例)", + "DE.Controllers.Toolbar.txtAccent_Check": "檢查", + "DE.Controllers.Toolbar.txtAccent_CurveBracketBot": "底括號", + "DE.Controllers.Toolbar.txtAccent_CurveBracketTop": "大括號", + "DE.Controllers.Toolbar.txtAccent_Custom_1": "向量A", + "DE.Controllers.Toolbar.txtAccent_Custom_2": "帶橫線的ABC", + "DE.Controllers.Toolbar.txtAccent_Custom_3": "x X或y的橫槓", + "DE.Controllers.Toolbar.txtAccent_DDDot": "三點", + "DE.Controllers.Toolbar.txtAccent_DDot": "雙點", + "DE.Controllers.Toolbar.txtAccent_Dot": "點", + "DE.Controllers.Toolbar.txtAccent_DoubleBar": "雙橫槓", + "DE.Controllers.Toolbar.txtAccent_Grave": "墓", + "DE.Controllers.Toolbar.txtAccent_GroupBot": "下面的分組字符", + "DE.Controllers.Toolbar.txtAccent_GroupTop": "上面的分組字符", + "DE.Controllers.Toolbar.txtAccent_HarpoonL": "上方的向左魚叉", + "DE.Controllers.Toolbar.txtAccent_HarpoonR": "右上方的魚叉", + "DE.Controllers.Toolbar.txtAccent_Hat": "帽子", + "DE.Controllers.Toolbar.txtAccent_Smile": "短音符", + "DE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", + "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": "單括號", + "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "單括號", + "DE.Controllers.Toolbar.txtBracket_Curve": "括號", + "DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "帶分隔符的括號", + "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": "堆疊物件", + "DE.Controllers.Toolbar.txtBracket_Custom_4": "堆疊物件", + "DE.Controllers.Toolbar.txtBracket_Custom_5": "案件例子", + "DE.Controllers.Toolbar.txtBracket_Custom_6": "二項式係數", + "DE.Controllers.Toolbar.txtBracket_Custom_7": "二項式係數", + "DE.Controllers.Toolbar.txtBracket_Line": "括號", + "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "單括號", + "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "單括號", + "DE.Controllers.Toolbar.txtBracket_LineDouble": "括號", + "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "單括號", + "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "單括號", + "DE.Controllers.Toolbar.txtBracket_LowLim": "括號", + "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": "單括號", + "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": "單括號", + "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "單括號", + "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "括號", + "DE.Controllers.Toolbar.txtBracket_SquareDouble": "括號", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "單括號", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "單括號", + "DE.Controllers.Toolbar.txtBracket_UppLim": "括號", + "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": "微分", + "DE.Controllers.Toolbar.txtFractionDifferential_3": "微分", + "DE.Controllers.Toolbar.txtFractionDifferential_4": "微分", + "DE.Controllers.Toolbar.txtFractionHorizontal": "線性分數", + "DE.Controllers.Toolbar.txtFractionPi_2": "Pi超過2", + "DE.Controllers.Toolbar.txtFractionSmall": "小分數", + "DE.Controllers.Toolbar.txtFractionVertical": "堆積分數", + "DE.Controllers.Toolbar.txtFunction_1_Cos": "反餘弦函數", + "DE.Controllers.Toolbar.txtFunction_1_Cosh": "雙曲餘弦函數", + "DE.Controllers.Toolbar.txtFunction_1_Cot": "反正切函數", + "DE.Controllers.Toolbar.txtFunction_1_Coth": "雙曲反正切函數", + "DE.Controllers.Toolbar.txtFunction_1_Csc": "餘割函數反", + "DE.Controllers.Toolbar.txtFunction_1_Csch": "雙曲反餘割函數", + "DE.Controllers.Toolbar.txtFunction_1_Sec": "反割線功能", + "DE.Controllers.Toolbar.txtFunction_1_Sech": "雙曲反正割函數", + "DE.Controllers.Toolbar.txtFunction_1_Sin": "反正弦函數", + "DE.Controllers.Toolbar.txtFunction_1_Sinh": "雙曲反正弦函數", + "DE.Controllers.Toolbar.txtFunction_1_Tan": "反正切函數", + "DE.Controllers.Toolbar.txtFunction_1_Tanh": "雙曲反正切函數", + "DE.Controllers.Toolbar.txtFunction_Cos": "Cosine 函數", + "DE.Controllers.Toolbar.txtFunction_Cosh": "雙曲餘弦函數", + "DE.Controllers.Toolbar.txtFunction_Cot": "Cotangent 函數", + "DE.Controllers.Toolbar.txtFunction_Coth": "雙曲餘切函數", + "DE.Controllers.Toolbar.txtFunction_Csc": "餘割函數", + "DE.Controllers.Toolbar.txtFunction_Csch": "雙曲餘割函數", + "DE.Controllers.Toolbar.txtFunction_Custom_1": "正弦波", + "DE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "DE.Controllers.Toolbar.txtFunction_Custom_3": "切線函數", + "DE.Controllers.Toolbar.txtFunction_Sec": "正割功能", + "DE.Controllers.Toolbar.txtFunction_Sech": "雙曲正割函數", + "DE.Controllers.Toolbar.txtFunction_Sin": "正弦函數", + "DE.Controllers.Toolbar.txtFunction_Sinh": "雙曲正弦函數", + "DE.Controllers.Toolbar.txtFunction_Tan": "切線公式", + "DE.Controllers.Toolbar.txtFunction_Tanh": "雙曲正切函數", + "DE.Controllers.Toolbar.txtIntegral": "積分", + "DE.Controllers.Toolbar.txtIntegral_dtheta": "微分θ", + "DE.Controllers.Toolbar.txtIntegral_dx": "差分 x", + "DE.Controllers.Toolbar.txtIntegral_dy": "差分 y", + "DE.Controllers.Toolbar.txtIntegralCenterSubSup": "積分", + "DE.Controllers.Toolbar.txtIntegralDouble": "雙積分", + "DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "雙積分", + "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "雙積分", + "DE.Controllers.Toolbar.txtIntegralOriented": "輪廓積分", + "DE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "輪廓積分", + "DE.Controllers.Toolbar.txtIntegralOrientedDouble": "表面積分", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "表面積分", + "DE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "表面積分", + "DE.Controllers.Toolbar.txtIntegralOrientedSubSup": "輪廓積分", + "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "體積積分", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "體積積分", + "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "體積積分", + "DE.Controllers.Toolbar.txtIntegralSubSup": "積分", + "DE.Controllers.Toolbar.txtIntegralTriple": "三重積分", + "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "三重積分", + "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "三重積分", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction": "楔", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "楔", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "楔", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "楔", + "DE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "楔", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd": "聯產品", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "聯產品", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "聯產品", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "聯產品", + "DE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "聯產品", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "求和", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "求和", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "求和", + "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": "交叉點", + "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": "求和", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "求和", + "DE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "求和", + "DE.Controllers.Toolbar.txtLargeOperator_Union": "聯合", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "聯合", + "DE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "聯合", + "DE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "聯合", + "DE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "聯合", + "DE.Controllers.Toolbar.txtLimitLog_Custom_1": "限制例子", + "DE.Controllers.Toolbar.txtLimitLog_Custom_2": "最大例子", + "DE.Controllers.Toolbar.txtLimitLog_Lim": "限制", + "DE.Controllers.Toolbar.txtLimitLog_Ln": "自然對數", + "DE.Controllers.Toolbar.txtLimitLog_Log": "對數", + "DE.Controllers.Toolbar.txtLimitLog_LogBase": "對數", + "DE.Controllers.Toolbar.txtLimitLog_Max": "最大", + "DE.Controllers.Toolbar.txtLimitLog_Min": "最低", + "DE.Controllers.Toolbar.txtMarginsH": "對於給定的頁面高度,上下邊距太高", + "DE.Controllers.Toolbar.txtMarginsW": "給定頁面寬度,左右頁邊距太寬", + "DE.Controllers.Toolbar.txtMatrix_1_2": "1x2的空矩陣", + "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": "帶括號的空矩陣", + "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 空矩陣", + "DE.Controllers.Toolbar.txtMatrix_3_3": "3x3 空矩陣", + "DE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "基準點", + "DE.Controllers.Toolbar.txtMatrix_Dots_Center": "中線點", + "DE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "對角點", + "DE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "垂直點", + "DE.Controllers.Toolbar.txtMatrix_Flat_Round": "稀疏矩陣", + "DE.Controllers.Toolbar.txtMatrix_Flat_Square": "稀疏矩陣", + "DE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 單位矩陣", + "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": "下方的左右箭頭", + "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "上方的左右箭頭", + "DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "下方的向左箭頭", + "DE.Controllers.Toolbar.txtOperator_ArrowL_Top": "上方的向左箭頭", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "下方向右箭頭", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "上方向右箭頭", + "DE.Controllers.Toolbar.txtOperator_ColonEquals": "冒號相等", + "DE.Controllers.Toolbar.txtOperator_Custom_1": "產量", + "DE.Controllers.Toolbar.txtOperator_Custom_2": "Delta 收益", + "DE.Controllers.Toolbar.txtOperator_Definition": "等同於定義", + "DE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta 等於", + "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": "下方向右箭頭", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "上方向右箭頭", + "DE.Controllers.Toolbar.txtOperator_EqualsEquals": "等於 等於", + "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": "平方根", + "DE.Controllers.Toolbar.txtRadicalRoot_3": "立方根", + "DE.Controllers.Toolbar.txtRadicalRoot_n": "自由基度", + "DE.Controllers.Toolbar.txtRadicalSqrt": "平方根", + "DE.Controllers.Toolbar.txtScriptCustom_1": "腳本", + "DE.Controllers.Toolbar.txtScriptCustom_2": "腳本", + "DE.Controllers.Toolbar.txtScriptCustom_3": "腳本", + "DE.Controllers.Toolbar.txtScriptCustom_4": "腳本", + "DE.Controllers.Toolbar.txtScriptSub": "下標", + "DE.Controllers.Toolbar.txtScriptSubSup": "下標-上標", + "DE.Controllers.Toolbar.txtScriptSubSupLeft": "左下標-上標", + "DE.Controllers.Toolbar.txtScriptSup": "上標", + "DE.Controllers.Toolbar.txtSymbol_about": "大約", + "DE.Controllers.Toolbar.txtSymbol_additional": "補充", + "DE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "DE.Controllers.Toolbar.txtSymbol_alpha": "Αlpha", + "DE.Controllers.Toolbar.txtSymbol_approx": "幾乎等於", + "DE.Controllers.Toolbar.txtSymbol_ast": "星號運算符", + "DE.Controllers.Toolbar.txtSymbol_beta": "測試版", + "DE.Controllers.Toolbar.txtSymbol_beth": "賭注", + "DE.Controllers.Toolbar.txtSymbol_bullet": "項目點操作者", + "DE.Controllers.Toolbar.txtSymbol_cap": "交叉點", + "DE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", + "DE.Controllers.Toolbar.txtSymbol_cdots": "中線水平省略號", + "DE.Controllers.Toolbar.txtSymbol_celsius": "攝氏度", + "DE.Controllers.Toolbar.txtSymbol_chi": "Chi", + "DE.Controllers.Toolbar.txtSymbol_cong": "大約等於", + "DE.Controllers.Toolbar.txtSymbol_cup": "聯合", + "DE.Controllers.Toolbar.txtSymbol_ddots": "右下斜省略號", + "DE.Controllers.Toolbar.txtSymbol_degree": "度", + "DE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "DE.Controllers.Toolbar.txtSymbol_div": "分裂標誌", + "DE.Controllers.Toolbar.txtSymbol_downarrow": "下箭頭", + "DE.Controllers.Toolbar.txtSymbol_emptyset": "空組集", + "DE.Controllers.Toolbar.txtSymbol_epsilon": "厄普西隆", + "DE.Controllers.Toolbar.txtSymbol_equals": "等於", + "DE.Controllers.Toolbar.txtSymbol_equiv": "相同", + "DE.Controllers.Toolbar.txtSymbol_eta": "和", + "DE.Controllers.Toolbar.txtSymbol_exists": "存在", + "DE.Controllers.Toolbar.txtSymbol_factorial": "階乘", + "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "華氏度", + "DE.Controllers.Toolbar.txtSymbol_forall": "對所有人", + "DE.Controllers.Toolbar.txtSymbol_gamma": "Gamma", + "DE.Controllers.Toolbar.txtSymbol_geq": "大於或等於", + "DE.Controllers.Toolbar.txtSymbol_gg": "比大得多", + "DE.Controllers.Toolbar.txtSymbol_greater": "更佳", + "DE.Controllers.Toolbar.txtSymbol_in": "元素", + "DE.Controllers.Toolbar.txtSymbol_inc": "增量", + "DE.Controllers.Toolbar.txtSymbol_infinity": "無限", + "DE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "DE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", + "DE.Controllers.Toolbar.txtSymbol_lambda": "拉姆達", + "DE.Controllers.Toolbar.txtSymbol_leftarrow": "左箭頭", + "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "左右箭頭", + "DE.Controllers.Toolbar.txtSymbol_leq": "小於或等於", + "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": "Mu", + "DE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "DE.Controllers.Toolbar.txtSymbol_neq": "不等於", + "DE.Controllers.Toolbar.txtSymbol_ni": "包含為成員", + "DE.Controllers.Toolbar.txtSymbol_not": "不簽名", + "DE.Controllers.Toolbar.txtSymbol_notexists": "不存在", + "DE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "DE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "DE.Controllers.Toolbar.txtSymbol_omega": "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": "加減", + "DE.Controllers.Toolbar.txtSymbol_propto": "成比例", + "DE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "DE.Controllers.Toolbar.txtSymbol_qdrt": "第四根", + "DE.Controllers.Toolbar.txtSymbol_qed": "證明結束", + "DE.Controllers.Toolbar.txtSymbol_rddots": "右上斜省略號", + "DE.Controllers.Toolbar.txtSymbol_rho": "Rho", + "DE.Controllers.Toolbar.txtSymbol_rightarrow": "右箭頭", + "DE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "DE.Controllers.Toolbar.txtSymbol_sqrt": "激進標誌", + "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "DE.Controllers.Toolbar.txtSymbol_therefore": "因此", + "DE.Controllers.Toolbar.txtSymbol_theta": "Theta", + "DE.Controllers.Toolbar.txtSymbol_times": "乘法符號", + "DE.Controllers.Toolbar.txtSymbol_uparrow": "向上箭頭", + "DE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", + "DE.Controllers.Toolbar.txtSymbol_varepsilon": "厄普西隆變體", + "DE.Controllers.Toolbar.txtSymbol_varphi": "Phi 變體", + "DE.Controllers.Toolbar.txtSymbol_varpi": "Pi變體", + "DE.Controllers.Toolbar.txtSymbol_varrho": "Rho變體", + "DE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma 變體", + "DE.Controllers.Toolbar.txtSymbol_vartheta": "Theta變體", + "DE.Controllers.Toolbar.txtSymbol_vdots": "垂直省略號", + "DE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "DE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "DE.Controllers.Viewport.textFitPage": "切合至頁面", + "DE.Controllers.Viewport.textFitWidth": "切合至寬度", + "DE.Controllers.Viewport.txtDarkMode": "夜間模式", + "DE.Views.AddNewCaptionLabelDialog.textLabel": "標籤:", + "DE.Views.AddNewCaptionLabelDialog.textLabelError": "標籤不能為空。", + "DE.Views.BookmarksDialog.textAdd": "新增", + "DE.Views.BookmarksDialog.textBookmarkName": "書籤名", + "DE.Views.BookmarksDialog.textClose": "關閉", + "DE.Views.BookmarksDialog.textCopy": "複製", + "DE.Views.BookmarksDialog.textDelete": "刪除", + "DE.Views.BookmarksDialog.textGetLink": "獲取連結", + "DE.Views.BookmarksDialog.textGoto": "去", + "DE.Views.BookmarksDialog.textHidden": "隱藏的書籤", + "DE.Views.BookmarksDialog.textLocation": "位置", + "DE.Views.BookmarksDialog.textName": "名稱", + "DE.Views.BookmarksDialog.textSort": "排序方式", + "DE.Views.BookmarksDialog.textTitle": "書籤", + "DE.Views.BookmarksDialog.txtInvalidName": "書籤名稱只能包含字母,數字和下劃線,並且應以字母開頭", + "DE.Views.CaptionDialog.textAdd": "新增標籤", + "DE.Views.CaptionDialog.textAfter": "之後", + "DE.Views.CaptionDialog.textBefore": "之前", + "DE.Views.CaptionDialog.textCaption": "標題", + "DE.Views.CaptionDialog.textChapter": "本章始於風格", + "DE.Views.CaptionDialog.textChapterInc": "包括章節編號", + "DE.Views.CaptionDialog.textColon": "冒號", + "DE.Views.CaptionDialog.textDash": "長划", + "DE.Views.CaptionDialog.textDelete": "刪除標籤", + "DE.Views.CaptionDialog.textEquation": "方程式", + "DE.Views.CaptionDialog.textExamples": "示例:表2-A,圖像1.IV", + "DE.Views.CaptionDialog.textExclude": "從標題中排除標籤", + "DE.Views.CaptionDialog.textFigure": "數字", + "DE.Views.CaptionDialog.textHyphen": "連字號", + "DE.Views.CaptionDialog.textInsert": "插入", + "DE.Views.CaptionDialog.textLabel": "標籤", + "DE.Views.CaptionDialog.textLongDash": "長破折號", + "DE.Views.CaptionDialog.textNumbering": "編號", + "DE.Views.CaptionDialog.textPeriod": "區間", + "DE.Views.CaptionDialog.textSeparator": "使用分隔符", + "DE.Views.CaptionDialog.textTable": "表格", + "DE.Views.CaptionDialog.textTitle": "插入標題", + "DE.Views.CellsAddDialog.textCol": "欄", + "DE.Views.CellsAddDialog.textDown": "游標下方", + "DE.Views.CellsAddDialog.textLeft": "靠左", + "DE.Views.CellsAddDialog.textRight": "靠右", + "DE.Views.CellsAddDialog.textRow": "行列", + "DE.Views.CellsAddDialog.textTitle": "插入多個", + "DE.Views.CellsAddDialog.textUp": "游標上方", + "DE.Views.ChartSettings.textAdvanced": "顯示進階設定", + "DE.Views.ChartSettings.textChartType": "變更圖表類型", + "DE.Views.ChartSettings.textEditData": "編輯資料", + "DE.Views.ChartSettings.textHeight": "\n高度", + "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": "與文字排列", + "DE.Views.ChartSettings.txtSquare": "正方形", + "DE.Views.ChartSettings.txtThrough": "通過", + "DE.Views.ChartSettings.txtTight": "緊", + "DE.Views.ChartSettings.txtTitle": "圖表", + "DE.Views.ChartSettings.txtTopAndBottom": "頂部和底部", + "DE.Views.ControlSettingsDialog.strGeneral": "一般", + "DE.Views.ControlSettingsDialog.textAdd": "新增", + "DE.Views.ControlSettingsDialog.textAppearance": "外貌", + "DE.Views.ControlSettingsDialog.textApplyAll": "全部應用", + "DE.Views.ControlSettingsDialog.textBox": "邊界框", + "DE.Views.ControlSettingsDialog.textChange": "編輯", + "DE.Views.ControlSettingsDialog.textCheckbox": "複選框", + "DE.Views.ControlSettingsDialog.textChecked": "選中的符號", + "DE.Views.ControlSettingsDialog.textColor": "顏色", + "DE.Views.ControlSettingsDialog.textCombobox": "組合框", + "DE.Views.ControlSettingsDialog.textDate": "日期格式", + "DE.Views.ControlSettingsDialog.textDelete": "刪除", + "DE.Views.ControlSettingsDialog.textDisplayName": "顯示名稱", + "DE.Views.ControlSettingsDialog.textDown": "下", + "DE.Views.ControlSettingsDialog.textDropDown": "下拉選單", + "DE.Views.ControlSettingsDialog.textFormat": "以此顯示日期", + "DE.Views.ControlSettingsDialog.textLang": "語言", + "DE.Views.ControlSettingsDialog.textLock": "鎖定", + "DE.Views.ControlSettingsDialog.textName": "標題", + "DE.Views.ControlSettingsDialog.textNone": "無", + "DE.Views.ControlSettingsDialog.textPlaceholder": "佔位符", + "DE.Views.ControlSettingsDialog.textShowAs": "顯示為", + "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": "變更符號", + "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.textEmpty": "請求引用為空。", + "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.textHeading": "標題", + "DE.Views.CrossReferenceDialog.textHeadingNum": "標題編號", + "DE.Views.CrossReferenceDialog.textHeadingNumFull": "標題編號(全文)", + "DE.Views.CrossReferenceDialog.textHeadingNumNo": "標題編號(無內容)", + "DE.Views.CrossReferenceDialog.textHeadingText": "標題文字", + "DE.Views.CrossReferenceDialog.textIncludeAbove": "包括上方/下方", + "DE.Views.CrossReferenceDialog.textInsert": "插入", + "DE.Views.CrossReferenceDialog.textInsertAs": "用超連結插入", + "DE.Views.CrossReferenceDialog.textLabelNum": "僅標籤和編號", + "DE.Views.CrossReferenceDialog.textNoteNum": "腳註編號", + "DE.Views.CrossReferenceDialog.textNoteNumForm": "腳註編號(格式化)", + "DE.Views.CrossReferenceDialog.textOnlyCaption": "僅字幕文字", + "DE.Views.CrossReferenceDialog.textPageNum": "頁碼", + "DE.Views.CrossReferenceDialog.textParagraph": "編號項目", + "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.textWhich": "對於哪個標題", + "DE.Views.CrossReferenceDialog.textWhichBookmark": "給哪個書籤", + "DE.Views.CrossReferenceDialog.textWhichEndnote": "對於哪個尾註", + "DE.Views.CrossReferenceDialog.textWhichHeading": "對於哪個標題", + "DE.Views.CrossReferenceDialog.textWhichNote": "對於哪個腳註", + "DE.Views.CrossReferenceDialog.textWhichPara": "對於哪個編號項目", + "DE.Views.CrossReferenceDialog.txtReference": "插入對", + "DE.Views.CrossReferenceDialog.txtTitle": "相互參照", + "DE.Views.CrossReferenceDialog.txtType": "參考類型", + "DE.Views.CustomColumnsDialog.textColumns": "列數", + "DE.Views.CustomColumnsDialog.textSeparator": "欄位分隔線", + "DE.Views.CustomColumnsDialog.textSpacing": "欄之前的距離", + "DE.Views.CustomColumnsDialog.textTitle": "欄", + "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.advancedDropCapText": "首字大寫設定", + "DE.Views.DocumentHolder.advancedFrameText": "框的進階設置", + "DE.Views.DocumentHolder.advancedParagraphText": "段落進階設置", + "DE.Views.DocumentHolder.advancedTableText": "表格進階設定", + "DE.Views.DocumentHolder.advancedText": "進階設定", + "DE.Views.DocumentHolder.alignmentText": "對齊", + "DE.Views.DocumentHolder.belowText": "之下", + "DE.Views.DocumentHolder.breakBeforeText": "分頁之前", + "DE.Views.DocumentHolder.bulletsText": "項目符和編號", + "DE.Views.DocumentHolder.cellAlignText": "儲存格垂直對齊", + "DE.Views.DocumentHolder.cellText": "儲存格", + "DE.Views.DocumentHolder.centerText": "中心", + "DE.Views.DocumentHolder.chartText": "圖表進階設置", + "DE.Views.DocumentHolder.columnText": "欄", + "DE.Views.DocumentHolder.deleteColumnText": "刪除欄位", + "DE.Views.DocumentHolder.deleteRowText": "刪除行列", + "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.guestText": "來賓帳戶", + "DE.Views.DocumentHolder.hyperlinkText": "超連結", + "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.insertRowAboveText": "上行", + "DE.Views.DocumentHolder.insertRowBelowText": "下行", + "DE.Views.DocumentHolder.insertRowText": "插入行", + "DE.Views.DocumentHolder.insertText": "插入", + "DE.Views.DocumentHolder.keepLinesText": "保持線條一致", + "DE.Views.DocumentHolder.langText": "選擇語言", + "DE.Views.DocumentHolder.leftText": "左", + "DE.Views.DocumentHolder.loadSpellText": "正在加載變體...", + "DE.Views.DocumentHolder.mergeCellsText": "合併儲存格", + "DE.Views.DocumentHolder.moreText": "更多變體...", + "DE.Views.DocumentHolder.noSpellVariantsText": "沒有變體", + "DE.Views.DocumentHolder.notcriticalErrorTitle": "警告", + "DE.Views.DocumentHolder.originalSizeText": "實際大小", + "DE.Views.DocumentHolder.paragraphText": "段落", + "DE.Views.DocumentHolder.removeHyperlinkText": "刪除超連結", + "DE.Views.DocumentHolder.rightText": "右", + "DE.Views.DocumentHolder.rowText": "行", + "DE.Views.DocumentHolder.saveStyleText": "新增風格", + "DE.Views.DocumentHolder.selectCellText": "選擇儲存格", + "DE.Views.DocumentHolder.selectColumnText": "選擇欄", + "DE.Views.DocumentHolder.selectRowText": "選擇列", + "DE.Views.DocumentHolder.selectTableText": "選擇表格", + "DE.Views.DocumentHolder.selectText": "選擇", + "DE.Views.DocumentHolder.shapeText": "形狀進階設定", + "DE.Views.DocumentHolder.spellcheckText": "拼字檢查", + "DE.Views.DocumentHolder.splitCellsText": "分割儲存格...", + "DE.Views.DocumentHolder.splitCellTitleText": "分割儲存格", + "DE.Views.DocumentHolder.strDelete": "刪除簽名", + "DE.Views.DocumentHolder.strDetails": "簽名細節", + "DE.Views.DocumentHolder.strSetup": "簽名設置", + "DE.Views.DocumentHolder.strSign": "簽名", + "DE.Views.DocumentHolder.styleText": "轉換為風格", + "DE.Views.DocumentHolder.tableText": "表格", + "DE.Views.DocumentHolder.textAccept": "同意更新", + "DE.Views.DocumentHolder.textAlign": "對齊", + "DE.Views.DocumentHolder.textArrange": "安排", + "DE.Views.DocumentHolder.textArrangeBack": "傳送到背景", + "DE.Views.DocumentHolder.textArrangeBackward": "向後發送", + "DE.Views.DocumentHolder.textArrangeForward": "向前進", + "DE.Views.DocumentHolder.textArrangeFront": "移到前景", + "DE.Views.DocumentHolder.textCells": "儲存格", + "DE.Views.DocumentHolder.textCol": "刪除整列", + "DE.Views.DocumentHolder.textContentControls": "內容控制", + "DE.Views.DocumentHolder.textContinueNumbering": "繼續編號", + "DE.Views.DocumentHolder.textCopy": "複製", + "DE.Views.DocumentHolder.textCrop": "剪裁", + "DE.Views.DocumentHolder.textCropFill": "填入", + "DE.Views.DocumentHolder.textCropFit": "切合", + "DE.Views.DocumentHolder.textCut": "剪下", + "DE.Views.DocumentHolder.textDistributeCols": "分配列", + "DE.Views.DocumentHolder.textDistributeRows": "分配行", + "DE.Views.DocumentHolder.textEditControls": "內容控制設置", + "DE.Views.DocumentHolder.textEditPoints": "編輯點", + "DE.Views.DocumentHolder.textEditWrapBoundary": "編輯包裝邊界", + "DE.Views.DocumentHolder.textFlipH": "水平翻轉", + "DE.Views.DocumentHolder.textFlipV": "垂直翻轉", + "DE.Views.DocumentHolder.textFollow": "跟隨移動", + "DE.Views.DocumentHolder.textFromFile": "從檔案", + "DE.Views.DocumentHolder.textFromStorage": "從存儲", + "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.textPaste": "貼上", + "DE.Views.DocumentHolder.textPrevPage": "前一頁", + "DE.Views.DocumentHolder.textRefreshField": "更新段落", + "DE.Views.DocumentHolder.textReject": "駁回更新", + "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.textRemRadioBox": "刪除單選按鈕", + "DE.Views.DocumentHolder.textReplace": "取代圖片", + "DE.Views.DocumentHolder.textRotate": "旋轉", + "DE.Views.DocumentHolder.textRotate270": "逆時針旋轉90°", + "DE.Views.DocumentHolder.textRotate90": "順時針旋轉90°", + "DE.Views.DocumentHolder.textRow": "刪除整行", + "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.textStartNewList": "開始新清單", + "DE.Views.DocumentHolder.textStartNumberingFrom": "設定編號值", + "DE.Views.DocumentHolder.textTitleCellsRemove": "刪除儲存格", + "DE.Views.DocumentHolder.textTOC": "目錄", + "DE.Views.DocumentHolder.textTOCSettings": "目錄設置", + "DE.Views.DocumentHolder.textUndo": "復原", + "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.txtAddBottom": "新增底部邊框", + "DE.Views.DocumentHolder.txtAddFractionBar": "新增分數欄", + "DE.Views.DocumentHolder.txtAddHor": "新增水平線", + "DE.Views.DocumentHolder.txtAddLB": "新增左邊框", + "DE.Views.DocumentHolder.txtAddLeft": "新增左邊框", + "DE.Views.DocumentHolder.txtAddLT": "新增左頂行", + "DE.Views.DocumentHolder.txtAddRight": "加入右邊框", + "DE.Views.DocumentHolder.txtAddTop": "加入上邊框", + "DE.Views.DocumentHolder.txtAddVer": "加入垂直線", + "DE.Views.DocumentHolder.txtAlignToChar": "與角色對齊", + "DE.Views.DocumentHolder.txtBehind": "文字在後", + "DE.Views.DocumentHolder.txtBorderProps": "邊框屬性", + "DE.Views.DocumentHolder.txtBottom": "底部", + "DE.Views.DocumentHolder.txtColumnAlign": "欄位對準", + "DE.Views.DocumentHolder.txtDecreaseArg": "減小參數大小", + "DE.Views.DocumentHolder.txtDeleteArg": "刪除參數", + "DE.Views.DocumentHolder.txtDeleteBreak": "刪除手動的斷行", + "DE.Views.DocumentHolder.txtDeleteChars": "刪除封閉字符", + "DE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "刪除括起來的字符和分隔符", + "DE.Views.DocumentHolder.txtDeleteEq": "刪除方程式", + "DE.Views.DocumentHolder.txtDeleteGroupChar": "刪除字元", + "DE.Views.DocumentHolder.txtDeleteRadical": "刪除部首", + "DE.Views.DocumentHolder.txtDistribHor": "水平分佈", + "DE.Views.DocumentHolder.txtDistribVert": "垂直分佈", + "DE.Views.DocumentHolder.txtEmpty": "(空)", + "DE.Views.DocumentHolder.txtFractionLinear": "變更為線性分數", + "DE.Views.DocumentHolder.txtFractionSkewed": "變更為傾斜分數", + "DE.Views.DocumentHolder.txtFractionStacked": "變更為堆積分數", + "DE.Views.DocumentHolder.txtGroup": "群組", + "DE.Views.DocumentHolder.txtGroupCharOver": "文字上的Char", + "DE.Views.DocumentHolder.txtGroupCharUnder": "文字下的Char", + "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": "隱藏左邊框", + "DE.Views.DocumentHolder.txtHideLT": "隱藏左頂行", + "DE.Views.DocumentHolder.txtHideOpenBracket": "隱藏開口支架", + "DE.Views.DocumentHolder.txtHidePlaceholder": "隱藏佔位符", + "DE.Views.DocumentHolder.txtHideRight": "隱藏右邊框", + "DE.Views.DocumentHolder.txtHideTop": "隱藏頂部邊框", + "DE.Views.DocumentHolder.txtHideTopLimit": "隱藏最高限額", + "DE.Views.DocumentHolder.txtHideVer": "隱藏垂直線", + "DE.Views.DocumentHolder.txtIncreaseArg": "增加參數大小", + "DE.Views.DocumentHolder.txtInFront": "文字在前", + "DE.Views.DocumentHolder.txtInline": "與文字排列", + "DE.Views.DocumentHolder.txtInsertArgAfter": "在後面插入參數", + "DE.Views.DocumentHolder.txtInsertArgBefore": "在前面插入參數", + "DE.Views.DocumentHolder.txtInsertBreak": "插入手動中斷", + "DE.Views.DocumentHolder.txtInsertCaption": "插入標題", + "DE.Views.DocumentHolder.txtInsertEqAfter": "在後面插入方程式", + "DE.Views.DocumentHolder.txtInsertEqBefore": "在前面插入方程式", + "DE.Views.DocumentHolder.txtKeepTextOnly": "僅保留文字", + "DE.Views.DocumentHolder.txtLimitChange": "變更限制位置", + "DE.Views.DocumentHolder.txtLimitOver": "文字限制", + "DE.Views.DocumentHolder.txtLimitUnder": "文字下的限制", + "DE.Views.DocumentHolder.txtMatchBrackets": "將括號匹配到參數高度", + "DE.Views.DocumentHolder.txtMatrixAlign": "矩陣對齊", + "DE.Views.DocumentHolder.txtOverbar": "槓覆蓋文字", + "DE.Views.DocumentHolder.txtOverwriteCells": "覆蓋儲存格", + "DE.Views.DocumentHolder.txtPasteSourceFormat": "保持源格式", + "DE.Views.DocumentHolder.txtPressLink": "按Ctrl並單擊連結", + "DE.Views.DocumentHolder.txtPrintSelection": "列印選擇", + "DE.Views.DocumentHolder.txtRemFractionBar": "刪除分數欄", + "DE.Views.DocumentHolder.txtRemLimit": "取消限制", + "DE.Views.DocumentHolder.txtRemoveAccentChar": "刪除強調字符", + "DE.Views.DocumentHolder.txtRemoveBar": "移除欄", + "DE.Views.DocumentHolder.txtRemoveWarning": "確定移除此簽名?
    這動作無法復原.", + "DE.Views.DocumentHolder.txtRemScripts": "刪除腳本", + "DE.Views.DocumentHolder.txtRemSubscript": "刪除下標", + "DE.Views.DocumentHolder.txtRemSuperscript": "刪除上標", + "DE.Views.DocumentHolder.txtScriptsAfter": "文字後的文字", + "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": "顯示最高限額", + "DE.Views.DocumentHolder.txtSquare": "正方形", + "DE.Views.DocumentHolder.txtStretchBrackets": "延伸括號", + "DE.Views.DocumentHolder.txtThrough": "通過", + "DE.Views.DocumentHolder.txtTight": "緊", + "DE.Views.DocumentHolder.txtTop": "上方", + "DE.Views.DocumentHolder.txtTopAndBottom": "頂部和底部", + "DE.Views.DocumentHolder.txtUnderbar": "槓至文字底下", + "DE.Views.DocumentHolder.txtUngroup": "解開組合", + "DE.Views.DocumentHolder.txtWarnUrl": "這連結可能對您的設備和資料造成損害。
    您確定要繼續嗎?", + "DE.Views.DocumentHolder.updateStyleText": "更新%1風格", + "DE.Views.DocumentHolder.vertAlignText": "垂直對齊", + "DE.Views.DropcapSettingsAdvanced.strBorders": "邊框和添入", + "DE.Views.DropcapSettingsAdvanced.strDropcap": "首字大寫", + "DE.Views.DropcapSettingsAdvanced.strMargins": "邊框", + "DE.Views.DropcapSettingsAdvanced.textAlign": "對齊", + "DE.Views.DropcapSettingsAdvanced.textAtLeast": "至少", + "DE.Views.DropcapSettingsAdvanced.textAuto": "自動", + "DE.Views.DropcapSettingsAdvanced.textBackColor": "背景顏色", + "DE.Views.DropcapSettingsAdvanced.textBorderColor": "邊框顏色", + "DE.Views.DropcapSettingsAdvanced.textBorderDesc": "點擊圖表或使用按鈕選擇邊框", + "DE.Views.DropcapSettingsAdvanced.textBorderWidth": "邊框大小", + "DE.Views.DropcapSettingsAdvanced.textBottom": "底部", + "DE.Views.DropcapSettingsAdvanced.textCenter": "中心", + "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": "高度", + "DE.Views.DropcapSettingsAdvanced.textHorizontal": "水平", + "DE.Views.DropcapSettingsAdvanced.textInline": "內聯框架", + "DE.Views.DropcapSettingsAdvanced.textInMargin": "在邊框內", + "DE.Views.DropcapSettingsAdvanced.textInText": "字段內", + "DE.Views.DropcapSettingsAdvanced.textLeft": "左", + "DE.Views.DropcapSettingsAdvanced.textMargin": "邊框", + "DE.Views.DropcapSettingsAdvanced.textMove": "與文字移動", + "DE.Views.DropcapSettingsAdvanced.textNone": "無", + "DE.Views.DropcapSettingsAdvanced.textPage": "頁面", + "DE.Views.DropcapSettingsAdvanced.textParagraph": "段落", + "DE.Views.DropcapSettingsAdvanced.textParameters": "參量", + "DE.Views.DropcapSettingsAdvanced.textPosition": "位置", + "DE.Views.DropcapSettingsAdvanced.textRelative": "關係到", + "DE.Views.DropcapSettingsAdvanced.textRight": "右", + "DE.Views.DropcapSettingsAdvanced.textRowHeight": "行高", + "DE.Views.DropcapSettingsAdvanced.textTitle": "首字大寫-進階設定", + "DE.Views.DropcapSettingsAdvanced.textTitleFrame": "框-進階設置", + "DE.Views.DropcapSettingsAdvanced.textTop": "上方", + "DE.Views.DropcapSettingsAdvanced.textVertical": "垂直", + "DE.Views.DropcapSettingsAdvanced.textWidth": "寬度", + "DE.Views.DropcapSettingsAdvanced.tipFontName": "字體", + "DE.Views.DropcapSettingsAdvanced.txtNoBorders": "無邊框", + "DE.Views.EditListItemDialog.textDisplayName": "顯示名稱", + "DE.Views.EditListItemDialog.textNameError": "顯示名稱不能為空。", + "DE.Views.EditListItemDialog.textValue": "值", + "DE.Views.EditListItemDialog.textValueError": "具有相同值的項目已存在。", + "DE.Views.FileMenu.btnBackCaption": "打開文件所在位置", + "DE.Views.FileMenu.btnCloseMenuCaption": "關閉選單", + "DE.Views.FileMenu.btnCreateNewCaption": "新增", + "DE.Views.FileMenu.btnDownloadCaption": "下載為...", + "DE.Views.FileMenu.btnExitCaption": "關閉", + "DE.Views.FileMenu.btnFileOpenCaption": "開啟...", + "DE.Views.FileMenu.btnHelpCaption": "幫助...", + "DE.Views.FileMenu.btnHistoryCaption": "版本歷史", + "DE.Views.FileMenu.btnInfoCaption": "文件資訊...", + "DE.Views.FileMenu.btnPrintCaption": "列印", + "DE.Views.FileMenu.btnProtectCaption": "保護", + "DE.Views.FileMenu.btnRecentFilesCaption": "打開最近...", + "DE.Views.FileMenu.btnRenameCaption": "改名...", + "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.textDownload": "下載", + "DE.Views.FileMenuPanels.CreateNew.txtBlank": "空白文檔", + "DE.Views.FileMenuPanels.CreateNew.txtCreateNew": "新增", + "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "套用", + "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.txtNo": "沒有", + "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "擁有者", + "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "頁", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "頁面大小", + "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落", + "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置", + "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "有權利的人", + "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "帶空格的符號", + "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "統計", + "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "主旨", + "DE.Views.FileMenuPanels.DocumentInfo.txtSymbols": "符號", + "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "標題", + "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "\n已上傳", + "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "文字", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "是", + "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "變更存取權限", + "DE.Views.FileMenuPanels.DocumentRights.txtRights": "有權利的人", + "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", + "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "帶密碼", + "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "受保護的文件", + "DE.Views.FileMenuPanels.ProtectDoc.strSignature": "帶簽名", + "DE.Views.FileMenuPanels.ProtectDoc.txtEdit": "編輯文件", + "DE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編輯將刪除文檔中的簽名。
    確定要繼續嗎?", + "DE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "本文件已受密碼保護", + "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "該文件需要簽名。", + "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有效簽名已增加到文件檔中。該文件檔受到保護,無法編輯。", + "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "文檔中的某些數字簽名無效或無法驗證。該文檔受到保護,無法編輯。", + "DE.Views.FileMenuPanels.ProtectDoc.txtView": "查看簽名", + "DE.Views.FileMenuPanels.Settings.okButtonText": "套用", + "DE.Views.FileMenuPanels.Settings.strAlignGuides": "打開對齊嚮導", + "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同編輯模式", + "DE.Views.FileMenuPanels.Settings.strFast": "快", + "DE.Views.FileMenuPanels.Settings.strFontRender": "字體提示", + "DE.Views.FileMenuPanels.Settings.strForcesave": "儲存時同時上傳到伺服器(否則在文檔關閉時才上傳)", + "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "巨集設定", + "DE.Views.FileMenuPanels.Settings.strPasteButton": "粘貼內容時顯示“粘貼選項”按鈕", + "DE.Views.FileMenuPanels.Settings.strShowChanges": "即時共同編輯設定更新", + "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "啟用拼寫檢查選項", + "DE.Views.FileMenuPanels.Settings.strStrict": "嚴格", + "DE.Views.FileMenuPanels.Settings.strTheme": "介面主題", + "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.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.textOldVersions": "儲存為DOCX時,使文件與舊版MS Word兼容", + "DE.Views.FileMenuPanels.Settings.txtAll": "查看全部", + "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "自動更正選項...", + "DE.Views.FileMenuPanels.Settings.txtCacheMode": "預設緩存模式", + "DE.Views.FileMenuPanels.Settings.txtChangesBalloons": "點擊氣球而展示", + "DE.Views.FileMenuPanels.Settings.txtChangesTip": "懸停在工具提示而展示", + "DE.Views.FileMenuPanels.Settings.txtCm": "公分", + "DE.Views.FileMenuPanels.Settings.txtDarkMode": "開啟文件夜間模式", + "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.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.txtSpellCheck": "拼字檢查", + "DE.Views.FileMenuPanels.Settings.txtStopMacros": "全部停用", + "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "不用提示停用全部巨集", + "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "顯示通知", + "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "以提示停用全部巨集", + "DE.Views.FileMenuPanels.Settings.txtWin": "作為Windows", + "DE.Views.FormSettings.textAlways": "永遠", + "DE.Views.FormSettings.textAspect": "鎖定寬高比", + "DE.Views.FormSettings.textAutofit": "自動調整", + "DE.Views.FormSettings.textBackgroundColor": "背景顏色", + "DE.Views.FormSettings.textCheckbox": "複選框", + "DE.Views.FormSettings.textColor": "邊框顏色", + "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.textFixed": "固定欄位大小", + "DE.Views.FormSettings.textFromFile": "從檔案", + "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.textMulti": "多行文字欄位", + "DE.Views.FormSettings.textNever": "永不", + "DE.Views.FormSettings.textNoBorder": "無邊界", + "DE.Views.FormSettings.textPlaceholder": "佔位符", + "DE.Views.FormSettings.textRadiobox": "收音機按鈕", + "DE.Views.FormSettings.textRequired": "必要", + "DE.Views.FormSettings.textScale": "何時縮放", + "DE.Views.FormSettings.textSelectImage": "選擇圖片", + "DE.Views.FormSettings.textTip": "頂點", + "DE.Views.FormSettings.textTipAdd": "增加新值", + "DE.Views.FormSettings.textTipDelete": "刪除值", + "DE.Views.FormSettings.textTipDown": "下移", + "DE.Views.FormSettings.textTipUp": "上移", + "DE.Views.FormSettings.textTooBig": "圖像過大", + "DE.Views.FormSettings.textTooSmall": "圖像過小", + "DE.Views.FormSettings.textUnlock": "開鎖", + "DE.Views.FormSettings.textValue": "值選項", + "DE.Views.FormSettings.textWidth": "儲存格寬度", + "DE.Views.FormsTab.capBtnCheckBox": "複選框", + "DE.Views.FormsTab.capBtnComboBox": "組合框", + "DE.Views.FormsTab.capBtnDropDown": "下拉式", + "DE.Views.FormsTab.capBtnImage": "圖像", + "DE.Views.FormsTab.capBtnNext": "下一欄位", + "DE.Views.FormsTab.capBtnPrev": "上一欄位", + "DE.Views.FormsTab.capBtnRadioBox": "收音機按鈕", + "DE.Views.FormsTab.capBtnSaveForm": "另存oform檔", + "DE.Views.FormsTab.capBtnSubmit": "傳送", + "DE.Views.FormsTab.capBtnText": "文字段落", + "DE.Views.FormsTab.capBtnView": "查看表格", + "DE.Views.FormsTab.textClear": "清除欄位", + "DE.Views.FormsTab.textClearFields": "清除所有段落", + "DE.Views.FormsTab.textCreateForm": "新增文字段落並建立一個可填寫的 OFORM 文件", + "DE.Views.FormsTab.textGotIt": "我瞭解了", + "DE.Views.FormsTab.textHighlight": "強調顯示設置", + "DE.Views.FormsTab.textNoHighlight": "沒有突出顯示", + "DE.Views.FormsTab.textRequired": "填寫所有必填欄位以發送表單。", + "DE.Views.FormsTab.textSubmited": "表格傳送成功", + "DE.Views.FormsTab.tipCheckBox": "插入複選框", + "DE.Views.FormsTab.tipComboBox": "插入組合框", + "DE.Views.FormsTab.tipDropDown": "插入下拉列表", + "DE.Views.FormsTab.tipImageField": "插入圖片", + "DE.Views.FormsTab.tipNextForm": "移至下一欄位", + "DE.Views.FormsTab.tipPrevForm": "移至上一欄位", + "DE.Views.FormsTab.tipRadioBox": "插入收音機按鈕", + "DE.Views.FormsTab.tipSaveForm": "儲存一份可以填寫的 OFORM 檔案", + "DE.Views.FormsTab.tipSubmit": "傳送表格", + "DE.Views.FormsTab.tipTextField": "插入文字欄位", + "DE.Views.FormsTab.tipViewForm": "查看表格", + "DE.Views.FormsTab.txtUntitled": "無標題", + "DE.Views.HeaderFooterSettings.textBottomCenter": "底部中間", + "DE.Views.HeaderFooterSettings.textBottomLeft": "左下方", + "DE.Views.HeaderFooterSettings.textBottomPage": "頁底", + "DE.Views.HeaderFooterSettings.textBottomRight": "右下方", + "DE.Views.HeaderFooterSettings.textDiffFirst": "首頁不同", + "DE.Views.HeaderFooterSettings.textDiffOdd": "單/雙數頁不同", + "DE.Views.HeaderFooterSettings.textFrom": "開始", + "DE.Views.HeaderFooterSettings.textHeaderFromBottom": "底部的頁腳", + "DE.Views.HeaderFooterSettings.textHeaderFromTop": "標頭從上方", + "DE.Views.HeaderFooterSettings.textInsertCurrent": "插入到當前位置", + "DE.Views.HeaderFooterSettings.textOptions": "選項", + "DE.Views.HeaderFooterSettings.textPageNum": "插入頁碼", + "DE.Views.HeaderFooterSettings.textPageNumbering": "頁編碼", + "DE.Views.HeaderFooterSettings.textPosition": "位置", + "DE.Views.HeaderFooterSettings.textPrev": "從上個部份繼續", + "DE.Views.HeaderFooterSettings.textSameAs": "連接到上一個", + "DE.Views.HeaderFooterSettings.textTopCenter": "頂部中心", + "DE.Views.HeaderFooterSettings.textTopLeft": "左上方", + "DE.Views.HeaderFooterSettings.textTopPage": "頁面頂部", + "DE.Views.HeaderFooterSettings.textTopRight": "右上", + "DE.Views.HyperlinkSettingsDialog.textDefault": "所選文字片段", + "DE.Views.HyperlinkSettingsDialog.textDisplay": "顯示", + "DE.Views.HyperlinkSettingsDialog.textExternal": "外部連結", + "DE.Views.HyperlinkSettingsDialog.textInternal": "放置在文件中", + "DE.Views.HyperlinkSettingsDialog.textTitle": "超連結設置", + "DE.Views.HyperlinkSettingsDialog.textTooltip": "屏幕提示文字", + "DE.Views.HyperlinkSettingsDialog.textUrl": "連結至", + "DE.Views.HyperlinkSettingsDialog.txtBeginning": "文件的開頭", + "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "書籤", + "DE.Views.HyperlinkSettingsDialog.txtEmpty": "這是必填欄", + "DE.Views.HyperlinkSettingsDialog.txtHeadings": "標題", + "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "此段落應為“ http://www.example.com”格式的網址", + "DE.Views.HyperlinkSettingsDialog.txtSizeLimit": "此欄位限2083字符", + "DE.Views.ImageSettings.textAdvanced": "顯示進階設定", + "DE.Views.ImageSettings.textCrop": "剪裁", + "DE.Views.ImageSettings.textCropFill": "填入", + "DE.Views.ImageSettings.textCropFit": "切合", + "DE.Views.ImageSettings.textCropToShape": "剪裁成圖形", + "DE.Views.ImageSettings.textEdit": "編輯", + "DE.Views.ImageSettings.textEditObject": "編輯物件", + "DE.Views.ImageSettings.textFitMargins": "切合至邊框", + "DE.Views.ImageSettings.textFlip": "翻轉", + "DE.Views.ImageSettings.textFromFile": "從檔案", + "DE.Views.ImageSettings.textFromStorage": "從存儲", + "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.textRecentlyUsed": "最近使用", + "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": "與文字排列", + "DE.Views.ImageSettings.txtSquare": "正方形", + "DE.Views.ImageSettings.txtThrough": "通過", + "DE.Views.ImageSettings.txtTight": "緊", + "DE.Views.ImageSettings.txtTopAndBottom": "頂部和底部", + "DE.Views.ImageSettingsAdvanced.strMargins": "文字填充", + "DE.Views.ImageSettingsAdvanced.textAbsoluteWH": "絕對", + "DE.Views.ImageSettingsAdvanced.textAlignment": "對齊", + "DE.Views.ImageSettingsAdvanced.textAlt": "替代文字", + "DE.Views.ImageSettingsAdvanced.textAltDescription": "描述", + "DE.Views.ImageSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "DE.Views.ImageSettingsAdvanced.textAltTitle": "標題", + "DE.Views.ImageSettingsAdvanced.textAngle": "角度", + "DE.Views.ImageSettingsAdvanced.textArrows": "箭頭", + "DE.Views.ImageSettingsAdvanced.textAspectRatio": "鎖定寬高比", + "DE.Views.ImageSettingsAdvanced.textAutofit": "自動調整", + "DE.Views.ImageSettingsAdvanced.textBeginSize": "開始大小", + "DE.Views.ImageSettingsAdvanced.textBeginStyle": "開始風格", + "DE.Views.ImageSettingsAdvanced.textBelow": "之下", + "DE.Views.ImageSettingsAdvanced.textBevel": "斜角", + "DE.Views.ImageSettingsAdvanced.textBottom": "底部", + "DE.Views.ImageSettingsAdvanced.textBottomMargin": "底邊距", + "DE.Views.ImageSettingsAdvanced.textBtnWrap": "文字包裝", + "DE.Views.ImageSettingsAdvanced.textCapType": "Cap 類型", + "DE.Views.ImageSettingsAdvanced.textCenter": "中心", + "DE.Views.ImageSettingsAdvanced.textCharacter": "文字", + "DE.Views.ImageSettingsAdvanced.textColumn": "欄", + "DE.Views.ImageSettingsAdvanced.textDistance": "與文字的距離", + "DE.Views.ImageSettingsAdvanced.textEndSize": "端部尺寸", + "DE.Views.ImageSettingsAdvanced.textEndStyle": "結束風格", + "DE.Views.ImageSettingsAdvanced.textFlat": "平面", + "DE.Views.ImageSettingsAdvanced.textFlipped": "已翻轉", + "DE.Views.ImageSettingsAdvanced.textHeight": "高度", + "DE.Views.ImageSettingsAdvanced.textHorizontal": "水平", + "DE.Views.ImageSettingsAdvanced.textHorizontally": "水平地", + "DE.Views.ImageSettingsAdvanced.textJoinType": "加入類型", + "DE.Views.ImageSettingsAdvanced.textKeepRatio": "比例不變", + "DE.Views.ImageSettingsAdvanced.textLeft": "左", + "DE.Views.ImageSettingsAdvanced.textLeftMargin": "左邊距", + "DE.Views.ImageSettingsAdvanced.textLine": "線", + "DE.Views.ImageSettingsAdvanced.textLineStyle": "線型", + "DE.Views.ImageSettingsAdvanced.textMargin": "邊框", + "DE.Views.ImageSettingsAdvanced.textMiter": "Miter", + "DE.Views.ImageSettingsAdvanced.textMove": "用文字移動對象", + "DE.Views.ImageSettingsAdvanced.textOptions": "選項", + "DE.Views.ImageSettingsAdvanced.textOriginalSize": "實際大小", + "DE.Views.ImageSettingsAdvanced.textOverlap": "允許重疊", + "DE.Views.ImageSettingsAdvanced.textPage": "頁面", + "DE.Views.ImageSettingsAdvanced.textParagraph": "段落", + "DE.Views.ImageSettingsAdvanced.textPosition": "位置", + "DE.Views.ImageSettingsAdvanced.textPositionPc": "相對位置", + "DE.Views.ImageSettingsAdvanced.textRelative": "關係到", + "DE.Views.ImageSettingsAdvanced.textRelativeWH": "相對的", + "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": "形狀設定", + "DE.Views.ImageSettingsAdvanced.textSize": "大小", + "DE.Views.ImageSettingsAdvanced.textSquare": "正方形", + "DE.Views.ImageSettingsAdvanced.textTextBox": "文字框", + "DE.Views.ImageSettingsAdvanced.textTitle": "圖像-進階設置", + "DE.Views.ImageSettingsAdvanced.textTitleChart": "圖表-進階設置", + "DE.Views.ImageSettingsAdvanced.textTitleShape": "形狀 - 進階設定", + "DE.Views.ImageSettingsAdvanced.textTop": "上方", + "DE.Views.ImageSettingsAdvanced.textTopMargin": "頂部邊框", + "DE.Views.ImageSettingsAdvanced.textVertical": "垂直", + "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": "與文字排列", + "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "正方形", + "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "通過", + "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "緊", + "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "頂部和底部", + "DE.Views.LeftMenu.tipAbout": "關於", + "DE.Views.LeftMenu.tipChat": "聊天", + "DE.Views.LeftMenu.tipComments": "註解", + "DE.Views.LeftMenu.tipNavigation": "導航", + "DE.Views.LeftMenu.tipPlugins": "外掛程式", + "DE.Views.LeftMenu.tipSearch": "搜尋", + "DE.Views.LeftMenu.tipSupport": "反饋與支持", + "DE.Views.LeftMenu.tipTitles": "標題", + "DE.Views.LeftMenu.txtDeveloper": "開發者模式", + "DE.Views.LeftMenu.txtLimit": "限制存取", + "DE.Views.LeftMenu.txtTrial": "試用模式", + "DE.Views.LeftMenu.txtTrialDev": "試用開發人員模式", + "DE.Views.LineNumbersDialog.textAddLineNumbering": "添加行號", + "DE.Views.LineNumbersDialog.textApplyTo": "套用更改", + "DE.Views.LineNumbersDialog.textContinuous": "連續", + "DE.Views.LineNumbersDialog.textCountBy": "計數", + "DE.Views.LineNumbersDialog.textDocument": "整個文檔", + "DE.Views.LineNumbersDialog.textForward": "這一點向前", + "DE.Views.LineNumbersDialog.textFromText": "來自文字", + "DE.Views.LineNumbersDialog.textNumbering": "編號項目", + "DE.Views.LineNumbersDialog.textRestartEachPage": "重新開始每一頁", + "DE.Views.LineNumbersDialog.textRestartEachSection": "重新開始每個部分", + "DE.Views.LineNumbersDialog.textSection": "當前部分", + "DE.Views.LineNumbersDialog.textStartAt": "開始", + "DE.Views.LineNumbersDialog.textTitle": "行號", + "DE.Views.LineNumbersDialog.txtAutoText": "自動", + "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": "左", + "DE.Views.ListSettingsDialog.textLevel": "水平", + "DE.Views.ListSettingsDialog.textPreview": "預覽", + "DE.Views.ListSettingsDialog.textRight": "右", + "DE.Views.ListSettingsDialog.txtAlign": "對齊", + "DE.Views.ListSettingsDialog.txtBullet": "項目點", + "DE.Views.ListSettingsDialog.txtColor": "顏色", + "DE.Views.ListSettingsDialog.txtFont": "字體和符號", + "DE.Views.ListSettingsDialog.txtLikeText": "像文字", + "DE.Views.ListSettingsDialog.txtNewBullet": "新子彈點", + "DE.Views.ListSettingsDialog.txtNone": "無", + "DE.Views.ListSettingsDialog.txtSize": "大小", + "DE.Views.ListSettingsDialog.txtSymbol": "符號", + "DE.Views.ListSettingsDialog.txtTitle": "清單設定", + "DE.Views.ListSettingsDialog.txtType": "類型", + "DE.Views.MailMergeEmailDlg.filePlaceholder": "PDF格式", + "DE.Views.MailMergeEmailDlg.okButtonText": "傳送", + "DE.Views.MailMergeEmailDlg.subjectPlaceholder": "主題", + "DE.Views.MailMergeEmailDlg.textAttachDocx": "附加為DOCX", + "DE.Views.MailMergeEmailDlg.textAttachPdf": "附件為PDF", + "DE.Views.MailMergeEmailDlg.textFileName": "檔案名稱", + "DE.Views.MailMergeEmailDlg.textFormat": "郵件格式", + "DE.Views.MailMergeEmailDlg.textFrom": "自", + "DE.Views.MailMergeEmailDlg.textHTML": "HTML", + "DE.Views.MailMergeEmailDlg.textMessage": "訊息", + "DE.Views.MailMergeEmailDlg.textSubject": "主題行", + "DE.Views.MailMergeEmailDlg.textTitle": "傳送到電子郵件", + "DE.Views.MailMergeEmailDlg.textTo": "到", + "DE.Views.MailMergeEmailDlg.textWarning": "警告!", + "DE.Views.MailMergeEmailDlg.textWarningMsg": "請注意,單擊“發送”按鈕後就無法停止郵寄。", + "DE.Views.MailMergeSettings.downloadMergeTitle": "合併", + "DE.Views.MailMergeSettings.errorMailMergeSaveFile": "合併失敗.", + "DE.Views.MailMergeSettings.notcriticalErrorTitle": "警告", + "DE.Views.MailMergeSettings.textAddRecipients": "首先將一些收件人添加到列表中", + "DE.Views.MailMergeSettings.textAll": "所有記錄", + "DE.Views.MailMergeSettings.textCurrent": "當前記錄", + "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.textHighlight": "突出顯示合併字段", + "DE.Views.MailMergeSettings.textInsertField": "插入合併字段", + "DE.Views.MailMergeSettings.textMaxRecepients": "最多100個收件人。", + "DE.Views.MailMergeSettings.textMerge": "合併", + "DE.Views.MailMergeSettings.textMergeFields": "合併欄位", + "DE.Views.MailMergeSettings.textMergeTo": "合併到", + "DE.Views.MailMergeSettings.textPdf": "PDF格式", + "DE.Views.MailMergeSettings.textPortal": "存檔", + "DE.Views.MailMergeSettings.textPreview": "預覽結果", + "DE.Views.MailMergeSettings.textReadMore": "瞭解更多", + "DE.Views.MailMergeSettings.textSendMsg": "所有郵件均已準備就緒,將在一段時間內發送出去。
    郵件的發送速度取決於您的郵件服務。
    您可以繼續使用文檔或將其關閉。操作結束後,通知將發送到您的註冊電子郵件地址。", + "DE.Views.MailMergeSettings.textTo": "到", + "DE.Views.MailMergeSettings.txtFirst": "到第一個記錄", + "DE.Views.MailMergeSettings.txtFromToError": "\"從\"值必須小於\"到\"值", + "DE.Views.MailMergeSettings.txtLast": "到最後記錄", + "DE.Views.MailMergeSettings.txtNext": "到下一條記錄", + "DE.Views.MailMergeSettings.txtPrev": "到之前的紀錄", + "DE.Views.MailMergeSettings.txtUntitled": "無標題", + "DE.Views.MailMergeSettings.warnProcessMailMerge": "開始合併失敗", + "DE.Views.Navigation.txtCollapse": "全部收縮", + "DE.Views.Navigation.txtDemote": "降級", + "DE.Views.Navigation.txtEmpty": "文件中沒有標題。
    應用一個標題風格,以便出現在目錄中。", + "DE.Views.Navigation.txtEmptyItem": "空標題", + "DE.Views.Navigation.txtEmptyViewer": "文件中沒有標題。", + "DE.Views.Navigation.txtExpand": "展開全部", + "DE.Views.Navigation.txtExpandToLevel": "擴展到水平", + "DE.Views.Navigation.txtHeadingAfter": "之後的新標題", + "DE.Views.Navigation.txtHeadingBefore": "之前的新標題", + "DE.Views.Navigation.txtNewHeading": "新副標題", + "DE.Views.Navigation.txtPromote": "促進", + "DE.Views.Navigation.txtSelect": "選擇內容", + "DE.Views.NoteSettingsDialog.textApply": "套用", + "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": "插入", + "DE.Views.NoteSettingsDialog.textLocation": "位置", + "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": "溝", + "DE.Views.PageMarginsDialog.textGutterPosition": "溝位置", + "DE.Views.PageMarginsDialog.textInside": "內", + "DE.Views.PageMarginsDialog.textLandscape": "橫向方向", + "DE.Views.PageMarginsDialog.textLeft": "左", + "DE.Views.PageMarginsDialog.textMirrorMargins": "對應邊距", + "DE.Views.PageMarginsDialog.textMultiplePages": "多頁", + "DE.Views.PageMarginsDialog.textNormal": "標準", + "DE.Views.PageMarginsDialog.textOrientation": "方向", + "DE.Views.PageMarginsDialog.textOutside": "外", + "DE.Views.PageMarginsDialog.textPortrait": "直向方向", + "DE.Views.PageMarginsDialog.textPreview": "預覽", + "DE.Views.PageMarginsDialog.textRight": "右", + "DE.Views.PageMarginsDialog.textTitle": "邊框", + "DE.Views.PageMarginsDialog.textTop": "上方", + "DE.Views.PageMarginsDialog.txtMarginsH": "對於給定的頁面高度,上下邊距太高", + "DE.Views.PageMarginsDialog.txtMarginsW": "給定頁面寬度,左右頁邊距太寬", + "DE.Views.PageSizeDialog.textHeight": "高度", + "DE.Views.PageSizeDialog.textPreset": "預設值", + "DE.Views.PageSizeDialog.textTitle": "頁面大小", + "DE.Views.PageSizeDialog.textWidth": "寬度", + "DE.Views.PageSizeDialog.txtCustom": "自訂", + "DE.Views.PageThumbnails.textClosePanel": "關閉預覽圖", + "DE.Views.PageThumbnails.textHighlightVisiblePart": "色彩醒目提示頁面可見部份", + "DE.Views.PageThumbnails.textPageThumbnails": "頁面預覽圖", + "DE.Views.PageThumbnails.textThumbnailsSettings": "預覽圖設定", + "DE.Views.PageThumbnails.textThumbnailsSize": "預覽圖大小", + "DE.Views.ParagraphSettings.strIndent": "縮進", + "DE.Views.ParagraphSettings.strIndentsLeftText": "左", + "DE.Views.ParagraphSettings.strIndentsRightText": "右", + "DE.Views.ParagraphSettings.strIndentsSpecial": "特殊", + "DE.Views.ParagraphSettings.strLineHeight": "行間距", + "DE.Views.ParagraphSettings.strParagraphSpacing": "段落間距", + "DE.Views.ParagraphSettings.strSomeParagraphSpace": "不要在相同風格的文字段落之間添加間隔", + "DE.Views.ParagraphSettings.strSpacingAfter": "之後", + "DE.Views.ParagraphSettings.strSpacingBefore": "之前", + "DE.Views.ParagraphSettings.textAdvanced": "顯示進階設定", + "DE.Views.ParagraphSettings.textAt": "在", + "DE.Views.ParagraphSettings.textAtLeast": "至少", + "DE.Views.ParagraphSettings.textAuto": "多項", + "DE.Views.ParagraphSettings.textBackColor": "背景顏色", + "DE.Views.ParagraphSettings.textExact": "準確", + "DE.Views.ParagraphSettings.textFirstLine": "第一行", + "DE.Views.ParagraphSettings.textHanging": "懸掛式", + "DE.Views.ParagraphSettings.textNoneSpecial": "(空)", + "DE.Views.ParagraphSettings.txtAutoText": "自動", + "DE.Views.ParagraphSettingsAdvanced.noTabs": "指定的標籤將出現在此段落中", + "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大寫", + "DE.Views.ParagraphSettingsAdvanced.strBorders": "邊框和添入", + "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "分頁之前", + "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "雙刪除線", + "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": "之前", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊", + "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "保持線條一致", + "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "跟著下一個", + "DE.Views.ParagraphSettingsAdvanced.strMargins": "填充物", + "DE.Views.ParagraphSettingsAdvanced.strOrphan": "孤兒控制", + "DE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字體", + "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "縮進和間距", + "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "換行和分頁符", + "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "放置", + "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小大寫", + "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "不要在相同風格的文字段落之間添加間隔", + "DE.Views.ParagraphSettingsAdvanced.strSpacing": "間距", + "DE.Views.ParagraphSettingsAdvanced.strStrike": "刪除線", + "DE.Views.ParagraphSettingsAdvanced.strSubscript": "下標", + "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "上標", + "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "禁止行號", + "DE.Views.ParagraphSettingsAdvanced.strTabs": "標籤", + "DE.Views.ParagraphSettingsAdvanced.textAlign": "對齊", + "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "至少", + "DE.Views.ParagraphSettingsAdvanced.textAuto": "多項", + "DE.Views.ParagraphSettingsAdvanced.textBackColor": "背景顏色", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "基本文字", + "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "邊框顏色", + "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "點擊圖或使用按鈕選擇邊框並將選定的樣式應用於邊框", + "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "邊框大小", + "DE.Views.ParagraphSettingsAdvanced.textBottom": "底部", + "DE.Views.ParagraphSettingsAdvanced.textCentered": "置中", + "DE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "文字間距", + "DE.Views.ParagraphSettingsAdvanced.textDefault": "預設分頁", + "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.textRight": "右", + "DE.Views.ParagraphSettingsAdvanced.textSet": "指定", + "DE.Views.ParagraphSettingsAdvanced.textSpacing": "間距", + "DE.Views.ParagraphSettingsAdvanced.textTabCenter": "中心", + "DE.Views.ParagraphSettingsAdvanced.textTabLeft": "左", + "DE.Views.ParagraphSettingsAdvanced.textTabPosition": "標籤位置", + "DE.Views.ParagraphSettingsAdvanced.textTabRight": "右", + "DE.Views.ParagraphSettingsAdvanced.textTitle": "段落-進階設置", + "DE.Views.ParagraphSettingsAdvanced.textTop": "上方", + "DE.Views.ParagraphSettingsAdvanced.tipAll": "設置外邊界和所有內線", + "DE.Views.ParagraphSettingsAdvanced.tipBottom": "僅設置底部邊框", + "DE.Views.ParagraphSettingsAdvanced.tipInner": "僅設置水平內線", + "DE.Views.ParagraphSettingsAdvanced.tipLeft": "僅設置左邊框", + "DE.Views.ParagraphSettingsAdvanced.tipNone": "設置無邊界", + "DE.Views.ParagraphSettingsAdvanced.tipOuter": "僅設置外部框線", + "DE.Views.ParagraphSettingsAdvanced.tipRight": "僅設置右邊框", + "DE.Views.ParagraphSettingsAdvanced.tipTop": "僅設置頂部邊框", + "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": "郵件合併設置", + "DE.Views.RightMenu.txtParagraphSettings": "段落設定", + "DE.Views.RightMenu.txtShapeSettings": "形狀設定", + "DE.Views.RightMenu.txtSignatureSettings": "簽名設置", + "DE.Views.RightMenu.txtTableSettings": "表格設定", + "DE.Views.RightMenu.txtTextArtSettings": "文字藝術設定", + "DE.Views.ShapeSettings.strBackground": "背景顏色", + "DE.Views.ShapeSettings.strChange": "變更自動形狀", + "DE.Views.ShapeSettings.strColor": "顏色", + "DE.Views.ShapeSettings.strFill": "填入", + "DE.Views.ShapeSettings.strForeground": "前景色", + "DE.Views.ShapeSettings.strPattern": "模式", + "DE.Views.ShapeSettings.strShadow": "顯示陰影", + "DE.Views.ShapeSettings.strSize": "大小", + "DE.Views.ShapeSettings.strStroke": "筆鋒", + "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": "方向", + "DE.Views.ShapeSettings.textEmptyPattern": "無模式", + "DE.Views.ShapeSettings.textFlip": "翻轉", + "DE.Views.ShapeSettings.textFromFile": "從檔案", + "DE.Views.ShapeSettings.textFromStorage": "從存儲", + "DE.Views.ShapeSettings.textFromUrl": "從 URL", + "DE.Views.ShapeSettings.textGradient": "漸變點", + "DE.Views.ShapeSettings.textGradientFill": "漸層填充", + "DE.Views.ShapeSettings.textHint270": "逆時針旋轉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": "模式", + "DE.Views.ShapeSettings.textPosition": "位置", + "DE.Views.ShapeSettings.textRadial": "徑向的", + "DE.Views.ShapeSettings.textRecentlyUsed": "最近使用", + "DE.Views.ShapeSettings.textRotate90": "旋轉90°", + "DE.Views.ShapeSettings.textRotation": "旋轉", + "DE.Views.ShapeSettings.textSelectImage": "選擇圖片", + "DE.Views.ShapeSettings.textSelectTexture": "選擇", + "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.txtCanvas": "畫布", + "DE.Views.ShapeSettings.txtCarton": "紙箱", + "DE.Views.ShapeSettings.txtDarkFabric": "深色面料", + "DE.Views.ShapeSettings.txtGrain": "紋", + "DE.Views.ShapeSettings.txtGranite": "花崗岩", + "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.txtPapyrus": "紙莎草紙", + "DE.Views.ShapeSettings.txtSquare": "正方形", + "DE.Views.ShapeSettings.txtThrough": "通過", + "DE.Views.ShapeSettings.txtTight": "緊", + "DE.Views.ShapeSettings.txtTopAndBottom": "頂部和底部", + "DE.Views.ShapeSettings.txtWood": "木頭", + "DE.Views.SignatureSettings.notcriticalErrorTitle": "警告", + "DE.Views.SignatureSettings.strDelete": "刪除簽名", + "DE.Views.SignatureSettings.strDetails": "簽名細節", + "DE.Views.SignatureSettings.strInvalid": "無效的簽名", + "DE.Views.SignatureSettings.strRequested": "要求的簽名", + "DE.Views.SignatureSettings.strSetup": "簽名設置", + "DE.Views.SignatureSettings.strSign": "簽名", + "DE.Views.SignatureSettings.strSignature": "簽名", + "DE.Views.SignatureSettings.strSigner": "簽名者", + "DE.Views.SignatureSettings.strValid": "有效簽名", + "DE.Views.SignatureSettings.txtContinueEditing": "仍要編輯", + "DE.Views.SignatureSettings.txtEditWarning": "編輯將刪除文檔中的簽名。
    是否確定繼續?", + "DE.Views.SignatureSettings.txtRemoveWarning": "確定移除此簽名?
    這動作無法復原.", + "DE.Views.SignatureSettings.txtRequestedSignatures": "該文件需要簽名。", + "DE.Views.SignatureSettings.txtSigned": "有效簽名已添加到文檔中。該文檔受到保護,無法編輯。", + "DE.Views.SignatureSettings.txtSignedInvalid": "文檔中的某些數字簽名無效或無法驗證。該文檔受到保護,無法編輯。", + "DE.Views.Statusbar.goToPageText": "轉到頁面", + "DE.Views.Statusbar.pageIndexText": "第{0}頁,共{1}頁", + "DE.Views.Statusbar.tipFitPage": "切合至頁面", + "DE.Views.Statusbar.tipFitWidth": "切合至寬度", + "DE.Views.Statusbar.tipHandTool": "移動工具", + "DE.Views.Statusbar.tipSelectTool": "選取工具", + "DE.Views.Statusbar.tipSetLang": "設定文字語言", + "DE.Views.Statusbar.tipZoomFactor": "放大", + "DE.Views.Statusbar.tipZoomIn": "放大", + "DE.Views.Statusbar.tipZoomOut": "縮小", + "DE.Views.Statusbar.txtPageNumInvalid": "頁碼無效", + "DE.Views.StyleTitleDialog.textHeader": "新增風格", + "DE.Views.StyleTitleDialog.textNextStyle": "下一段風格", + "DE.Views.StyleTitleDialog.textTitle": "標題", + "DE.Views.StyleTitleDialog.txtEmpty": "這是必填欄", + "DE.Views.StyleTitleDialog.txtNotEmpty": "段落不能為空", + "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.TableOfContentsSettings.strAlign": "右對齊頁碼", + "DE.Views.TableOfContentsSettings.strFullCaption": "包括標籤和編號", + "DE.Views.TableOfContentsSettings.strLinks": "將目錄格式設置為連結", + "DE.Views.TableOfContentsSettings.strLinksOF": "調數字目錄格式為鏈接", + "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.txtDistinctive": "獨特的", + "DE.Views.TableOfContentsSettings.txtFormal": "正式", + "DE.Views.TableOfContentsSettings.txtModern": "現代", + "DE.Views.TableOfContentsSettings.txtOnline": "上線", + "DE.Views.TableOfContentsSettings.txtSimple": "簡單", + "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.insertRowAboveText": "在上方插入行", + "DE.Views.TableSettings.insertRowBelowText": "在下方插入行", + "DE.Views.TableSettings.mergeCellsText": "合併儲存格", + "DE.Views.TableSettings.selectCellText": "選擇儲存格", + "DE.Views.TableSettings.selectColumnText": "選擇欄", + "DE.Views.TableSettings.selectRowText": "選擇列", + "DE.Views.TableSettings.selectTableText": "選擇表格", + "DE.Views.TableSettings.splitCellsText": "分割儲存格...", + "DE.Views.TableSettings.splitCellTitleText": "分割儲存格", + "DE.Views.TableSettings.strRepeatRow": "在每一頁頂部重複作為標題行", + "DE.Views.TableSettings.textAddFormula": "插入函數", + "DE.Views.TableSettings.textAdvanced": "顯示進階設定", + "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.textConvert": "轉換表格至文字", + "DE.Views.TableSettings.textDistributeCols": "分配列", + "DE.Views.TableSettings.textDistributeRows": "分配行", + "DE.Views.TableSettings.textEdit": "行和列", + "DE.Views.TableSettings.textEmptyTemplate": "\n沒有模板", + "DE.Views.TableSettings.textFirst": "第一", + "DE.Views.TableSettings.textHeader": "標頭", + "DE.Views.TableSettings.textHeight": "高度", + "DE.Views.TableSettings.textLast": "最後", + "DE.Views.TableSettings.textRows": "行列", + "DE.Views.TableSettings.textSelectBorders": "選擇您要更改上面選擇的應用風格的邊框", + "DE.Views.TableSettings.textTemplate": "從範本中選擇", + "DE.Views.TableSettings.textTotal": "總計", + "DE.Views.TableSettings.textWidth": "寬度", + "DE.Views.TableSettings.tipAll": "設置外邊界和所有內線", + "DE.Views.TableSettings.tipBottom": "僅設置外底邊框", + "DE.Views.TableSettings.tipInner": "僅設置內線", + "DE.Views.TableSettings.tipInnerHor": "僅設置水平內線", + "DE.Views.TableSettings.tipInnerVert": "僅設置垂直內線", + "DE.Views.TableSettings.tipLeft": "僅設置左外邊框", + "DE.Views.TableSettings.tipNone": "設置無邊界", + "DE.Views.TableSettings.tipOuter": "僅設置外部框線", + "DE.Views.TableSettings.tipRight": "僅設置右外框", + "DE.Views.TableSettings.tipTop": "僅設置外部頂部邊框", + "DE.Views.TableSettings.txtNoBorders": "無邊框", + "DE.Views.TableSettings.txtTable_Accent": "口音", + "DE.Views.TableSettings.txtTable_Colorful": "七彩", + "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_TableGrid": "表格網格", + "DE.Views.TableSettingsAdvanced.textAlign": "對齊", + "DE.Views.TableSettingsAdvanced.textAlignment": "對齊", + "DE.Views.TableSettingsAdvanced.textAllowSpacing": "儲存格間距", + "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.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.textCellProps": "儲存格", + "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.textHorizontal": "水平", + "DE.Views.TableSettingsAdvanced.textIndLeft": "從左縮進", + "DE.Views.TableSettingsAdvanced.textLeft": "左", + "DE.Views.TableSettingsAdvanced.textLeftTooltip": "左", + "DE.Views.TableSettingsAdvanced.textMargin": "邊框", + "DE.Views.TableSettingsAdvanced.textMargins": "儲存格邊距", + "DE.Views.TableSettingsAdvanced.textMeasure": "測量", + "DE.Views.TableSettingsAdvanced.textMove": "用文字移動對象", + "DE.Views.TableSettingsAdvanced.textOnlyCells": "僅適用於選取的儲存格", + "DE.Views.TableSettingsAdvanced.textOptions": "選項", + "DE.Views.TableSettingsAdvanced.textOverlap": "允許重疊", + "DE.Views.TableSettingsAdvanced.textPage": "頁面", + "DE.Views.TableSettingsAdvanced.textPosition": "位置", + "DE.Views.TableSettingsAdvanced.textPrefWidth": "首選寬度", + "DE.Views.TableSettingsAdvanced.textPreview": "預覽", + "DE.Views.TableSettingsAdvanced.textRelative": "關係到", + "DE.Views.TableSettingsAdvanced.textRight": "右", + "DE.Views.TableSettingsAdvanced.textRightOf": "在 - 的右邊", + "DE.Views.TableSettingsAdvanced.textRightTooltip": "右", + "DE.Views.TableSettingsAdvanced.textTable": "表格", + "DE.Views.TableSettingsAdvanced.textTableBackColor": "表格背景", + "DE.Views.TableSettingsAdvanced.textTablePosition": "表格位置", + "DE.Views.TableSettingsAdvanced.textTableSize": "表格大小", + "DE.Views.TableSettingsAdvanced.textTitle": "表格 - 進階設定", + "DE.Views.TableSettingsAdvanced.textTop": "上方", + "DE.Views.TableSettingsAdvanced.textVertical": "垂直", + "DE.Views.TableSettingsAdvanced.textWidth": "寬度", + "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": "設置邊框僅用於內部儲存格", + "DE.Views.TableSettingsAdvanced.tipCellInner": "只為內部儲存格設置垂直和水平線", + "DE.Views.TableSettingsAdvanced.tipCellOuter": "為內部儲存格設置外部邊界", + "DE.Views.TableSettingsAdvanced.tipInner": "僅設置內線", + "DE.Views.TableSettingsAdvanced.tipNone": "設置無邊界", + "DE.Views.TableSettingsAdvanced.tipOuter": "僅設置外部框線", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellAll": " 設置外部邊框和所有內部儲存格的邊框", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellInner": "設置內部儲存格的外部邊界以及垂直和水平線", + "DE.Views.TableSettingsAdvanced.tipTableOuterCellOuter": "設置表格的外部邊框和內部儲存格的外部邊框", + "DE.Views.TableSettingsAdvanced.txtCm": "公分", + "DE.Views.TableSettingsAdvanced.txtInch": "吋", + "DE.Views.TableSettingsAdvanced.txtNoBorders": "無邊框", + "DE.Views.TableSettingsAdvanced.txtPercent": "百分", + "DE.Views.TableSettingsAdvanced.txtPt": "點", + "DE.Views.TableToTextDialog.textEmpty": "你必須輸入至少一個自訂的分隔字元", + "DE.Views.TableToTextDialog.textNested": "轉換套疊表格", + "DE.Views.TableToTextDialog.textOther": "其它", + "DE.Views.TableToTextDialog.textPara": "段落標記", + "DE.Views.TableToTextDialog.textSemicolon": "分號", + "DE.Views.TableToTextDialog.textSeparator": "文字分隔用", + "DE.Views.TableToTextDialog.textTab": "標籤", + "DE.Views.TableToTextDialog.textTitle": "轉換表格至文字", + "DE.Views.TextArtSettings.strColor": "顏色", + "DE.Views.TextArtSettings.strFill": "填入", + "DE.Views.TextArtSettings.strSize": "大小", + "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": "方向", + "DE.Views.TextArtSettings.textGradient": "漸變點", + "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.TextToTableDialog.textAutofit": "自動調整欄寬", + "DE.Views.TextToTableDialog.textColumns": "欄", + "DE.Views.TextToTableDialog.textContents": "自動調整欄寬至內容", + "DE.Views.TextToTableDialog.textEmpty": "你必須輸入至少一個自訂的分隔字元", + "DE.Views.TextToTableDialog.textFixed": "固定欄寬", + "DE.Views.TextToTableDialog.textOther": "其它", + "DE.Views.TextToTableDialog.textPara": "段落", + "DE.Views.TextToTableDialog.textRows": "行列", + "DE.Views.TextToTableDialog.textSemicolon": "分號", + "DE.Views.TextToTableDialog.textSeparator": "文字分隔從", + "DE.Views.TextToTableDialog.textTab": "標籤", + "DE.Views.TextToTableDialog.textTableSize": "表格大小", + "DE.Views.TextToTableDialog.textTitle": "轉換文字至表格", + "DE.Views.TextToTableDialog.textWindow": "自動調整欄寬至視窗", + "DE.Views.TextToTableDialog.txtAutoText": "自動", + "DE.Views.Toolbar.capBtnAddComment": "新增註解", + "DE.Views.Toolbar.capBtnBlankPage": "空白頁面", + "DE.Views.Toolbar.capBtnColumns": "欄", + "DE.Views.Toolbar.capBtnComment": "註解", + "DE.Views.Toolbar.capBtnDateTime": "日期和時間", + "DE.Views.Toolbar.capBtnInsChart": "圖表", + "DE.Views.Toolbar.capBtnInsControls": "內容控制", + "DE.Views.Toolbar.capBtnInsDropcap": "首字大寫", + "DE.Views.Toolbar.capBtnInsEquation": "方程式", + "DE.Views.Toolbar.capBtnInsHeader": "頁首/頁尾", + "DE.Views.Toolbar.capBtnInsImage": "圖像", + "DE.Views.Toolbar.capBtnInsPagebreak": "段落隔斷", + "DE.Views.Toolbar.capBtnInsShape": "形狀", + "DE.Views.Toolbar.capBtnInsSymbol": "符號", + "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": "大小", + "DE.Views.Toolbar.capBtnWatermark": "浮水印", + "DE.Views.Toolbar.capImgAlign": "對齊", + "DE.Views.Toolbar.capImgBackward": "向後發送", + "DE.Views.Toolbar.capImgForward": "向前進", + "DE.Views.Toolbar.capImgGroup": "群組", + "DE.Views.Toolbar.capImgWrapping": "包覆", + "DE.Views.Toolbar.mniCapitalizeWords": "每個單字字首大寫", + "DE.Views.Toolbar.mniCustomTable": "插入自訂表格", + "DE.Views.Toolbar.mniDrawTable": "畫表", + "DE.Views.Toolbar.mniEditControls": "控制設定", + "DE.Views.Toolbar.mniEditDropCap": "首字大寫設定", + "DE.Views.Toolbar.mniEditFooter": "編輯頁腳", + "DE.Views.Toolbar.mniEditHeader": "編輯標題", + "DE.Views.Toolbar.mniEraseTable": "擦除表", + "DE.Views.Toolbar.mniFromFile": "從檔案", + "DE.Views.Toolbar.mniFromStorage": "從存儲", + "DE.Views.Toolbar.mniFromUrl": "從 URL", + "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.mniLowerCase": "小寫", + "DE.Views.Toolbar.mniSentenceCase": "大寫句子頭", + "DE.Views.Toolbar.mniTextToTable": "轉換文字至表格", + "DE.Views.Toolbar.mniToggleCase": "轉換大小寫", + "DE.Views.Toolbar.mniUpperCase": "大寫", + "DE.Views.Toolbar.strMenuNoFill": "沒有填充", + "DE.Views.Toolbar.textAutoColor": "自動", + "DE.Views.Toolbar.textBold": "粗體", + "DE.Views.Toolbar.textBottom": "底部:", + "DE.Views.Toolbar.textChangeLevel": "變更清單層級", + "DE.Views.Toolbar.textCheckboxControl": "複選框", + "DE.Views.Toolbar.textColumnsCustom": "自定欄", + "DE.Views.Toolbar.textColumnsLeft": "左", + "DE.Views.Toolbar.textColumnsOne": "一", + "DE.Views.Toolbar.textColumnsRight": "右", + "DE.Views.Toolbar.textColumnsThree": "三", + "DE.Views.Toolbar.textColumnsTwo": "二", + "DE.Views.Toolbar.textComboboxControl": "組合框", + "DE.Views.Toolbar.textContinuous": "連續", + "DE.Views.Toolbar.textContPage": "連續頁面", + "DE.Views.Toolbar.textCustomLineNumbers": "行號選項", + "DE.Views.Toolbar.textDateControl": "日期", + "DE.Views.Toolbar.textDropdownControl": "下拉選單", + "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.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.textMarginsUsNormal": "美國普通", + "DE.Views.Toolbar.textMarginsWide": "寬", + "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.textPictureControl": "圖片", + "DE.Views.Toolbar.textPlainControl": "純文本", + "DE.Views.Toolbar.textPortrait": "直向方向", + "DE.Views.Toolbar.textRemoveControl": "刪除內容控制", + "DE.Views.Toolbar.textRemWatermark": "刪除水印", + "DE.Views.Toolbar.textRestartEachPage": "重新開始每一頁", + "DE.Views.Toolbar.textRestartEachSection": "重新開始每個部分", + "DE.Views.Toolbar.textRichControl": "富文本", + "DE.Views.Toolbar.textRight": "右: ", + "DE.Views.Toolbar.textStrikeout": "刪除線", + "DE.Views.Toolbar.textStyleMenuDelete": "刪除風格", + "DE.Views.Toolbar.textStyleMenuDeleteAll": "刪除所有自定風格", + "DE.Views.Toolbar.textStyleMenuNew": "精選新風格", + "DE.Views.Toolbar.textStyleMenuRestore": "恢復為預設值", + "DE.Views.Toolbar.textStyleMenuRestoreAll": "恢復全部為預設風格", + "DE.Views.Toolbar.textStyleMenuUpdate": "選擇更新", + "DE.Views.Toolbar.textSubscript": "下標", + "DE.Views.Toolbar.textSuperscript": "上標", + "DE.Views.Toolbar.textSuppressForCurrentParagraph": "禁止當前段落", + "DE.Views.Toolbar.textTabCollaboration": "共同編輯", + "DE.Views.Toolbar.textTabFile": "檔案", + "DE.Views.Toolbar.textTabHome": "首頁", + "DE.Views.Toolbar.textTabInsert": "插入", + "DE.Views.Toolbar.textTabLayout": "佈局", + "DE.Views.Toolbar.textTabLinks": "參考文獻", + "DE.Views.Toolbar.textTabProtect": "保護", + "DE.Views.Toolbar.textTabReview": "評論;回顧", + "DE.Views.Toolbar.textTabView": "檢視", + "DE.Views.Toolbar.textTitleError": "錯誤", + "DE.Views.Toolbar.textToCurrent": "到當前位置", + "DE.Views.Toolbar.textTop": "頂部: ", + "DE.Views.Toolbar.textUnderline": "底線", + "DE.Views.Toolbar.tipAlignCenter": "居中對齊", + "DE.Views.Toolbar.tipAlignJust": "合理的", + "DE.Views.Toolbar.tipAlignLeft": "對齊左側", + "DE.Views.Toolbar.tipAlignRight": "對齊右側", + "DE.Views.Toolbar.tipBack": "返回", + "DE.Views.Toolbar.tipBlankPage": "插入空白頁", + "DE.Views.Toolbar.tipChangeCase": "改大小寫", + "DE.Views.Toolbar.tipChangeChart": "變更圖表類型", + "DE.Views.Toolbar.tipClearStyle": "清晰的風格", + "DE.Views.Toolbar.tipColorSchemas": "變更配色方案", + "DE.Views.Toolbar.tipColumns": "插入欄", + "DE.Views.Toolbar.tipControls": "插入內容控件", + "DE.Views.Toolbar.tipCopy": "複製", + "DE.Views.Toolbar.tipCopyStyle": "複製風格", + "DE.Views.Toolbar.tipDateTime": "插入當前日期和時間", + "DE.Views.Toolbar.tipDecFont": "減少字體大小", + "DE.Views.Toolbar.tipDecPrLeft": "減少縮進", + "DE.Views.Toolbar.tipDropCap": "插入下蓋", + "DE.Views.Toolbar.tipEditHeader": "編輯頁眉或頁腳", + "DE.Views.Toolbar.tipFontColor": "字體顏色", + "DE.Views.Toolbar.tipFontName": "字體", + "DE.Views.Toolbar.tipFontSize": "字體大小", + "DE.Views.Toolbar.tipHighlightColor": "熒光色選", + "DE.Views.Toolbar.tipImgAlign": "對齊物件", + "DE.Views.Toolbar.tipImgGroup": "組對象", + "DE.Views.Toolbar.tipImgWrapping": "包覆文字", + "DE.Views.Toolbar.tipIncFont": "增量字體大小", + "DE.Views.Toolbar.tipIncPrLeft": "增加縮進", + "DE.Views.Toolbar.tipInsertChart": "插入圖表", + "DE.Views.Toolbar.tipInsertEquation": "插入方程式", + "DE.Views.Toolbar.tipInsertImage": "插入圖片", + "DE.Views.Toolbar.tipInsertNum": "插入頁碼", + "DE.Views.Toolbar.tipInsertShape": "插入自動形狀", + "DE.Views.Toolbar.tipInsertSymbol": "插入符號", + "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": "項目符號", + "DE.Views.Toolbar.tipMarkersArrow": "箭頭項目符號", + "DE.Views.Toolbar.tipMarkersCheckmark": "核取記號項目符號", + "DE.Views.Toolbar.tipMarkersDash": "連字號項目符號", + "DE.Views.Toolbar.tipMarkersFRhombus": "實心菱形項目符號", + "DE.Views.Toolbar.tipMarkersFRound": "實心圓項目符號", + "DE.Views.Toolbar.tipMarkersFSquare": "實心方形項目符號", + "DE.Views.Toolbar.tipMarkersHRound": "空心圓項目符號", + "DE.Views.Toolbar.tipMarkersStar": "星星項目符號", + "DE.Views.Toolbar.tipMultiLevelNumbered": "多層次數字清單", + "DE.Views.Toolbar.tipMultilevels": "多級清單", + "DE.Views.Toolbar.tipMultiLevelSymbols": "多層次符號清單", + "DE.Views.Toolbar.tipMultiLevelVarious": "多層次數字清單", + "DE.Views.Toolbar.tipNumbers": "編號", + "DE.Views.Toolbar.tipPageBreak": "插入分頁符或分節符", + "DE.Views.Toolbar.tipPageMargins": "頁邊距", + "DE.Views.Toolbar.tipPageOrient": "頁面方向", + "DE.Views.Toolbar.tipPageSize": "頁面大小", + "DE.Views.Toolbar.tipParagraphStyle": "段落風格", + "DE.Views.Toolbar.tipPaste": "貼上", + "DE.Views.Toolbar.tipPrColor": "段落背景顏色", + "DE.Views.Toolbar.tipPrint": "列印", + "DE.Views.Toolbar.tipRedo": "重複", + "DE.Views.Toolbar.tipSave": "存檔", + "DE.Views.Toolbar.tipSaveCoauth": "儲存您的更改,以供其他帳戶查看。", + "DE.Views.Toolbar.tipSendBackward": "向後發送", + "DE.Views.Toolbar.tipSendForward": "向前進", + "DE.Views.Toolbar.tipShowHiddenChars": "非印刷字符", + "DE.Views.Toolbar.tipSynchronize": "該文檔已被其他帳戶更改。請單擊以儲存您的更改並重新加載更新。", + "DE.Views.Toolbar.tipUndo": "復原", + "DE.Views.Toolbar.tipWatermark": "編輯水印", + "DE.Views.Toolbar.txtDistribHor": "水平分佈", + "DE.Views.Toolbar.txtDistribVert": "垂直分佈", + "DE.Views.Toolbar.txtMarginAlign": "對齊頁邊距", + "DE.Views.Toolbar.txtObjectsAlign": "對齊所選物件", + "DE.Views.Toolbar.txtPageAlign": "對齊頁面", + "DE.Views.Toolbar.txtScheme1": "辦公室", + "DE.Views.Toolbar.txtScheme10": "中位數", + "DE.Views.Toolbar.txtScheme11": " 地鐵", + "DE.Views.Toolbar.txtScheme12": "模組", + "DE.Views.Toolbar.txtScheme13": "豐富的", + "DE.Views.Toolbar.txtScheme14": "Oriel", + "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.txtScheme22": "新的Office", + "DE.Views.Toolbar.txtScheme3": "頂尖", + "DE.Views.Toolbar.txtScheme4": "方面", + "DE.Views.Toolbar.txtScheme5": "Civic", + "DE.Views.Toolbar.txtScheme6": "大堂", + "DE.Views.Toolbar.txtScheme7": "產權", + "DE.Views.Toolbar.txtScheme8": "流程", + "DE.Views.Toolbar.txtScheme9": "鑄造廠", + "DE.Views.ViewTab.textAlwaysShowToolbar": "永遠顯示工具欄", + "DE.Views.ViewTab.textDarkDocument": "夜間模式文件", + "DE.Views.ViewTab.textFitToPage": "配合紙張大小", + "DE.Views.ViewTab.textFitToWidth": "配合寬度", + "DE.Views.ViewTab.textInterfaceTheme": "介面主題", + "DE.Views.ViewTab.textNavigation": "導航", + "DE.Views.ViewTab.textRulers": "尺規", + "DE.Views.ViewTab.textStatusBar": "狀態欄", + "DE.Views.ViewTab.textZoom": "放大", + "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.textFromStorage": "從存儲", + "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.textNone": "無", + "DE.Views.WatermarkSettingsDialog.textScale": "尺度", + "DE.Views.WatermarkSettingsDialog.textSelect": "選擇圖片", + "DE.Views.WatermarkSettingsDialog.textStrikeout": "淘汰", + "DE.Views.WatermarkSettingsDialog.textText": "文字", + "DE.Views.WatermarkSettingsDialog.textTextW": "文字水印", + "DE.Views.WatermarkSettingsDialog.textTitle": "浮水印設定", + "DE.Views.WatermarkSettingsDialog.textTransparency": "半透明", + "DE.Views.WatermarkSettingsDialog.textUnderline": "底線", + "DE.Views.WatermarkSettingsDialog.tipFontName": "字體名稱", + "DE.Views.WatermarkSettingsDialog.tipFontSize": "字體大小" +} \ No newline at end of file diff --git a/apps/documenteditor/main/locale/zh.json b/apps/documenteditor/main/locale/zh.json index 541aa28d4..297f7e760 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -15,8 +15,8 @@ "Common.Controllers.ReviewChanges.textAuto": "自动", "Common.Controllers.ReviewChanges.textBaseline": "基线", "Common.Controllers.ReviewChanges.textBold": "加粗", - "Common.Controllers.ReviewChanges.textBreakBefore": "分页前", - "Common.Controllers.ReviewChanges.textCaps": "全部大写", + "Common.Controllers.ReviewChanges.textBreakBefore": "段前分页", + "Common.Controllers.ReviewChanges.textCaps": "全部大写字母", "Common.Controllers.ReviewChanges.textCenter": "居中对齐", "Common.Controllers.ReviewChanges.textChar": "字符级别", "Common.Controllers.ReviewChanges.textChart": "图表", @@ -41,7 +41,7 @@ "Common.Controllers.ReviewChanges.textLeft": "左对齐", "Common.Controllers.ReviewChanges.textLineSpacing": "行间距:", "Common.Controllers.ReviewChanges.textMultiple": "多", - "Common.Controllers.ReviewChanges.textNoBreakBefore": "之前没有分页", + "Common.Controllers.ReviewChanges.textNoBreakBefore": "段前无分页", "Common.Controllers.ReviewChanges.textNoContextual": "在相同样式的段落之间添加间隔", "Common.Controllers.ReviewChanges.textNoKeepLines": "不要保持一行", "Common.Controllers.ReviewChanges.textNoKeepNext": "不要跟着下一个", @@ -63,7 +63,7 @@ "Common.Controllers.ReviewChanges.textShape": "形状", "Common.Controllers.ReviewChanges.textShd": "背景颜色", "Common.Controllers.ReviewChanges.textShow": "显示更改在", - "Common.Controllers.ReviewChanges.textSmallCaps": "小写", + "Common.Controllers.ReviewChanges.textSmallCaps": "小型大写字母", "Common.Controllers.ReviewChanges.textSpacing": "间距", "Common.Controllers.ReviewChanges.textSpacingAfter": "间隔", "Common.Controllers.ReviewChanges.textSpacingBefore": "之前的距离", @@ -79,47 +79,47 @@ "Common.Controllers.ReviewChanges.textUrl": "粘贴文档URL", "Common.Controllers.ReviewChanges.textWidow": "视窗控制", "Common.Controllers.ReviewChanges.textWord": "字级", - "Common.define.chartData.textArea": "区域", - "Common.define.chartData.textAreaStacked": "堆叠区域", - "Common.define.chartData.textAreaStackedPer": "100% 堆叠区域", - "Common.define.chartData.textBar": "条", - "Common.define.chartData.textBarNormal": "簇柱状图", - "Common.define.chartData.textBarNormal3d": "3-D 簇列", - "Common.define.chartData.textBarNormal3dPerspective": "3-D 列", - "Common.define.chartData.textBarStacked": "堆叠柱状图", - "Common.define.chartData.textBarStacked3d": "3-D 堆叠列", - "Common.define.chartData.textBarStackedPer": "100% 堆叠列", - "Common.define.chartData.textBarStackedPer3d": "3-D 100% 堆叠列", - "Common.define.chartData.textCharts": "图表", - "Common.define.chartData.textColumn": "列", - "Common.define.chartData.textCombo": "组合", - "Common.define.chartData.textComboAreaBar": "堆叠区域 - 簇列", - "Common.define.chartData.textComboBarLine": "簇柱状图 - 行", - "Common.define.chartData.textComboBarLineSecondary": "簇柱状图 - 在第二坐标轴上显示行", + "Common.define.chartData.textArea": "面积图", + "Common.define.chartData.textAreaStacked": "堆积面积图", + "Common.define.chartData.textAreaStackedPer": "百分比堆积面积图", + "Common.define.chartData.textBar": "条形图", + "Common.define.chartData.textBarNormal": "簇状柱形图", + "Common.define.chartData.textBarNormal3d": "三维簇状柱形图", + "Common.define.chartData.textBarNormal3dPerspective": "三维柱形图", + "Common.define.chartData.textBarStacked": "堆积柱形图", + "Common.define.chartData.textBarStacked3d": "三维堆积柱形图", + "Common.define.chartData.textBarStackedPer": "百分比堆积柱形图", + "Common.define.chartData.textBarStackedPer3d": "三维百分比堆积柱形图", + "Common.define.chartData.textCharts": "流程图", + "Common.define.chartData.textColumn": "柱状图", + "Common.define.chartData.textCombo": "组合图", + "Common.define.chartData.textComboAreaBar": "堆积面积图 - 簇状柱形图", + "Common.define.chartData.textComboBarLine": "簇状柱形图 - 折线图", + "Common.define.chartData.textComboBarLineSecondary": "簇状柱形图 - 次坐标轴上的折线图", "Common.define.chartData.textComboCustom": "自定义组合", - "Common.define.chartData.textDoughnut": "甜甜圈", - "Common.define.chartData.textHBarNormal": "簇条形图", - "Common.define.chartData.textHBarNormal3d": "3-D 簇栏", - "Common.define.chartData.textHBarStacked": "堆叠柱状图", - "Common.define.chartData.textHBarStacked3d": "3-D 堆叠横栏", - "Common.define.chartData.textHBarStackedPer": "100% 堆叠横栏", - "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 堆叠横栏", - "Common.define.chartData.textLine": "线", - "Common.define.chartData.textLine3d": "3-D 直线图", - "Common.define.chartData.textLineMarker": "带标码的行", - "Common.define.chartData.textLineStacked": "堆叠线图", - "Common.define.chartData.textLineStackedMarker": "堆叠的带标记的线状图", - "Common.define.chartData.textLineStackedPer": "100% 堆叠行", - "Common.define.chartData.textLineStackedPerMarker": "100% 堆叠行 (标码)", - "Common.define.chartData.textPie": "派", - "Common.define.chartData.textPie3d": "3-D 圆饼图", - "Common.define.chartData.textPoint": "XY(散射)", - "Common.define.chartData.textScatter": "分散", - "Common.define.chartData.textScatterLine": "以直线分开", - "Common.define.chartData.textScatterLineMarker": "以直线和标注分开", - "Common.define.chartData.textScatterSmooth": "以平滑直线分开", - "Common.define.chartData.textScatterSmoothMarker": "以平滑直线和标注分开", - "Common.define.chartData.textStock": "股票", + "Common.define.chartData.textDoughnut": "圆环图", + "Common.define.chartData.textHBarNormal": "簇状条形图", + "Common.define.chartData.textHBarNormal3d": "三维簇状条形图", + "Common.define.chartData.textHBarStacked": "堆积条形图", + "Common.define.chartData.textHBarStacked3d": "三维堆积条形图", + "Common.define.chartData.textHBarStackedPer": "百分比堆积条形图", + "Common.define.chartData.textHBarStackedPer3d": "三维百分比堆积条形图", + "Common.define.chartData.textLine": "折线图", + "Common.define.chartData.textLine3d": "三维折线图", + "Common.define.chartData.textLineMarker": "带数据标记的折线图", + "Common.define.chartData.textLineStacked": "堆积折线图", + "Common.define.chartData.textLineStackedMarker": "带数据标记的堆积折线图", + "Common.define.chartData.textLineStackedPer": "百分比堆积折线图", + "Common.define.chartData.textLineStackedPerMarker": "带数据标记的百分比堆积折线图", + "Common.define.chartData.textPie": "饼图", + "Common.define.chartData.textPie3d": "三维饼图", + "Common.define.chartData.textPoint": "散点图", + "Common.define.chartData.textScatter": "散点图​​", + "Common.define.chartData.textScatterLine": "带直线的散点图", + "Common.define.chartData.textScatterLineMarker": "带直线和数据标记的散点图", + "Common.define.chartData.textScatterSmooth": "带平滑线的散点图", + "Common.define.chartData.textScatterSmoothMarker": "带平滑线和数据标记的散点图", + "Common.define.chartData.textStock": "股价图", "Common.define.chartData.textSurface": "平面", "Common.Translation.warnFileLocked": "您不能编辑此文件,因为它正在另一个应用程序中被编辑。", "Common.Translation.warnFileLockedBtnEdit": "建立副本", @@ -262,6 +262,7 @@ "Common.Views.Comments.textResolved": "已解决", "Common.Views.Comments.textSort": "评注排序", "Common.Views.Comments.textViewResolved": "您没有重开评论的权限", + "Common.Views.Comments.txtEmpty": "文件中没有任何评论。", "Common.Views.CopyWarningDialog.textDontShow": "不要再显示此消息", "Common.Views.CopyWarningDialog.textMsg": "使用编辑器工具栏按钮和上下文菜单操作复制,剪切和粘贴操作将仅在此编辑器选项卡中执行。

    要在编辑器选项卡之外复制或粘贴到应用程序,请使用以下键盘组合:", "Common.Views.CopyWarningDialog.textTitle": "复制,剪切和粘贴操作", @@ -486,7 +487,7 @@ "Common.Views.SymbolTableDialog.textNBSpace": "不换行空格", "Common.Views.SymbolTableDialog.textPilcrow": "段落标识", "Common.Views.SymbolTableDialog.textQEmSpace": "1/4全角空格", - "Common.Views.SymbolTableDialog.textRange": "范围", + "Common.Views.SymbolTableDialog.textRange": "子集", "Common.Views.SymbolTableDialog.textRecent": "最近使用的符号", "Common.Views.SymbolTableDialog.textRegistered": "注册商标标识", "Common.Views.SymbolTableDialog.textSCQuote": "后单引号", @@ -514,6 +515,7 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
    您确定要继续吗?", "DE.Controllers.LeftMenu.warnDownloadAsPdf": "您的 {0} 将转换成一份可修改的文件。系统需要处理一段时间。转换后的文件即可随之修改,但可能不完全跟您的原 {0} 相同,特别是如果原文件有过多的图像将会更有差异。", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "如果您继续以此格式保存,一些格式可能会丢失。
    您确定要继续吗?", + "DE.Controllers.LeftMenu.warnReplaceString": "{0}不是可用于“替换字段”的有效特殊字符。", "DE.Controllers.Main.applyChangesTextText": "载入更改...", "DE.Controllers.Main.applyChangesTitleText": "加载更改", "DE.Controllers.Main.convertationTimeoutText": "转换超时", @@ -629,7 +631,7 @@ "DE.Controllers.Main.txtBookmarkError": "错误!未定义书签。", "DE.Controllers.Main.txtButtons": "按钮", "DE.Controllers.Main.txtCallouts": "标注", - "DE.Controllers.Main.txtCharts": "图表", + "DE.Controllers.Main.txtCharts": "流程图", "DE.Controllers.Main.txtChoose": "选择一项", "DE.Controllers.Main.txtClickToLoad": "点按以加载图像", "DE.Controllers.Main.txtCurrentDocument": "当前文件", @@ -639,20 +641,20 @@ "DE.Controllers.Main.txtEnterDate": "输入日期", "DE.Controllers.Main.txtErrorLoadHistory": "历史加载失败", "DE.Controllers.Main.txtEvenPage": "偶数页", - "DE.Controllers.Main.txtFiguredArrows": "图形箭头", + "DE.Controllers.Main.txtFiguredArrows": "箭头汇总", "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.txtLines": "线条", "DE.Controllers.Main.txtMainDocOnly": "错误!仅限主文档。", - "DE.Controllers.Main.txtMath": "数学", + "DE.Controllers.Main.txtMath": "公式形状", "DE.Controllers.Main.txtMissArg": "缺少参数", "DE.Controllers.Main.txtMissOperator": "缺少运算符", "DE.Controllers.Main.txtNeedSynchronize": "您有更新", - "DE.Controllers.Main.txtNone": "没有", + "DE.Controllers.Main.txtNone": "无", "DE.Controllers.Main.txtNoTableOfContents": "文档中无标题。文本中应用标题样式以便使其出现在目录中。", "DE.Controllers.Main.txtNoTableOfFigures": "未找到图片或表格的元素。", "DE.Controllers.Main.txtNoText": "错误!文档中没有指定样式的文本。", @@ -835,7 +837,7 @@ "DE.Controllers.Main.txtShape_wedgeEllipseCallout": "椭圆形标注", "DE.Controllers.Main.txtShape_wedgeRectCallout": "矩形标注", "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "圆角矩形标注", - "DE.Controllers.Main.txtStarsRibbons": "星星和丝带", + "DE.Controllers.Main.txtStarsRibbons": "星星和旗帜", "DE.Controllers.Main.txtStyle_Caption": "标题", "DE.Controllers.Main.txtStyle_endnote_text": "结束处文本", "DE.Controllers.Main.txtStyle_footnote_text": "脚注文本", @@ -851,7 +853,7 @@ "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_Normal": "常规", "DE.Controllers.Main.txtStyle_Quote": "引用", "DE.Controllers.Main.txtStyle_Subtitle": "副标题", "DE.Controllers.Main.txtStyle_Title": "标题", @@ -918,17 +920,6 @@ "DE.Controllers.Toolbar.textSymbols": "符号", "DE.Controllers.Toolbar.textTabForms": "表单", "DE.Controllers.Toolbar.textWarning": "警告", - "DE.Controllers.Toolbar.tipMarkersArrow": "箭头项目符号", - "DE.Controllers.Toolbar.tipMarkersCheckmark": "选中标记项目符号", - "DE.Controllers.Toolbar.tipMarkersDash": "划线项目符号", - "DE.Controllers.Toolbar.tipMarkersFRhombus": "实心菱形项目符号", - "DE.Controllers.Toolbar.tipMarkersFRound": "实心圆形项目符号", - "DE.Controllers.Toolbar.tipMarkersFSquare": "实心方形项目符号", - "DE.Controllers.Toolbar.tipMarkersHRound": "空心圆形项目符号", - "DE.Controllers.Toolbar.tipMarkersStar": "星形项目符号", - "DE.Controllers.Toolbar.tipMultiLevelNumbered": "多级编号", - "DE.Controllers.Toolbar.tipMultiLevelSymbols": "多级项目符号", - "DE.Controllers.Toolbar.tipMultiLevelVarious": "多级各种编号", "DE.Controllers.Toolbar.txtAccent_Accent": "急性", "DE.Controllers.Toolbar.txtAccent_ArrowD": "右上方的箭头在上方", "DE.Controllers.Toolbar.txtAccent_ArrowL": "向左箭头", @@ -1266,8 +1257,8 @@ "DE.Views.BookmarksDialog.textTitle": "书签", "DE.Views.BookmarksDialog.txtInvalidName": "书签名称只能包含字母、数字和下划线,并且应以字母开头", "DE.Views.CaptionDialog.textAdd": "添加标签", - "DE.Views.CaptionDialog.textAfter": "后", - "DE.Views.CaptionDialog.textBefore": "前", + "DE.Views.CaptionDialog.textAfter": "段后", + "DE.Views.CaptionDialog.textBefore": "段前", "DE.Views.CaptionDialog.textCaption": "标题", "DE.Views.CaptionDialog.textChapter": "章节以风格开始", "DE.Views.CaptionDialog.textChapterInc": "包括章节号", @@ -1307,11 +1298,11 @@ "DE.Views.ChartSettings.txtBehind": "衬于​​文字下方", "DE.Views.ChartSettings.txtInFront": "浮于文字上方", "DE.Views.ChartSettings.txtInline": "嵌入型​​", - "DE.Views.ChartSettings.txtSquare": "正方形", - "DE.Views.ChartSettings.txtThrough": "通过", - "DE.Views.ChartSettings.txtTight": "紧", + "DE.Views.ChartSettings.txtSquare": "四周型环绕", + "DE.Views.ChartSettings.txtThrough": "穿越型环绕", + "DE.Views.ChartSettings.txtTight": "紧密型环绕", "DE.Views.ChartSettings.txtTitle": "图表", - "DE.Views.ChartSettings.txtTopAndBottom": "上下", + "DE.Views.ChartSettings.txtTopAndBottom": "上下型环绕", "DE.Views.ControlSettingsDialog.strGeneral": "常规", "DE.Views.ControlSettingsDialog.textAdd": "添加", "DE.Views.ControlSettingsDialog.textAppearance": "外观", @@ -1386,7 +1377,7 @@ "DE.Views.CustomColumnsDialog.textColumns": "列数", "DE.Views.CustomColumnsDialog.textSeparator": "列分隔符", "DE.Views.CustomColumnsDialog.textSpacing": "列之间的间距", - "DE.Views.CustomColumnsDialog.textTitle": "列", + "DE.Views.CustomColumnsDialog.textTitle": "栏", "DE.Views.DateTimeDialog.confirmDefault": "设置{0}:{1}的默认格式", "DE.Views.DateTimeDialog.textDefault": "设为默认", "DE.Views.DateTimeDialog.textFormat": "格式", @@ -1395,14 +1386,14 @@ "DE.Views.DateTimeDialog.txtTitle": "日期、时间", "DE.Views.DocumentHolder.aboveText": "以上", "DE.Views.DocumentHolder.addCommentText": "添加批注", - "DE.Views.DocumentHolder.advancedDropCapText": "下沉设置", + "DE.Views.DocumentHolder.advancedDropCapText": "首字下沉设置", "DE.Views.DocumentHolder.advancedFrameText": "框架高级设置", "DE.Views.DocumentHolder.advancedParagraphText": "段落高级设置", "DE.Views.DocumentHolder.advancedTableText": "高级表设置", "DE.Views.DocumentHolder.advancedText": "高级设置", "DE.Views.DocumentHolder.alignmentText": "对齐", "DE.Views.DocumentHolder.belowText": "下面", - "DE.Views.DocumentHolder.breakBeforeText": "分页前", + "DE.Views.DocumentHolder.breakBeforeText": "段前分页", "DE.Views.DocumentHolder.bulletsText": "符号和编号", "DE.Views.DocumentHolder.cellAlignText": "单元格垂直对齐", "DE.Views.DocumentHolder.cellText": "元件", @@ -1413,8 +1404,8 @@ "DE.Views.DocumentHolder.deleteRowText": "删除行", "DE.Views.DocumentHolder.deleteTableText": "删除表", "DE.Views.DocumentHolder.deleteText": "删除", - "DE.Views.DocumentHolder.direct270Text": "旋转270°", - "DE.Views.DocumentHolder.direct90Text": "旋转90°", + "DE.Views.DocumentHolder.direct270Text": "向上旋转文字", + "DE.Views.DocumentHolder.direct90Text": "向下旋转文字", "DE.Views.DocumentHolder.directHText": "水平的", "DE.Views.DocumentHolder.directionText": "文字方向", "DE.Views.DocumentHolder.editChartText": "编辑数据", @@ -1466,8 +1457,8 @@ "DE.Views.DocumentHolder.textAlign": "对齐", "DE.Views.DocumentHolder.textArrange": "安排", "DE.Views.DocumentHolder.textArrangeBack": "发送到背景", - "DE.Views.DocumentHolder.textArrangeBackward": "向后移动", - "DE.Views.DocumentHolder.textArrangeForward": "向前移动", + "DE.Views.DocumentHolder.textArrangeBackward": "下移一层", + "DE.Views.DocumentHolder.textArrangeForward": "上移一层", "DE.Views.DocumentHolder.textArrangeFront": "放到最上面", "DE.Views.DocumentHolder.textCells": "元件", "DE.Views.DocumentHolder.textCol": "删除整列", @@ -1517,7 +1508,7 @@ "DE.Views.DocumentHolder.textShapeAlignBottom": "底部对齐", "DE.Views.DocumentHolder.textShapeAlignCenter": "居中对齐", "DE.Views.DocumentHolder.textShapeAlignLeft": "左对齐", - "DE.Views.DocumentHolder.textShapeAlignMiddle": "对齐中间", + "DE.Views.DocumentHolder.textShapeAlignMiddle": "垂直居中", "DE.Views.DocumentHolder.textShapeAlignRight": "右对齐", "DE.Views.DocumentHolder.textShapeAlignTop": "顶端对齐", "DE.Views.DocumentHolder.textStartNewList": "开始新列表", @@ -1531,14 +1522,6 @@ "DE.Views.DocumentHolder.textUpdateTOC": "刷新目录", "DE.Views.DocumentHolder.textWrap": "包裹风格", "DE.Views.DocumentHolder.tipIsLocked": "此元素正在由其他用户编辑。", - "DE.Views.DocumentHolder.tipMarkersArrow": "箭头项目符号", - "DE.Views.DocumentHolder.tipMarkersCheckmark": "选中标记项目符号", - "DE.Views.DocumentHolder.tipMarkersDash": "划线项目符号", - "DE.Views.DocumentHolder.tipMarkersFRhombus": "实心菱形项目符号", - "DE.Views.DocumentHolder.tipMarkersFRound": "实心圆形项目符号", - "DE.Views.DocumentHolder.tipMarkersFSquare": "实心方形项目符号", - "DE.Views.DocumentHolder.tipMarkersHRound": "空心圆形项目符号", - "DE.Views.DocumentHolder.tipMarkersStar": "星形项目符号", "DE.Views.DocumentHolder.toDictionaryText": "添加到词典", "DE.Views.DocumentHolder.txtAddBottom": "添加底部边框", "DE.Views.DocumentHolder.txtAddFractionBar": "添加分数栏", @@ -1621,19 +1604,19 @@ "DE.Views.DocumentHolder.txtShowOpenBracket": "显示开放支架", "DE.Views.DocumentHolder.txtShowPlaceholder": "显示占位符", "DE.Views.DocumentHolder.txtShowTopLimit": "显示上限", - "DE.Views.DocumentHolder.txtSquare": "正方形", + "DE.Views.DocumentHolder.txtSquare": "四周型环绕", "DE.Views.DocumentHolder.txtStretchBrackets": "拉伸支架", - "DE.Views.DocumentHolder.txtThrough": "通过", - "DE.Views.DocumentHolder.txtTight": "紧", + "DE.Views.DocumentHolder.txtThrough": "穿越型环绕", + "DE.Views.DocumentHolder.txtTight": "紧密型环绕", "DE.Views.DocumentHolder.txtTop": "顶部", - "DE.Views.DocumentHolder.txtTopAndBottom": "上下", + "DE.Views.DocumentHolder.txtTopAndBottom": "上下型环绕", "DE.Views.DocumentHolder.txtUnderbar": "在文本栏", "DE.Views.DocumentHolder.txtUngroup": "取消组合", "DE.Views.DocumentHolder.txtWarnUrl": "点击该链接可能会损害你的设备或数据。
    你确定要继续吗?", "DE.Views.DocumentHolder.updateStyleText": "更新%1样式", "DE.Views.DocumentHolder.vertAlignText": "垂直对齐", "DE.Views.DropcapSettingsAdvanced.strBorders": "边框和填充", - "DE.Views.DropcapSettingsAdvanced.strDropcap": "下沉", + "DE.Views.DropcapSettingsAdvanced.strDropcap": "首字下沉 ", "DE.Views.DropcapSettingsAdvanced.strMargins": "边距", "DE.Views.DropcapSettingsAdvanced.textAlign": "对齐", "DE.Views.DropcapSettingsAdvanced.textAtLeast": "至少", @@ -1658,7 +1641,7 @@ "DE.Views.DropcapSettingsAdvanced.textLeft": "左", "DE.Views.DropcapSettingsAdvanced.textMargin": "边", "DE.Views.DropcapSettingsAdvanced.textMove": "文字移动", - "DE.Views.DropcapSettingsAdvanced.textNone": "没有", + "DE.Views.DropcapSettingsAdvanced.textNone": "无", "DE.Views.DropcapSettingsAdvanced.textPage": "页面", "DE.Views.DropcapSettingsAdvanced.textParagraph": "段", "DE.Views.DropcapSettingsAdvanced.textParameters": "参数", @@ -1666,7 +1649,7 @@ "DE.Views.DropcapSettingsAdvanced.textRelative": "关系到", "DE.Views.DropcapSettingsAdvanced.textRight": "对", "DE.Views.DropcapSettingsAdvanced.textRowHeight": "行高", - "DE.Views.DropcapSettingsAdvanced.textTitle": "下沉 - 高级设置", + "DE.Views.DropcapSettingsAdvanced.textTitle": "首字下沉 - 高级设置", "DE.Views.DropcapSettingsAdvanced.textTitleFrame": "框架 - 高级设置", "DE.Views.DropcapSettingsAdvanced.textTop": "顶部", "DE.Views.DropcapSettingsAdvanced.textVertical": "垂直", @@ -1681,7 +1664,7 @@ "DE.Views.FileMenu.btnCloseMenuCaption": "关闭菜单", "DE.Views.FileMenu.btnCreateNewCaption": "新建", "DE.Views.FileMenu.btnDownloadCaption": "下载为...", - "DE.Views.FileMenu.btnExitCaption": "退出", + "DE.Views.FileMenu.btnExitCaption": "关闭", "DE.Views.FileMenu.btnFileOpenCaption": "打开...", "DE.Views.FileMenu.btnHelpCaption": "帮助", "DE.Views.FileMenu.btnHistoryCaption": "版本历史", @@ -1708,12 +1691,17 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "更改访问权限", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "批注", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "已创建", + "DE.Views.FileMenuPanels.DocumentInfo.txtFastWV": "快速Web视图", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "载入中……", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "上次修改时间", "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "上次修改时间", + "DE.Views.FileMenuPanels.DocumentInfo.txtNo": "否", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "创建者", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "页面", + "DE.Views.FileMenuPanels.DocumentInfo.txtPageSize": "页面大小", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "段落", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfTagged": "已标记为PDF", + "DE.Views.FileMenuPanels.DocumentInfo.txtPdfVer": "PDF版", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置", "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "有权利的人", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "带空格的符号", @@ -1723,6 +1711,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtTitle": "标题", "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "上载", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "字幕", + "DE.Views.FileMenuPanels.DocumentInfo.txtYes": "是", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改访问权限", "DE.Views.FileMenuPanels.DocumentRights.txtRights": "有权利的人", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", @@ -1738,21 +1727,12 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtView": "查看签名", "DE.Views.FileMenuPanels.Settings.okButtonText": "应用", "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": "您将需要接受更改才能看到它们", "DE.Views.FileMenuPanels.Settings.strFast": "快速", "DE.Views.FileMenuPanels.Settings.strFontRender": "字体微调方式", "DE.Views.FileMenuPanels.Settings.strForcesave": "单击“保存”或Ctrl+S之后版本添加到存储", - "DE.Views.FileMenuPanels.Settings.strInputMode": "显示象形文字", - "DE.Views.FileMenuPanels.Settings.strLiveComment": "显示批注", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "宏设置", - "DE.Views.FileMenuPanels.Settings.strPaste": "剪切、复制、黏贴", "DE.Views.FileMenuPanels.Settings.strPasteButton": "在执行粘贴操作后显示“粘贴选项”按钮", - "DE.Views.FileMenuPanels.Settings.strResolvedComment": "显示已解决批注", - "DE.Views.FileMenuPanels.Settings.strReviewHover": "跟踪修改显示", "DE.Views.FileMenuPanels.Settings.strShowChanges": "实时协作变更", "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "显示拼写检查选项", "DE.Views.FileMenuPanels.Settings.strStrict": "严格", @@ -1929,10 +1909,10 @@ "DE.Views.ImageSettings.txtBehind": "衬于​​文字下方", "DE.Views.ImageSettings.txtInFront": "浮于文字上方", "DE.Views.ImageSettings.txtInline": "嵌入型​​", - "DE.Views.ImageSettings.txtSquare": "正方形", - "DE.Views.ImageSettings.txtThrough": "通过", - "DE.Views.ImageSettings.txtTight": "紧", - "DE.Views.ImageSettings.txtTopAndBottom": "上下", + "DE.Views.ImageSettings.txtSquare": "四周型环绕", + "DE.Views.ImageSettings.txtThrough": "穿越型环绕", + "DE.Views.ImageSettings.txtTight": "紧密型环绕", + "DE.Views.ImageSettings.txtTopAndBottom": "上下型环绕", "DE.Views.ImageSettingsAdvanced.strMargins": "文字填充", "DE.Views.ImageSettingsAdvanced.textAbsoluteWH": "绝对", "DE.Views.ImageSettingsAdvanced.textAlignment": "对齐", @@ -1989,7 +1969,7 @@ "DE.Views.ImageSettingsAdvanced.textRound": "圆", "DE.Views.ImageSettingsAdvanced.textShape": "形状设置", "DE.Views.ImageSettingsAdvanced.textSize": "大小", - "DE.Views.ImageSettingsAdvanced.textSquare": "正方形", + "DE.Views.ImageSettingsAdvanced.textSquare": "四周型环绕", "DE.Views.ImageSettingsAdvanced.textTextBox": "文本框", "DE.Views.ImageSettingsAdvanced.textTitle": "图片 - 高级设置", "DE.Views.ImageSettingsAdvanced.textTitleChart": "图 - 高级设置", @@ -2004,10 +1984,10 @@ "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "衬于​​文字下方", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "浮于文字上方", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "嵌入型​​", - "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "正方形", - "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "通过", - "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "紧", - "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "上下", + "DE.Views.ImageSettingsAdvanced.textWrapSquareTooltip": "四周型环绕", + "DE.Views.ImageSettingsAdvanced.textWrapThroughTooltip": "穿越型环绕", + "DE.Views.ImageSettingsAdvanced.textWrapTightTooltip": "紧密型环绕", + "DE.Views.ImageSettingsAdvanced.textWrapTopbottomTooltip": "上下型环绕", "DE.Views.LeftMenu.tipAbout": "关于", "DE.Views.LeftMenu.tipChat": "聊天", "DE.Views.LeftMenu.tipComments": "批注", @@ -2136,6 +2116,7 @@ "DE.Views.Navigation.txtDemote": "降级", "DE.Views.Navigation.txtEmpty": "文档中无标题。
    文本中应用标题样式以便使其出现在目录中。", "DE.Views.Navigation.txtEmptyItem": "空标题", + "DE.Views.Navigation.txtEmptyViewer": "文档中无标题。", "DE.Views.Navigation.txtExpand": "展开全部", "DE.Views.Navigation.txtExpandToLevel": "展开到级别", "DE.Views.Navigation.txtHeadingAfter": "之后的新标题", @@ -2176,7 +2157,7 @@ "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": "纵向", @@ -2199,35 +2180,35 @@ "DE.Views.ParagraphSettings.strIndent": "缩进", "DE.Views.ParagraphSettings.strIndentsLeftText": "左", "DE.Views.ParagraphSettings.strIndentsRightText": "右", - "DE.Views.ParagraphSettings.strIndentsSpecial": "特别", + "DE.Views.ParagraphSettings.strIndentsSpecial": "特殊格式", "DE.Views.ParagraphSettings.strLineHeight": "行间距", "DE.Views.ParagraphSettings.strParagraphSpacing": "段落间距", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "不要在相同样式的段落之间添加间隔", - "DE.Views.ParagraphSettings.strSpacingAfter": "后", - "DE.Views.ParagraphSettings.strSpacingBefore": "以前", + "DE.Views.ParagraphSettings.strSpacingAfter": "段后", + "DE.Views.ParagraphSettings.strSpacingBefore": "段前", "DE.Views.ParagraphSettings.textAdvanced": "显示高级设置", "DE.Views.ParagraphSettings.textAt": "在", "DE.Views.ParagraphSettings.textAtLeast": "至少", "DE.Views.ParagraphSettings.textAuto": "多", "DE.Views.ParagraphSettings.textBackColor": "背景颜色", "DE.Views.ParagraphSettings.textExact": "精确地", - "DE.Views.ParagraphSettings.textFirstLine": "第一行", - "DE.Views.ParagraphSettings.textHanging": "悬挂", - "DE.Views.ParagraphSettings.textNoneSpecial": "将半角双引号替换为全角双引号", + "DE.Views.ParagraphSettings.textFirstLine": "首行缩进", + "DE.Views.ParagraphSettings.textHanging": "悬挂缩进", + "DE.Views.ParagraphSettings.textNoneSpecial": "(无)", "DE.Views.ParagraphSettings.txtAutoText": "自动", "DE.Views.ParagraphSettingsAdvanced.noTabs": "指定的选项卡将显示在此字段中", - "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写", + "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写字母", "DE.Views.ParagraphSettingsAdvanced.strBorders": "边框和填充", - "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "分页前", + "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "段前分页", "DE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "双删除线", "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": "前", - "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特别", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "段后", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "段前", + "DE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊格式", "DE.Views.ParagraphSettingsAdvanced.strKeepLines": "保持同一行", "DE.Views.ParagraphSettingsAdvanced.strKeepNext": "与下一个保持一致", "DE.Views.ParagraphSettingsAdvanced.strMargins": "填充", @@ -2236,7 +2217,7 @@ "DE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "缩进和间距", "DE.Views.ParagraphSettingsAdvanced.strParagraphLine": "换行符和分页符", "DE.Views.ParagraphSettingsAdvanced.strParagraphPosition": "放置", - "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", + "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小型大写字母", "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "不要在相同样式的段落之间添加间隔", "DE.Views.ParagraphSettingsAdvanced.strSpacing": "间距", "DE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", @@ -2258,13 +2239,13 @@ "DE.Views.ParagraphSettingsAdvanced.textDefault": "默认选项", "DE.Views.ParagraphSettingsAdvanced.textEffects": "效果", "DE.Views.ParagraphSettingsAdvanced.textExact": "精确", - "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "第一行", - "DE.Views.ParagraphSettingsAdvanced.textHanging": "悬挂", + "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.textNone": "无", "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(无)", "DE.Views.ParagraphSettingsAdvanced.textPosition": "位置", "DE.Views.ParagraphSettingsAdvanced.textRemove": "删除", @@ -2297,7 +2278,7 @@ "DE.Views.RightMenu.txtShapeSettings": "形状设置", "DE.Views.RightMenu.txtSignatureSettings": "签名设置", "DE.Views.RightMenu.txtTableSettings": "表设置", - "DE.Views.RightMenu.txtTextArtSettings": "艺术字设置", + "DE.Views.RightMenu.txtTextArtSettings": "艺术字体设置", "DE.Views.ShapeSettings.strBackground": "背景颜色", "DE.Views.ShapeSettings.strChange": "更改自动形状", "DE.Views.ShapeSettings.strColor": "颜色", @@ -2357,10 +2338,10 @@ "DE.Views.ShapeSettings.txtLeather": "真皮", "DE.Views.ShapeSettings.txtNoBorders": "没有线", "DE.Views.ShapeSettings.txtPapyrus": "纸莎草", - "DE.Views.ShapeSettings.txtSquare": "正方形", - "DE.Views.ShapeSettings.txtThrough": "通过", - "DE.Views.ShapeSettings.txtTight": "紧", - "DE.Views.ShapeSettings.txtTopAndBottom": "上下", + "DE.Views.ShapeSettings.txtSquare": "四周型环绕", + "DE.Views.ShapeSettings.txtThrough": "穿越型环绕", + "DE.Views.ShapeSettings.txtTight": "紧密型环绕", + "DE.Views.ShapeSettings.txtTopAndBottom": "上下型环绕", "DE.Views.ShapeSettings.txtWood": "木头", "DE.Views.SignatureSettings.notcriticalErrorTitle": "警告", "DE.Views.SignatureSettings.strDelete": "删除签名", @@ -2612,7 +2593,7 @@ "DE.Views.Toolbar.capBtnDateTime": "日期、时间", "DE.Views.Toolbar.capBtnInsChart": "图表", "DE.Views.Toolbar.capBtnInsControls": "内容控件", - "DE.Views.Toolbar.capBtnInsDropcap": "下沉", + "DE.Views.Toolbar.capBtnInsDropcap": "首字下沉 ", "DE.Views.Toolbar.capBtnInsEquation": "方程式", "DE.Views.Toolbar.capBtnInsHeader": "页眉&页脚", "DE.Views.Toolbar.capBtnInsImage": "图片", @@ -2620,23 +2601,23 @@ "DE.Views.Toolbar.capBtnInsShape": "形状", "DE.Views.Toolbar.capBtnInsSymbol": "符号", "DE.Views.Toolbar.capBtnInsTable": "表格", - "DE.Views.Toolbar.capBtnInsTextart": "艺术字", + "DE.Views.Toolbar.capBtnInsTextart": "艺术字体", "DE.Views.Toolbar.capBtnInsTextbox": "文本框", "DE.Views.Toolbar.capBtnLineNumbers": "行号", - "DE.Views.Toolbar.capBtnMargins": "边距", - "DE.Views.Toolbar.capBtnPageOrient": "选项", + "DE.Views.Toolbar.capBtnMargins": "页边距", + "DE.Views.Toolbar.capBtnPageOrient": "方向", "DE.Views.Toolbar.capBtnPageSize": "大小", "DE.Views.Toolbar.capBtnWatermark": "水印", "DE.Views.Toolbar.capImgAlign": "对齐", - "DE.Views.Toolbar.capImgBackward": "向后移动", - "DE.Views.Toolbar.capImgForward": "向前移动", + "DE.Views.Toolbar.capImgBackward": "下移一层", + "DE.Views.Toolbar.capImgForward": "上移一层", "DE.Views.Toolbar.capImgGroup": "分组", "DE.Views.Toolbar.capImgWrapping": "环绕", "DE.Views.Toolbar.mniCapitalizeWords": "将每个单词大写", "DE.Views.Toolbar.mniCustomTable": "插入自定义表", "DE.Views.Toolbar.mniDrawTable": "绘制表", "DE.Views.Toolbar.mniEditControls": "控制设置", - "DE.Views.Toolbar.mniEditDropCap": "下沉设置", + "DE.Views.Toolbar.mniEditDropCap": "首字下沉设置", "DE.Views.Toolbar.mniEditFooter": "编辑页脚", "DE.Views.Toolbar.mniEditHeader": "编辑页眉", "DE.Views.Toolbar.mniEraseTable": "删除表", @@ -2660,7 +2641,7 @@ "DE.Views.Toolbar.textBottom": "底部: ", "DE.Views.Toolbar.textChangeLevel": "修改列表的层级", "DE.Views.Toolbar.textCheckboxControl": "复选框", - "DE.Views.Toolbar.textColumnsCustom": "自定义列", + "DE.Views.Toolbar.textColumnsCustom": "自定义栏", "DE.Views.Toolbar.textColumnsLeft": "左", "DE.Views.Toolbar.textColumnsOne": "一", "DE.Views.Toolbar.textColumnsRight": "右", @@ -2687,9 +2668,9 @@ "DE.Views.Toolbar.textListSettings": "列表设置", "DE.Views.Toolbar.textMarginsLast": "最后自定义", "DE.Views.Toolbar.textMarginsModerate": "中等", - "DE.Views.Toolbar.textMarginsNarrow": "缩小", - "DE.Views.Toolbar.textMarginsNormal": "正常", - "DE.Views.Toolbar.textMarginsUsNormal": "美国标准", + "DE.Views.Toolbar.textMarginsNarrow": "窄", + "DE.Views.Toolbar.textMarginsNormal": "常规", + "DE.Views.Toolbar.textMarginsUsNormal": "美国常规", "DE.Views.Toolbar.textMarginsWide": "宽", "DE.Views.Toolbar.textNewColor": "添加新的自定义颜色", "DE.Views.Toolbar.textNextPage": "下一页", @@ -2747,7 +2728,7 @@ "DE.Views.Toolbar.tipDateTime": "插入当前日期和时间", "DE.Views.Toolbar.tipDecFont": "递减字体大小", "DE.Views.Toolbar.tipDecPrLeft": "减少缩进", - "DE.Views.Toolbar.tipDropCap": "插入下沉", + "DE.Views.Toolbar.tipDropCap": "插入首字下沉 ", "DE.Views.Toolbar.tipEditHeader": "编辑标题或页脚", "DE.Views.Toolbar.tipFontColor": "字体颜色", "DE.Views.Toolbar.tipFontName": "字体", @@ -2766,12 +2747,23 @@ "DE.Views.Toolbar.tipInsertSymbol": "插入符号", "DE.Views.Toolbar.tipInsertTable": "插入表", "DE.Views.Toolbar.tipInsertText": "插入文字", - "DE.Views.Toolbar.tipInsertTextArt": "插入艺术字", + "DE.Views.Toolbar.tipInsertTextArt": "插入艺术字体", "DE.Views.Toolbar.tipLineNumbers": "显示行号", "DE.Views.Toolbar.tipLineSpace": "段线间距", "DE.Views.Toolbar.tipMailRecepients": "邮件合并", "DE.Views.Toolbar.tipMarkers": "项目符号", + "DE.Views.Toolbar.tipMarkersArrow": "箭头项目符号", + "DE.Views.Toolbar.tipMarkersCheckmark": "选中标记项目符号", + "DE.Views.Toolbar.tipMarkersDash": "划线项目符号", + "DE.Views.Toolbar.tipMarkersFRhombus": "实心菱形项目符号", + "DE.Views.Toolbar.tipMarkersFRound": "实心圆形项目符号", + "DE.Views.Toolbar.tipMarkersFSquare": "实心方形项目符号", + "DE.Views.Toolbar.tipMarkersHRound": "空心圆形项目符号", + "DE.Views.Toolbar.tipMarkersStar": "星形项目符号", + "DE.Views.Toolbar.tipMultiLevelNumbered": "多级编号", "DE.Views.Toolbar.tipMultilevels": "多级列表", + "DE.Views.Toolbar.tipMultiLevelSymbols": "多级项目符号", + "DE.Views.Toolbar.tipMultiLevelVarious": "多级各种编号", "DE.Views.Toolbar.tipNumbers": "编号", "DE.Views.Toolbar.tipPageBreak": "插入页面或分节符", "DE.Views.Toolbar.tipPageMargins": "页边距", @@ -2784,8 +2776,8 @@ "DE.Views.Toolbar.tipRedo": "重做", "DE.Views.Toolbar.tipSave": "保存", "DE.Views.Toolbar.tipSaveCoauth": "保存您的更改以供其他用户查看", - "DE.Views.Toolbar.tipSendBackward": "向后移动", - "DE.Views.Toolbar.tipSendForward": "向前移动", + "DE.Views.Toolbar.tipSendBackward": "下移一层", + "DE.Views.Toolbar.tipSendForward": "上移一层", "DE.Views.Toolbar.tipShowHiddenChars": "不打印字符", "DE.Views.Toolbar.tipSynchronize": "该文档已被其他用户更改。请点击保存更改和重新加载更新。", "DE.Views.Toolbar.tipUndo": "撤消", diff --git a/apps/documenteditor/main/resources/help/de/Contents.json b/apps/documenteditor/main/resources/help/de/Contents.json index 6222f6bd2..240520d8a 100644 --- a/apps/documenteditor/main/resources/help/de/Contents.json +++ b/apps/documenteditor/main/resources/help/de/Contents.json @@ -5,7 +5,9 @@ { "src": "ProgramInterface/InsertTab.htm", "name": "Registerkarte Einfügen" }, { "src": "ProgramInterface/LayoutTab.htm", "name": "Registerkarte Layout" }, { "src": "ProgramInterface/ReferencesTab.htm", "name": "Registerkarte Verweise" }, + { "src": "ProgramInterface/FormsTab.htm", "name": "Registerkarte Formulare"}, { "src": "ProgramInterface/ReviewTab.htm", "name": "Registerkarte Zusammenarbeit" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Registerkarte Ansicht"}, { "src": "ProgramInterface/PluginsTab.htm", "name": "Registerkarte Plug-ins" }, { "src": "UsageInstructions/OpenCreateNew.htm", "name": "Ein neues Dokument erstellen oder ein vorhandenes öffnen", "headername": "Grundfunktionen" }, { "src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Textpassagen kopieren/einfügen, Vorgänge rückgängig machen/wiederholen" }, @@ -16,6 +18,7 @@ { "src": "UsageInstructions/InsertHeadersFooters.htm", "name": "Kopf- und Fußzeilen einfügen" }, { "src": "UsageInstructions/InsertDateTime.htm", "name": "Datum und Uhrzeit einfügen"}, { "src": "UsageInstructions/InsertPageNumbers.htm", "name": "Seitenzahlen einfügen" }, + { "src": "UsageInstructions/InsertLineNumbers.htm", "name": "Zeilennummern einfügen"}, { "src": "UsageInstructions/InsertFootnotes.htm", "name": "Fußnoten einfügen" }, { "src": "UsageInstructions/InsertEndnotes.htm", "name": "Endnoten einfügen" }, { "src": "UsageInstructions/ConvertFootnotesEndnotes.htm", "name": "Endnoten und Fußnoten einfügen" }, @@ -43,18 +46,24 @@ { "src": "UsageInstructions/InsertAutoshapes.htm", "name": "AutoFormen einfügen" }, { "src": "UsageInstructions/InsertCharts.htm", "name": "Diagramme einfügen" }, { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Textobjekte einfügen" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Unterstützung von SmartArt" }, { "src": "UsageInstructions/AddCaption.htm", "name": "Beschriftungen einfügen" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Symbole und Sonderzeichen einfügen" }, + { "src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Objekte auf einer Seite anordnen und ausrichten" }, + { "src": "UsageInstructions/ChangeWrappingStyle.htm", "name": "Textumbruch ändern" }, { "src": "UsageInstructions/InsertContentControls.htm", "name": "Inhaltssteuerelemente einfügen" }, { "src": "UsageInstructions/CreateTableOfContents.htm", "name": "Inhaltsverzeichnis erstellen" }, { "src": "UsageInstructions/AddTableofFigures.htm", "name": "Abbildungsverzeichnis hinzufügen und formatieren" }, - { "src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Objekte auf einer Seite anordnen und ausrichten" }, - { "src": "UsageInstructions/ChangeWrappingStyle.htm", "name": "Umbruchstil ändern" }, + { "src": "UsageInstructions/CreateFillableForms.htm", "name": "Ausfüllbare Formulare erstellen", "headername": "Ausfüllbare Formulare" }, + { "src": "UsageInstructions/FillingOutForm.htm", "name": "Formular ausfüllen" }, { "src": "UsageInstructions/UseMailMerge.htm", "name": "Seriendruck verwenden", "headername": "Seriendruck" }, { "src": "UsageInstructions/InsertEquation.htm", "name": "Formeln einfügen", "headername": "Mathematische Formeln" }, - { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Dokumenten", "headername": "Co-Bearbeitung" }, - { "src": "HelpfulHints/Review.htm", "name": "Dokumentenprüfung" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Dokumenten in Echtzeit", "headername": "Co-Bearbeitung" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Kommunikation in Echtzeit" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Dokumente kommentieren" }, + { "src": "HelpfulHints/Review.htm", "name": "Änderungen nachverfolgen" }, { "src": "HelpfulHints/Comparison.htm", "name": "Dokumente vergleichen" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Versionshistorie" }, { "src": "UsageInstructions/PhotoEditor.htm", "name": "Bild bearbeiten", "headername": "Plugins" }, { "src": "UsageInstructions/YouTube.htm", "name": "Verweise einfügen" }, { "src": "UsageInstructions/HighlightedCode.htm", "name": "Hervorgehobenen Code einfügen" }, @@ -64,14 +73,20 @@ { "src": "UsageInstructions/Speech.htm", "name": "Text laut vorlesen" }, { "src": "UsageInstructions/Thesaurus.htm", "name": "Wort durch Synonym ersetzen" }, { "src": "UsageInstructions/Wordpress.htm", "name": "Dokument in WordPress hochladen"}, + { "src": "UsageInstructions/WordCounter.htm", "name": "Wörter zählen"}, + { "src": "UsageInstructions/HTML.htm", "name": "HTML bearbeiten"}, + { "src": "UsageInstructions/Typograf.htm", "name": "Typografie korrigieren" }, + { "src": "UsageInstructions/CommunicationPlugins.htm", "name": "Kommunikation während der Bearbeitung" }, + {"src": "UsageInstructions/Jitsi.htm", "name": "Audio- und Videoanrufe durchführen"}, { "src": "UsageInstructions/ViewDocInfo.htm", "name": "Dokumenteigenschaften anzeigen", "headername": "Werkzeuge und Einstellungen" }, { "src": "UsageInstructions/SavePrintDownload.htm", "name": "Dokument speichern/runterladen/drucken" }, { "src": "HelpfulHints/AdvancedSettings.htm", "name": "Erweiterte Einstellungen des Dokumenteneditors" }, { "src": "HelpfulHints/Navigation.htm", "name": "Ansichtseinstellungen und Navigationswerkzeuge" }, + {"src": "HelpfulHints/Viewer.htm", "name": "ONLYOFFICE Document Viewer"}, { "src": "HelpfulHints/Search.htm", "name": "Suchen und Ersetzen" }, { "src": "HelpfulHints/SpellChecking.htm", "name": "Rechtschreibprüfung" }, { "src": "UsageInstructions/MathAutoCorrect.htm", "name": "AutoKorrekturfunktionen" }, - {"src": "HelpfulHints/Password.htm", "name": "Dokumente mit einem Kennwort schützen"}, + { "src": "HelpfulHints/Password.htm", "name": "Dokumente mit einem Kennwort schützen"}, { "src": "HelpfulHints/About.htm", "name": "Über den Dokumenteneditor", "headername": "Nützliche Hinweise" }, { "src": "HelpfulHints/SupportedFormats.htm", "name": "Unterstützte Formate von elektronischen Dokumenten" }, { "src": "HelpfulHints/KeyboardShortcuts.htm", "name": "Tastaturkürzel" } diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm index 218065e15..1ba0089a8 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm @@ -43,10 +43,10 @@
    • Die Option Hell enthält Standardfarben - blau, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind.
    • Die Option Klassisch Hell enthält Standardfarben - blau, weiß und hellgrau.
    • -
    • Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind.
    • +
    • Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Der Dunkelmodus des Dokuments aktivieren ist standardmäßig aktiv, wenn der Editor auf Dunkles Thema der Benutzeroberfläche eingestellt ist. Aktivieren Sie das Kontrollkästchen Den dunklen Dokumentmodus aktivieren, um ihn zu aktivieren.
    -
  • Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Sie können auch die Option Auf Seite anpassen oder Auf Breite anpassen auswählen.
  • +
  • Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Sie können auch die Option Auf Seite anpassen oder Auf Breite anpassen auswählen.
  • Hinting - Auswahl der Schriftartdarstellung im Dokumenteneditor:
    • Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints.
    • Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints.
    • diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm index 25e7273a6..a363eeaef 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm @@ -1,9 +1,9 @@  - Gemeinsame Bearbeitung von Dokumenten + Gemeinsame Bearbeitung von Dokumenten in Echtzeit - + @@ -12,71 +12,31 @@
      - +
      -

      Gemeinsame Bearbeitung von Dokumenten

      -

      Im Dokumenteneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einem Dokument zu arbeiten. Diese Funktion umfasst:

      +

      Gemeinsame Bearbeitung von Dokumenten in Echtzeit

      +

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

      +

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

      +

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

      +

      Co-editing Mode menu

      +

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

      +

      Modus "Schnell"

      +

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

      +

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

      +

      Modus Schnell

      +

      Modus "Formal"

      +

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

      +

      Modus Formal

      +

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

      +

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

        -
      • gleichzeitiger Zugriff von mehreren Benutzern auf das bearbeitete Dokument
      • -
      • visuelle Markierung von Textabschnitten, die aktuell von anderen Benutzern bearbeitet werden
      • -
      • Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick.
      • -
      • Chat zum Austauschen von Ideen zu bestimmten Abschnitten des Dokuments
      • -
      • Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).
      • +
      • Alle anzeigen: Alle Änderungen, die während der aktuellen Sitzung vorgenommen wurden, werden hervorgehoben.
      • +
      • Letzte anzeigen: Nur die Änderungen, die seit dem letzten Klicken auf das Symbol Save icon vorgenommen wurden, werden hervorgehoben.
      • +
      • Keine: Änderungen, die während der aktuellen Sitzung vorgenommen wurden, werden nicht hervorgehoben.
      -
      -

      Verbindung mit der Online-Version herstellen

      -

      Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her.

      -
      -
      -

      Co-Bearbeitung

      -

      Im Dokumenteneditor stehen die folgenden Modelle für die Co-Bearbeitung zur Verfügung.

      -
        -
      • Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt.
      • -
      • Im Modus Formal werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern
        klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen.
      • -
      -

      Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol

      Co-Bearbeitung.

      -

      Menü Co-Bearbeitung

      -

      Hinweis: Wenn Sie ein Dokument im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar.

      -

      Wenn ein Dokument im Modus Formal von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Textpassagen mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der diese Passage aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben.

      -

      Die Anzahl der Benutzer, die am aktuellen Dokument arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben -

      . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält.

      -

      Wenn kein Benutzer die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus:

      - über dieses Symbol können Sie die Benutzer verwalten, die direkt aus dem Dokument auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen, Kommentieren, Ausfüllen von Formularen oder Betrachten des Dokuments erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol
      , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige des Dokuments beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol
      Teilen.

      -

      Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol

      speichert, sehen die anderen Benutzer in der Statusleiste eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf
      . Die Updates werden hervorgehoben, damit Sie nachvollziehen können, was genau geändert wurde.

      -

      Sie können festlegen, welche Änderungen bei der Co-Bearbeitung hervorgehoben werden sollen: Klicken Sie dazu in der Registerkarte Datei auf die Option Erweiterte Einstellungen und wählen Sie zwischen keine, alle und letzte Änderungen in Echtzeit. Wenn Sie die Option Alle anzeigen auswählen, werden alle während der aktuellen Sitzung vorgenommenen Änderungen hervorgehoben. Wenn Sie die Option Letzte anzeigen auswählen, werden alle Änderungen hervorgehoben, die Sie vorgenommen haben, seit Sie das letzte Mal das Symbol Speichern

      angeklickt haben. Wenn Sie die Option Keine anzeigen auswählen, werden die während der aktuellen Sitzung vorgenommenen Änderungen nicht hervorgehoben.

      -

      Anonym

      -

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

      -

      Anonym - Zusammenarbeit

      -

      Chat

      -

      Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Absatz Sie jetzt bearbeiten usw.

      -

      Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Präsentation zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden.

      -

      Chat nutzen und Nachrichten für andere Benutzer erstellen:

      -
        -
      1. Klicken Sie im linken Seitenbereich auf das Symbol
        oder
        wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche
        Chat.
      2. -
      3. Geben Sie Ihren Text in das entsprechende Feld unten ein.
      4. -
      5. klicken Sie auf Senden.
      6. -
      -

      Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus -

      .

      -

      Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol

      oder klicken Sie in der oberen Symbolleiste erneut auf
      Chat.

      -
      -

      Kommentare

      -

      Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).

      -

      Einen Kommentar hinterlassen:

      -
        -
      1. Wählen Sie einen Textabschnitt, der Ihrer Meinung nach einen Fehler oder ein Problem enthält.
      2. -
      3. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie in der rechten Seitenleiste auf
        Kommentare oder
        nutzen Sie das
        Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder
        klicken Sie mit der rechten Maustaste auf den gewünschten Textabschnitt und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus.
      4. -
      5. Geben Sie den gewünschten Text ein.
      6. -
      7. Klicken Sie auf Kommentar hinzufügen/Hinzufügen.
      8. -
      -

      Der Kommentar wird im linken Seitenbereich angezeigt. Alle Nutzer können nun auf hinzugefügte Kommentare antworten, Fragen stellen oder über durchgeführte Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar.

      -

      Der von Ihnen kommentierte Textabschnitt wird im Dokument markiert. Um den Kommentar einzusehen, klicken Sie einfach auf den entsprechenden Abschnitt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf

      klicken.

      -

      Hinzugefügte Kommentare verwalten:

      -
        -
      • bearbeiten - klicken Sie dazu auf
      • -
      • löschen - klicken Sie dazu auf
      • -
      • Diskussion schließen - klicken Sie dazu auf
        , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf
        . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf
        klicken.
      • -
      • Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
      • -
      -

      Wenn Sie im Modus Formal arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf

      geklickt haben.

      -

      Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf

      .

      +

      Anonym

      +

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

      +

      anonymous collaboration

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..2bce554de --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm @@ -0,0 +1,86 @@ + + + + Dokumente kommentieren + + + + + + + +
      +
      + +
      +

      Dokumente kommentieren

      +

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

      +

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

      +

      Kommentare hinterlassen und darauf antworten

      +

      Um einen Kommentar zu hinterlassen:

      +
        +
      1. Wählen Sie eine Textpassage aus, bei der Sie der Meinung sind, dass ein Fehler oder Problem vorliegt.
      2. +
      3. + Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit der oberen Symbolleiste und klicken Sie auf die Schaltfläche Comment icon Kommentar hinzufügen, oder
        + Verwenden Sie das Symbol Comments icon in der linken Seitenleiste, um das Bedienfeld Kommentare zu öffnen, und klicken Sie auf den Link Kommentar zum Dokument hinzufügen, oder
        + Klicken Sie mit der rechten Maustaste auf die ausgewählte Textpassage und wählen Sie im Kontextmenü die Option Kommentar hinzufügen. +
      4. +
      5. Geben Sie den erforderlichen Text ein.
      6. +
      7. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen.
      8. +
      +

      Der Kommentar wird links im Bereich Kommentare angezeigt. Jeder andere Benutzer kann den hinzugefügten Kommentar beantworten, indem er Fragen stellt oder über seine Arbeit berichtet. Klicken Sie dazu auf den Link Antwort hinzufügen unterhalb des Kommentars, geben Sie Ihre Antwort in das Eingabefeld ein und drücken Sie die Schaltfläche Antworten.

      +

      Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol Save icon in der linken oberen Ecke in der oberen Symbolleiste geklickt haben.

      +

      Anzeige von Kommentaren deaktivieren

      +

      Die von Ihnen kommentierte Textpassage wird im Dokument hervorgehoben. Um den Kommentar anzuzeigen, klicken Sie einfach innerhalb der Passage. Um diese Funktion zu deaktivieren:

      +
        +
      1. Klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste.
      2. +
      3. Wählen Sie die Option Erweiterte Einstellungen... aus.
      4. +
      5. Deaktivieren Sie das Kontrollkästchen Live-Kommentare einschalten.
      6. +
      +

      Jetzt werden die kommentierten Passagen nur dann hervorgehoben, wenn Sie auf das Symbol Comments icon klicken.

      +

      Kommentare verwalten

      +

      Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten:

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

          Sort comments

          +
        • +
        +
      • Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Edit icon klicken.
      • +
      • Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Delete icon klicken.
      • +
      • Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol Resolve icon klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol Open again icon, um die Diskussion neu zu öffnen. Wenn Sie aufgelöste Kommentare ausblenden möchten, klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie die Option Anzeige der aktivieren Kommentare gelöst und klicken Sie auf Anwenden. In diesem Fall werden die gelösten Kommentare nur hervorgehoben, wenn Sie auf das Symbol Comments icon klicken.
      • +
      • Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
      • +
      +

      Erwähnungen hinzufügen

      +

      Sie können Erwähnungen nur zu den Kommentaren zu den Textteilen hinzufügen, nicht zum Dokument selbst.

      +

      Beim Eingeben von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie jemanden auf den Kommentar aufmerksam machen und dem genannten Benutzer per E-Mail und Chat eine Benachrichtigung senden können.

      +

      Um eine Erwähnung hinzuzufügen:

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

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

      +

      Kommentare entfernen

      +

      Um Kommentare zu entfernen:

      +
        +
      1. Klicken Sie auf die Schaltfläche Remove comment icon Kommentare entfernen auf der Registerkarte Zusammenarbeit der oberen Symbolleiste.
      2. +
      3. + Wählen Sie die erforderliche Option aus dem Menü: +
          +
        • Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt.
        • +
        • Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt.
        • +
        • Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben.
        • +
        +
      4. +
      +

      Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol Comments icon.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..6215d7a82 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm @@ -0,0 +1,33 @@ + + + + Kommunikation in Echtzeit + + + + + + + +
      +
      + +
      +

      Kommunikation in Echtzeit

      +

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

      +

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

      +

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

      +
        +
      1. + Klicken Sie im linken Seitenbereich auf das Symbol Chat icon oder
        + wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat icon Chat. +
      2. +
      3. Geben Sie Ihren Text in das entsprechende Feld unten ein.
      4. +
      5. Klicken Sie auf Senden.
      6. +
      +

      Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt des Dokuments zu diskutieren, ist es besser, Kommentare zu verwenden, die gespeichert werden, bis sie gelöscht werden.

      +

      Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - Chat icon.

      +

      Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol Chat icon oder klicken Sie in der oberen Symbolleiste erneut auf die Schaltfläche Chat icon Chat.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm index 4a3ebcf2e..2c492ab24 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm @@ -3,7 +3,7 @@ Dokumente vergleichen - + @@ -14,83 +14,81 @@
      -

      Die Dokumente vergleichen

      -

      Hinweis: Diese Option steht zur Verfügung nur in der kommerziellen Online-Version im Dokument Server v. 5.5 und höher.

      -

      Wenn Sie zwei Dokumente vergleichen und zusammenführen wollen,verwenden Sie das Tool Vergleichen im Dokumenteneditor. Sie können die Unterschiede zwischen zwei Dokumenten anzeigen und die Dokumente zusammenführen, wo Sie die Änderungen einzeln oder alle gleichzeitig akzeptieren können.

      -

      Nach dem Vergleichen und Zusammenführen von zwei Dokumenten wird das Ergebnis als neue Version der Originaldatei im Portal gespeichert.

      -

      Wenn Sie die verglichenen Dokumente nicht zusammenführen wollen, können Sie alle Änderungen ablehnen, sodass das Originaldokument unverändert bleibt.

      - -

      Wählen Sie ein Dokument zum Vergleichen aus

      -

      Öffnen Sie das Originaldokument und wählen Sie ein Dokument zum Vergleichen aus, um die zwei Dokumente zu vergleichen:

      +

      Dokumente vergleichen

      +

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

      +

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

      +

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

      +

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

      + +

      Dokument zum Vergleich auswählen

      +

      Um zwei Dokumente zu vergleichen, öffnen Sie das Originaldokument, das Sie vergleichen möchten, und wählen Sie das zweite Dokument zum Vergleich aus:

        -
      1. öffnen Sie die Registerkarte Zusammenarbeit und klicken Sie die Schaltfläche
        Vergleichen an,
      2. +
      3. Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Compare button Vergleichen.
      4. - wählen Sie einer der zwei Optionen aus, um das Dokument hochzuladen: + Wählen Sie eine der folgenden Optionen, um das Dokument zu laden:
        • die Option Dokument aus Datei öffnet das Standarddialogfenster für Dateiauswahl. Finden Sie die gewünschte .docx Datei und klicken Sie die Schaltfläche Öffnen an.
        • - die Option Dokument aus URL öffnet das Fenster, wo Sie die Datei-URL zum anderen Online-Speicher eingeben können (z.B., Nextcloud). Die URL muss direkt zum Datei-Herunterladen sein. Wenn die URL eingegeben ist, klicken Sie OK an. -

          - Hinweis: Die direkte URL lässt die Datei herunterladen, ohne diese Datei im Browser zu öffnen. Z.B., im Nextcloud kann man die direkte URL so erhalten: Finden Sie die gewünschte Datei in der Dateiliste, wählen Sie die Option Details im Menü aus. Klicken Sie die Option Direkte URL kopieren (nur für die Benutzer, die den Zugriff auf diese Datei haben) rechts auf dem Detailspanel an. Lesen Sie die entsprechende Servicedokumentation, um zu lernen, wie kann man eine direkte URL in anderen Online-Services erhalten. -

          + Die Option Dokument aus URL öffnet das Fenster, in dem Sie einen Link zu der Datei eingeben können, die in einem Webspeicher eines Drittanbieters (z. B. Nextcloud) gespeichert ist, wenn Sie entsprechende Zugriffsrechte darauf haben. Der Link muss ein direkter Link zum Herunterladen der Datei sein. Wenn der Link angegeben ist, klicken Sie auf die Schaltfläche OK. +

          Die direkte URL lässt die Datei herunterladen, ohne diese Datei im Browser zu öffnen. Z.B., im Nextcloud kann man die direkte URL so erhalten: Finden Sie die gewünschte Datei in der Dateiliste, wählen Sie die Option Details im Menü aus. Klicken Sie die Option Direkte URL kopieren (nur für die Benutzer, die den Zugriff auf diese Datei haben) rechts auf dem Detailspanel an. Lesen Sie die entsprechende Servicedokumentation, um zu lernen, wie kann man eine direkte URL in anderen Online-Services erhalten.

        • -
        • die Option Dokument aus dem Speicher öffnet das Datei-Speicher-Auswahlfenster. Da finden Sie alle .docx Dateien, die Sie auf dem Online-Speicher haben. Sie können im Modul Dokumente durch das Menü links navigieren. Wählen Sie die gewünschte .docx Datei aus und klicken Sie OK an.
        • +
        • Die Option Dokument aus Speicher öffnet das Fenster Datenquelle auswählen. Es zeigt die Liste aller auf Ihrem Portal gespeicherten .docx-Dokumente an, für die Sie entsprechende Zugriffsrechte haben. Um durch die Abschnitte des Moduls Dokumente zu navigieren, verwenden Sie das Menü im linken Teil des Fensters. Wählen Sie das erforderliche .docx-Dokument aus und klicken Sie auf die Schaltfläche OK.
      -

      Wenn das zweite Dokument zum Vergleichen ausgewählt wird, wird der Vergleichsprozess gestartet und das Dokument wird angezeigt, als ob er im Überarbeitungsmodus geöffnet ist. Alle Änderungen werden hervorgehoben und Sie können die Änderungen Stück für Stück oder alle gleichzeitig sehen, navigieren, übernehmen oder ablehnen. Sie können auch den Anueogemodus ändern und sehen, wie das Dokument vor, während und nach dem Vergleichprozess aussieht.

      +

      Wenn das zweite zu vergleichende Dokument ausgewählt wird, beginnt der Vergleichsprozess und das Dokument sieht so aus, als ob es im Modus Review geöffnet ist. Alle Änderungen werden mit einer Farbe hervorgehoben, und Sie können die Änderungen anzeigen, zwischen ihnen navigieren, die Änderungen einzeln oder alle auf einmal annehmen oder ablehnen. Es ist auch möglich, den Anzeigemodus zu ändern und zu sehen, wie das Dokument vor dem Vergleich, während des Vergleichs oder nach dem Vergleich aussieht, wenn Sie alle Änderungen annehmen.

      -

      Wählen Sie den Anzeigemodus für die Änderungen aus

      -

      Klicken Sie auf die

      Schaltfläche Anzeigemodus nach oben und wählen Sie einen der Modi aus:

      +

      Den Anzeigemodus für die Änderungen auswählen

      +

      Klicken Sie auf die Schaltfläche Anzeigemodus Anzeigemodus Schlatfläche in der oberen Symbolleiste und wählen Sie einen der verfügbaren Modi aus der Liste aus:

      • Markup - diese Option ist standardmäßig. Verwenden Sie sie, um das Dokument während des Vergleichsprozesses anzuzeigen. Im diesen Modus können Sie das Dokument sehen sowie bearbeiten. -

        Dokumente Vergleichen - Markup

        +

        Compare documents - Markup

      • Endgültig - der Modus zeigt das Dokument an, als ob alle Änderungen übernommen sind, nämlich nach dem Vergleichsprozess. Diese Option nimmt alle Änderungen nicht, sie zeigt nur das Dokument an, als ob die Änderungen schon übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. -

        Dokumente Vergleichen - Endgültig

        +

        Compare documents - Final

      • Original - der Modus zeigt das Originaldokument an, nämlich vor dem Vergleichsprozess, als ob alle Änderungen abgelehnt sind. Diese Option lehnt alle Änderungen nicht ab, sie zeigt nur das Dokument an, als ob die Änderungen nicht übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. -

        Dokumente Vergleichen - Original

        +

        Compare documents - Original

      -

      Änderungen übernehmen oder ablehnen

      -

      Verwenden Sie die Schaltflächen

      Zur vorherigen Änderung und
      Zur nächsten Änderung, um die Änderungen zu navigieren.

      -

      Um die Änderungen zu übernehmen oder abzulehnen:

      +

      Änderungen annehmen oder ablehnen

      +

      Verwenden Sie die Schaltflächen To Previous Change button Zur vorherigen Änderung und To Next Change button Zur nächsten Änderung in der oberen Symbolleiste, um die Änderungen zu navigieren.

      +

      Um die aktuell ausgewählte Änderung zu akzeptieren, können Sie:

        -
      • klicken Sie auf die Schaltfläche
        Annehmen nach oben oder
      • -
      • klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Aktuelle Änderungen annehmen aus (die Änderung wird übernommen und Sie übergehen zur nächsten Änderung) oder
      • -
      • klicken Sie die Schaltfläche Annehmen
        im Pop-Up-Fenster an.
      • +
      • Klicken Sie auf die Schaltfläche Accept button Annehmen in der oberen Symbolleiste, oder
      • +
      • Klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Aktuelle Änderungen annehmen aus (die Änderung wird angenommen und Sie übergehen zur nächsten Änderung) oder
      • +
      • Klicken Sie die Schaltfläche Annehmen Annehmen Schaltfläche im Pop-Up-Fenster an.

      Um alle Änderungen anzunehmen, klicken Sie den Abwärtspfeil unter der Schaltfläche

      Annehmen an und wählen Sie die Option Alle Änderungen annehmen aus.

      Um die aktuelle Änderung abzulehnen:

        -
      • klicken Sie die Schaltfläche
        Ablehnen an oder
      • +
      • Klicken Sie die Schaltfläche Reject button Ablehnen in der oberen Symbolleiste, oder
      • klicken Sie den Abwärtspfeil unter der Schaltfläche Ablehnen an und wählen Sie die Option Aktuelle Änderung ablehnen aus (die Änderung wird abgelehnt und Sie übergehen zur nächsten Änderung) oder
      • -
      • klicken Sie die Schaltfläche Ablehnen
        im Pop-Up-Fenster an.
      • +
      • Лlicken Sie die Schaltfläche Ablehnen Ablehnen Schaltfläche im Pop-Up-Fenster an.

      Um alle Änderungen abzulehnen, klicken Sie den Abwärtspfeil unter der Schaltfläche

      Ablehnen an und wählen Sie die Option Alle Änderungen ablehnen aus.

      -

      Zusatzinformation für die Vergleich-Option

      +

      Zusatzinformation für die Vergleich-Funktion

      Die Vergleichsmethode
      -

      In den Dokumenten werden nur die Wörter verglichen. Falls das Wort eine Änderung hat (z.B. eine Buchstabe ist abgelöst oder verändert), werden das ganze Wort als eine Änderung angezeigt.

      -

      Das folgende Bild zeigt den Fall, in dem das Originaldokument das Wort "Symbole" enthält und das Vergleichsdokument das Wort "Symbol" enthält.

      -

      Dokumente Vergleichen - Methode

      +

      Dokumente werden wortweise verglichen. Wenn ein Wort eine Änderung von mindestens einem Zeichen enthält (z. B. wenn ein Zeichen entfernt oder ersetzt wurde), wird die Differenz im Ergebnis als Änderung des gesamten Wortes und nicht des Zeichens angezeigt.

      +

      Das folgende Bild zeigt den Fall, dass die Originaldatei das Wort „Symbole“ und das Vergleichsdokument das Wort „Symbol“ enthält.

      +

      Compare documents - method

      Urheberschaft des Dokuments

      Wenn der Vergleichsprozess gestartet wird, wird das zweite Dokument zum Vergleichen hochgeladen und mit dem aktuellen verglichen.

        -
      • Wenn das hochgeladene Dokument Daten enthält, die nicht im Originaldokument enthalten sind, werden die Daten als hinzugefügt markiert.
      • -
      • Wenn das Originaldokument einige Daten enthält, die nicht im hochgeladenen Dokument enthalten sind, werden die Daten als gelöscht markiert.
      • +
      • Wenn das geladene Dokument einige Daten enthält, die nicht im Originaldokument enthalten sind, werden die Daten als von einem Überprüfer hinzugefügt markiert.
      • +
      • Wenn das Originaldokument einige Daten enthält, die nicht im geladenen Dokument enthalten sind, werden die Daten von einem Überprüfer als gelöscht markiert.
      -

      Wenn der Autor des Originaldokuments und des hochgeladenen Dokuments dieselbe Person ist, ist der Prüfer derselbe Benutzer. Sein/Ihr Name wird in der Sprechblase angezeigt.

      -

      Wenn die Autoren von zwei Dokumenten unterschiedliche Benutzer sind, ist der Autor des zweiten zum Vergleich hochgeladenen Dokuments der Autor der hinzugefügten / entfernten Änderungen.

      - +

      Wenn die Autoren des Originaldokuments und des geladenen Dokuments dieselbe Person sind, ist der Überprüfer derselbe Benutzer. Sein/ihr Name wird in der Änderungssprechblase angezeigt.

      +

      Wenn die Autoren zweier Dateien unterschiedliche Benutzer sind, dann ist der Autor der zweiten zum Vergleich geladenen Datei der Autor der hinzugefügten/entfernten Änderungen.

      +
      Die nachverfolgten Änderungen im verglichenen Dokument
      -

      Wenn das Originaldokument einige Änderungen enthält, die im Überprüfungsmodus vorgenommen wurden, werden diese im Vergleichsprozess übernommen. Wenn Sie das zweite Dokument zum Vergleich auswählen, wird die entsprechende Warnmeldung angezeigt.

      +

      Wenn das Originaldokument einige Änderungen enthält, die im Modus "Review" vorgenommen wurden, werden diese im Vergleichsprozess übernommen. Wenn Sie das zweite Dokument zum Vergleich auswählen, wird die entsprechende Warnmeldung angezeigt.

      In diesem Fall enthält das Dokument im Originalanzeigemodus keine Änderungen.

  • diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm index 375f665a0..1c761ce03 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm @@ -13,23 +13,39 @@
    -
    - -
    -

    Tastaturkürzel

    -

    Die Tastaturkombinationen werden für einen schnelleren und einfacheren Zugriff auf die Funktionen des Dokumenteneditors über die Tastatur verwendet.

    -
      -
    • Windows/Linux
    • Mac OS
    • -
    +
    + +
    +

    Tastenkombinationen

    +

    Tastenkombinationen für Key-Tipps

    +

    Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen des Dokumenteneditors ohne eine Maus zu verwenden.

    +
      +
    1. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten.
    2. +
    3. + Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. +

      Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen.

      +

      Primärtastentipps

      +

      Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte.

      +

      Sekundärtastentipps

      +

      Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht.

      +
    4. +
    5. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren.
    6. +
    +

    In der folgenden Liste finden Sie die gängigsten Tastenkombinationen:

    +
      +
    • Windows/Linux
    • + +
    • Mac OS
    • +
    - - + + @@ -38,18 +54,18 @@ - - - - - - - - - + + + + + + + + + - - + + @@ -84,7 +100,7 @@ - + @@ -92,30 +108,30 @@ - - - - - - - - - + + + + + + + + + - - - - - + + + + + - - - - - + + + + - - + + + @@ -182,59 +198,61 @@ - + - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -361,54 +379,54 @@ - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -430,12 +448,12 @@ - - - + + + - - + + @@ -507,67 +525,71 @@ - - - + + + + + - - - - - + + + + + - - - - - - - - + + + + + + + + - - - - - - - - - - - - + + + + + + + + + + + + + + - - - - - - - - - - - - + + + + + + + + + + + + @@ -589,70 +611,72 @@ - - - - - - + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - + +
    Ein Dokument bearbeiten
    Dateimenü öffnenALT+F⌥ Option+FALT+F⌥ Option+F Über das Dateimenü können Sie das aktuelle Dokument speichern, drucken, herunterladen, Informationen einsehen, ein neues Dokument erstellen oder ein vorhandenes öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen.
    ^ STRG+F,
    ⌘ Cmd+F
    Über das Dialogfeld Suchen und Finden können Sie im aktuell bearbeiteten Dokument nach Zeichen/Wörtern/Phrasen suchen.
    Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnenSTRG+H^ STRG+HÖffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen.
    Letzten Suchvorgang wiederholen⇧ UMSCHALT+F4
    Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnenSTRG+H^ STRG+HÖffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen.
    Letzten Suchvorgang wiederholen⇧ UMSCHALT+F4 ⇧ UMSCHALT+F4,
    ⌘ Cmd+G,
    ⌘ Cmd+⇧ UMSCHALT+F4
    Wiederholung des Suchvorgangs der vor dem Drücken der Tastenkombination ausgeführt wurde.
    Wiederholung des Suchvorgangs der vor dem Drücken der Tastenkombination ausgeführt wurde.
    Kommentarleiste öffnen STRG+⇧ UMSCHALT+HHerunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S,
    ⌘ Cmd+⇧ UMSCHALT+S
    Öffnen Sie das Menü Herunterladen als, um das aktuell bearbeitete Dokument in einem der unterstützten Dateiformate auf der Festplatte speichern: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.Öffnen Sie das Menü Herunterladen als, um das aktuell bearbeitete Dokument in einem der unterstützten Dateiformate auf der Festplatte speichern: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB.
    Vollbild Dokumenteneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt.
    HilfemenüF1F1Das Hilfe-Menü wird geöffnet.
    Vorhandene Datei öffnen (Desktop-Editoren)STRG+O
    HilfemenüF1F1Das Hilfe-Menü wird geöffnet.
    Vorhandene Datei öffnen (Desktop-Editoren)STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können.
    Datei schließen (Desktop-Editoren)STRG+W,
    STRG+F4
    Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können.
    Datei schließen (Desktop-Editoren)STRG+W,
    STRG+F4
    ^ STRG+W,
    ⌘ Cmd+W
    Das aktuelle Fenster in Desktop-Editoren schließen.
    Element-Kontextmenü⇧ UMSCHALT+F10Das aktuelle Fenster in Desktop-Editoren schließen.
    Element-Kontextmenü ⇧ UMSCHALT+F10Öffnen des ausgewählten Element-Kontextmenüs.
    ⇧ UMSCHALT+F10Öffnen des ausgewählten Element-Kontextmenüs.
    Navigation
    Vergrößern STRG++^ STRG+=,
    ⌘ Cmd+=
    ^ STRG+= Die Ansicht des aktuellen Dokuments wird vergrößert.
    Verkleinern STRG+-^ STRG+-,
    ⌘ Cmd+-
    ^ STRG+- Die Ansicht des aktuellen Dokuments wird verkleinert.
    Ein Zeichen nach links bewegenDer Mauszeiger bewegt sich ein Zeichen nach links.
    Ein Zeichen nach rechts bewegenDer Mauszeiger bewegt sich ein Zeichen nach rechts.
    Zum Anfang eines Wortes oder ein Wort nach links bewegenSTRG+^ STRG+,
    ⌘ Cmd+
    Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben.
    Ein Wort nach rechts bewegenSTRG+^ STRG+,
    ⌘ Cmd+
    Der Mauszeiger bewegt sich ein Wort nach rechts.
    Eine Reihe nach obenDer Mauszeiger wird eine Reihe nach oben verschoben.
    Eine Reihe nach untenDer Mauszeiger wird eine Reihe nach unten verschoben.
    Ein Zeichen nach links bewegenDer Mauszeiger bewegt sich ein Zeichen nach links.
    Ein Zeichen nach rechts bewegenDer Mauszeiger bewegt sich ein Zeichen nach rechts.
    Zum Anfang eines Wortes oder ein Wort nach links bewegenSTRG+^ STRG+,
    ⌘ Cmd+
    Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben.
    Ein Wort nach rechts bewegenSTRG+^ STRG+,
    ⌘ Cmd+
    Der Mauszeiger bewegt sich ein Wort nach rechts.
    Eine Reihe nach obenDer Mauszeiger wird eine Reihe nach oben verschoben.
    Eine Reihe nach untenDer Mauszeiger wird eine Reihe nach unten verschoben.
    Schreiben
    ⇧ UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen.
    Ein Zeichen nach rechts auswählen⇧ UMSCHALT+⇧ UMSCHALT+Das Zeichen rechts neben dem Mauszeiger wird ausgewählt.
    Ein Zeichen nach links auswählen⇧ UMSCHALT+⇧ UMSCHALT+Das Zeichen links neben dem Mauszeiger wird ausgewählt.
    Bis zum Wortende auswählenSTRG+⇧ UMSCHALT+
    Ein Zeichen nach rechts auswählen⇧ UMSCHALT+⇧ UMSCHALT+Das Zeichen rechts neben dem Mauszeiger wird ausgewählt.
    Ein Zeichen nach links auswählen⇧ UMSCHALT+⇧ UMSCHALT+Das Zeichen links neben dem Mauszeiger wird ausgewählt.
    Bis zum Wortende auswählenSTRG+⇧ UMSCHALT+ Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt.
    Bis zum Wortanfang auswählenSTRG+⇧ UMSCHALT+Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt.
    Bis zum Wortanfang auswählenSTRG+⇧ UMSCHALT+ Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt.
    Eine Reihe nach oben auswählen⇧ UMSCHALT+⇧ UMSCHALT+Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang).
    Eine Reihe nach unten auswählen⇧ UMSCHALT+⇧ UMSCHALT+Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang).
    Eine Seite nach oben auswählen⇧ UMSCHALT+BILD oben⇧ UMSCHALT+BILD obenDie Seite wird von der aktuellen Position des Mauszeigers bis zum oberen Teil des Bildschirms ausgewählt.
    Eine Seite nach unten auswählen⇧ UMSCHALT+BILD unten⇧ UMSCHALT+BILD untenDie Seite wird von der aktuellen Position des Mauszeigers bis zum unteren Teil des Bildschirms ausgewählt.
    Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt.
    Eine Reihe nach oben auswählen⇧ UMSCHALT+⇧ UMSCHALT+Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang).
    Eine Reihe nach unten auswählen⇧ UMSCHALT+⇧ UMSCHALT+Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang).
    Eine Seite nach oben auswählen⇧ UMSCHALT+BILD oben⇧ UMSCHALT+BILD obenDie Seite wird von der aktuellen Position des Mauszeigers bis zum oberen Teil des Bildschirms ausgewählt.
    Eine Seite nach unten auswählen⇧ UMSCHALT+BILD unten⇧ UMSCHALT+BILD untenDie Seite wird von der aktuellen Position des Mauszeigers bis zum unteren Teil des Bildschirms ausgewählt.
    Textformatierung
    ^ STRG+U,
    ⌘ Cmd+U
    Der gewählten Textabschnitt wird mit einer Linie unterstrichen.
    DurchgestrichenSTRG+5
    DurchgestrichenSTRG+5 ^ STRG+5,
    ⌘ Cmd+5
    Der gewählte Textabschnitt wird durchgestrichen.
    Der gewählte Textabschnitt wird durchgestrichen.
    Tiefgestellt STRG+.STRG+R ^ STRG+R Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig.
    Text tiefstellen (automatischer Abstand)STRG+=
    Text tiefstellen (automatischer Abstand)STRG+= Das ausgewählte Textfragment wird tiefgestellt.
    Text hochstellen (automatischer Abstand)STRG+⇧ UMSCHALT++Das ausgewählte Textfragment wird tiefgestellt.
    Text hochstellen (automatischer Abstand)STRG+⇧ UMSCHALT++ Das ausgewählte Textfragment wird hochgestellt.
    Seitenumbruch einfügenSTRG+↵ Eingabetaste^ STRG+↵ ZurückEinfügen eines Seitenumbruchs an der aktuellen Cursorposition.
    Das ausgewählte Textfragment wird hochgestellt.
    Seitenumbruch einfügenSTRG+↵ Eingabetaste^ STRG+↵ ZurückEinfügen eines Seitenumbruchs an der aktuellen Cursorposition.
    Einzug vergrößern STRG+M ^ STRG+M Vergrößert den linken Einzug des Absatzes schrittweise.
    Einzug verkleinernSTRG+⇧ UMSCHALT+M^ STRG+⇧ UMSCHALT+MVerkleinert den linken Einzug des Absatzes schrittweise.
    Seitenzahl einfügenSTRG+⇧ UMSCHALT+P^ STRG+⇧ UMSCHALT+PDie aktuelle Seitennummer wird an der aktuellen Cursorposition hinzugefügt.
    Einzug verkleinernSTRG+⇧ UMSCHALT+M^ STRG+⇧ UMSCHALT+MVerkleinert den linken Einzug des Absatzes schrittweise.
    Seitenzahl einfügenSTRG+⇧ UMSCHALT+P^ STRG+⇧ UMSCHALT+PDie aktuelle Seitennummer wird an der aktuellen Cursorposition hinzugefügt.
    Formatierungszeichen STRG+⇧ UMSCHALT+Num8 Ein- oder Ausblenden von nicht druckbaren Zeichen.
    Ein Zeichen nach links löschen← Rücktaste← RücktasteDas Zeichen links neben dem Mauszeiger wird gelöscht.
    Ein Zeichen nach rechts löschenENTFENTFDas Zeichen rechts neben dem Mauszeiger wird gelöscht.
    Ein Zeichen nach links löschen← Rücktaste← RücktasteDas Zeichen links neben dem Mauszeiger wird gelöscht.
    Ein Zeichen nach rechts löschenENTFENTFDas Zeichen rechts neben dem Mauszeiger wird gelöscht.
    Objekte ändern
    ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten.
    Gerade Linie oder Pfeil zeichnen⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils.
    Gerade Linie oder Pfeil zeichnen⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils.
    Bewegung in 1-Pixel-Stufen STRG+ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben.
    Tabellen bearbeiten
    Zur nächsten Zelle in einer Zeile übergeghen↹ Tab↹ TabZur nächsten Zelle in einer Zeile wechseln.
    Zur nächsten Zelle in einer Tabellenzeile wechseln.⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabZur vorherigen Zelle in einer Zeile wechseln.
    Zur nächsten Zeile wechselnZur nächsten Zeile in einer Tabelle wechseln.
    Zur vorherigen Zeile wechselnZur vorherigen Zeile in einer Tabelle wechseln.
    Neuen Abstz beginnen↵ Eingabetaste↵ ZurückEinen neuen Absatz in einer Zelle beginnen.
    Neue Zeile einfügen↹ Tab in der unteren rechten Tabellenzelle.↹ Tab in der unteren rechten Tabellenzelle.Eine neue Zeile am Ende der Tabelle einfügen.
    Sonderzeichen einfügen
    Formel einfügenALT+=
    Tabellen bearbeiten
    Zur nächsten Zelle in einer Zeile übergeghen↹ Tab↹ TabZur nächsten Zelle in einer Zeile wechseln.
    Zur nächsten Zelle in einer Tabellenzeile wechseln.⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabZur vorherigen Zelle in einer Zeile wechseln.
    Zur nächsten Zeile wechselnZur nächsten Zeile in einer Tabelle wechseln.
    Zur vorherigen Zeile wechselnZur vorherigen Zeile in einer Tabelle wechseln.
    Neuen Abstz beginnen↵ Eingabetaste↵ ZurückEinen neuen Absatz in einer Zelle beginnen.
    Neue Zeile einfügen↹ Tab in der unteren rechten Tabellenzelle.↹ Tab in der unteren rechten Tabellenzelle.Eine neue Zeile am Ende der Tabelle einfügen.
    Sonderzeichen einfügen
    Formel einfügenALT+= Einfügen einer Formel an der aktuellen Cursorposition.
    Einfügen einer Formel an der aktuellen Cursorposition.
    diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm index d4d4e9dc2..4825a4164 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm @@ -26,9 +26,10 @@

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

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

    -

    Verwendung der Navigationswerkzeuge

    +

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

    -

    Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Dokuments. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern

    oder Verkleinern
    . Klicken Sie auf das Symbol Eine Seite,
    um die ganze Seite im Fenster anzuzeigen. Um das ganze Dokument an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Seitenbreite
    . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen
    verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten.

    +

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

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

    diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Password.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Password.htm index 20d0b8d60..484239b36 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Password.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Password.htm @@ -24,9 +24,11 @@
  • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
  • wählen Sie die Option Schützen aus,
  • klicken Sie auf die Schaltfläche Kennwort hinzufügen,
  • -
  • geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
  • +
  • + geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Klicken Sie auf Kennwortsymbol anzeigen, um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. +

    Kennwort erstellen

    +
  • -

    Kennwort erstellen

    Kennwort ändern

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm index e3368ed6d..72a8dc591 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm @@ -1,9 +1,9 @@  - Dokumentenprüfung + Änderungen nachverfolgen - + @@ -12,35 +12,43 @@
      - +
      -

      Dokumentenprüfung

      -

      Wenn jemand eine Datei mit Überprüfungsberechtigung mit Ihnen teilt, müssen Sie die Funktion für die Überprüfung im Dokumenteneditor verwenden.

      -

      Wenn Sie der Rezensent sind, können Sie die Option Überprüfung verwenden, um das Dokument zu überprüfen, Sätze, Phrasen und andere Seitenelemente zu ändern, die Rechtschreibung zu korrigieren und andere Aktionen im Dokument vorzunehmen, ohne es tatsächlich zu bearbeiten. Alle Änderungen werden gespeichert und der Person angezeigt, die Ihnen das Dokument gesendet hat.

      -

      Wenn Sie die Datei für die Überprüfung gesendet haben, müssen Sie alle vorgenommenen Änderungen anzeigen und sie entweder akzeptieren oder ablehnen.

      -

      Die Funktion Änderungen nachverfolgen aktivieren

      +

      Änderungen nachverfolgen

      +

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

      +

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

      +

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

      +

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

      +

      Die Funktion "Änderungen nachverfolgen" aktivieren

      Um Änderungen anzuzeigen, die von einem Rezensenten vorgeschlagen wurden, aktivieren Sie die Option Änderungen nachverfolgen:

        -
      • Klicken Sie in der rechten unteren Statusleiste auf das Symbol
        oder
      • -
      • Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf
        Änderungen nachverfolgen. -

        Der Rezensent muss die Option Änderungen nachverfolgen nicht aktivieren. Die Funktion ist standardmäßig aktiviert und kann nicht deaktiviert werden, wenn das Dokument mit Zugriffsrechten nur für die Überprüfung freigegeben ist.

      • -
      • Im geöffneten Pop-Up-Menü stehen die folgenden Optionen zur Verfügung: +
      • Klicken Sie in der rechten unteren Statusleiste auf das Symbol Track changes button, oder
      • +
      • + Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf Änderungen nachverfolgen Änderungen nachverfolgen. +

        Der Überprüfer muss die Option Änderungen nachverfolgen nicht aktivieren. Sie ist standardmäßig aktiviert und kann nicht deaktiviert werden, wenn das Dokument nur mit Zugriffsrechten zum Review freigegeben wird.

        +
      • +
      • + Im geöffneten Pop-Up-Menü stehen folgende Optionen zur Verfügung:
        • AKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer aktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung aktiviert, d. h. die Option wird deaktiviert, wenn Sie das Dokument neu laden oder erneut öffnen. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren.
        • DEAKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer deaktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung deaktiviert. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren.
        • -
        • AKTIVIERT für alle: Die Nachverfolgung von Änderungen ist aktiviert und bleibt beim erneuten Laden oder erneuten Öffnen des Dokuments beibehalten (beim erneuten Laden des Dokuments wird die Nachverfolgung für alle Benutzer aktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei deaktiviert, wird der Status auf DEAKTIVIERT für alle geändert. -

          Verfolgen von Änderungen - Meldung

        • -
        • DEAKTIVIERT für alle - Die Nachverfolgung von Änderungen ist deaktiviert und bleibt beibehalten, wenn Sie das Dokument neu laden oder erneut öffnen (wenn das Dokument neu geladen wird, ist die Nachverfolgung für alle Benutzer deaktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei aktiviert, wird der Status auf AKTIVIERT für alle geändert. Die entsprechende Warnmeldung wird jedem Mitautor angezeigt. -

          Verfolgen von Änderungen - Aktiviert

        • +
        • + AKTIVIERT für alle: Die Nachverfolgung von Änderungen ist aktiviert und bleibt beim erneuten Laden oder erneuten Öffnen des Dokuments beibehalten (beim erneuten Laden des Dokuments wird die Nachverfolgung für alle Benutzer aktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei deaktiviert, wird der Status auf DEAKTIVIERT für alle geändert. +

          Verfolgen von Änderungen - Meldung

          +
        • +
        • + DEAKTIVIERT für alle - Die Nachverfolgung von Änderungen ist deaktiviert und bleibt beibehalten, wenn Sie das Dokument neu laden oder erneut öffnen (wenn das Dokument neu geladen wird, ist die Nachverfolgung für alle Benutzer deaktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei aktiviert, wird der Status auf AKTIVIERT für alle geändert. Die entsprechende Warnmeldung wird jedem Mitautor angezeigt. +

          Verfolgen von Änderungen - Aktiviert

          +

      Änderungen anzeigen

      Von einem Benutzer vorgenommene Änderungen werden im Dokumenttext mit einer bestimmten Farbe hervorgehoben. Wenn Sie auf den geänderten Text klicken, öffnet sich eine Sprechblase, die den Benutzernamen, Datum und Uhrzeit der Änderung sowie die Änderungsbeschreibung anzeigt. Die Sprechblase enthält auch Symbole zum Akzeptieren oder Ablehnen der aktuellen Änderung.

      Sprechblase

      -

      Wenn Sie einen Text per Drag & Drop an eine andere Stelle im Dokument ziehen, wird der Text an einer neuen Position mit der Doppellinie unterstrichen. Der Text an der ursprünglichen Position wird doppelt gekreuzt. Dies wird als eine einzige Änderung gezählt.

      -

      Klicken Sie an der ursprünglichen Position auf den doppelt durchgestrichenen Text und verwenden Sie den Pfeil

      in der Änderungssprechblase, um an die neue Position des Textes zu gelangen.

      -

      Klicken Sie an der neuen Position auf den doppelt unterstrichenen Text und verwenden Sie den Pfeil

      in der Änderungssprechblase, um zur ursprünglichen Position des Textes zu gelangen.

      +

      Wenn Sie einen Textabschnitt per Drag & Drop an eine andere Stelle im Dokument ziehen, wird der Text an einer neuen Position mit der doppelten Linie unterstrichen. Der Text an der ursprünglichen Position wird doppelt gekreuzt. Dies wird als eine einzige Änderung gezählt.

      +

      Klicken Sie auf den doppelt durchgestrichenen Text an der ursprünglichen Position und verwenden Sie den Pfeil Follow Move button in der Änderungssprechblase, um zur neuen Position des Textes zu wechseln.

      +

      Klicken Sie an der neuen Position auf den doppelt unterstrichenen Text und verwenden Sie den Pfeil Follow Move button in der Änderungssprechblase, um zur ursprünglichen Position des Textes zu wechseln.

      Anzeigemodus für Änderungen auswählen

      Klicken Sie in der oberen Symbolleiste auf das Symbol

      Anzeigemodus und wählen Sie einen der verfügbaren Modi aus der Liste aus:

        @@ -50,22 +58,24 @@
      • Original: In diesem Modus werden alle Änderungen so angezeigt, als wären sie abgelehnt worden. Die Änderungen werden nicht wirklich abgelehnt, die Funktion ermöglicht Ihnen lediglich eine Vorschau, falls alle Änderungen abgelehnt werden. In diesem Modus kann das Dokument nicht bearbeitet werden.

      Änderungen annehmen oder ablehnen

      -

      Über die Schaltflächen

      Vorherige und
      Nächste in der oberen Symbolleiste können Sie zwischen den Änderungen navigieren.

      -

      Annehmen von aktuell ausgewählten Änderungen:

      +

      Über die Schaltflächen Vorherige Änderung Vorherige und Nächste Änderung Nächste in der oberen Symbolleiste können Sie zwischen den Änderungen navigieren.

      +

      Um die aktuell ausgewählte Änderung anzunehmen:

        -
      • Klicken Sie in der oberen Symbolleiste auf das Symbol
        Annehmen oder
      • -
      • klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Aktuelle Änderung annehmen (in diesem Fall wird die Änderung angenommen und Sie fahren mit der nächsten Änderung fort) oder
      • -
      • klicken Sie in der Gruppe Änderungsbenachrichtigungen auf Annehmen
        .
      • +
      • Klicken Sie auf die Schaltfläche Accept button Annehmen in der oberen Symbolleiste, oder
      • +
      • Klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Aktuelle Änderung annehmen (in diesem Fall wird die Änderung angenommen und Sie fahren mit der nächsten Änderung fort), oder
      • +
      • Klicken Sie auf die Schaltfläche Annehmen Accept button der Änderungssprechblase.
      -

      Um alle Änderungen sofort anzunehmen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche

      Annehmen und wählen Sie die Option Alle Änderungen annehmen aus.

      -

      Ablehnen von aktuell ausgewählten Änderungen:

      +

      Um alle Änderungen sofort anzunehmen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Accept button Annehmen und wählen Sie die Option Alle Änderungen annehmen aus.

      +

      Um die aktuell ausgewählte Änderung abzulehnen:

        -
      • Klicken Sie in der oberen Symbolleiste das Symbol
        Ablehnen oder
      • -
      • klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Aktuelle Änderung ablehnen aus (in diesem Fall wird die Änderung abgelehnt und Sie fahren mit der nächsten verfügbaren Änderung fort) oder
      • -
      • klicken Sie in der Gruppe Änderungsbenachrichtigungen auf Ablehnen
        .
      • +
      • Klicken Sie auf die Schaltfläche Reject button Ablehnen in der oberen Symbolleiste, oder
      • +
      • Klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Aktuelle Änderung ablehnen aus (in diesem Fall wird die Änderung abgelehnt und Sie fahren mit der nächsten verfügbaren Änderung fort), oder
      • +
      • Klicken Sie auf die Schaltfläche Ablehnen Reject button der Änderungssprechblase.
      -

      Um alle Änderungen direkt abzulehnen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche

      Ablehnen und wählen Sie die Option Alle Änderungen ablehnen.

      -

      Wenn Sie das Dokument überprüfen, stehen Ihnen die Optionen Akzeptieren und Ablehnen nicht zur Verfügung. Sie können Ihre Änderungen mit dem

      Symbol innerhalb der Änderungs-Sprechblase löschen.

      +

      Um alle Änderungen direkt abzulehnen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen Ablehnen und wählen Sie die Option Alle Änderungen ablehnen.

      +

      Wenn Sie eine Änderung annehmen oder ablehnen müssen, klicken Sie mit der rechten Maustaste darauf und wählen Sie im Kontextmenü Änderung annehmen oder Änderung ablehnen.

      +

      Accept/Reject Drop-Down Menü

      +

      Wenn Sie das Dokument überprüfen, stehen Ihnen die Optionen Annehmen und Ablehnen nicht zur Verfügung. Sie können Ihre Änderungen mit dem Symbol Änderung löschen innerhalb der Änderungssprechblase löschen.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm index 61f89b881..54ea815b9 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm @@ -3,7 +3,7 @@ Suchen und Ersetzen - + @@ -11,31 +11,156 @@
      -
      - -
      -

      Suchen und Ersetzen

      -

      Wenn Sie im aktuellen Dokument nach Zeichen, Wörtern oder Phrasen suchen möchten im Dokumenteneditor, klicken Sie auf das

      Symbol in der linken Seitenleiste.

      -

      Die Dialogbox Suchen und Ersetzen wird geöffnet:

      -

      Dialogbox Suchen und Ersetzen

      +
      + +
      +

      Suchen und Ersetzen

      +

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

      +

      Das Fenster Suchen und Ersetzen wird geöffnet:

      +

      Suchen und Ersetzen Fenster

        -
      1. Geben Sie Ihre Suchanfrage in das entsprechende Eingabefeld ein.
      2. -
      3. Legen Sie Ihre Suchparameter fest, klicken Sie dazu auf das
        Symbol und markieren Sie die gewünschten Optionen:
          -
        • Groß-/Kleinschreibung beachten - ist diese Funktion aktiviert, werden nur Ergebnisse mit der selben Schreibweise wie in Ihrer Suchanfrage gefiltert (lautet Ihre Anfrage z.B. 'Editor' und diese Option ist markiert, werden Wörter wie 'editor' oder 'EDITOR' usw. nicht gefunden). Um die Option auszuschalten, deaktivieren Sie das Kontrollkästchen.
        • -
        • Ergebnisse markieren - alle gefundenen Vorkommen auf einmal markiert. Um diese Option auszuschalten und die Markierung zu entfernen, deaktivieren Sie das Kontrollkästchen.
        • -
        -
      4. -
      5. Klicken Sie auf einen der Pfeiltasten in der unteren rechten Ecke der Dialogbox. Die Suche wird entweder in Richtung des Dokumentenanfangs (klicken Sie auf
        ) oder in Richtung des Dokumentenendes (klicken Sie auf
        ) durchgeführt.

        Hinweis: wenn die Option Ergebnisse markieren aktiviert ist, können Sie mit den Pfeilen durch die markierten Ergebnisse navigieren.

        -
      6. +
      7. Geben Sie Ihre Anfrage in das entsprechende Dateneingabefeld ein.
      8. +
      9. + Geben Sie Suchparameter an, indem Sie auf das Symbol Suchoptionen Symbol klicken und die erforderlichen Optionen aktivieren: +
          +
        • Groß-/Kleinschreibung beachten wird verwendet, um nur die Vorkommen zu finden, die in der gleichen Groß-/Kleinschreibung wie Ihre Anfrage eingegeben wurden (z. B. wenn Ihre Anfrage „Editor“ lautet und diese Option aktiviert ist, werden Wörter wie „editor“ oder „EDITOR“ usw. nicht gefunden). Um diese Option zu deaktivieren, klicken Sie erneut darauf.
        • +
        • Ergebnisse hervorheben wird verwendet, um alle gefundenen Vorkommen hervorzuheben. Um diese Option zu deaktivieren und die Hervorhebung zu entfernen, klicken Sie erneut auf die Option.
        • +
        +
      10. +
      11. + Klicken Sie auf eine der Pfeilschaltflächen unten rechts im Fenster. + Die Suche wird entweder am Anfang des Dokuments (wenn Sie auf die Schaltfläche Linker Pfeil klicken) oder am Ende des Dokuments (wenn Sie an der aktuellen Position auf die Schaltfläche Rechtspfeil klicken) durchgeführt. +

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

        +
      -

      Das erste Ergebnis der Suchanfrage in der ausgewählten Richtung, wird auf der Seite markiert. Falls es sich dabei nicht um die gewünschte Textstelle handelt, klicken Sie den Pfeil erneut an, um das nächste Vorkommen der eingegebenen Zeichen zu finden.

      -

      Um ein oder mehrere Ergebnisse zu ersetzen, klicken Sie unter den Pfeiltasten auf die Schaltfläche Ersetzen. Die Dialogbox Suchen und Ersetzen öffnet sich:

      -

      Dialogbox Suchen und Ersetzen

      +

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

      +

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

      +

      Suchen und Ersetzen Fenster

        -
      1. Geben Sie den gewünschten Ersatztext in das untere Eingabefeld ein.
      2. -
      3. Klicken Sie auf Ersetzen, um das aktuell ausgewählte Ergebnis zu ersetzen oder auf Alle ersetzen, um alle gefundenen Ergebnisse zu ersetzen.
      4. +
      5. Geben Sie den Ersatztext in das untere Dateneingabefeld ein.
      6. +
      7. Klicken Sie auf die Schaltfläche Ersetzen, um das aktuell ausgewählte Vorkommen zu ersetzen, oder auf die Schaltfläche Alle ersetzen, um alle gefundenen Vorkommen zu ersetzen.
      -

      Um das Feld ersetzen zu verbergen, klicken Sie auf den Link Ersetzen verbergen.

      +

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

      +

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

      +
      + Die Liste der Sonderzeichen, die in Suchen verwendet werden können + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
      SonderzeichenBeschreibung
      ^lZeilenumbruch
      ^tTabulator
      ^?Ein Symbol
      ^#Eine Ziffer
      ^$Eine Buchstabe
      ^nSpaltenbruch
      ^eEndnote
      ^fFußnote
      ^gGrafisches Element
      ^mSeitenumbruch
      ^~Bindestrich
      ^sGeschütztes Leerzeichen
      ^^Zirkumflex entkommen
      ^wEin Leerzeichen
      ^+Geviertstrich
      ^=Gedankenstrich
      ^yEin Strich
      +
      +
      + Sonderzeichen, die auch zum Ersetzen verwendet werden können: + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
      SonderzeichenBeschreibung
      ^lZeilenumbruch
      ^tTabulator
      ^nSpaltenbruch
      ^mSeitenumbruch
      ^~Bindestrich
      ^sGeschütztes Leerzeichen
      ^+Geviertstrich
      ^=Gedankenstrich
      +
      +
      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 034ba6295..fd10a5c8c 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -15,7 +15,10 @@

      Unterstützte Formate von elektronischen Dokumenten

      -

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

      +

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

      @@ -26,14 +29,14 @@ - + - + @@ -47,14 +50,14 @@ - + - + @@ -68,14 +71,14 @@ - + - + @@ -96,21 +99,28 @@ - + - + - + + + + + + + + @@ -123,11 +133,18 @@ - - + + + + + + + + + + + - -
      Formate
      DOCDateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werdenDateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden. + +
      DOCXOffice Open XML
      Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten
      Office Open XML
      Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten.
      + + +
      FB2Eine E-Book-Dateierweiterung, mit der Sie Bücher auf Ihrem Computer oder Mobilgerät lesen könnenEine E-Book-Dateierweiterung, mit der Sie Bücher auf Ihrem Computer oder Mobilgerät lesen können. + + +
      ODTTextverarbeitungsformat von OpenDocument, ein offener Standard für elektronische DokumenteTextverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente. + + +
      RTFRich Text Format
      Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte
      Rich Text Format
      Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte.
      + + +
      TXTDateierweiterung reiner Textdateien mit wenig FormatierungDateierweiterung reiner Textdateien mit wenig Formatierung. + + +
      HTMLHyperText Markup Language
      Hauptauszeichnungssprache für Webseiten
      HyperText Markup Language
      Hauptauszeichnungssprache für Webseiten.
      + + +
      EPUBElectronic Publication
      Offener Standard für E-Books vom International Digital Publishing Forum
      Electronic Publication
      Offener Standard für E-Books vom International Digital Publishing Forum.
      + + +
      XPSOpen XML Paper Specification
      Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout
      Open XML Paper Specification
      Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout.
      +
      DjVuDateiformat, das hauptsächlich zum Speichern gescannter Dokumente entwickelt wurde, insbesondere solcher, die eine Kombination aus Text, Strichzeichnungen und Fotos enthalten. +
      DjVuDateiformat, das hauptsächlich zur Speicherung gescannter Dokumente (vor allem solcher mit Text, Rastergrafiken und Fotos) konzipiert wurdeDOCXFEin Format zum Erstellen, Bearbeiten und Zusammenarbeiten an einer Formularvorlage.+++
      OFORMEin Format zum Ausfüllen eines Formulars. Formularfelder sind ausfüllbar, aber Benutzer können die Formatierung oder Parameter der Formularelemente nicht ändern*.++ +
      -

      Alle Dateiformate werden ohne Chromium ausgeführt und sind auf allen Plattformen verfügbar.

      +

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

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..39e4ea598 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm @@ -0,0 +1,39 @@ + + + + Versionshistorie + + + + + + + +
      +
      + +
      +

      Versionshistorie

      +

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

      +

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

      +

      Versionshistorie anzeigen:

      +

      Um alle am Dokument vorgenommenen Änderungen anzuzeigen:

      +
        +
      • Öffnen Sie die Registerkarte Datei.
      • +
      • Wählen Sie die Option Versionshistorie in der linken Seitenleiste +

        oder

        +
      • +
      • Öffnen Sie die Registerkarte Zusammenarbeit.
      • +
      • Öffnen Sie die Versionshistorie mithilfe des Symbols Versionshistorie Versionshistorie in der oberen Symbolleiste.
      • +
      +

      Sie sehen die Liste der Dokumentversionen und -revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird auch die Versionsnummer angegeben (z. B. ver. 2).

      +

      Versionen anzeigen:

      +

      Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird.

      +

      Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Historie schließen oben in der Versionsliste.

      +

      Versionen wiederherstellen:

      +

      Wenn Sie zu einer der vorherigen Versionen des Dokuments zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision.

      +

      Restore

      +

      Um mehr über das Verwalten von Versionen und Zwischenrevisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm new file mode 100644 index 000000000..6f9d70a52 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm @@ -0,0 +1,88 @@ + + + + ONLYOFFICE Document Viewer + + + + + + + +
      +
      + +
      +

      ONLYOFFICE Document Viewer

      +

      Sie können den ONLYOFFICE Document Viewer verwenden, um PDF, XPS, DjVu-Dateien zu öffnen und darin zu navigieren.

      +

      Mit dem ONLYOFFICE Document Viewer können Sie:

      +
        +
      • PDF, XPS, DjVu-Dateien anzeigen,
      • +
      • Anmerkungen mit dem Chat-Tool hinzufügen,
      • +
      • durch Dateien mithilfe des Inhaltsnavigationsfelds und der Seitenminiaturansichten navigieren,
      • +
      • die Tools "Auswählen" und "Hand" verwenden,
      • +
      • Dateien drucken und herunterladen,
      • +
      • interne und externe Links verwenden,
      • +
      • auf erweiterten Dateieinstellungen des Editors zugreifen,
      • +
      • + die folgenden Plugins verwenden: +
          +
        • Plugins, die in der Desktop-Version verfügbar sind: Übersetzer, Senden, Thesaurus.
        • +
        • Plugins, die in der Online-Version verfügbar sind: Controls example, Get and paste html, Telegram, Typograf, Count words, Rede, Thesaurus, Übersetzer.
        • +
        +
      • +
      +

      Die Benutzeroberfläche des ONLYOFFICE Document Viewer:

      +

      ONLYOFFICE Document Viewer

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

        Drucken Drucken ermöglicht das Ausdrucken einer Datei;

        +

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

        +

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

        +

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

        +

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

        +

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

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

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

        +

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

        +

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

        +

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

        +

        Zoom Mit dem Tool Zoom können Sie die Seite vergrößern und verkleinern.

        +
      4. +
      5. + Die linke Seitenleiste enthält die folgenden Symbole: +
          +
        • Suchen Symbol - ermöglicht die Verwendung des Tools Suchen und Ersetzen,
        • +
        • Chat Symbol - (nur in der Online-Version verfügbar) ermöglicht das Öffnen des Chat-Panels,
        • +
        • + Navigation Symbol - ermöglicht das Öffnen des Bereichs Navigation, der die Liste aller Überschriften mit den entsprechenden Ebenen anzeigt. Klicken Sie auf die Überschrift, um direkt zu einer bestimmten Seite zu springen. +

          NavigationPanel +

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

          +
            +
          • Alle ausklappen - um alle Überschriftenebenen im Navigations-Panel zu erweitern.
          • +
          • Alle einklappen - um alle Überschriftenebenen außer Ebene 1 im Navigations-Panel auszublenden.
          • +
          • Auf Ebene erweitern - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Z.B. wenn Sie Ebene 3 auswählen, werden die Ebenen 1, 2 und 3 erweitert, während Ebene 4 und alle darunter liegenden Ebenen reduziert werden.
          • +
          +

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

          +

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

          +
        • +
        • + Miniaturansichten - ermöglicht die Anzeige von Seiten-Thumbnails für eine schnelle Navigation. Klicken Sie auf Thumbnail-Einstellungen im Bereich Miniaturansichten, um auf Thumbnail-Einstellungen zuzugreifen: +

          Miniaturansichten Einstellungen

          +
            +
          • Ziehen Sie den Schieberegler, um die Größe der Miniaturansicht festzulegen.
          • +
          • Die Option Sichtbaren Teil der Seite hervorheben ist standardmäßig aktiv, um den auf dem Bildschirm angezeigten Bereich anzuzeigen. Klicken Sie darauf, um diese Option zu deaktivieren.
          • +
          +

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

          +
        • +
        • Feedback und Support Symbol - kontaktieren Sie unser Support-Team,
        • +
        • Über das Produkt Symbol - (nur in der Online-Version verfügbar) ermöglicht das Anzeigen von Informationen über das Programm.
        • +
        +
      6. +
      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/FormsTab.htm new file mode 100644 index 000000000..a9116a58c --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/FormsTab.htm @@ -0,0 +1,46 @@ + + + + Registerkarte Formulare + + + + + + + +
      +
      + +
      +

      Registerkarte Formulare

      +

      Diese Registerkarte ist nur bei DOCXF-Dateien verfügbar.

      +

      Auf der Registerkarte Formulare können Sie ausfüllbare Formulare wie Vereinbarungen, Anträge oder Umfragen erstellen. Fügen Sie Text- und Formularfelder hinzu, formatieren und konfigurieren Sie sie, um ein ausfüllbares Formular zu erstellen, egal wie komplex es sein muss.

      +
      +

      Dialogbox Online-Dokumenteneditor:

      +

      Registerkarte Formulare

      +
      +
      +

      Dialogbox Desktop-Dokumenteneditor:

      +

      Registerkarte Formulare

      +
      +

      Sie können:

      + +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm index d2b6adf86..8fc9e13a0 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm @@ -26,33 +26,38 @@

      Die Oberfläche des Editors besteht aus folgenden Hauptelementen:

        -
      1. In der Kopfzeile des Editors werden das Logo, geöffnete Dokumente, der Name des Dokuments und die Menü-Registerkarten angezeigt.

        Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen.

        +
      2. + Die Editor-Kopfzeile zeigt das ONLYOFFICE-Logo, Registerkarten für alle geöffneten Dokumente mit ihren Namen und Menüregisterkarten an. +

        Auf der linken Seite der Editor-Kopfzeile befinden sich die folgenden Schaltflächen: Speichern, Datei drucken, Rückgängig und Wiederholen.

        Symbole in der Kopfzeile des Editors

        -

        Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt:

        +

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

          -
        • Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen.
        • -
        • - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen.
        • -
        • Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen.
        • -
        • Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt.
        • -
        -
      3. -
      4. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Referenzen, Zusammenarbeit, Schützen, Plug-ins.

        Die Befehle

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

        -
      5. -
      6. In der Statusleiste am unteren Rand des Editorfensters finden Sie die Anzeige der Seitennummer und Benachrichtigungen vom System (wie beispielsweise „Alle Änderungen wurden gespeichert" etc.), außerdem können Sie die Textsprache festlegen und die Rechtschreibprüfung aktivieren, den Modus Änderungen nachverfolgen einschalten und den Zoom anpassen.
      7. -
      8. Symbole in der linken Seitenleiste:
          -
        • - die Funktion Suchen und Ersetzen,
        • -
        • - Kommentarfunktion öffnen,
        • -
        • - Navigationsfenster aufrufen, um Überschriften zu verwalten,
        • -
        • (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen.
        • +
        • Dateispeicherort öffnen Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen.
        • +
        • Einstellungen anzeigen - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen.
        • +
        • Zugriffsrechte verwalten Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen.
        • +
        • Favorit Symbol Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt.
      9. +
      10. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Referenzen, Zusammenarbeit, Schützen, Plug-ins. +

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

        +
      11. +
      12. Die Statusleiste am unteren Rand des Editorfensters zeigt die Seitennummer und einige Benachrichtigungen an (z. B. „Alle Änderungen gespeichert“, „Verbindung unterbrochen“, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen usw.). Es ermöglicht auch das Festlegen der Textsprache, das Aktivieren der Rechtschreibprüfung, das Einschalten des Modus "Änderungen verfolgen" und Anpassen des Zooms.
      13. +
      14. Symbole in der linken Seitenleiste: +
          +
        • Suche - die Funktion Suchen und Ersetzen,
        • +
        • Kommentare - Kommentarfunktion öffnen,
        • +
        • Navigation - Navigationsfenster aufrufen, um Überschriften zu verwalten,
        • +
        • Chat (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen.
        • +
        • Feedback und Support Symbol - (nur in der Online-Version verfügbar) kontaktieren Sie unser Support-Team,
        • +
        • Über das Produkt Symbol - (nur in der Online-Version verfügbar) ermöglicht das Anzeigen von Informationen über das Programm.
        • +
        +
      15. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie im Text ein bestimmtes Objekt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern.
      16. Horizontale und vertikale Lineale ermöglichen das Ausrichten von Text und anderen Elementen in einem Dokument sowie das Festlegen von Rändern, Tabstopps und Absatzeinzügen.
      17. Über den Arbeitsbereich können Sie den Dokumenteninhalt anzeigen und Daten eingeben und bearbeiten.
      18. Über die Scroll-Leiste auf der rechten Seite können Sie mehrseitige Dokumente nach oben oder unten scrollen.

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

      - \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..da098af55 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm @@ -0,0 +1,45 @@ + + + + Registerkarte Ansicht + + + + + + + +
      +
      + +
      +

      Registerkarte Ansicht

      +

      + Über die Registerkarte Ansicht im Dokumenteneditor können Sie das Aussehen Ihres Dokuments verwalten, während Sie daran arbeiten. +

      +
      +

      Dialogbox Online-Dokumenteneditor:

      +

      Registerkarte Ansicht

      +
      +
      +

      Dialogbox Desktop-Dokumenteneditor:

      +

      Registerkarte Ansicht

      +
      +

      Auf dieser Registerkarte sind die folgenden Funktionen verfügbar:

      +
        +
      • Navigation ermöglicht das Anzeigen und Navigieren von Überschriften in Ihrem Dokument.
      • +
      • Zoom ermöglicht das Vergrößern und Verkleinern Ihres Dokuments.
      • +
      • Seite anpassen ermöglicht es, die Seite so zu skalieren, dass der Bildschirm die ganze Seite anzeigt.
      • +
      • Breite anpassen ermöglicht es, die Seite so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird.
      • +
      • Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Hell, Klassisch Hell oder Dunkel.
      • +
      • Die Option Dunkles Dokument wird aktiv, wenn das dunkle Design aktiviert ist. Klicken Sie darauf, um auch den Arbeitsbereich zu verdunkeln.
      • +
      +

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

      +
        +
      • Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen.
      • +
      • Statusleiste um die Statusleiste immer sichtbar zu machen.
      • +
      • Lineale, um Lineale immer sichtbar zu machen.
      • +
      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddWatermark.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddWatermark.htm index 13b9ccf25..8831d4c26 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddWatermark.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddWatermark.htm @@ -25,9 +25,9 @@
    • Benutzen Sie die Option Text-Wasserzeichen und passen Sie die Parameter an:

      Wasserzeichen-Einstellungen

        -
      • Sprache - wählen Sie eine Sprache aus der Liste.
      • +
      • Sprache - wählen Sie eine Sprache aus der Liste. Für Wasserzeichen unterstützte Sprachen: Englisch, Französisch, Deutsch, Italienisch, Japanisch, Mandarin, Russisch, Spanisch.
      • Text - wählen Sie einen verfügbaren Text der gewählten Sprache aus. Für Deutsch sind die folgenden Text-Optionen verfügbar: BEISPIEL, DRINGEND, ENTWURF, KOPIE, NICHT KOPIEREN, ORIGINAL, PERSÖNLICH, VERTRAULICH, STRENG VERTRAULICH.
      • -
      • Schriftart - wählen Sie die Schriftart und Größe aus der entsprechenden Drop-Down-Liste. Benutzen Sie die Symbole rechts daneben, um Farbe und Schriftdekoration zu setzen: Fett, Kursiv, Unterstrichen, Durchgestrichen,
      • +
      • Schriftart - wählen Sie die Schriftart und Größe aus der entsprechenden Drop-Down-Liste. Benutzen Sie die Symbole rechts daneben, um Farbe und Schriftdekoration zu setzen: Fett, Kursiv, Unterstrichen, Durchgestrichen.
      • Halbtransparent - benutzen Sie diese Option, um Transparenz anzuwenden.
      • Layout - wählen Sie Diagonal oder Horizontal.
      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/CommunicationPlugins.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/CommunicationPlugins.htm new file mode 100644 index 000000000..285110eae --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/CommunicationPlugins.htm @@ -0,0 +1,48 @@ + + + + Kommunikation während der Bearbeitung + + + + + + + +
      +
      + +
      +

      Kommunikation während der Bearbeitung

      +

      Im ONLYOFFICE Dokumenteneditor können Sie immer mit Kollegen in Kontakt bleiben und beliebte Online-Messenger wie Telegram und Rainbow nutzen.

      +
      Telegram- und Rainbow-Plugins werden standardmäßig nicht installiert. Informationen zur Installation finden Sie im entsprechenden Artikel: Hinzufügen von Plugins zu den ONLYOFFICE Desktop Editoren Hinzufügen von Plugins zu ONLYOFFICE Cloud oder Hinzufügen neuer Plugins zu Server-Editoren.
      +

      Telegram

      +

      Um mit dem Chatten im Telegram-Plugin zu beginnen,

      +
        +
      • Öffnen Sie die Registerkarte Plugins und klicken Sie auf Telegram Symbol Telegram.
      • +
      • Geben Sie Ihre Telefonnummer in das entsprechende Feld ein.
      • +
      • Aktivieren Sie das Kontrollkästchen Keep me signed in, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Next.
      • +
      • + Geben Sie den erhaltenen Code in Ihre Telegram-App ein +

        oder

        +
      • +
      • Melden Sie sich mit dem QR-Code an.
      • +
      • Öffnen Sie die Telegram-App auf Ihrem Telefon.
      • +
      • Gehen Sie zu Einstellungen > Geräte > QR scannen,
      • +
      • Scannen Sie das Bild, um sich anzumelden.
      • +
      +

      Jetzt können Sie Telegram für Instant Messaging innerhalb der ONLYOFFICE-Editor-Oberfläche verwenden.

      + Telegram gif +

      Rainbow

      +

      Um mit dem Chatten im Rainbow-Plugin zu beginnen,

      +
        +
      1. Öffnen Sie die Registerkarte Plugins und klicken Sie auf Rainbow icon Rainbow.
      2. +
      3. Registrieren Sie ein neues Konto, indem Sie auf die Schaltfläche Sign up klicken, oder melden Sie sich bei einem bereits erstellten Konto an. Geben Sie dazu Ihre E-Mail in das entsprechende Feld ein und klicken Sie auf Continue.
      4. +
      5. Geben Sie dann Ihr Kontopasswort ein.
      6. +
      7. Aktivieren Sie das Kontrollkästchen Keep my session alive, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Connect.
      8. +
      +

      Jetzt sind Sie fertig und können gleichzeitig in Rainbow chatten und in der ONLYOFFICE-Editor-Oberfläche arbeiten.

      + Rainbow gif +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm index fc15dd8cc..7254382f0 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm @@ -10,27 +10,28 @@ -
      -
      - -
      -

      Textpassagen kopieren/einfügen, Vorgänge rückgängig machen/wiederholen

      +
      +
      + +
      +

      Textpassagen kopieren/einfügen, Vorgänge rückgängig machen/wiederholen

      Zwischenablage verwenden

      -

      Um Textpassagen und eingefügte Objekte (AutoFormen, Bilder, Diagramme) innerhalb des aktuellen Dokuments auszuschneiden im Dokumenteneditor, zu kopieren und einzufügen, verwenden Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole, die auf jeder Registerkarte der oberen Symbolleiste verfügbar sind:

      -
        +

        Um Textpassagen und eingefügte Objekte (AutoFormen, Bilder, Diagramme) innerhalb des aktuellen Dokuments auszuschneiden im Dokumenteneditor, zu kopieren und einzufügen, verwenden Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole, die auf jeder Registerkarte der oberen Symbolleiste verfügbar sind:

        +
        • Ausschneiden - wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden.
        • -
        • Kopieren – wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Kopieren im Rechtsklickmenü oder das Symbol Kopieren
          in der oberen Symbolleiste, um die Auswahl in der Zwischenablage des Rechners zu speichern. Die kopierten Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden.
        • -
        • Einfügen – platzieren Sie den Cursor an der Stelle im Dokument, an der Sie den zuvor kopierten Text/das Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen
          . Der Text/das Objekt wird an der aktuellen Cursorposition eingefügt. Die Daten können vorher aus demselben Dokument kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite.
        • -
        +
      • Kopieren – wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Kopieren im Rechtsklickmenü oder das Symbol Kopieren Kopieren in der oberen Symbolleiste, um die Auswahl in der Zwischenablage des Rechners zu speichern. Die kopierten Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden.
      • +
      • Einfügen – platzieren Sie den Cursor an der Stelle im Dokument, an der Sie den zuvor kopierten Text/das Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen Einfügen. Der Text/das Objekt wird an der aktuellen Cursorposition eingefügt. Die Daten können vorher aus demselben Dokument kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite.
      • +

      In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in ein anderes Dokument oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden:

      • STRG+X - Ausschneiden;
      • STRG+C - Kopieren;
      • STRG+V - Einfügen.
      -

      Hinweis: Anstatt Text innerhalb desselben Dokuments auszuschneiden und einzufügen, können Sie die erforderliche Textpassage einfach auswählen und an die gewünschte Position ziehen und ablegen.

      +

      Hinweis: Anstatt Text innerhalb desselben Dokuments auszuschneiden und einzufügen, können Sie die erforderliche Textpassage einfach auswählen und an die gewünschte Position ziehen und ablegen.

      Inhalte einfügen mit Optionen

      -

      Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage das Menü Einfügeoptionen

      . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

      +

      Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar.

      +

      Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage das Menü Einfügeoptionen Einfügen mit Sonderoptionen. Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

      Zum Einfügen von Textsegmenten oder Text in Verbindung mit AutoFormen sind folgende Optionen verfügbar:

      • Ursprüngliche Formatierung beibehalten - der kopierte Text wird in Originalformatierung eingefügt.
      • @@ -43,12 +44,12 @@
      • Nur den Text übernehmen - die Tabelleninhalte werden als Textwerte eingefügt, die durch das Tabulatorzeichen getrennt sind.

      Vorgänge rückgängig machen/wiederholen

      -

      Verwenden Sie die entsprechenden Symbole, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen:

      +

      Verwenden Sie die entsprechenden Symbole, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen:

      • Rückgängig – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Rückgängig
        oder verwenden Sie die Tastenkombination STRG+Z, um die zuletzt durchgeführte Aktion rückgängig zu machen.
      • Wiederholen – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Wiederholen
        oder verwenden Sie die Tastenkombination STRG+Y, um die zuletzt durchgeführte Aktion zu wiederholen.

      Hinweis: Wenn Sie ein Dokument im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar.

      -
      +
      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateFillableForms.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateFillableForms.htm new file mode 100644 index 000000000..d5b7f9458 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateFillableForms.htm @@ -0,0 +1,309 @@ + + + + Ausfüllbare Formulare erstellen + + + + + + + +
      +
      + +
      + +

      Ausfüllbare Formulare erstellen

      +

      Mit dem ONLYOFFICE Dokumenteneditor können Sie ausfüllbare Formulare in Ihren Dokumenten erstellen, z.B. Vertragsentwürfe oder Umfragen.

      +

      Formularvorlage ist das DOCXF-Format, das eine Reihe von Tools zum Erstellen eines ausfüllbaren Formulars bietet. Speichern Sie das resultierende Formular als DOCXF-Datei, und Sie haben eine Formularvorlage, die Sie noch bearbeiten, überprüfen oder gemeinsam bearbeiten können. Um eine Formularvorlage ausfüllbar zu machen und die Dateibearbeitung durch andere Benutzer einzuschränken, speichern Sie sie als OFORM-Datei. Weitere Informationen finden Sie in den Anleitungen zum Ausfüllen von Formularen.

      +

      DOCXF und OFORM sind neue ONLYOFFICE-Formate, die es ermöglichen, Formularvorlagen zu erstellen und Formulare auszufüllen. Verwenden Sie den ONLYOFFICE Dokumenteneditor entweder online oder auf dem Desktop, um alle formularbezogenen Elemente und Optionen zu nutzen.

      +

      Sie können auch jede vorhandene DOCX-Datei als DOCXF speichern, um sie als Formularvorlage zu verwenden. Gehen Sie zur Registerkarte Datei, klicken Sie im linken Menü auf die Option Herunterladen als... oder Speichern als... und wählen Sie die Option DOCXF. Jetzt können Sie alle verfügbaren Formularbearbeitungsfunktionen verwenden, um ein Formular zu erstellen.

      +

      Sie können nicht nur die Formularfelder in einer DOCXF-Datei bearbeiten sondern auch Text hinzufügen, bearbeiten und formatieren oder andere Funktionen des Dokumenteneditors verwenden.

      +

      Das Erstellen ausfüllbarer Formulare wird durch vom Benutzer bearbeitbare Objekte ermöglicht, die die Gesamtkonsistenz der resultierenden Dokumente sicherstellen und eine erweiterte Formularinteraktion ermöglichen.

      +

      Derzeit können Sie bearbeitbare Textfelder, Comboboxen, Dropdown-Listen, Kontrollkästchen, Radiobuttons einfügen und den Bildern bestimmte Bereiche zuweisen. Greifen Sie auf diese Funktionen auf der Registerkarte Formulare zu, die nur für DOCXF-Dateien verfügbar ist.

      + +

      Erstellen eines neuen Textfelds

      +

      Textfelder sind vom Benutzer bearbeitbare Text-Formularfelder. Es können keine weiteren Objekte hinzugefügt werden.

      +
      +
      + Um ein Textfeld einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Textfeld Symbol Textfeld. +
      6. +
      +

      Textfeld eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +

      + Textfeldeinstellungen +

        +
      • Schlüssel: Die Option zum Gruppieren von Feldern zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen.
      • +
      • Platzhalter: Geben Sie den anzuzeigenden Text in das eingefügte Textfeld ein; "Hier den Text eingeben" ist standardmäßig eingestellt.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über das Textfeld fährt. +
        Tipp eingefügt +
      • +
      • + Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Wenn diese Option aktiviert ist, können Sie auch die Einstellungen Automatisch anpassen und/oder Mehrzeiliges Feld verwenden.
        + Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. +
      • +
      • Zeichengrenze: Standardmäßig gibt es keine Beschränkungen; Aktivieren Sie dieses Kontrollkästchen, um die maximale Zeichenanzahl im Feld rechts festzulegen.
      • +
      • + Zeichenanzahl in Textfeld: Verteilen Sie den Text gleichmäßig innerhalb des eingefügten Textfeldes und konfigurieren Sie sein allgemeines Darstellungsbild. Lassen Sie das Kontrollkästchen deaktiviert, um die Standardeinstellungen beizubehalten, oder aktivieren Sie es, um die folgenden Parameter festzulegen: +
          +
        • Zeilenbreite: Geben Sie den gewünschten Wert ein oder verwenden Sie die Pfeile rechts, um die Breite des eingefügten Textfelds einzustellen. Der Text darin wird entsprechend ausgerichtet.
        • +
        +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder des eingefügten Textfelds festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um dem eingefügten Textfeld eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      • Automatisch anpassen: Diese Option kann aktiviert werden, wenn die Einstellung Feste Feldgröße ausgewählt ist. Aktivieren Sie diese Option, um die Schriftgröße automatisch an die Feldgröße anzupassen.
      • +
      • Mehrzeiliges Feld: Diese Option kann aktiviert werden, wenn die Einstellung Feste Feldgröße ausgewählt ist. Aktivieren Sie diese Option, um ein Formularfeld mit mehreren Zeilen zu erstellen, andernfalls nimmt der Text eine einzelne Zeile ein.
      • +
      +

      +

      Zeilenbreite

      +

      Klicken Sie in das eingefügte Textfeld und passen Sie Schriftart, Größe und Farbe an, wenden Sie Dekorationsstile und Formatierungsvorgaben an. Die Formatierung wird auf den gesamten Text innerhalb des Felds angewendet.

      +
      +
      + + +

      Erstellen einer neuen Combobox

      +

      Comboboxen enthalten eine Dropdown-Liste mit einer Reihe von Auswahlmöglichkeiten, die von Benutzern bearbeitet werden können.

      +
      +
      + Um eine Combobox einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Combobox Symbol Combobox. +
      6. +
      +

      Combobox eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +

      + combo box settings +

        +
      • Schlüssel: Die Option zum Gruppieren von Comboboxen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen.
      • +
      • Platzhalter: Geben Sie den Text ein, der in der eingefügten Combobox angezeigt werden soll; "Wählen Sie ein Element aus" ist standardmäßig eingestellt.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über die Combobox bewegt. +
        Tipp eingefügt +
      • +
      • Optionen von Werten: Werte hinzufügenFügen Sie neue Werte hinzu, Werte löschenlöschen Sie sie oder verschieben Sie sie nach obenWerte nach oben oder Werte nach untenunten in der Liste.
      • +
      • + Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen.
        + Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. +
      • +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder der eingefügten Combobox festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um der eingefügten Combobox eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      +

      +

      Sie können auf die Pfeilschaltfläche im rechten Teil der hinzugefügten Combobox klicken, um die Elementliste zu öffnen und das erforderliche Element auszuwählen. Sobald das erforderliche Element ausgewählt ist, können Sie den angezeigten Text ganz oder teilweise bearbeiten, indem Sie ihn durch Ihren Text ersetzen.

      +

      Combobox geöffnet

      +
      +

      Sie können Schriftdekoration, Farbe und Größe ändern. Klicken Sie in die eingefügte Combobox und fahren Sie gemäß den Anleitungen fort. Die Formatierung wird auf den gesamten Text innerhalb des Felds angewendet.

      +
      + + + +

      Dropdown-Liste enthalten eine Liste mit einer Reihe von Auswahlmöglichkeiten, die von den Benutzern nicht bearbeitet werden können.

      +
      +
      + Um eine Dropdown-Liste einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Dropdown-Liste Symbol Dropdown. +
      6. +
      +

      Dropdown-Liste eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +
        +
      • Schlüssel: Die Option zum Gruppieren von Dropdown-Listen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen.
      • +
      • Platzhalter: Geben Sie den Text ein, der in der eingefügten Dropdown-Liste angezeigt werden soll; "Wählen Sie ein Element aus" ist standardmäßig eingestellt.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über die Dropdown-Liste bewegt. +
        Tipp eingefügt +
      • +
      • Optionen von Werten: Werte hinzufügenFügen Sie neue Werte hinzu, Werte löschenlöschen Sie sie oder verschieben Sie sie nach obenWerte nach oben oder Werte nach untenunten in der Liste.
      • +
      • + Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen.
        + Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. +
      • +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder der eingefügten Dropdown-Liste festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um der eingefügten Dropdown-Liste eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      +

      +

      Sie können auf die Pfeilschaltfläche im rechten Teil des hinzugefügten Formularfelds Dropdown-Liste klicken, um die Elementliste zu öffnen und die erforderliche Elemente auszuwählen.

      +

      Dropdown-Liste geöffnet

      +
      +
      + + +

      Erstellen eines neuen Kontrollkästchens

      +

      Kontrollkästchen werden verwendet, um dem Benutzer eine Vielzahl von Optionen anzubieten, von denen eine beliebige Anzahl ausgewählt werden kann. Kontrollkästchen funktionieren einzeln, sodass sie unabhängig voneinander aktiviert oder deaktiviert werden können.

      +
      +
      + Um ein Kontrollkästchen einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Kontrollkästchen Symbol Kontrollkästchen. +
      6. +
      +

      Kontrollkästchen eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +

      + Kontrollkästchen Einstellungen +

        +
      • Schlüssel: Die Option zum Gruppieren von Kontrollkästchen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über das Kontrollkästchen bewegt. +
        Tipp eingefügt +
      • +
      • + Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen.
        + Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. +
      • +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder des eingefügten Kontrollkästchens festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um dem eingefügten Kontrollkästchen eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      +

      +

      Um das Kontrollkästchen zu aktivieren, klicken Sie einmal darauf.

      +

      Kontrollkästchens aktiviert

      +
      +
      + + +

      Erstellen eines neuen Radiobuttons

      +

      Radiobuttons werden verwendet, um Benutzern eine Vielzahl von Optionen anzubieten, von denen nur eine Option ausgewählt werden kann. Radiobuttons können gruppiert werden, sodass nicht mehrere Schaltflächen innerhalb einer Gruppe ausgewählt werden müssen. +

      +
      + Um einen Radiobutton einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Radiobutton Symbol Radiobutton. +
      6. +
      +

      Radiobutton eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +

      + Radiobutton Einstellungen +

        +
      • Gruppenschlüssel: Um eine neue Gruppe von Radiobuttons zu erstellen, geben Sie den Namen der Gruppe in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Radiobutton die erforderliche Gruppe zu.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über den Radiobutton bewegt. +
        Tipp eingefügt +
      • +
      • + Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen.
        + Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. +
      • +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder des eingefügten Radiobuttons festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um dem eingefügten Radiobutton eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      +

      +

      Um den Radiobutton zu aktivieren, klicken Sie einmal darauf.

      +

      Radiobutton aktiviert

      +
      +
      + + +

      Erstellen eines neues Bildes

      +

      Bilder sind Formularfelder, die das Einfügen eines Bildes mit den von Ihnen festgelegten Einschränkungen, d. h. der Position des Bildes oder seiner Größe, ermöglichen.

      +
      +
      + Um ein Bildformularfeld einzufügen, +
        +
      1. positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll,
      2. +
      3. wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste,
      4. +
      5. + klicken Sie auf das Symbol Bild symbol Bild. +
      6. +
      +

      Bild eingefügt

      +

      Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet.

      +

      + Bild Einstellungen +

        +
      • Schlüssel: Die Option zum Gruppieren von Bildern zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen.
      • +
      • Platzhalter: Geben Sie den Text ein, der in das eingefügte Bildformularfeld angezeigt werden soll; "Klicken Sie, um das Bild herunterzuladen" ist standardmäßig eingestellt.
      • +
      • + Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer seinen Mauszeiger über den unteren Bildrand bewegt. +
      • +
      • Wann skalieren: Klicken Sie auf das Dropdown-Menü und wählen Sie eine geeignete Bildskalierungsoption: Immer, Nie, Das Bild ist zu groß oder Das Bild ist zu klein. Das ausgewählte Bild wird innerhalb des Felds entsprechend skaliert.
      • +
      • Seitenverhältnis sperren: Aktivieren Sie dieses Kontrollkästchen, um das Bildseitenverhältnis ohne Verzerrung beizubehalten. Wenn das Kontrollkästchen aktiviert ist, verwenden Sie den vertikalen und den horizontalen Schieberegler, um das Bild innerhalb des eingefügten Felds zu positionieren. Die Positionierungsschieber sind inaktiv, wenn das Kontrollkästchen deaktiviert ist.
      • +
      • Bild auswählen: Klicken Sie auf diese Schaltfläche, um ein Bild entweder Aus einer Datei, Aus einer URL oder Aus dem Speicher hochzuladen.
      • +
      • Rahmenfarbe: Klicken Sie auf das Symbol Keine Füllung, um die Farbe für die Ränder der eingefügten Bild festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Hintergrundfarbe: Klicken Sie auf das Symbol Keine Füllung, um der eingefügten Bild eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus DesignfarbenStandardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu.
      • +
      +

      +

      Um das Bild zu ersetzen, klicken Sie auf das Bild Symbol Bildsymbol über dem Rahmen des Formularfelds und wählen Sie ein anderes Bild aus.

      +

      Um die Bildeinstellungen anzupassen, öffnen Sie die Registerkarte Bildeinstellungen in der rechten Symbolleiste. Um mehr zu erfahren, lesen Sie bitte die Anleitung zu Bildeinstellungen.

      +
      +
      + + +

      Formulare hervorheben

      +

      Sie können eingefügte Formularfelder mit einer bestimmten Farbe hervorheben.

      +
      +
      + Um Felder hervorzuheben, +

      + Einstellungen für Hervorhebungen +

        +
      • Öffnen Sie die Einstellungen für Hervorhebungen auf der Registerkarte Formulare der oberen Symbolleiste.
      • +
      • Wählen Sie eine Farbe aus den Standardfarben aus. Sie können auch eine neue benutzerdefinierte Farbe hinzufügen.
      • +
      • Um zuvor angewendete Farbhervorhebungen zu entfernen, verwenden Sie die Option Ohne Hervorhebung.
      • +
      +

      +

      Die ausgewählten Hervorhebungsoptionen werden auf alle Formularfelder im Dokument angewendet.

      +

      + Hinweis: Der Rahmen des Formularfelds ist nur sichtbar, wenn das Feld ausgewählt ist. Die Ränder erscheinen nicht auf einer gedruckten Version. +

      +
      +
      + +

      Aktivieren des Modus "Formular anzeigen"

      +

      + Hinweis: Sobald Sie den Modus Formular anzeigen aktiviert haben, stehen alle Bearbeitungsoptionen nicht mehr zur Verfügung. +

      +

      Klicken Sie auf die Schaltfläche Formular anzeigen Formular anzeigen auf der Registerkarte Formulare der oberen Symbolleiste, um zu sehen, wie alle eingefügten Formulare in Ihrem Dokument angezeigt werden.

      +

      Formular anzeigen - Aktiviert

      +

      Um den Anzeigemodus zu verlassen, klicken Sie erneut auf dasselbe Symbol.

      + +

      Verschieben von Formularfeldern

      +

      Formularfelder können an eine andere Stelle im Dokument verschoben werden: Klicken Sie auf die Schaltfläche links neben dem Steuerrahmen, um das Feld auszuwählen und ziehen Sie es ohne loslassen der Maustaste an eine andere Position im Text.

      +

      Verschieben von Formularfeldern

      +

      Sie können Formularfelder auch kopieren und einfügen: Wählen Sie das erforderliche Feld aus und verwenden Sie die Tastenkombination Strg + C/Strg + V.

      + +

      Erstellen von erforderlichen Feldern

      +

      Um ein Feld obligatorisch zu machen, aktivieren Sie die Option Erforderlich. Die Pflichtfelder werden mit rotem Strich markiert.

      + +

      Sperren von Formfeldern

      +

      Um die weitere Bearbeitung des eingefügten Formularfelds zu verhindern, klicken Sie auf das Symbol Form sperren Symbol Sperren. Das Ausfüllen der Felder bleibt verfügbar.

      + +

      Löschen von Formularfeldern

      +

      Um alle eingefügten Felder und alle Werte zu löschen, klicken Sie auf die Schaltfläche Alle Felder löschen Symbol Alle Felder löschen auf der Registerkarte Formulare in der oberen Symbolleiste.

      + +

      Navigieren, Anzeigen und Speichern eines Formulars

      +

      Formularfeld ausfüllen

      +

      Gehen Sie zur Registerkarte Formulare in der oberen Symbolleiste.

      +

      Navigieren Sie durch die Formularfelder mit den Schaltflächen Vorheriges Feld Symbol Vorheriges Feld und Nächstes Feld Symbol Nächstes Feld in der oberen Symbolleiste.

      +

      Wenn Sie fertig sind, klicken Sie in der oberen Symbolleiste auf die Schaltfläche Formular speichern Als OFORM speichern, um das Formular als eine zum Ausfüllen bereite OFORM-Datei zu speichern. Sie können beliebig viele OFORM-Dateien speichern.

      + +

      Entfernen von Formularfeldern

      +

      Um ein Formularfeld zu entfernen und seinen gesamten Inhalt beizubehalten, wählen Sie es aus und klicken Sie auf das Symbol Form löschen Symbol Löschen (stellen Sie sicher, dass das Feld nicht gesperrt ist) oder drücken Sie die Taste Löschen auf der Tastatur.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateTableOfContents.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateTableOfContents.htm index 0ea0ca53a..24cfdd499 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateTableOfContents.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/CreateTableOfContents.htm @@ -3,7 +3,7 @@ Inhaltsverzeichnis erstellen - + @@ -16,13 +16,14 @@

      Inhaltsverzeichnis erstellen

      Ein Inhaltsverzeichnis enthält eine Liste aller Kapitel (Abschnitte usw.) in einem Dokument und zeigt die jeweilige Seitennummer an, auf der ein Kapitel beginnt. Mithilfe eines Inhaltsverzeichnisses können Sie leicht durch ein mehrseitiges Dokument navigieren und schnell zu gewünschten Textstellen wechseln. Das Inhaltsverzeichnis wird automatisch basierend auf mit vordefinierten Stilen formatierten Dokumentüberschriften generiert. So können Sie Ihr Inhaltsverzeichnis bequem aktualisieren wenn der Text im Dokument geändert wurde, ohne dass Sie Überschriften bearbeiten und Seitenzahlen manuell ändern müssen.

      -

      Überschriftenstruktur festlegen

      +

      Überschriftenstruktur des Inhaltsverzeichnisses festlegen

      Überschriften formatieren

      Formatieren Sie zunächst alle Überschriften in Ihrem Dokument mit einer der Stilvorlagen im Dokumenteneditor. Überschriften formatieren:

      1. Wählen Sie den Text aus, den Sie in das Inhaltsverzeichnis aufnehmen wollen.
      2. Öffnen Sie rechts in der Registerkarte Start das Menü mit den Stilvorlagen.
      3. -
      4. Klicken Sie auf den gewünschten Stil. Standardmäßig können Sie die Stile Überschrift 1 - Überschrift 9 nutzen.

        Hinweis: wenn Sie einen anderen Stil verwenden (z.B. Titel, Untertitel etc.), um Überschriften zu formatieren, die im Inhaltsverzeichnis angezeigt werden sollen, müssen Sie zunächst die Einstellungen für das Inhaltsverzeichnis anpassen (wie im nachfolgenden Absatz beschrieben). Weitere Informationen zu verfügbaren Formatvorlagen finden Sie auf dieser Seite.

        +
      5. Klicken Sie auf den gewünschten Stil. Standardmäßig können Sie die Stile Überschrift 1 - Überschrift 9 nutzen. +

        Wenn Sie einen anderen Stil verwenden (z.B. Titel, Untertitel etc.), um Überschriften zu formatieren, die im Inhaltsverzeichnis angezeigt werden sollen, müssen Sie zunächst die Einstellungen für das Inhaltsverzeichnis anpassen (wie im nachfolgenden Absatz beschrieben). Weitere Informationen zu verfügbaren Formatvorlagen finden Sie auf dieser Seite.

      @@ -42,20 +43,20 @@
    • Erweitern auf Ebene - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Wenn Sie z. B. Ebene 3 wählen, werden die Level 1, 2 und 3 erweitert, während Level 4 und alle niedrigeren Level ausgeblendet werden.

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

    -

    Um die Navigationsleiste zu schließen, klicken Sie in der linken Seitenleiste erneut auf

    Navigation.

    -

    Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen

    +

    Um die Navigationsleiste zu schließen, klicken Sie in der linken Seitenleiste erneut auf Navigation Navigation.

    +

    Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen

    Ein Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen:

    1. Platzieren Sie die Einfügemarke an der Stelle, an der Sie ein Inhaltsverzeichnis hinzufügen möchten.
    2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Referenzen.
    3. -
    4. Klicken Sie auf das Symbol
      Inhaltsverzeichnis in der oberen Symbolleiste oder
      klicken Sie auf das Pfeilsymbol neben diesem Symbol und wählen Sie die gewünschte Layout-Option aus dem Menü aus. Sie haben die Wahl zwischen einem Inhaltsverzeichnis, das Überschriften, Seitenzahlen und Leader anzeigt oder nur Überschriften.

      Inhaltsverzeichnis - Optionen

      -

      Hinweis: Die Formatierung des Inhaltsverzeichnisses kann später über die Einstellungen des Inhaltsverzeichnisses angepasst werden.

      +
    5. Klicken Sie auf das Symbol Inhaltsverzeichnis Inhaltsverzeichnis in der oberen Symbolleiste oder
      klicken Sie auf das Pfeilsymbol neben diesem Symbol und wählen Sie die gewünschte Layout-Option aus dem Menü aus. Sie haben die Wahl zwischen einem Inhaltsverzeichnis, das Überschriften, Seitenzahlen und Leader anzeigt oder nur Überschriften.

      Inhaltsverzeichnis - Optionen

      +

      Die Formatierung des Inhaltsverzeichnisses kann später über die Einstellungen des Inhaltsverzeichnisses angepasst werden.

    Das Inhaltsverzeichnis wird an der aktuellen Cursorposition eingefügt. Um die Position des Inhaltsverzeichnisses zu ändern, können Sie das Inhaltsverzeichnis auswählen (Steuerelement) und einfach an die gewünschte Position ziehen. Klicken Sie dazu auf die Schaltfläche

    , in der oberen linken Ecke des Inhaltsverzeichnisses und ziehen Sie es mit gedrückter Maustaste an die gewünschte Position.

    Inhaltsverzeichnis verschieben

    Um zwischen den Überschriften zu navigieren, drücken Sie die Taste STRG auf Ihrer Tastatur und klicken Sie dann auf die gewünschte Überschrift im Inhaltsverzeichnis. Sie wechseln automatisch auf die entsprechende Seite.

    -

    Inhaltsverzeichnis anpassen

    +

    Inhaltsverzeichnis anpassen

    Inhaltsverzeichnis aktualisieren

    Nach dem Erstellen des Inhaltsverzeichnisses, können Sie Ihren Text weiter bearbeiten und beispielsweise neue Kapitel hinzufügen, die Reihenfolge ändern, Absätze entfernen oder den Text für eine Überschrift erweitern. Durch solche Vorgänge ändern sich die Seitenzahlen. Über die Option Aktualisieren übernehmen Sie alle Änderungen in Ihrem Inhaltsverzeichnis.

    Klicken Sie auf der Registerkarte Referenzen in der oberen Symbolleiste auf den Pfeil neben dem Symbol

    Aktualisieren und wählen Sie die gewünschte Option aus dem Menü aus.

    diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/FillingOutForm.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/FillingOutForm.htm new file mode 100644 index 000000000..4713b496a --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/FillingOutForm.htm @@ -0,0 +1,45 @@ + + + + Formular ausfüllen + + + + + + + +
    +
    + +
    +

    Formular ausfüllen

    +

    Ein ausfüllbares Formular ist eine OFORM-Datei. OFORM ist ein Format zum Ausfüllen von Formularvorlagen und zum Herunterladen oder Ausdrucken des Formulars, nachdem Sie es ausgefüllt haben.

    +

    Wie kann man ein Formular ausfüllen:

    +
      +
    1. + Öffnen Sie die OFORM-Datei. +

      oform

      +

    2. +
    3. Füllen Sie alle erforderlichen Felder aus. Die Pflichtfelder sind mit rotem Strich gekennzeichnet. Verwenden Sie Pfeile für Ausfüllen oder Nächst - Ausfüllen auf dem obere Symbolleiste, um zwischen den Feldern zu navigieren, oder klicken Sie auf das Feld, das Sie ausfüllen möchten. +
    4. Verwenden Sie die Schaltfläche Alle Felder löschen Alle Felder leeren, um alle Eingabefelder zu leeren.
    5. +
    6. Nachdem Sie alle Felder ausgefüllt haben, klicken Sie auf die Schaltfläche Als PDF speichern, um das Formular als PDF-Datei auf Ihrem Computer zu speichern.
    7. +
    8. + Klicken Sie auf Schaltfläche Mehr in der oberen rechten Ecke der Symbolleiste, um zusätzliche Optionen anzuzeigen. Sie können das Formular Drucken, Als DOCX herunterladen oder Als PDF herunterladen. +

      Mehr OFORM

      +

      Sie können auch das Thema der Benutzeroberfläche des Formulars ändern, indem Sie Hell, Klassisch Hell oder Dunkel auswählen. Sobald das Thema Dunkelmodus aktiviert ist, wird der Dunkelmodus verfügbar

      +

      Dunkelmodus - Formular

      +

      Mit Zoom können Sie die Seite mithilfe der Funktionen Seite anpassen, Breite anpassen und Vergrößern oder Verkleinern skalieren und die Seitengröße ändern.

      +

      Zoom

      +
        +
      • Seite anpassen ermöglicht es, die Seite so zu skalieren, dass der Bildschirm die ganze Seite anzeigt.
      • +
      • Breite anpassen ermöglicht es, die Seite so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird.
      • +
      • Zoom ermöglicht das Vergrößern und Verkleinern der Seite.
      • +
      +

      Dateispeicherort öffnen, wenn Sie den Ordner durchsuchen müssen, in dem das Formular gespeichert ist.

      + +
    9. +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/HTML.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/HTML.htm new file mode 100644 index 000000000..a3724b865 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/HTML.htm @@ -0,0 +1,29 @@ + + + + HTML bearbeiten + + + + + + + +
    +
    + +
    +

    HTML bearbeiten

    +

    Wenn Sie eine Website-Seite in einem Texteditor schreiben und sie als HTML-Code erhalten möchten, verwenden Sie das HTML-Plugin.

    +
      +
    1. Öffnen Sie die Registerkarte Plugins und klicken Sie auf Get and paste html.
    2. +
    3. Wählen Sie die erforderlichen Inhalte aus.
    4. +
    5. Der HTML-Code des ausgewählten Absatzes wird im Plugin-Feld auf der linken Seite angezeigt. Sie können den Code bearbeiten, um die Textmerkmale zu ändern, z.B. Schriftgröße oder Schriftfamilie usw.
    6. +
    7. Klicken Sie auf Paste into the document, um den Text mit seinem bearbeiteten HTML-Code an der aktuellen Cursorposition in Ihr Dokument einzufügen.
    8. +
    +

    Sie können auch Ihren eigenen HTML-Code schreiben (ohne einen Dokumentinhalt auszuwählen) und ihn dann in Ihr Dokument einfügen.

    + HTML plugin gif +

    Weitere Informationen zum HTML-Plugin und seiner Installation finden Sie auf der Plugin-Seite in AppDirectory.

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm index 750e95e9f..56d8b6685 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm @@ -19,80 +19,105 @@

    So fügen Sie Ihrem Dokument eine automatische Form hinzu im Dokumenteneditor:

    1. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste.
    2. -
    3. Klicken Sie auf das Formsymbol
      in der oberen Symbolleiste.
    4. -
    5. Wählen Sie eine der verfügbaren Autoshape-Gruppen aus: Grundformen, figürliche Pfeile, Mathematik, Diagramme, Sterne und Bänder, Beschriftungen, Schaltflächen, Rechtecke, Linien,
    6. +
    7. Klicken Sie auf das Formsymbol Form in der oberen Symbolleiste.
    8. +
    9. Wählen Sie eine der verfügbaren Autoshape-Gruppen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne und Bänder, Legenden, Buttons, Rechtecke, Linien.
    10. Klicken Sie auf die erforderliche automatische Form innerhalb der ausgewählten Gruppe.
    11. Platzieren Sie den Mauszeiger an der Stelle, an der die Form plaziert werden soll.
    12. -
    13. Sobald die automatische Form hinzugefügt wurde, können Sie ihre Größe, Position und Eigenschaften ändern.

      Hinweis: Um eine Beschriftung innerhalb der automatischen Form hinzuzufügen, stellen Sie sicher, dass die Form auf der Seite ausgewählt ist, und geben Sie Ihren Text ein. Der auf diese Weise hinzugefügte Text wird Teil der automatischen Form (wenn Sie die Form verschieben oder drehen, wird der Text mit verschoben oder gedreht).

      +
    14. + Sobald die automatische Form hinzugefügt wurde, können Sie ihre Größe, Position und Eigenschaften ändern. +

      Um eine Beschriftung innerhalb der automatischen Form hinzuzufügen, stellen Sie sicher, dass die Form auf der Seite ausgewählt ist, und geben Sie Ihren Text ein. Der auf diese Weise hinzugefügte Text wird Teil der automatischen Form (wenn Sie die Form verschieben oder drehen, wird der Text mit verschoben oder gedreht).

    Es ist auch möglich, der automatischen Form eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Untertiteln für Autoformen finden Sie in diesem Artikel.

    Verschieben und ändern Sie die Größe von Autoformen

    -

    Um die Größe der automatischen Form zu ändern, ziehen Sie kleine Quadrate
    an den Formkanten. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen der ausgewählten automatischen Form während der Größenänderung beizubehalten.

    -

    Wenn Sie einige Formen ändern, z. B. abgebildete Pfeile oder Beschriftungen, ist auch das gelbe rautenförmige Symbol

    verfügbar. Hier können Sie einige Aspekte der Form anpassen, z. B. die Länge der Pfeilspitze.

    -

    Verwenden Sie zum Ändern der Position für die automatische Form das

    Symbol, das angezeigt wird, nachdem Sie den Mauszeiger über die automatische Form bewegt haben. Ziehen Sie die automatische Form an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie die automatische Form verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Um die automatische Form in Schritten von einem Pixel zu verschieben, halten Sie die Strg-Taste gedrückt und verwenden Sie die Tastenkombinationen. Halten Sie beim Ziehen die Umschalttaste gedrückt, um die automatische Form streng horizontal / vertikal zu verschieben und zu verhindern, dass sie sich senkrecht bewegt.

    -

    Um die automatische Form zu drehen, bewegen Sie den Mauszeiger über den Drehgriff

    und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken.

    -

    Hinweis: Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier.

    +

    Form einer AutoForm ändernUm die Größe der automatischen Form zu ändern, ziehen Sie kleine Quadrate Quadrat an den Formkanten. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen der ausgewählten automatischen Form während der Größenänderung beizubehalten.

    +

    Wenn Sie einige Formen ändern, z. B. abgebildete Pfeile oder Beschriftungen, ist auch das gelbe rautenförmige Symbol Gelber Diamant verfügbar. Hier können Sie einige Aspekte der Form anpassen, z. B. die Länge der Pfeilspitze.

    +

    + Verwenden Sie zum Ändern der Position der automatischen Form das Symbol Pfeil, das angezeigt wird, nachdem Sie den Mauszeiger über die automatische Form bewegt haben. Ziehen Sie die Autoform an die gewünschte Position, ohne die Maustaste loszulassen. + Wenn Sie die automatische Form verschieben, werden die Hilfslinien angezeigt, damit Sie das Objekt präzise auf der Seite positionieren können (wenn der ausgewählte Umbruchstil nicht „Inline“ ist). + Um die automatische Form in Ein-Pixel-Schritten zu verschieben, halten Sie die Strg-Taste gedrückt und verwenden Sie die Pfeiltasten. + Um die automatische Form streng horizontal/vertikal zu verschieben und zu verhindern, dass sie sich in eine senkrechte Richtung bewegt, halten Sie beim Ziehen die Umschalttaste gedrückt. +

    +

    Um die automatische Form zu drehen, bewegen Sie den Mauszeiger über den Drehgriff Drehpunkt und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken.

    +

    + Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. +


    -

    Passen Sie die Autoshape-Einstellungen an

    +

    AutoForm-Einstellungen anpassen

    Verwenden Sie das Rechtsklick-Menü, um Autoshapes auszurichten und anzuordnen. Die Menüoptionen sind:

      -
    • Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird.
    • -
    • Anordnen wird verwendet, um die ausgewählte automatische Form in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Formen zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite.
    • +
    • Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird.
    • +
    • Auswahl drucken wird verwendet, um nur einen ausgewählten Teil des Dokuments auszudrucken.
    • +
    • Änderungen annehmen / ablehnen wird verwendet, um nachverfolgte Änderungen in einem freigegebenen Dokument anzunehmen oder abzulehnen.
    • +
    • Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern. +
        +
      1. Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken und ziehen Sie ihn, um den Punkt neu zu positionieren und den Umriss der Form zu ändern.
      2. +
      3. + Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. +

        Punkte bearbeiten

        +
      4. +
      5. + Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen. +

        Um einer Form einen Punkt hinzuzufügen, halten Sie Strg gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten.

        +

        Um einen Punkt zu löschen, halten Sie Strg gedrückt und klicken Sie auf den unnötigen Punkt.

        +
      6. +
      +
    • +
    • Anordnen wird verwendet, um die ausgewählte automatische Form in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Formen zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite.
    • Ausrichten wird verwendet, um die Form links, mittig, rechts, oben, Mitte, unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite.
    • -
    • Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position.
    • -
    • Drehen wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen.
    • -
    • Mit den Erweiterten Einstellungen der Form wird das Fenster "Form - Erweiterte Einstellungen" geöffnet.
    • +
    • Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position. Umbruchgrenze bearbeiten
    • +
    • Drehen wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen.
    • +
    • Mit den Erweiterten Einstellungen der Form wird das Fenster "Form - Erweiterte Einstellungen" geöffnet.

    Einige der Einstellungen für die automatische Form können über die Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf die Form und wählen Sie rechts das Symbol Formeinstellungen

    . Hier können Sie folgende Eigenschaften ändern:

      -
    • Füllen - Verwenden Sie diesen Abschnitt, um die automatische Formfüllung auszuwählen. Sie können folgende Optionen auswählen:
        -
      • Farbfüllung - Wählen Sie diese Option aus, um die Volltonfarbe anzugeben, mit der Sie den Innenraum der ausgewählten Autoform füllen möchten.

        Einfarbige Füllung

        +
      • Füllen - Verwenden Sie diesen Abschnitt, um die automatische Formfüllung auszuwählen. Sie können folgende Optionen auswählen: +
          +
        • Farbfüllung - Wählen Sie diese Option aus, um die Volltonfarbe anzugeben, mit der Sie den Innenraum der ausgewählten Autoform füllen möchten. +

          Einfarbige Füllung

          Klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbsätzen aus oder geben Sie eine beliebige Farbe an:

        • - Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen.

          Füllung mit Farbverlauf

          + Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. +

          Füllung mit Farbverlauf

          +

          Die verfügbaren Menüoptionen:

            -
          • Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten).
          • -
          • Richtung - wählen Sie eine Vorlage aus dem Menü aus. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung.
          • - Farbverlauf - verwenden Sie diese Option, um die Form mit zwei oder mehr verblassenden Farben zu füllen. Passen Sie Ihre Farbverlaufsfüllung ohne Einschränkungen an. Klicken Sie auf die Form, um das rechte Füllungsmenü zu öffnen. -

            Die verfügbare Menüoptionen:

            + Stil - wählen Sie Linear oder Radial aus:
              -
            • - Stil - wählen Sie Linear oder Radial aus: -
                -
              • Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Klicken Sie auf Richtung, um eine voreingestellte Richtung auszuwählen, und klicken Sie auf Winke, um einen genauen Verlaufswinkel einzugeben.
              • -
              • Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt.
              • -
              -
            • -
            • - Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. -
                -
              • Verwenden Sie die Schaltfläche
                Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche
                Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen.
              • -
              • Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten.
              • -
              • Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen.
              • -
              -
            • +
            • Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Das Vorschaufenster Richtung zeigt die ausgewählte Verlaufsfarbe an. Klicken Sie auf den Pfeil, um eine voreingestellte Verlaufsrichtung auszuwählen. Verwenden Sie Winkel-Einstellungen für einen präzisen Verlaufswinkel.
            • +
            • Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt.
            • +
            +
          • +
          • + Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. +
              +
            • Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen.
            • +
            • Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten.
            • +
            • Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen.
        • -
        • Bild oder Textur - Wählen Sie diese Option, um ein Bild oder eine vordefinierte Textur als Formhintergrund zu verwenden.

          Bild- oder Texturfüllung

          +
        • Bild oder Textur - Wählen Sie diese Option, um ein Bild oder eine vordefinierte Textur als Formhintergrund zu verwenden. +

          Bild- oder Texturfüllung

          • Wenn Sie ein Bild als Hintergrund für die Form verwenden möchten, können Sie ein Bild aus der Datei hinzufügen, indem Sie es auf der Festplatte Ihres Computers auswählen, oder aus der URL, indem Sie die entsprechende URL-Adresse in das geöffnete Fenster einfügen.
          • -
          • Wenn Sie eine Textur als Hintergrund für die Form verwenden möchten, öffnen Sie das Menü Von Textur und wählen Sie die gewünschte Texturvoreinstellung aus.

            Derzeit sind folgende Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Maserung, Granit, graues Papier, Strick, Leder, braunes Papier, Papyrus, Holz.

            +
          • Wenn Sie eine Textur als Hintergrund für die Form verwenden möchten, öffnen Sie das Menü Von Textur und wählen Sie die gewünschte Texturvoreinstellung aus. +

            Derzeit sind folgende Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Maserung, Granit, graues Papier, Strick, Leder, braunes Papier, Papyrus, Holz.

          • Falls das ausgewählte Bild weniger oder mehr Abmessungen als die automatische Form hat, können Sie die Einstellung Dehnen oder Kacheln aus der Dropdown-Liste auswählen.

            -

            Mit der Option Kacheln können Sie nur einen Teil des größeren Bilds anzeigen, wobei die ursprünglichen Abmessungen beibehalten werden, oder das kleinere Bild wiederholen, wobei die ursprünglichen Abmessungen über der Oberfläche der automatischen Form beibehalten werden, sodass der Raum vollständig ausgefüllt werden kann.

            -

            Hinweis: Jede ausgewählte Texturvoreinstellung füllt den Raum vollständig aus. Sie können jedoch bei Bedarf den Dehnungseffekt anwenden.

            +

            Mit der Option Dehnen können Sie die Bildgröße an die Größe der automatischen Form anpassen, sodass sie den Raum vollständig ausfüllen kann.

            +

            Mit der Option Kacheln können Sie nur einen Teil des größeren Bilds anzeigen, wobei die ursprünglichen Abmessungen beibehalten werden, oder das kleinere Bild wiederholen, wobei die ursprünglichen Abmessungen über der Oberfläche der automatischen Form beibehalten werden, sodass der Raum vollständig ausgefüllt werden kann.

            +

            Jede ausgewählte Texturvoreinstellung füllt den Raum vollständig aus. Sie können jedoch bei Bedarf den Dehnungseffekt anwenden.

        • -
        • Muster - Wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht.

          Füllungsmuster

          +
        • Muster - Wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. +

          Füllungsmuster

          • Muster - Wählen Sie eines der vordefinierten Designs aus dem Menü.
          • Vordergrundfarbe - Klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern.
          • @@ -106,17 +131,19 @@

            Registerkarte Einstellungen AutoFom

            • Deckkraft - Verwenden Sie diesen Abschnitt, um eine Deckkraftstufe festzulegen, indem Sie den Schieberegler ziehen oder den Prozentwert manuell eingeben. Der Standardwert ist 100%. Es entspricht der vollen Deckkraft. Der Wert 0% entspricht der vollen Transparenz.
            • -
            • Strich - Verwenden Sie diesen Abschnitt, um die Breite, Farbe oder den Typ des Strichs für die automatische Formgebung zu ändern.
                -
              • Um die Strichbreite zu ändern, wählen Sie eine der verfügbaren Optionen aus der Dropdown-Liste Größe. Die verfügbaren Optionen sind: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keinen Strich verwenden möchten.
              • -
              • Um die Strichfarbe zu ändern, klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus.
              • -
              • Um den Strich-Typ zu ändern, wählen Sie die erforderliche Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie angewendet, Sie können sie in eine der verfügbaren gestrichelten Linien ändern).
              • +
              • Strich - Verwenden Sie diesen Abschnitt, um die Breite, Farbe oder den Typ des Strichs für die automatische Formgebung zu ändern. +
                  +
                • Um die Strichbreite zu ändern, wählen Sie eine der verfügbaren Optionen aus der Dropdown-Liste Größe. Die verfügbaren Optionen sind: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keinen Strich verwenden möchten.
                • +
                • Um die Strichfarbe zu ändern, klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus.
                • +
                • Um den Strich-Typ zu ändern, wählen Sie die erforderliche Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie angewendet, Sie können sie in eine der verfügbaren gestrichelten Linien ändern).
              • -
              • Die Drehung wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Klicken Sie auf eine der Schaltflächen:
                  -
                • um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen
                • -
                • um die Form um 90 Grad im Uhrzeigersinn zu drehen
                • -
                • um die Form horizontal zu drehen (von links nach rechts)
                • -
                • um die Form vertikal zu drehen (verkehrt herum)
                • +
                • Die Drehung wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Klicken Sie auf eine der Schaltflächen: +
                    +
                  • Gegen den Uhrzeigersinn drehen um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen
                  • +
                  • Im Uhrzeigersinn drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen
                  • +
                  • Horizontal spiegeln um die Form horizontal zu drehen (von links nach rechts)
                  • +
                  • Vertikal spiegeln um die Form vertikal zu drehen (verkehrt herum)
                • Umbruchstil - Verwenden Sie diesen Abschnitt, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten).
                • @@ -124,20 +151,22 @@
                • Schatten anzeigen - Aktivieren Sie diese Option, um die Form mit Schatten anzuzeigen.

                -

                Passen Sie die erweiterten Einstellungen für die automatische Form an

                +

                Die erweiterten Einstellungen für die automatische Form anpassen

                Um die erweiterten Einstellungen der automatischen Form zu ändern, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Erweiterte Einstellungen im Menü oder verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster 'Form - Erweiterte Einstellungen' wird geöffnet:

                Form - Erweiterte Einstellungen

                Die Registerkarte Größe enthält die folgenden Parameter:

                  -
                • Breite - Verwenden Sie eine dieser Optionen, um die automatische Formbreite zu ändern.
                    +
                  • Breite - Verwenden Sie eine dieser Optionen, um die automatische Formbreite zu ändern. +
                    • Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option).
                    • Relativ - Geben Sie einen Prozentsatz relativ zur linken Randbreite, dem Rand (d. H. Dem Abstand zwischen dem linken und rechten Rand), der Seitenbreite oder der rechten Randbreite an.
                  • -
                  • Höhe - Verwenden Sie eine dieser Optionen, um die Höhe der automatischen Form zu ändern.
                      -
                    • Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option).
                    • -
                    • Relativ - Geben Sie einen Prozentsatz relativ zum Rand (d. H. Dem Abstand zwischen dem oberen und unteren Rand), der Höhe des unteren Randes, der Seitenhöhe oder der Höhe des oberen Randes an.
                    • -
                    +
                  • Höhe - Verwenden Sie eine dieser Optionen, um die Höhe der automatischen Form zu ändern. +
                      +
                    • Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option).
                    • +
                    • Relativ - Geben Sie einen Prozentsatz relativ zum Rand (d. H. Dem Abstand zwischen dem oberen und unteren Rand), der Höhe des unteren Randes, der Seitenhöhe oder der Höhe des oberen Randes an.
                    • +
                  • Wenn die Option Seitenverhältnis sperren aktiviert ist, werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Seitenverhältnis beibehalten wird.
                  @@ -150,34 +179,39 @@

                  Form - Erweiterte Einstellungen

                  Die Registerkarte Textumbruch enthält die folgenden Parameter:

                    -
                  • Umbruchstil - Verwenden Sie diese Option, um die Position der Form relativ zum Text zu ändern: Sie ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile).
                      -
                    • Inline - Die Form wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch die Form. In diesem Fall sind die Positionierungsoptionen nicht zugänglich.

                      +
                    • Umbruchstil - Verwenden Sie diese Option, um die Position der Form relativ zum Text zu ändern: Sie ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). +
                        +
                      • Textumbruch - Mit Text verschieben Inline - Die Form wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch die Form. In diesem Fall sind die Positionierungsoptionen nicht zugänglich.

                        Wenn einer der folgenden Stile ausgewählt ist, kann die Form unabhängig vom Text verschoben und genau auf der Seite positioniert werden:

                      • -
                      • Quadratisch - Der Text umschließt das rechteckige Feld, das die Form begrenzt.

                      • -
                      • Eng - Der Text umschließt die tatsächlichen Formkanten.

                      • -
                      • Durch - Der Text wird um die Formkanten gewickelt und füllt den offenen weißen Bereich innerhalb der Form aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird.

                      • -
                      • Oben und unten - der Text befindet sich nur über und unter der Form.

                      • -
                      • Vorne - die Form überlappt den Text.

                      • -
                      • Dahinter - der Text überlappt die Form.

                      • -
                      +
                    • Textumbruch - Quadrat Quadratisch - Der Text umschließt das rechteckige Feld, das die Form begrenzt.

                    • +
                    • Textumbruch - Eng Eng - Der Text umschließt die tatsächlichen Formkanten.

                    • +
                    • Textumbruch - Transparent Durch - Der Text wird um die Formkanten gewickelt und füllt den offenen weißen Bereich innerhalb der Form aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird.

                    • +
                    • Textumbruch - Oben und unten Oben und unten - der Text befindet sich nur über und unter der Form.

                    • +
                    • Textumbruch - Vorne Vorne - die Form überlappt den Text.

                    • +
                    • Textumbruch - Hinten Dahinter - der Text überlappt die Form.

                    • +

                  Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts).

                  Form - Erweiterte Einstellungen

                  Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren:

                    -
                  • Im horizontalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen:
                      +
                    • + Im horizontalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: +
                      • Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                      • Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand.
                      • Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand.
                    • -
                    • Im vertikalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen:
                        -
                      • Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                      • -
                      • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                      • -
                      • Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand.
                      • -
                      +
                    • + Im vertikalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: +
                        +
                      • Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                      • +
                      • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                      • +
                      • Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand.
                      • +
                    • Objekt mit Text verschieben steuert, ob sich die automatische Form so bewegt, wie sich der Text bewegt, an dem sie verankert ist.
                    • Überlappungssteuerung zulassen steuert, ob sich zwei automatische Formen überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen
                    • @@ -185,27 +219,32 @@

                      Form - Erweiterte Einstellungen

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

                        -
                      • Linienstil - In dieser Optionsgruppe können die folgenden Parameter angegeben werden:
                          -
                        • Kappentyp - Mit dieser Option können Sie den Stil für das Ende der Linie festlegen. Daher kann er nur auf Formen mit offenem Umriss angewendet werden, z. B. Linien, Polylinien usw.:
                            -
                          • Flach - Die Endpunkte sind flach.
                          • -
                          • Runden - Die Endpunkte werden gerundet.
                          • -
                          • Quadrat - Die Endpunkte sind quadratisch.
                          • +
                          • Linienstil - In dieser Optionsgruppe können die folgenden Parameter angegeben werden: +
                              +
                            • + Kappentyp - Mit dieser Option können Sie den Stil für das Ende der Linie festlegen. Daher kann er nur auf Formen mit offenem Umriss angewendet werden, z. B. Linien, Polylinien usw.: +
                                +
                              • Flach - Die Endpunkte sind flach.
                              • +
                              • Runden - Die Endpunkte werden gerundet.
                              • +
                              • Quadrat - Die Endpunkte sind quadratisch.
                              • +
                              +
                            • +
                            • + Verbindungstyp - Mit dieser Option können Sie den Stil für den Schnittpunkt zweier Linien festlegen. Dies kann sich beispielsweise auf eine Polylinie oder die Ecken des Dreiecks oder Rechteckumrisses auswirken: +
                                +
                              • Rund - die Ecke wird abgerundet.
                              • +
                              • Abschrägung - die Ecke wird eckig abgeschnitten.
                              • +
                              • Gehrung - die Ecke wird spitz. Es passt gut zu Formen mit scharfen Winkeln.
                              -
                            • -
                            • Verbindungstyp - Mit dieser Option können Sie den Stil für den Schnittpunkt zweier Linien festlegen. Dies kann sich beispielsweise auf eine Polylinie oder die Ecken des Dreiecks oder Rechteckumrisses auswirken:
                                -
                              • Rund - die Ecke wird abgerundet.
                              • -
                              • Abschrägung - die Ecke wird eckig abgeschnitten.
                              • -
                              • Gehrung - die Ecke wird spitz. Es passt gut zu Formen mit scharfen Winkeln.
                              • -
                              -

                              Hinweis: Der Effekt macht sich stärker bemerkbar, wenn Sie eine große Umrissbreite verwenden.

                              -
                            • +

                              Der Effekt macht sich stärker bemerkbar, wenn Sie eine große Umrissbreite verwenden.

                              +
                          • Pfeile - Diese Optionsgruppe ist verfügbar, wenn eine Form aus der Formgruppe Linien ausgewählt ist. Sie können den Pfeil Start- und Endstil und -größe festlegen, indem Sie die entsprechende Option aus den Dropdown-Listen auswählen.

                          Form - Erweiterte Einstellungen

                          Auf der Registerkarte Textauffüllung können Sie die inneren Ränder der oberen, unteren, linken und rechten Form der automatischen Form ändern (d. H. Den Abstand zwischen dem Text innerhalb der Form und den Rahmen der automatischen Form).

                          -

                          Hinweis: Diese Registerkarte ist nur verfügbar, wenn Text innerhalb der automatischen Form hinzugefügt wird. Andernfalls ist die Registerkarte deaktiviert.

                          +

                          Diese Registerkarte ist nur verfügbar, wenn Text innerhalb der automatischen Form hinzugefügt wird. Andernfalls ist die Registerkarte deaktiviert.

                          Form - Erweiterte Einstellungen

                          Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen in der Form enthalten sind.

                          diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertCharts.htm index d07bffca2..e591f18ad 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertCharts.htm @@ -81,6 +81,7 @@ Punkte (XY)
                          • Punkte
                          • +
                          • Gestapelte Balken
                          • Punkte mit interpolierten Linien und Datenpunkten
                          • Punkte mit interpolierten Linien
                          • Punkte mit geraden Linien und Datenpunkten
                          • @@ -97,6 +98,7 @@
                        • +

                          ONLYOFFICE Dokumenteneditor unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern.

                        • Danach erscheint das Fenster Diagrammeditor, in dem Sie die erforderlichen Daten mit den folgenden Steuerelementen in die Zellen eingeben können:
                            @@ -163,7 +165,8 @@

                            Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern.

                            • - Geben Sie die Position des Diagrammtitels in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus:
                                + Geben Sie die Position des Diagrammtitels in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: +
                                • Keine, um keinen Diagrammtitel anzuzeigen,
                                • Überlagern, um einen Titel auf dem Plotbereich zu überlagern und zu zentrieren.
                                • Keine Überlagerung, um den Titel über dem Plotbereich anzuzeigen.
                                • @@ -182,9 +185,11 @@
                              • - Geben Sie die Parameter für Datenbeschriftungen (d. H. Textbeschriftungen, die exakte Werte von Datenpunkten darstellen) an:
                                  + Geben Sie die Parameter für Datenbeschriftungen (d. H. Textbeschriftungen, die exakte Werte von Datenpunkten darstellen) an:
                                  +
                                  • - Geben Sie die Position der Datenbeschriftungen relativ zu den Datenpunkten an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus. Die verfügbaren Optionen variieren je nach ausgewähltem Diagrammtyp.
                                      + Geben Sie die Position der Datenbeschriftungen relativ zu den Datenpunkten an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus. Die verfügbaren Optionen variieren je nach ausgewähltem Diagrammtyp. +
                                      • Für Spalten- / Balkendiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Innen unten, Innen oben, Außen oben.
                                      • Für Linien- / XY- / Kurs-Diagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Links, Rechts, Oben, Unten.
                                      • Für Kreisdiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, An Breite anpassen, Innen oben, Außen oben.
                                      • @@ -257,9 +262,12 @@
                                    -

                                    Diagramm - Erweiterte Einstellungen - Fenster

                                    +

                                    + Diagramm - Erweiterte Einstellungen - Fenster +

                                    Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar.

                                    -

                                    Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten.

                                    +

                                    Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms.

                                    +

                                    Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse sind den Einstellungen auf der vertikalen/horizontalen Achse ähnlich. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten.

                                    Diagramm - Erweiterte Einstellungen - Fenster

                                    Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen.

                                      @@ -273,82 +281,90 @@
                                    • Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre.
                                    • Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen.
                                    • -
                                    • Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen.
                                    • -
                                    • Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert.
                                    • -
                                    • - Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: -
                                        -
                                      • Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen.
                                      • -
                                      • Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen.
                                      • -
                                      -
                                    • -
                                    • - Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. -
                                        -
                                      • Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen.
                                      • -
                                      • Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung.
                                      • -
                                      • Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen.
                                      • +
                                      • Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen.
                                      • +
                                      • Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert.
                                      • - Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. -

                                        Verfügbare Bezeichnungsformate:

                                        + Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen:
                                          -
                                        • Allgemein
                                        • -
                                        • Nummer
                                        • -
                                        • Wissenschaftlich
                                        • -
                                        • Rechnungswesen
                                        • -
                                        • Währung
                                        • -
                                        • Datum
                                        • -
                                        • Zeit
                                        • -
                                        • Prozentsatz
                                        • -
                                        • Bruch
                                        • -
                                        • Text
                                        • -
                                        • Benutzerdefiniert
                                        • +
                                        • Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen.
                                        • +
                                        • Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen.
                                        • +
                                        +
                                      • +
                                      • + Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. +
                                          +
                                        • Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen.
                                        • +
                                        • Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung.
                                        • +
                                        • Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen.
                                        • +
                                        • + Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. +

                                          Verfügbare Bezeichnungsformate:

                                          +
                                            +
                                          • Allgemein
                                          • +
                                          • Nummer
                                          • +
                                          • Wissenschaftlich
                                          • +
                                          • Rechnungswesen
                                          • +
                                          • Währung
                                          • +
                                          • Datum
                                          • +
                                          • Zeit
                                          • +
                                          • Prozentsatz
                                          • +
                                          • Bruch
                                          • +
                                          • Text
                                          • +
                                          • Benutzerdefiniert
                                          • +
                                          +

                                          Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite.

                                          +
                                        • +
                                        • Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten.
                                        -

                                        Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite.

                                      • -
                                      • Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten.
                                      -
                                    • -
                                    -

                                    Diagramm - Erweiterte Einstellungen - Andocken an die Zelle

                                    -

                                    Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar:

                                    -
                                      -
                                    • Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe.
                                    • -
                                    • Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert.
                                    • -
                                    • Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde.
                                    • -
                                    -

                                    Diagramm - Erweiterte Einstellungen

                                    -

                                    Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält.

                                    +

                                    Diagramm - Erweiterte Einstellungen - Andocken an die Zelle

                                    +

                                    Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar:

                                    +
                                      +
                                    • Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe.
                                    • +
                                    • Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert.
                                    • +
                                    • Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde.
                                    • +
                                    +

                                    Diagramm - Erweiterte Einstellungen

                                    +

                                    Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält.


                                  • Verschieben und Ändern der Größe von Diagrammen

                                    -

                                    Diagramm verschiebenSobald das Diagramm hinzugefügt wurde, können Sie seine Größe und Position ändern. Um die Diagrammgröße zu ändern, ziehen Sie kleine Quadrate

                                    an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Diagramms während der Größenänderung beizubehalten.

                                    -

                                    Verwenden Sie zum Ändern der Diagrammposition das Symbol

                                    , das angezeigt wird, nachdem Sie den Mauszeiger über das Diagramm bewegt haben. Ziehen Sie das Diagramm an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Diagramm verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist).

                                    -

                                    Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier

                                    +

                                    Diagramm verschiebenSobald das Diagramm hinzugefügt wurde, können Sie seine Größe und Position ändern. Um die Diagrammgröße zu ändern, ziehen Sie kleine Quadrate Quadrat an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Diagramms während der Größenänderung beizubehalten.

                                    +

                                    Verwenden Sie zum Ändern der Diagrammposition das Symbol Pfeil, das angezeigt wird, nachdem Sie den Mauszeiger über das Diagramm bewegt haben. Ziehen Sie das Diagramm an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Diagramm verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist).

                                    +

                                    + Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. +


                                    Diagrammelemente bearbeiten

                                    Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen ein.

                                    Um die Schriftformatierung in Textelementen wie Diagrammtitel, Achsentiteln, Legendeneinträgen, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement aus, indem Sie mit der linken Maustaste darauf klicken. Verwenden Sie dann die Symbole auf der Registerkarte Start der oberen Symbolleiste, um den Schrifttyp, die Größe, die Farbe oder den Dekorationsstil zu ändern.

                                    -

                                    Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen

                                    verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form Füll-, Strich- und Umhüllungsstil anzupassen. Beachten Sie, dass Sie den Formtyp nicht ändern können.

                                    -

                                    Über die Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Plotbereich, Datenreihen, Diagrammtitel, Legende usw. ändern und verschiedene Füllarten auf sie anwenden. Wählen Sie das Diagrammelement aus, indem Sie mit der linken Maustaste darauf klicken, und wählen Sie den bevorzugten Fülltyp aus: Volltonfarbe, Verlauf, Textur oder Bild, Muster. Geben Sie die Füllparameter an und legen Sie gegebenenfalls die Deckkraftstufe fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitterlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Breite und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Strichen finden Sie auf dieser Seite.

                                    -

                                    Hinweis: Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, für Diagrammelemente jedoch deaktiviert.

                                    -

                                    Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Entf-Taste auf der Tastatur.

                                    +

                                    Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen Formeinstellungen verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form Füll-, Strich- und Umhüllungsstil anzupassen. Beachten Sie, dass Sie den Formtyp nicht ändern können.

                                    +

                                    + Über die Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Plotbereich, Datenreihen, Diagrammtitel, Legende usw. ändern und verschiedene Füllarten auf sie anwenden. Wählen Sie das Diagrammelement aus, indem Sie mit der linken Maustaste darauf klicken, und wählen Sie den bevorzugten Fülltyp aus: Volltonfarbe, Verlauf, Textur oder Bild, Muster. Geben Sie die Füllparameter an und legen Sie gegebenenfalls die Deckkraftstufe fest. + Wenn Sie eine vertikale oder horizontale Achse oder Gitterlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Breite und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Strichen finden Sie auf dieser Seite. +

                                    +

                                    Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, für Diagrammelemente jedoch deaktiviert.

                                    +

                                    Wenn Sie die Größe von Diagrammelementen ändern möchten, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate Quadrat Symbol entlang des Umfangs von das Element.

                                    +

                                    Größe von Diagrammelementen ändern

                                    +

                                    Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf, vergewissern Sie sich, so dass sich Ihr Cursor in Pfeil geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element in die benötigte Position.

                                    +

                                    Position des Elements ändern

                                    +

                                    Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Entf-Taste auf der Tastatur.

                                    Sie können 3D-Diagramme auch mit der Maus drehen. Klicken Sie mit der linken Maustaste in den Plotbereich und halten Sie die Maustaste gedrückt. Ziehen Sie den Zeiger, ohne die Maustaste loszulassen, um die Ausrichtung des 3D-Diagramms zu ändern.

                                    3D-Diagramm


                                    -

                                    Passen Sie die Diagrammeinstellungen an

                                    +

                                    Die Diagrammeinstellungen anpassen

                                    Registerkarte Diagrammeinstellungen

                                    Einige Diagrammeigenschaften können über der Registerkarte Diagrammeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Diagramm und wählen Sie rechts das Symbol Diagrammeinstellungen

                                    . Hier können die folgenden Eigenschaften ändern:

                                    • Größe wird verwendet, um die aktuelle Diagrammbreite und -höhe anzuzeigen.
                                    • Umbruchstil wird verwendet, um einen Textumbruchstil auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten).
                                    • -
                                    • -

                                      Diagrammtyp ändern wird verwendet, um den ausgewählten Diagrammtyp und / oder -stil zu ändern.

                                      +
                                    • Diagrammtyp ändern wird verwendet, um den ausgewählten Diagrammtyp und / oder -stil zu ändern.

                                      Verwenden Sie zum Auswählen des erforderlichen Diagrammstils das zweite Dropdown-Menü im Abschnitt Diagrammtyp ändern.

                                    • -
                                    • - Daten bearbeiten wird verwendet, um das Fenster 'Diagrammeditor' zu öffnen.

                                      Hinweis: Um das Fenster Diagrammeditor schnell zu öffnen, können Sie auch auf das Diagramm im Dokument doppelklicken.

                                      +
                                    • Daten bearbeiten wird verwendet, um das Fenster 'Diagrammeditor' zu öffnen. +

                                      Um das Fenster Diagrammeditor schnell zu öffnen, können Sie auch auf das Diagramm im Dokument doppelklicken.

                                    Einige dieser Optionen finden Sie auch im Kontextmenu. Die Menüoptionen sind:

                                    @@ -370,8 +386,7 @@

                                    Diagramme - Erweiterte Einstellungen: Textumbruch

                                    Die Registerkarte Textumbruch enthält die folgenden Parameter:

                                      -
                                    • - Umbruchstil - Verwenden Sie diese Option, um die Position des Diagramms relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile).
                                        +
                                      • Umbruchstil - Verwenden Sie diese Option, um die Position des Diagramms relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile).
                                        • Inline - Das Diagramm wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Diagramm. In diesem Fall sind die Positionierungsoptionen nicht zugänglich.

                                          Wenn einer der folgenden Stile ausgewählt ist, kann das Diagramm unabhängig vom Text verschoben und genau auf der Seite positioniert werden:

                                          @@ -390,14 +405,16 @@

                                          Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren:

                                          • - Im horizontalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen:
                                              + Im horizontalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: +
                                              • Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand.
                                              • Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                                              • Relative Position gemessen in in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand
                                            • - Im vertikalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen:
                                                + Im vertikalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: +
                                                • Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                • Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option) unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                • Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand.
                                                • diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm index 57e2bca86..079248ac1 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm @@ -81,6 +81,12 @@
                                                • Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab).
                                                • Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen.
                                                +

                                                Gleichungen konvertieren

                                                +

                                                Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können.

                                                +

                                                Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt:

                                                +

                                                Gleichungen konvertieren

                                                +

                                                Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja.

                                                +

                                                Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten.

                                                \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertImages.htm index 5efc3a7dd..ddecea8ea 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertImages.htm @@ -11,127 +11,138 @@
                                                -
                                                - -
                                                +
                                                + +

                                                Bilder einfügen

                                                Im Dokumenteneditor können Sie Bilder in den gängigsten Formaten in Ihr Dokument einfügen. Die folgenden Bildformate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                                                -

                                                Fügen Sie ein Bild ein

                                                -

                                                Um ein Bild in den Dokumenttext einzufügen,

                                                +

                                                Bild einfügen

                                                +

                                                Um ein Bild in den Dokumenttext einzufügen,

                                                1. Plazieren Sie den Zeiger an der Stelle, an der das Bild platziert werden soll.
                                                2. -
                                                3. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste.
                                                4. -
                                                5. Klicken Sie auf das
                                                  Bildsymbol in der oberen Symbolleiste.
                                                6. -
                                                7. Wählen Sie eine der folgenden Optionen, um das Bild zu laden:
                                                    +
                                                  • Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste.
                                                  • +
                                                  • Klicken Sie auf das Bild Bildsymbol in der oberen Symbolleiste.
                                                  • +
                                                  • Wählen Sie eine der folgenden Optionen, um das Bild zu laden: +
                                                    • Die Option Bild aus Datei öffnet das Standarddialogfenster für die Dateiauswahl. Durchsuchen Sie das Festplattenlaufwerk Ihres Computers nach der erforderlichen Date und klicken Sie auf die Schaltfläche Öffnen. -

                                                      Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen.

                                                    • +

                                                      Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen.

                                                      +
                                                    • Die Option Bild von URL öffnet das Fenster, in dem Sie die erforderliche Bild-Webadresse eingeben und auf die Schaltfläche OK klicken können.
                                                    • -
                                                    • Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK.
                                                    • +
                                                    • Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK.
                                                  • -
                                                  • Sobald das Bild hinzugefügt wurde, können Sie seine Größe, Eigenschaften und Position ändern.

                                                    -

                                                    Es ist auch möglich, dem Bild eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Bildunterschriften finden Sie in diesem Artikel.

                                                  • +
                                                  • Sobald das Bild hinzugefügt wurde, können Sie seine Größe, Eigenschaften und Position ändern.
                                                -

                                                Verschieben und ändern Sie die Größe von Bildern

                                                -

                                                Um die

                                                Bildgröße zu ändern, ziehen Sie kleine Quadrate
                                                an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Bilds während der Größenänderung beizubehalten.

                                                -

                                                Verwenden Sie zum Ändern der Bildposition das Symbol

                                                , das angezeigt wird, nachdem Sie den Mauszeiger über das Bild bewegt haben. Ziehen Sie das Bild an die gewünschte Position, ohne die Maustaste loszulassen.

                                                +

                                                Es ist auch möglich, dem Bild eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Bildunterschriften finden Sie in diesem Artikel.

                                                +

                                                Die Größe von Bildern ändern und Bilder verschieben

                                                +

                                                Um die Bild verschiebenBildgröße zu ändern, ziehen Sie kleine Quadrate Quadrat an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Bilds während der Größenänderung beizubehalten.

                                                +

                                                Verwenden Sie zum Ändern der Bildposition das Symbol Pfeil, das angezeigt wird, nachdem Sie den Mauszeiger über das Bild bewegt haben. Ziehen Sie das Bild an die gewünschte Position, ohne die Maustaste loszulassen.

                                                Wenn Sie das Bild verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist).

                                                -

                                                Um das Bild zu drehen, bewegen Sie den Mauszeiger über den Drehgriff

                                                und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken.

                                                -

                                                Hinweis: Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier

                                                -
                                                -

                                                Passen Sie die Bildeinstellungen an

                                                -

                                                Registerkarte BildeinstellungenEinige der Bildeinstellungen können über die Registerkarte Bildeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Bild und wählen Sie rechts das Symbol Bildeinstellungen

                                                . Hier können Sie folgende Eigenschaften ändern:

                                                +

                                                Um das Bild zu drehen, bewegen Sie den Mauszeiger über den Drehgriff Drehpunkt und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken.

                                                +

                                                + Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. +

                                                +
                                                +

                                                Die Bildeinstellungen anpassen

                                                +

                                                Registerkarte BildeinstellungenEinige der Bildeinstellungen können über die Registerkarte Bildeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Bild und wählen Sie rechts das Symbol Bildeinstellungen Bildeinstellungen. Hier können Sie folgende Eigenschaften ändern:

                                                  -
                                                • Größe wird verwendet, um die aktuelle Bildbreite und -höhe anzuzeigen. Bei Bedarf können Sie die tatsächliche Bildgröße wiederherstellen, indem Sie auf die Schaltfläche Tatsächliche Größe klicken. Mit der Schaltfläche An Rand anpassen können Sie die Größe des Bilds so ändern, dass es den gesamten Abstand zwischen dem linken und rechten Seitenrand einnimmt.

                                                  Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Beschneidungsgriffe zu aktivieren, die an den Bildecken und in der Mitte jeder Seite angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Sie können den Mauszeiger über den Rand des Zuschneidebereichs bewegen, sodass er zum

                                                  Symbol wird, und den Bereich ziehen.

                                                  -
                                                    -
                                                  • Um eine einzelne Seite zuzuschneiden, ziehen Sie den Griff in der Mitte dieser Seite.
                                                  • -
                                                  • Ziehen Sie einen der Eckgriffe, um zwei benachbarte Seiten gleichzeitig zuzuschneiden.
                                                  • -
                                                  • Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie den Griff in die Mitte einer dieser Seiten ziehen.
                                                  • -
                                                  • Um alle Seiten des Bildes gleichmäßig zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie einen der Eckgriffe ziehen.
                                                  • -
                                                  -

                                                  Wenn der Zuschneidebereich angegeben ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen.

                                                  -

                                                  Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Ausfüllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                                                  -
                                                    -
                                                  • Wenn Sie die Option Füllen auswählen, bleibt der zentrale Teil des Originalbilds erhalten und wird zum Füllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden.
                                                  • -
                                                  • Wenn Sie die Option Anpassen auswählen, wird die Größe des Bilds so angepasst, dass es der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs angezeigt werden.
                                                  • -
                                                  -
                                                • -
                                                • Durch Drehen wird das Bild um 90 Grad im oder gegen den Uhrzeigersinn gedreht sowie das Bild horizontal oder vertikal gespiegelt. Klicken Sie auf eine der Schaltflächen:
                                                    -
                                                  • um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen
                                                  • -
                                                  • um das Bild um 90 Grad im Uhrzeigersinn zu drehen
                                                  • -
                                                  • um das Bild horizontal zu drehen (von links nach rechts)
                                                  • -
                                                  • um das Bild vertikal zu drehen (verkehrt herum)
                                                  • -
                                                  -
                                                • -
                                                • Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten).
                                                • +
                                                • Größe wird verwendet, um die aktuelle Bildbreite und -höhe anzuzeigen. Bei Bedarf können Sie die tatsächliche Bildgröße wiederherstellen, indem Sie auf die Schaltfläche Tatsächliche Größe klicken. Mit der Schaltfläche An Rand anpassen können Sie die Größe des Bilds so ändern, dass es den gesamten Abstand zwischen dem linken und rechten Seitenrand einnimmt. +

                                                  Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Beschneidungsgriffe zu aktivieren, die an den Bildecken und in der Mitte jeder Seite angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Sie können den Mauszeiger über den Rand des Zuschneidebereichs bewegen, sodass er zum Pfeil Symbol wird, und den Bereich ziehen.

                                                  +
                                                    +
                                                  • Um eine einzelne Seite zuzuschneiden, ziehen Sie den Griff in der Mitte dieser Seite.
                                                  • +
                                                  • Ziehen Sie einen der Eckgriffe, um zwei benachbarte Seiten gleichzeitig zuzuschneiden.
                                                  • +
                                                  • Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie den Griff in die Mitte einer dieser Seiten ziehen.
                                                  • +
                                                  • Um alle Seiten des Bildes gleichmäßig zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie einen der Eckgriffe ziehen.
                                                  • +
                                                  +

                                                  Wenn der Zuschneidebereich angegeben ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen.

                                                  +

                                                  Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Ausfüllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                                                  +
                                                    +
                                                  • Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Füllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild der Form entspricht.
                                                  • +
                                                  • Wenn Sie die Option Füllen auswählen, bleibt der zentrale Teil des Originalbilds erhalten und wird zum Füllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden.
                                                  • +
                                                  • Wenn Sie die Option Anpassen auswählen, wird die Größe des Bilds so angepasst, dass es der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs angezeigt werden.
                                                  • +
                                                  +
                                                • +
                                                • Durch Drehen wird das Bild um 90 Grad im oder gegen den Uhrzeigersinn gedreht sowie das Bild horizontal oder vertikal gespiegelt. Klicken Sie auf eine der Schaltflächen: +
                                                    +
                                                  • Gegen den Uhrzeigersinn drehen um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen
                                                  • +
                                                  • Im Uhrzeigersinn drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen
                                                  • +
                                                  • Horizontal spiegeln um das Bild horizontal zu drehen (von links nach rechts)
                                                  • +
                                                  • Vertikal spiegeln um das Bild vertikal zu drehen (verkehrt herum)
                                                  • +
                                                  +
                                                • +
                                                • Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten).
                                                • Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt.
                                                -

                                                Einige dieser Optionen finden Sie auch im Kontextmenü. Die Menüoptionen sind:

                                                +

                                                Einige dieser Optionen finden Sie auch im Kontextmenü. Die Menüoptionen sind:

                                                  -
                                                • Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird.
                                                • +
                                                • Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird.
                                                • Anordnen wird verwendet, um das ausgewählte Bild in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Bilder zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit sieben auszuführen von ihnen sofort. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite.
                                                • Ausrichten wird verwendet, um das Bild links, in der Mitte, rechts, oben, in der Mitte und unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite.
                                                • Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position.
                                                • Drehen wird verwendet, um das Bild um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um das Bild horizontal oder vertikal zu spiegeln.
                                                • -
                                                • Zuschneiden wird verwendet, um eine der Zuschneideoptionen anzuwenden: Zuschneiden, Füllen oder Anpassen. Wählen Sie im Untermenü die Option Zuschneiden, ziehen Sie dann die Zuschneidegriffe, um den Zuschneidebereich festzulegen, und klicken Sie im Untermenü erneut auf eine dieser drei Optionen, um die Änderungen zu übernehmen.
                                                • -
                                                • Die Tatsächliche Größe wird verwendet, um die aktuelle Bildgröße in die tatsächliche zu ändern.
                                                • +
                                                • Zuschneiden wird verwendet, um eine der Zuschneideoptionen anzuwenden: Zuschneiden, Füllen oder Anpassen. Wählen Sie im Untermenü die Option Zuschneiden, ziehen Sie dann die Zuschneidegriffe, um den Zuschneidebereich festzulegen, und klicken Sie im Untermenü erneut auf eine dieser drei Optionen, um die Änderungen zu übernehmen.
                                                • +
                                                • Die Tatsächliche Größe wird verwendet, um die aktuelle Bildgröße in die tatsächliche zu ändern.
                                                • Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt.
                                                • Mit den Erweiterte Einstellungen des Bildes wird das Fenster "Bild - Erweiterte Einstellungen" geöffnet.
                                                -

                                                Registerkarte Formeinstellungen Wenn das Bild ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen

                                                verfügbar. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen. Strichart, -größe und -farbe sowie den Formtyp ändern, indem Sie im Menü Autoshape ändern eine andere Form auswählen. Die Form des Bildes ändert sich entsprechend.

                                                -

                                                Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen. -

                                                +

                                                Registerkarte Formeinstellungen Wenn das Bild ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen Formeinstellungen verfügbar. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen. Strichart, -größe und -farbe sowie den Formtyp ändern, indem Sie im Menü Autoshape ändern eine andere Form auswählen. Die Form des Bildes ändert sich entsprechend.

                                                +

                                                Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen.


                                                -

                                                Passen Sie die erweiterten Bildeinstellungen an

                                                -

                                                Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie im Kontextmenü die Option Bild - Erweiterte Einstellungen oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Bildeigenschaften wird geöffnet:

                                                +

                                                Die erweiterten Bildeinstellungen anpassen

                                                +

                                                Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie im Kontextmenü die Option Bild - Erweiterte Einstellungen oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Bildeigenschaften wird geöffnet:

                                                Bild - Erweiterte Einstellungen: Größe

                                                Die Registerkarte Größe enthält die folgenden Parameter:

                                                • Breite und Höhe - Verwenden Sie diese Optionen, um die Bildbreite und / oder -höhe zu ändern. Wenn Sie auf die Schaltfläche Konstante Proportionen
                                                  klicken (in diesem Fall sieht es so aus
                                                  ), werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Bildseitenverhältnis beibehalten wird. Klicken Sie auf die Schaltfläche Tatsächliche Größe, um die tatsächliche Größe des hinzugefügten Bilds wiederherzustellen.
                                                -

                                                Bild - Erweiterte Einstellungen: Drehen

                                                -

                                                Die Registerkarte Rotation enthält die folgenden Parameter:

                                                -
                                                  -
                                                • Winkel - Verwenden Sie diese Option, um das Bild um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an.
                                                • -
                                                • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (verkehrt herum).
                                                • -
                                                +

                                                Bild - Erweiterte Einstellungen: Drehen

                                                +

                                                Die Registerkarte Rotation enthält die folgenden Parameter:

                                                +
                                                  +
                                                • Winkel - Verwenden Sie diese Option, um das Bild um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an.
                                                • +
                                                • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (verkehrt herum).
                                                • +

                                                Bild - Erweiterte Einstellungen: Textumbruch

                                                Die Registerkarte Textumbruch enthält die folgenden Parameter:

                                                  -
                                                • Umbruchstil - Verwenden Sie diese Option, um die Position des Bilds relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile).
                                                    -
                                                  • Inline - Das Bild wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Bild. In diesem Fall sind die Positionierungsoptionen nicht zugänglich.

                                                    -

                                                    Wenn einer der folgenden Stile ausgewählt ist, kann das Bild unabhängig vom Text verschoben und genau auf der Seite positioniert werden:

                                                    -
                                                  • -
                                                  • Quadratisch - Der Text umschließt das rechteckige Feld, das das Bild begrenzt.

                                                  • -
                                                  • Eng - Der Text umschließt die eigentlichen Bildkanten.

                                                  • -
                                                  • Durch - Der Text wird um die Bildränder gewickelt und füllt den offenen weißen Bereich innerhalb des Bildes aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird.

                                                  • -
                                                  • Oben und unten - der Text befindet sich nur über und unter dem Bild.

                                                  • -
                                                  • Vorne - das Bild überlappt den Text.

                                                  • -
                                                  • Dahinter - der Text überlappt das Bild.

                                                  • -
                                                  +
                                                • + Umbruchstil - Verwenden Sie diese Option, um die Position des Bilds relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile).
                                                    +
                                                  • Textumbruch - Mit Text verschieben Inline - Das Bild wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Bild. In diesem Fall sind die Positionierungsoptionen nicht zugänglich.

                                                    +

                                                    Wenn einer der folgenden Stile ausgewählt ist, kann das Bild unabhängig vom Text verschoben und genau auf der Seite positioniert werden:

                                                    +
                                                  • +
                                                  • Textumbruch - Quadrat Quadratisch - Der Text umschließt das rechteckige Feld, das das Bild begrenzt.

                                                  • +
                                                  • Textumbruch - Eng Eng - Der Text umschließt die eigentlichen Bildkanten.

                                                  • +
                                                  • Textumbruch - Transparent Durch - Der Text wird um die Bildränder gewickelt und füllt den offenen weißen Bereich innerhalb des Bildes aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird.

                                                  • +
                                                  • Textumbruch - Oben und unten Oben und unten - der Text befindet sich nur über und unter dem Bild.

                                                  • +
                                                  • Textumbruch - Vorne Vorne - das Bild überlappt den Text.

                                                  • +
                                                  • Textumbruch - Hinten Dahinter - der Text überlappt das Bild.

                                                  • +

                                                Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts).

                                                -

                                                Bild - Erweiterte Einstellungen: Position

                                                -

                                                Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren:

                                                +

                                                Bild - Erweiterte Einstellungen: Position

                                                +

                                                Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren:

                                                  -
                                                • Im horizontalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen:
                                                    -
                                                  • Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                                                  • -
                                                  • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                                                  • -
                                                  • Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand.
                                                  • -
                                                  -
                                                • -
                                                • Im vertikalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen:
                                                    -
                                                  • Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                  • -
                                                  • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option) unter Zeile, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                  • -
                                                  • Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand.
                                                  • -
                                                  -
                                                • -
                                                • Objekt mit Text verschieben steuert, ob sich das Bild bewegt, während sich der Text, an dem es verankert ist, bewegt.
                                                • +
                                                • + Im horizontalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: +
                                                    +
                                                  • Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                                                  • +
                                                  • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand,
                                                  • +
                                                  • Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand.
                                                  • +
                                                  +
                                                • +
                                                • + Im vertikalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: +
                                                    +
                                                  • Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                  • +
                                                  • Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option) unter Zeile, Rand, unterem Rand, Absatz, Seite oder oberem Rand,
                                                  • +
                                                  • Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand.
                                                  • +
                                                  +
                                                • +
                                                • Objekt mit Text verschieben steuert, ob sich das Bild bewegt, während sich der Text, an dem es verankert ist, bewegt.
                                                • Überlappungssteuerung zulassen steuert, ob sich zwei Bilder überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen.
                                                -

                                                Bild - Erweiterte Einstellungen

                                                -

                                                Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen im Bild enthalten sind.

                                                +

                                                Bild - Erweiterte Einstellungen

                                                +

                                                Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen im Bild enthalten sind.

                                                \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/Jitsi.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/Jitsi.htm new file mode 100644 index 000000000..c6175ebaf --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/Jitsi.htm @@ -0,0 +1,152 @@ + + + + Audio- und Videoanrufe durchführen + + + + + + + +
                                                +
                                                + +
                                                +

                                                Audio- und Videoanrufe durchführen

                                                +

                                                Audio- und Videoanrufe sind sofort über ONLYOFFICE Dokumenteneditor mit Jitsi-Plugin zugänglich. Jitsi bietet Videokonferenzfunktionen, die sicher und einfach bereitzustellen sind.

                                                +

                                                Das Jitsi-Plugin ist standardmäßig nicht installiert und muss manuell hinzugefügt werden. Bitte lesen Sie den entsprechenden Artikel, um die manuelle Installationsanleitung zu finden: Hinzufügen von Plugins zu ONLYOFFICE Cloud oder Hinzufügen neuer Plugins zu Server-Editoren.

                                                +
                                                  +
                                                1. Wechseln Sie zur Registerkarte Plugins und klicken Sie auf das Symbol Jitsi in der oberen Symbolleiste.
                                                2. +
                                                3. + Füllen Sie die Felder unten in der linken Seitenleiste aus, bevor Sie einen Anruf starten: +

                                                  Domain: Geben Sie den Domainnamen ein, wenn Sie Ihre Domain verbinden möchten.

                                                  +

                                                  Room name: Geben Sie den Namen des Besprechungsraums ein. Dieses Feld ist obligatorisch und Sie können keinen Anruf starten, wenn Sie es auslassen.

                                                  +
                                                4. +
                                                5. Klicken Sie auf die Schaltfläche Start, um den Jitsi Meet-Iframe zu öffnen.
                                                6. +
                                                7. Geben Sie Ihren Namen ein und erlauben Sie Kamera- und Mikrofonzugriff auf Ihren Browser.
                                                8. +
                                                9. Wenn Sie den Jitsi Meet Iframe schließen möchten, klicken Sie unten links auf die Schaltfläche Stop.
                                                10. +
                                                11. Klicken Sie auf die Schaltfläche Join the meeting, um einen Anruf mit Audio zu starten, oder klicken Sie auf den Pfeil, um ohne Audio beizutreten.
                                                12. +
                                                + Youtube plugin gif +

                                                Die Elemente der Benutzeroberfläche von Jitsi Meet iframe vor dem Start eines Meetings:

                                                +

                                                + Jitsi Micro + Audioeinstellungen und Stumm/Stumm aufheben +

                                                +
                                                  +
                                                • Klicken Sie auf den Pfeil, um auf die Vorschau der Audio Settings zuzugreifen.
                                                • +
                                                • Klicken Sie auf das Mikro, um Ihr Mikrofon stumm zu schalten/die Stummschaltung aufzuheben.
                                                • +
                                                +

                                                + Jitsi Camera + Videoeinstellungen und Start/Stop +

                                                +
                                                  +
                                                • Klicken Sie auf den Pfeil, um auf die Videovorschau zuzugreifen.
                                                • +
                                                • Klicken Sie auf die Kamera, um Ihr Video zu starten/stoppen.
                                                • +
                                                +

                                                + Jitsi Invite + Personen einladen +

                                                +
                                                  +
                                                • Klicken Sie auf diese Schaltfläche, um weitere Personen zu Ihrem Meeting einzuladen.
                                                • +
                                                • + Geben Sie das Meeting frei, indem Sie den Meeting-Link kopieren, oder
                                                  + Geben Sie die Besprechungseinladung durch Kopieren oder über Ihre Standard-E-Mail, Google-E-Mail, Outlook-E-Mail oder Yahoo-E-Mail frei. +
                                                • +
                                                • Betten Sie das Meeting ein, indem Sie den Link kopieren.
                                                • +
                                                • Verwenden Sie eine der verfügbaren Einwahlnummern, um am Meeting teilzunehmen.
                                                • +
                                                +

                                                + Jitsi Background + Hintergrund auswählen +

                                                +
                                                  +
                                                • Wählen Sie einen virtuellen Hintergrund für Ihr Meeting aus oder fügen Sie einen hinzu.
                                                • +
                                                • Geben Sie Ihren Desktop frei, indem Sie die entsprechende Option auswählen: Screen, Window oder Tab.
                                                • +
                                                +

                                                + Jitsi Background + Einstellungen +

                                                +

                                                Konfigurieren Sie erweiterte Einstellungen, die in den folgenden Kategorien organisiert sind:

                                                +
                                                  +
                                                • Devices zum Einrichten Ihres Mikrofons, Ihrer Kamera und Ihres Audioausgangs und zum Abspielen eines Testtons.
                                                • +
                                                • Profile zum Einrichten Ihres anzuzeigenden Namens und Gravatar-E-Mail, Verstecken/Anzeigen der Selbstansicht.
                                                • +
                                                • Calendar zur Integration Ihres Google- oder Microsoft-Kalenders.
                                                • +
                                                • Sounds, um die Aktionen auszuwählen, bei denen der Sound abgespielt werden soll.
                                                • +
                                                • + More zum Konfigurieren einiger zusätzlicher Optionen: Aktivieren/Deaktivieren des Bildschirms vor dem Meeting und der Tastenkombinationen, Einrichten einer Sprache und Bildrate für die Desktopfreigabe. +
                                                • +
                                                +

                                                + Elemente der Benutzeroberfläche, die während einer Videokonferenz angezeigt werden: +

                                                + Jitsi Conference +

                                                Klicken Sie rechts auf den Seitenpfeil, um die Miniaturansichten der Teilnehmer oben anzuzeigen.

                                                +

                                                + Jitsi Timer + Der Timer oben im Iframe zeigt die Meetingsdauer an. +

                                                +

                                                + Jitsi Open Chat + Chat öffnen +

                                                +
                                                  +
                                                • Geben Sie eine Textnachricht ein oder erstellen Sie eine Umfrage.
                                                • +
                                                +

                                                + Jitsi Participants + Teilnehmer +

                                                +
                                                  +
                                                • Zeigen Sie die Liste der Meetingsteilnehmer an, laden Sie weitere Teilnehmer ein und suchen Sie einen Teilnehmer.
                                                • +
                                                +

                                                + Jitsi More Actions + Mehr Aktionen +

                                                +
                                                  +
                                                • Finden Sie eine Reihe von Optionen, um alle verfügbaren Jitsi-Funktionen vollständig zu nutzen. Scrollen Sie durch die Optionen, um sie alle anzuzeigen.
                                                • +
                                                +
                                                + Verfügbare Optionen sind: +
                                                  +
                                                • Start screen sharing | Starten Sie die Bildschirmfreigabe
                                                • +
                                                • Invite people | Personen einladen
                                                • +
                                                • Enter/Exit tile view | Kachelansicht öffnen/verlassen
                                                • +
                                                • Performance settings for adjusting the quality | Leistungseinstellungen zum Anpassen der Qualität
                                                • +
                                                • View full screen | Vollbild anzeigen
                                                • +
                                                • + Security options | Sicherheitsoptionen +
                                                    +
                                                  • Lobby mode, damit Teilnehmer dem Meeting nach Zustimmung des Moderators beitreten können;
                                                  • +
                                                  • Add password mode, damit Teilnehmer dem Meeting mit einem Passwort beitreten können;
                                                  • +
                                                  • End-to-end encryption ist eine experimentelle Methode zum Tätigen sicherer Anrufe (beachten Sie die Einschränkungen wie das Deaktivieren serverseitig bereitgestellter Dienste und die Verwendung von Browsern, die einfügbare Streams unterstützen).
                                                  • +
                                                  +
                                                • +
                                                • Start live stream | Livestream starten
                                                • +
                                                • Mute everyone | Alle stummschalten
                                                • +
                                                • Disable everyone’s camera | Die Kamera aller Teilnehmer deaktivieren
                                                • +
                                                • Share video | Video freigeben
                                                • +
                                                • Select background | Hintergrund auswählen
                                                • +
                                                • Speaker stats | Sprecherstatistik
                                                • +
                                                • Settings | Einstellungen
                                                • +
                                                • View shortcuts | Verknüpfungen anzeigen
                                                • +
                                                • Embed meeting | Meeting einbetten
                                                • +
                                                • Leave feedback | Feedback hinterlassen
                                                • +
                                                • Help | Hilfe
                                                • +
                                                +
                                                +

                                                + Jitsi Leave + Leave the meeting | Meeting verlassen +

                                                +
                                                  +
                                                • Klicken Sie darauf, wenn Sie einen Anruf beenden möchten.
                                                • +
                                                +
                                                + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm index 7abc9b36c..0946475f2 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm @@ -48,6 +48,7 @@
                                              • Klicken Sie auf die Schaltfläche Löschen.

                                              +

                                              Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den wiederherzustellenden Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen.

                                              Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt.

                                              Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten.

                                              Text bei der Eingabe ersetzen

                                              @@ -2546,8 +2547,9 @@

                                              Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt.

                                              Erkannte Funktionen

                                              AutoFormat während der Eingabe

                                              -

                                              Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird, ersetzt Anführungszeichen oder konvertiert Bindestriche in Gedankenstriche.

                                              -

                                              Wenn Sie die Voreinstellungen für die automatische Formatierung deaktivieren möchten, deaktivieren Sie das Kästchen für die unnötige Optionen, öffnen Sie dazu die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe.

                                              +

                                              Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung: Ersetzt Anführungszeichen, konvertiert Bindestriche in Gedankenstriche, ersetzt Internet- oder Netzwerkpfade durch Hyperlinks, startet eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste wird erkannt.

                                              +

                                              Mit der Option Punkt mit doppeltem Leerzeichen hinzufügen können Sie einen Punkt hinzufügen, wenn Sie zweimal die Leertaste drücken. Aktivieren oder deaktivieren Sie sie nach Bedarf. Standardmäßig ist diese Option für Linux und Windows deaktiviert und für macOS aktiviert.

                                              +

                                              Um die Voreinstellungen für die automatische Formatierung zu aktivieren oder zu deaktivieren, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe.

                                              AutoFormat As You Type

                                              Autokorrektur für Text

                                              Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen.

                                              diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/OpenCreateNew.htm index 195a133ec..f5e37e9cd 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/OpenCreateNew.htm @@ -28,8 +28,8 @@

                                              Desktop-Editor

                                              1. Wählen Sie im Hauptfenster des Programms das Menü Dokument im Abschnitt Neu erstellen der linken Seitenleiste aus - eine neue Datei wird in einer neuen Registerkarte geöffnet.
                                              2. -
                                              3. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern
                                                in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus.
                                              4. -
                                              5. Wählen Sie im Fenster Dateiverwaltung den Speicherort, geben Sie den Namen an, wählen Sie das Format aus in dem Sie das Dokument speichern möchten (DOCX, Dokumentvorlage (DOTX), ODT, OTT, RTF, TXT, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern.
                                              6. +
                                              7. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern Speichern in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus.
                                              8. +
                                              9. Wählen Sie im Fenster Dateiverwaltung den Speicherort, geben Sie den Namen an, wählen Sie das Format aus in dem Sie das Dokument speichern möchten (DOCX, DOCXF, OFORM, Dokumentvorlage (DOTX), ODT, OTT, RTF, TXT, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern.
                                              diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index 67955fe93..21acbb649 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -1,7 +1,7 @@  - Dokument speichern/runterladen/drucken + Dokument speichern, runterladen, drucken @@ -14,7 +14,7 @@
                                              -

                                              Dokument speichern/herunterladen/drucken

                                              +

                                              Dokument speichern, herunterladen, drucken

                                              Speichern

                                              Standardmäßig speichert der Online-Dokumenteneditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren.

                                              Aktuelles Dokument manuell im aktuellen Format im aktuellen Verzeichnis speichern:

                                              @@ -29,7 +29,7 @@
                                              1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                                              2. Wählen Sie die Option Speichern als....
                                              3. -
                                              4. Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen.
                                              5. +
                                              6. Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen.
                                              @@ -38,14 +38,14 @@
                                              1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                                              2. Wählen Sie die Option Herunterladen als....
                                              3. -
                                              4. Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.
                                              5. +
                                              6. Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.

                                              Kopie speichern

                                              In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern.

                                              1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                                              2. Wählen Sie die Option Kopie Speichern als....
                                              3. -
                                              4. Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.
                                              5. +
                                              6. Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.
                                              7. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern.
                                              diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..90d56fa39 --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,35 @@ + + + + Unterstützung von SmartArt im ONLYOFFICE-Dokumenteneditor + + + + + + + +
                                              +
                                              + +
                                              +

                                              Unterstützung von SmartArt im ONLYOFFICE-Dokumenteneditor

                                              +

                                              SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Dokumenteneditor unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf eine SmartArt-Grafik oder ihr Element klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen:

                                              +

                                              Absatzeinstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Absatzformatierung für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv.

                                              +

                                              Formeinstellungen, um die in einem Layout verwendeten Formen zu konfigurieren. Sie können Formen ändern, also auch die Füllung, die Linien, die Größe, den Umbruchstil, die Position, die Gewichte und Pfeile, das Textfeld und den alternativen Text bearbeiten.

                                              +

                                              + TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undurchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. +

                                              +

                                              Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen:

                                              +

                                              SmartArt Menü

                                              +

                                              Textumbruch, um festzulegen, wie das Objekt relativ zum Text positioniert wird. Die Option Textumbruch ist nur verfügbar, wenn Sie auf den Grafikrahmen von SmartArt-Elementen klicken.

                                              +

                                              Beschriftung einfügen, um ein SmartArt-Grafikelement als Referenz zu kennzeichnen.

                                              +

                                              Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen.

                                              +

                                              Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen:

                                              +

                                              SmartArt Menü

                                              +

                                              Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten.

                                              +

                                              Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen.

                                              +

                                              Absatz - Erweiterte Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen.

                                              +
                                              + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/Typograf.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/Typograf.htm new file mode 100644 index 000000000..ef476217c --- /dev/null +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/Typograf.htm @@ -0,0 +1,29 @@ + + + + Typografie korrigieren + + + + + + + +
                                              +
                                              + +
                                              +

                                              Typografie korrigieren

                                              +

                                              Wenn Sie die Typografie in Ihrem Text korrigieren müssen, verwenden Sie das Typograf-Plugin, das automatisch geschützte Leerzeichen platziert und zusätzliche entfernt sowie kleinere Tippfehler korrigiert, korrekte Anführungszeichen einfügt, Bindestriche durch Gedankenstriche ersetzt usw.

                                              +
                                                +
                                              1. Öffnen Sie die Registerkarte Plugins und klicken Sie auf Typograf.
                                              2. +
                                              3. Klicken Sie auf die Schaltfläche Show advanced settings.
                                              4. +
                                              5. Wählen Sie den Ort und die Regeln aus, die Sie auf Ihren Text anwenden möchten.
                                              6. +
                                              7. Wählen Sie den Text aus, den Sie korrigieren möchten.
                                              8. +
                                              9. Klicken Sie auf die Schaltfläche Correct text.
                                              10. +
                                              + Typograf plugin gif +

                                              Weitere Informationen zum Typograf-Plugin und seiner Installation finden Sie auf der Plugin-Seite in AppDirectory.

                                              +
                                              + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/UseMailMerge.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/UseMailMerge.htm index 840cd52ca..ad1174b41 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/UseMailMerge.htm @@ -1,7 +1,7 @@  - Seriendruck verwenden + Serienbrief verwenden @@ -10,91 +10,115 @@ -
                                              -
                                              - -
                                              -

                                              Seriendruck verwenden

                                              -

                                              Hinweis: diese Option ist nur in der Online-Version verfügbar.

                                              -

                                              Im Dokumenteneditor mit der Funktion Seriendruck ist es möglich eine Reihe von Dokumenten zu erstellen, die einen gemeinsamen Inhalt aus einem Textdokument sowie einige individuelle Komponenten (Variablen, wie Namen, Begrüßungen usw.) aus einer Tabelle (z. B. eine Kundenliste) kombinieren. Das kann sehr nützlich sein, um eine Vielzahl von personalisierten Briefen zu erstellen und an Empfänger zu senden.

                                              -

                                              Die Funktion Seriendruck verwenden.

                                              -
                                                -
                                              1. Erstellen Sie ein Datenquelle und laden Sie diese in das Hauptdokument.
                                                  -
                                                1. Bei einer für den Seriendruck verwendeten Datenquelle muss es sich um eine .xlsx-Tabelle handeln, die in Ihrem Portal gespeichert ist. Öffnen Sie eine vorhandene Tabelle oder erstellen Sie eine neue und stellen Sie sicher, dass diese die folgenden Anforderungen erfüllt:

                                                  Die Tabelle muss eine Kopfzeile mit Spaltentiteln enthalten, da Werte in der ersten Zelle jeder Spalte die Felder für die Zusammenführung bestimmen (Variablen, die Sie in den Text einfügen können). Jede Spalte sollte eine Reihe von tatsächlichen Werten für eine Variable enthalten. Jede Zeile in der Tabelle sollte einem separaten Datensatz entsprechen (einem Satz von Werten, der zu einem bestimmten Empfänger gehört). Während der Zusammenführung wird für jeden Datensatz eine Kopie des Hauptdokuments erstellt und jedes in den Haupttext eingefügte Zusammenführungsfeld wird durch einen tatsächlichen Wert aus der entsprechenden Spalte ersetzt. Wenn Sie Ergebnisse per E-Mail senden möchten, muss die Tabelle auch eine Spalte mit den E-Mail-Adressen der Empfänger enthalten.

                                                  -
                                                2. -
                                                3. Öffnen Sie ein vorhandenes Dokument oder erstellen Sie ein neues. Dieses Dokument muss den Haupttext enthalten, der für jede Version des Seriendruckdokuments identisch ist. Klicken Sie auf das Symbol Seriendruck
                                                  auf der oberen Symbolleiste, in der Registerkarte Start.
                                                4. -
                                                5. Das Fenster Datenquelle auswählen wird geöffnet. Es wird eine Liste all Ihrer .xlsx-Tabellen angezeigt, die im Abschnitt Meine Dokumente gespeichert sind. Um zwischen anderen Modulabschnitten zu wechseln, verwenden Sie das Menü im linken Teil des Fensters. Wählen Sie die gewünschte Datei aus und klicken Sie auf OK.
                                                6. -
                                                -

                                                Sobald die Datenquelle geladen ist, wird die Registerkarte Einstellungen für das Zusammenführen in der rechten Seitenleiste angezeigt.

                                                -

                                                Einstellungen für das Zusammenführen

                                                -
                                              2. -
                                              3. Empfängerliste verifizieren oder ändern
                                                  -
                                                1. Klicken Sie in der rechten Seitenleiste auf die Schaltfläche Empfängerliste bearbeiten, um das Fenster Empfänger Seriendruck zu öffnen, in dem der Inhalt der ausgewählten Datenquelle angezeigt wird.

                                                  Fenster Empfänger Seriendruck

                                                  -
                                                2. -
                                                3. Hier können Sie bei Bedarf neue Informationen hinzufügen bzw. vorhandene Daten bearbeiten oder löschen. Um das Arbeiten mit Daten zu vereinfachen, können Sie die Symbole oben im Fenster verwenden:
                                                    -
                                                  • und
                                                    - zum Kopieren und Einfügen der kopierten Daten.
                                                  • -
                                                  • und
                                                    - um Aktionen rückgängig zu machen und zu wiederholen.
                                                  • -
                                                  • und
                                                    - um Ihre Daten in einem Zellenbereich in aufsteigender oder absteigender Reihenfolge zu sortieren.
                                                  • -
                                                  • - um den Filter für den zuvor ausgewählten Zellenbereich zu aktivieren oder den aktuellen Filter zu entfernen.
                                                  • -
                                                  • - um alle angewendeten Filterparameter zu löschen.

                                                    Hinweis: Weitere Informationen zur Verwendung des Filters finden Sie im Abschnitt Sortieren und Filtern von Daten im Hilfemenü des Tabelleneditors.

                                                    +
                                                    +
                                                    + +
                                                    +

                                                    Serienbrief verwenden

                                                    +

                                                    Hinweis: Diese Option ist nur in der Online-Version verfügbar.

                                                    +

                                                    Die Funktion Seriendruck wird verwendet, um eine Reihe von Dokumenten zu erstellen, die einen gemeinsamen Inhalt aus einem Textdokument und einige einzelne Komponenten (Variablen wie Namen, Grüße usw.) aus einer Tabelle (z. B. eine Kundenliste). Dies kann nützlich sein, wenn Sie viele personalisierte Briefe erstellen und an die Empfänger senden müssen.

                                                    +
                                                      +
                                                    • + Eine Datenquelle vorbereiten und sie in das Hauptdokument laden +
                                                        +
                                                      1. Eine für den Seriendruck verwendete Datenquelle muss eine .xlsx-Tabelle sein, die in Ihrem Portal gespeichert ist. Öffnen Sie eine vorhandene Tabelle oder erstellen Sie eine neue Tabelle und stellen Sie sicher, dass sie die folgenden Anforderungen erfüllt. +
                                                      2. Die Tabelle sollte eine Kopfzeile mit den Spaltentiteln haben, da die Werte in der ersten Zelle jeder Spalte Briefvorlagenfelder bezeichnen (d. h. Variablen, die Sie in den Text einfügen können). Jede Spalte sollte eine Reihe von tatsächlichen Werten für eine Variable enthalten. Jede Zeile in der Tabelle sollte einem separaten Datensatz entsprechen (d. h. einer Reihe von Werten, die einem bestimmten Empfänger gehören). Während des Zusammenführungsprozesses wird für jeden Datensatz eine Kopie des Hauptdokuments erstellt und jedes in den Haupttext eingefügte Zusammenführungsfeld wird durch einen tatsächlichen Wert aus der entsprechenden Spalte ersetzt. Wenn Sie Ergebnisse per E-Mail senden möchten, muss die Tabelle auch eine Spalte mit den E-Mail-Adressen der Empfänger enthalten.
                                                      3. +
                                                      4. + Öffnen Sie ein vorhandenes Textdokument oder erstellen Sie ein neues Dokument. Es muss den Haupttext enthalten, der für jede Version des zusammengeführten Dokuments gleich ist. Klicken Sie auf das Symbol Serienbrief Serienbrief-Symbol auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie den Speicherort der Datenquelle: Aus Datei, Aus URL oder Aus dem Speicher.
                                                      5. -
                                                      6. - um nach einem bestimmten Wert zu suchen und ihn gegebenenfalls durch einen anderen zu ersetzen.

                                                        Hinweis: Weitere Informationen zur Verwendung des Werkzeugs Suchen und Ersetzen finden Sie im Abschnitt Suchen und Ersetzen von Funktionen im Hilfemenü des Tabelleneditors.

                                                        +
                                                      7. + Wählen Sie die erforderliche Datei aus oder fügen Sie eine URL ein und klicken Sie auf OK. +

                                                        Sobald die Datenquelle geladen ist, ist die Registerkarte Seriendruckeinstellungen in der rechten Seitenleiste verfügbar.

                                                        +

                                                        Registerkarte Seriendruckeinstellungen

                                                        +
                                                      8. +
                                                      +
                                                    • + Die Empfängerliste überprüfen oder ändern +
                                                        +
                                                      1. + Klicken Sie in der rechten Seitenleiste auf die Schaltfläche + Empfängerliste bearbeiten, um das Fenster + Serienbriefempfänger zu öffnen, in dem der Inhalt der ausgewählten Datenquelle angezeigt wird. +

                                                        Fenster Empfänger Serienbrief

                                                        +
                                                      2. +
                                                      3. + Hier können Sie bei Bedarf neue Informationen hinzufügen bzw. vorhandene Daten bearbeiten oder löschen. Um das Arbeiten mit Daten zu vereinfachen, können Sie die Symbole oben im Fenster verwenden:
                                                          +
                                                        • Kopieren und Einfügen - zum Kopieren und Einfügen der kopierten Daten.
                                                        • +
                                                        • Rückgängig machen und Wiederholen - um Aktionen rückgängig zu machen und zu wiederholen.
                                                        • +
                                                        • Aufsteigend sortieren und Absteigend sortieren - um Ihre Daten in einem Zellenbereich in aufsteigender oder absteigender Reihenfolge zu sortieren.
                                                        • +
                                                        • Filter - um den Filter für den zuvor ausgewählten Zellenbereich zu aktivieren oder den aktuellen Filter zu entfernen.
                                                        • +
                                                        • + Filter löschen - um alle angewendeten Filterparameter zu löschen.

                                                          Hinweis: Weitere Informationen zur Verwendung des Filters finden Sie im Abschnitt Sortieren und Filtern von Daten im Hilfemenü des Tabelleneditors.

                                                          +
                                                        • +
                                                        • + Suche - um nach einem bestimmten Wert zu suchen und ihn gegebenenfalls durch einen anderen zu ersetzen.

                                                          Hinweis: Weitere Informationen zur Verwendung des Werkzeugs Suchen und Ersetzen finden Sie im Abschnitt Suchen und Ersetzen von Funktionen im Hilfemenü des Tabelleneditors.

                                                        -
                                                      4. -
                                                      5. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Speichern & Schließen. Um die Änderungen zu verwerfen, klicken Sie auf Schließen.
                                                      6. -
                                                    • -
                                                    • Einfügen von Seriendruckfeldern und überprüfen der Ergebnisse
                                                        -
                                                      1. Positionieren Sie den Mauszeiger im Text des Hauptdokuments an der Stelle an der Sie ein Seriendruckfeld einfügen möchten, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Seriendruckfeld einfügen und wählen Sie das erforderliche Feld aus der Liste aus Die verfügbaren Felder entsprechen den Daten in der ersten Zelle jeder Spalte der ausgewählten Datenquelle. Fügen Sie alle benötigten Felder an beliebiger Stelle im Dokument ein.

                                                        Gruppe Seriendruckfelder

                                                        -
                                                      2. -
                                                      3. Aktivieren Sie in der rechten Seitenleiste den Schalter Seriendruckfelder hervorheben, um die eingefügten Felder im Text deutlicher zu kennzeichnen.

                                                        Hauptdokument mit eingefügten Feldern

                                                        -
                                                      4. -
                                                      5. Aktivieren Sie in der rechten Seitenleiste den Schalter Ergebnisvorschau, um den Dokumenttext mit den aus der Datenquelle eingesetzten tatsächlichen Werten anzuzeigen. Verwenden Sie die Pfeiltasten, um für jeden Datensatz eine Vorschau des zusammengeführten Dokuments anzuzeigen.

                                                        Ergebnisvorschau

                                                        -
                                                      6. -
                                                      -
                                                        -
                                                      • Um ein eingefügtes Feld zu löschen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus und drücken Sie die Taste Entf auf der Tastatur.
                                                      • -
                                                      • Um ein eingefügtes Feld zu ersetzen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Seriendruckfeld einfügen und wählen Sie ein neues Feld aus der Liste aus.
                                                      • -
                                                      -
                                                    • -
                                                    • Parameter für den Seriendruck festlegen
                                                        -
                                                      1. Wählen Sie den Zusammenführungstyp aus. Sie können den Massenversand beginnen oder das Ergebnis als Datei im PDF- oder Docx-Format speichern und es später drucken oder bearbeiten. Wählen Sie die gewünschte Option aus der Liste Zusammenführen als aus:

                                                        Auswahl Zusammenführungstyp

                                                        +
                                                      2. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Speichern & Schließen. Um die Änderungen zu verwerfen, klicken Sie auf Schließen.
                                                      3. +
                                                      +
                                                    • + Einfügen von Serienbrieffeldern und überprüfen der Ergebnisse
                                                        +
                                                      1. + Positionieren Sie den Mauszeiger im Text des Hauptdokuments an der Stelle an der Sie ein Serienbrieffeld einfügen möchten, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Serienbrieffeld einfügen und wählen Sie das erforderliche Feld aus der Liste aus Die verfügbaren Felder entsprechen den Daten in der ersten Zelle jeder Spalte der ausgewählten Datenquelle. Fügen Sie alle benötigten Felder an beliebiger Stelle im Dokument ein.

                                                        Gruppe Serienbrieffelder

                                                        +
                                                      2. +
                                                      3. + Aktivieren Sie in der rechten Seitenleiste den Schalter Serienbrieffelder hervorheben, um die eingefügten Felder im Text deutlicher zu kennzeichnen.

                                                        Hauptdokument mit eingefügten Feldern

                                                        +
                                                      4. +
                                                      5. + Aktivieren Sie in der rechten Seitenleiste den Schalter Ergebnisvorschau, um den Dokumenttext mit den aus der Datenquelle eingesetzten tatsächlichen Werten anzuzeigen. Verwenden Sie die Pfeiltasten, um für jeden Datensatz eine Vorschau des zusammengeführten Dokuments anzuzeigen.

                                                        Ergebnisvorschau

                                                        +
                                                      6. +
                                                        -
                                                      • PDF - um ein einzelnes Dokument im PDF-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später drucken können
                                                      • -
                                                      • DOCX - um ein einzelnes Dokument im DOCX-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später bearbeiten können
                                                      • -
                                                      • E-Mail - um die Ergebnisse als E-Mail an die Empfänger zu senden

                                                        Hiweis: Die E-Mail-Adressen der Empfänger müssen in der geladenen Datenquelle angegeben werden und Sie müssen mindestens ein E-Mail-Konto im Mail-Modul in Ihrem Portal hinterlegt haben.

                                                        -
                                                      • +
                                                      • Um ein eingefügtes Feld zu löschen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus und drücken Sie die Taste Entf auf der Tastatur.
                                                      • +
                                                      • Um ein eingefügtes Feld zu ersetzen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Serienbrieffeld einfügen und wählen Sie ein neues Feld aus der Liste aus.
                                                      -
                                                    • -
                                                    • Wählen Sie die Datensätze aus, auf die Sie die Zusammenführung anwenden möchten:
                                                        -
                                                      • Alle Datensätze - (diese Option ist standardmäßig ausgewählt) - um zusammengeführte Dokumente für alle Datensätze aus der geladenen Datenquelle zu erstellen
                                                      • -
                                                      • Aktueller Datensatz - zum Erstellen eines zusammengeführten Dokuments für den aktuell angezeigten Datensatz
                                                      • -
                                                      • Von... Bis - um ein zusammengeführtes Dokument für eine Reihe von Datensätzen zu erstellen (in diesem Fall müssen Sie zwei Werte angeben: die Werte für den ersten und den letzten Datensatz im gewünschten Bereich)

                                                        Hinweis: Es können maximal 100 Empfänger angegeben werden. Wenn Sie mehr als 100 Empfänger in Ihrer Datenquelle haben, führen Sie den Seriendruck schrittweise aus: Geben Sie die Werte von 1 bis 100 ein, warten Sie, bis der Serienbriefprozess abgeschlossen ist, und wiederholen Sie den Vorgang mit den Werten von 101 bis N.

                                                        -
                                                      • -
                                                      -
                                                    • -
                                                    • Serienbrief abschließen
                                                        -
                                                      • Wenn Sie sich entschieden haben, die Ergebnisse der Zusammenführung als Datei zu speichern,
                                                          -
                                                        • klicken Sie auf die Schaltfläche Herunterladen als, um die Datei an einem beliebigen Ort auf Ihrem PC zu speichern. Sie finden die Datei in Ihrem Standardordner für Downloads.
                                                        • -
                                                        • Klicken Sie auf die Schaltfläche Speichern, um die Datei in Ihrem Portal zu speichern. Im Fenster Speichern unter können Sie den Dateinamen ändern und den Ort angeben, an dem Sie die Datei speichern möchten. Sie können auch das Kontrollkästchen Zusammengeführtes Dokument in neuem Tab öffnen aktivieren, um das Ergebnis zu überprüfen, sobald der Serienbriefprozess abgeschlossen ist. Klicken Sie zum Schluss im Fenster Speichern unter auf Speichern.
                                                        • -
                                                        -
                                                      • -
                                                      • Wenn Sie die Option E-Mail ausgewählt haben, erscheint in der rechten Seitenleiste die Schaltfläche Teilen. Wenn Sie auf die Schaltfläche klicken, öffnet sich das Fenster An E-Mail senden:

                                                        An E-Mail senden

                                                        -
                                                          -
                                                        • Wenn Sie mehrere Konten mit Ihrem Mail-Modul verbunden haben, wählen Sie in der Liste Von das E-Mail-Konto aus, das Sie zum Senden der E-Mails verwenden möchten.
                                                        • -
                                                        • Wählen Sie in der Liste An das Seriendruckfeld aus, das den E-Mail-Adressen der Empfänger entspricht, falls es nicht automatisch ausgewählt wurde.
                                                        • -
                                                        • Geben Sie den Betreff Ihrer Nachricht in die Betreffzeile ein.
                                                        • -
                                                        • Wählen sie das Mailformat aus der Liste aus: HTML, als DOCX anhängen oder als PDF anhängen. Wenn eine der beiden letzteren Optionen ausgewählt ist, müssen Sie auch den Dateinamen für Anhänge angeben und die Nachricht eingeben (der Text Ihres Briefes, der an die Empfänger gesendet wird).
                                                        • -
                                                        • Klicken Sie auf Senden.
                                                        • -
                                                        -

                                                        Sobald das Mailing abgeschlossen ist, erhalten Sie an die im Feld Von angegebene E-Mail-Adresse eine Benachrichtigung.

                                                        -
                                                      • -
                                                      -
                                                    • -
                                              4. -
                                              -
                                              +
                                            • + Parameter für den Serienbrief festlegen
                                                +
                                              1. + Wählen Sie den Zusammenführungstyp aus. Sie können den Massenversand beginnen oder das Ergebnis als Datei im PDF- oder Docx-Format speichern und es später drucken oder bearbeiten. Wählen Sie die gewünschte Option aus der Liste Zusammenführen als aus:

                                                Auswahl Zusammenführungstyp

                                                +
                                                  +
                                                • PDF - um ein einzelnes Dokument im PDF-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später drucken können
                                                • +
                                                • DOCX - um ein einzelnes Dokument im DOCX-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später bearbeiten können
                                                • +
                                                • + E-Mail - um die Ergebnisse als E-Mail an die Empfänger zu senden

                                                  Hiweis: Die E-Mail-Adressen der Empfänger müssen in der geladenen Datenquelle angegeben werden und Sie müssen mindestens ein E-Mail-Konto im Mail-Modul in Ihrem Portal hinterlegt haben.

                                                  +
                                                • +
                                                +
                                              2. +
                                              3. + Wählen Sie die Datensätze aus, auf die Sie die Zusammenführung anwenden möchten:
                                                  +
                                                • Alle Datensätze - (diese Option ist standardmäßig ausgewählt) - um zusammengeführte Dokumente für alle Datensätze aus der geladenen Datenquelle zu erstellen
                                                • +
                                                • Aktueller Datensatz - zum Erstellen eines zusammengeführten Dokuments für den aktuell angezeigten Datensatz
                                                • +
                                                • + Von... Bis - um ein zusammengeführtes Dokument für eine Reihe von Datensätzen zu erstellen (in diesem Fall müssen Sie zwei Werte angeben: die Werte für den ersten und den letzten Datensatz im gewünschten Bereich)

                                                  Hinweis: Es können maximal 100 Empfänger angegeben werden. Wenn Sie mehr als 100 Empfänger in Ihrer Datenquelle haben, führen Sie den Serienbrief schrittweise aus: Geben Sie die Werte von 1 bis 100 ein, warten Sie, bis der Serienbriefprozess abgeschlossen ist, und wiederholen Sie den Vorgang mit den Werten von 101 bis N.

                                                  +
                                                • +
                                                +
                                              4. +
                                              5. + Serienbrief abschließen
                                                  +
                                                • + Wenn Sie sich entschieden haben, die Ergebnisse der Zusammenführung als Datei zu speichern,
                                                    +
                                                  • klicken Sie auf die Schaltfläche Herunterladen als, um die Datei an einem beliebigen Ort auf Ihrem PC zu speichern. Sie finden die Datei in Ihrem Standardordner für Downloads.
                                                  • +
                                                  • Klicken Sie auf die Schaltfläche Speichern, um die Datei in Ihrem Portal zu speichern. Im Fenster Speichern unter können Sie den Dateinamen ändern und den Ort angeben, an dem Sie die Datei speichern möchten. Sie können auch das Kontrollkästchen Zusammengeführtes Dokument in neuem Tab öffnen aktivieren, um das Ergebnis zu überprüfen, sobald der Serienbriefprozess abgeschlossen ist. Klicken Sie zum Schluss im Fenster Speichern unter auf Speichern.
                                                  • +
                                                  +
                                                • +
                                                • + Wenn Sie die Option E-Mail ausgewählt haben, erscheint in der rechten Seitenleiste die Schaltfläche Teilen. Wenn Sie auf die Schaltfläche klicken, öffnet sich das Fenster An E-Mail senden:

                                                  An E-Mail senden

                                                  +
                                                    +
                                                  • Wenn Sie mehrere Konten mit Ihrem Mail-Modul verbunden haben, wählen Sie in der Liste Von das E-Mail-Konto aus, das Sie zum Senden der E-Mails verwenden möchten.
                                                  • +
                                                  • Wählen Sie in der Liste An das Serienbrieffeld aus, das den E-Mail-Adressen der Empfänger entspricht, falls es nicht automatisch ausgewählt wurde.
                                                  • +
                                                  • Geben Sie den Betreff Ihrer Nachricht in die Betreffzeile ein.
                                                  • +
                                                  • Wählen sie das Mailformat aus der Liste aus: HTML, als DOCX anhängen oder als PDF anhängen. Wenn eine der beiden letzteren Optionen ausgewählt ist, müssen Sie auch den Dateinamen für Anhänge angeben und die Nachricht eingeben (der Text Ihres Briefes, der an die Empfänger gesendet wird).
                                                  • +
                                                  • Klicken Sie auf Senden.
                                                  • +
                                                  +

                                                  Sobald das Mailing abgeschlossen ist, erhalten Sie an die im Feld Von angegebene E-Mail-Adresse eine Benachrichtigung.

                                                  +
                                                • +
                                                +
                                              6. +
                                              +
                                            • +
                                            + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/images/abouticon.png b/apps/documenteditor/main/resources/help/de/images/abouticon.png new file mode 100644 index 000000000..29b5a244c Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/abouticon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/acceptreject_dropdown.png b/apps/documenteditor/main/resources/help/de/images/acceptreject_dropdown.png new file mode 100644 index 000000000..133db8da2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/acceptreject_dropdown.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/arrows_formfilling.png b/apps/documenteditor/main/resources/help/de/images/arrows_formfilling.png new file mode 100644 index 000000000..4c5a5a642 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/arrows_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/autoformatasyoutype.png b/apps/documenteditor/main/resources/help/de/images/autoformatasyoutype.png index 780c67ed2..3db13461e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/autoformatasyoutype.png and b/apps/documenteditor/main/resources/help/de/images/autoformatasyoutype.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/checkbox_settings.png b/apps/documenteditor/main/resources/help/de/images/checkbox_settings.png index 42672a6ad..b22a0bee4 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/checkbox_settings.png and b/apps/documenteditor/main/resources/help/de/images/checkbox_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/clearall_formfilling.png b/apps/documenteditor/main/resources/help/de/images/clearall_formfilling.png new file mode 100644 index 000000000..e5712d90d Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/clearall_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/combo_box_settings.png b/apps/documenteditor/main/resources/help/de/images/combo_box_settings.png index 39de32003..d3705bde1 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/combo_box_settings.png and b/apps/documenteditor/main/resources/help/de/images/combo_box_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/convertequation.png b/apps/documenteditor/main/resources/help/de/images/convertequation.png new file mode 100644 index 000000000..82a8d863d Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/convertequation.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/darkmode_oform.png b/apps/documenteditor/main/resources/help/de/images/darkmode_oform.png new file mode 100644 index 000000000..6c0479cd8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/darkmode_oform.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/downloadicon.png b/apps/documenteditor/main/resources/help/de/images/downloadicon.png new file mode 100644 index 000000000..144ecea9f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/downloadicon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/dropdown_list_settings.png b/apps/documenteditor/main/resources/help/de/images/dropdown_list_settings.png index 7a1b99af6..7a471aba9 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/dropdown_list_settings.png and b/apps/documenteditor/main/resources/help/de/images/dropdown_list_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/editpoints_example.png b/apps/documenteditor/main/resources/help/de/images/editpoints_example.png new file mode 100644 index 000000000..992d2bf74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/editpoints_example.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/fastmode.png b/apps/documenteditor/main/resources/help/de/images/fastmode.png new file mode 100644 index 000000000..542a7c386 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/fastmode.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/feedbackicon.png b/apps/documenteditor/main/resources/help/de/images/feedbackicon.png new file mode 100644 index 000000000..1734e2336 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/feedbackicon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/fill_form.png b/apps/documenteditor/main/resources/help/de/images/fill_form.png index b036b8a0b..738ecc1a6 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/fill_form.png and b/apps/documenteditor/main/resources/help/de/images/fill_form.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/handtool.png b/apps/documenteditor/main/resources/help/de/images/handtool.png new file mode 100644 index 000000000..092a6d734 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/handtool.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/highlight_settings.png b/apps/documenteditor/main/resources/help/de/images/highlight_settings.png index e8b0371ab..11568292e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/highlight_settings.png and b/apps/documenteditor/main/resources/help/de/images/highlight_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/html_plugin.gif b/apps/documenteditor/main/resources/help/de/images/html_plugin.gif new file mode 100644 index 000000000..729764deb Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/html_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/de/images/image_form_settings.png b/apps/documenteditor/main/resources/help/de/images/image_form_settings.png index f9758570f..087cc29c7 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/image_form_settings.png and b/apps/documenteditor/main/resources/help/de/images/image_form_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_editorwindow.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_editorwindow.png index eef4a6169..2fad84183 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_editorwindow.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_filetab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_filetab.png index d5279a30d..8dd5d22e6 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_filetab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_filetab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_formstab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_formstab.png new file mode 100644 index 000000000..f006a1658 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_formstab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_hometab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_hometab.png index dce598b1b..6d6d7c7ba 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_hometab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_hometab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_inserttab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_inserttab.png index 6d043b21b..3d8bf26ba 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_inserttab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_layouttab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_layouttab.png index 4fc7d62f8..8581c0d1e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_layouttab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_layouttab.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 63ec40661..4f6b8615c 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/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_protectiontab.png index d01c331b0..300a6e7e0 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_protectiontab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_referencestab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_referencestab.png index 9fdc57f5e..5043ef8a0 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_referencestab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_reviewtab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_reviewtab.png index 757498ea5..e5841ce2f 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_reviewtab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_viewtab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..97a0261a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/de/images/interface/editorwindow.png index 3c6c394bf..200c8cc99 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/editorwindow.png and b/apps/documenteditor/main/resources/help/de/images/interface/editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/filetab.png b/apps/documenteditor/main/resources/help/de/images/interface/filetab.png index f352b6be9..bf7d77e74 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/de/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/formstab.png b/apps/documenteditor/main/resources/help/de/images/interface/formstab.png index 1e08ab097..f5fdd50ad 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/formstab.png and b/apps/documenteditor/main/resources/help/de/images/interface/formstab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/hometab.png b/apps/documenteditor/main/resources/help/de/images/interface/hometab.png index 9064d4ad9..8794cd93c 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/hometab.png and b/apps/documenteditor/main/resources/help/de/images/interface/hometab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/inserttab.png b/apps/documenteditor/main/resources/help/de/images/interface/inserttab.png index 0211a6aef..281d061a1 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/inserttab.png and b/apps/documenteditor/main/resources/help/de/images/interface/inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/layouttab.png b/apps/documenteditor/main/resources/help/de/images/interface/layouttab.png index 58dd9af40..52efd4576 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/layouttab.png and b/apps/documenteditor/main/resources/help/de/images/interface/layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/leftpart.png b/apps/documenteditor/main/resources/help/de/images/interface/leftpart.png index 6b2f27f47..4cf00df9c 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/leftpart.png and b/apps/documenteditor/main/resources/help/de/images/interface/leftpart.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 7cb3bceaa..8eb146a86 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/interface/referencestab.png b/apps/documenteditor/main/resources/help/de/images/interface/referencestab.png index c2926b1e8..1df69668e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/referencestab.png and b/apps/documenteditor/main/resources/help/de/images/interface/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/reviewtab.png b/apps/documenteditor/main/resources/help/de/images/interface/reviewtab.png index 3d1982e51..6aa331ed0 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/de/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/viewtab.png b/apps/documenteditor/main/resources/help/de/images/interface/viewtab.png new file mode 100644 index 000000000..94a77126c Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/interface/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_background.png b/apps/documenteditor/main/resources/help/de/images/jitsi_background.png new file mode 100644 index 000000000..51b96d71f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_background.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_camera.png b/apps/documenteditor/main/resources/help/de/images/jitsi_camera.png new file mode 100644 index 000000000..c5cea13dd Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_camera.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_conference.png b/apps/documenteditor/main/resources/help/de/images/jitsi_conference.png new file mode 100644 index 000000000..7c19b90f0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_conference.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_icon.png b/apps/documenteditor/main/resources/help/de/images/jitsi_icon.png new file mode 100644 index 000000000..a30500375 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_icon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_invite.png b/apps/documenteditor/main/resources/help/de/images/jitsi_invite.png new file mode 100644 index 000000000..74e08743c Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_invite.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_leave.png b/apps/documenteditor/main/resources/help/de/images/jitsi_leave.png new file mode 100644 index 000000000..d14909e05 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_leave.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_micro.png b/apps/documenteditor/main/resources/help/de/images/jitsi_micro.png new file mode 100644 index 000000000..56b180bee Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_micro.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_more.png b/apps/documenteditor/main/resources/help/de/images/jitsi_more.png new file mode 100644 index 000000000..c3cdd943f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_more.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_openchat.png b/apps/documenteditor/main/resources/help/de/images/jitsi_openchat.png new file mode 100644 index 000000000..620f4f6ae Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_openchat.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_participants.png b/apps/documenteditor/main/resources/help/de/images/jitsi_participants.png new file mode 100644 index 000000000..88fcf5cf5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_participants.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_plugin.gif b/apps/documenteditor/main/resources/help/de/images/jitsi_plugin.gif new file mode 100644 index 000000000..e55448245 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_settings.png b/apps/documenteditor/main/resources/help/de/images/jitsi_settings.png new file mode 100644 index 000000000..a004c9cb9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/jitsi_timer.png b/apps/documenteditor/main/resources/help/de/images/jitsi_timer.png new file mode 100644 index 000000000..d02446722 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/jitsi_timer.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/keytips1.png b/apps/documenteditor/main/resources/help/de/images/keytips1.png new file mode 100644 index 000000000..318292295 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/keytips1.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/keytips2.png b/apps/documenteditor/main/resources/help/de/images/keytips2.png new file mode 100644 index 000000000..ccbb8431f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/keytips2.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/more_oform.png b/apps/documenteditor/main/resources/help/de/images/more_oform.png new file mode 100644 index 000000000..904e7a570 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/more_oform.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/morebutton.png b/apps/documenteditor/main/resources/help/de/images/morebutton.png new file mode 100644 index 000000000..8d3940d8e Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/morebutton.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/moveelement.png b/apps/documenteditor/main/resources/help/de/images/moveelement.png new file mode 100644 index 000000000..74ead64a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/moveelement.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/navigationpanel_viewer.png b/apps/documenteditor/main/resources/help/de/images/navigationpanel_viewer.png new file mode 100644 index 000000000..2b383c995 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/navigationpanel_viewer.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/next_formfilling.png b/apps/documenteditor/main/resources/help/de/images/next_formfilling.png new file mode 100644 index 000000000..cb2ce1d90 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/next_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/oform.png b/apps/documenteditor/main/resources/help/de/images/oform.png new file mode 100644 index 000000000..a4729a592 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/oform.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/pagescaling.png b/apps/documenteditor/main/resources/help/de/images/pagescaling.png new file mode 100644 index 000000000..37f8f13e3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/pagescaling.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/pagethumbnails.png b/apps/documenteditor/main/resources/help/de/images/pagethumbnails.png new file mode 100644 index 000000000..e69b4a477 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/pagethumbnails.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/pagethumbnails_settings.png b/apps/documenteditor/main/resources/help/de/images/pagethumbnails_settings.png new file mode 100644 index 000000000..d6f4ccfca Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/pagethumbnails_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/pdfviewer.png b/apps/documenteditor/main/resources/help/de/images/pdfviewer.png new file mode 100644 index 000000000..74c00295f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/pdfviewer.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/radio_button_settings.png b/apps/documenteditor/main/resources/help/de/images/radio_button_settings.png index 4c32d86ee..4a5651829 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/radio_button_settings.png and b/apps/documenteditor/main/resources/help/de/images/radio_button_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/rainbow.gif b/apps/documenteditor/main/resources/help/de/images/rainbow.gif new file mode 100644 index 000000000..c1871b2ef Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/rainbow.gif differ diff --git a/apps/documenteditor/main/resources/help/de/images/rainbow_icon.png b/apps/documenteditor/main/resources/help/de/images/rainbow_icon.png new file mode 100644 index 000000000..2c9be1e5d Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/rainbow_icon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/removecomment_toptoolbar.png b/apps/documenteditor/main/resources/help/de/images/removecomment_toptoolbar.png new file mode 100644 index 000000000..2351f20be Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/removecomment_toptoolbar.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/resizeelement.png b/apps/documenteditor/main/resources/help/de/images/resizeelement.png new file mode 100644 index 000000000..206959166 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/resizeelement.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/save_form_icon.png b/apps/documenteditor/main/resources/help/de/images/save_form_icon.png new file mode 100644 index 000000000..a4835d6f6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/save_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/selectiontool.png b/apps/documenteditor/main/resources/help/de/images/selectiontool.png new file mode 100644 index 000000000..c48bceffd Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/selectiontool.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/setpassword.png b/apps/documenteditor/main/resources/help/de/images/setpassword.png index eca962228..14b4bc9b1 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/setpassword.png and b/apps/documenteditor/main/resources/help/de/images/setpassword.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/show_password.png b/apps/documenteditor/main/resources/help/de/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/show_password.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/smartart_rightclick.png b/apps/documenteditor/main/resources/help/de/images/smartart_rightclick.png new file mode 100644 index 000000000..e79ea3913 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/smartart_rightclick.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/smartart_rightclick2.png b/apps/documenteditor/main/resources/help/de/images/smartart_rightclick2.png new file mode 100644 index 000000000..09bcd403a Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/smartart_rightclick2.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/sortcomments.png b/apps/documenteditor/main/resources/help/de/images/sortcomments.png new file mode 100644 index 000000000..b019092f4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/sortcomments.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/sortcommentsicon.png b/apps/documenteditor/main/resources/help/de/images/sortcommentsicon.png new file mode 100644 index 000000000..e68d592fe Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/sortcommentsicon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/strictmode.png b/apps/documenteditor/main/resources/help/de/images/strictmode.png new file mode 100644 index 000000000..e3db2ebb3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/strictmode.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/telegram.gif b/apps/documenteditor/main/resources/help/de/images/telegram.gif new file mode 100644 index 000000000..f4501bd84 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/telegram.gif differ diff --git a/apps/documenteditor/main/resources/help/de/images/telegram_icon.png b/apps/documenteditor/main/resources/help/de/images/telegram_icon.png new file mode 100644 index 000000000..269b0535e Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/telegram_icon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/text_field_settings.png b/apps/documenteditor/main/resources/help/de/images/text_field_settings.png index 8fb351cef..559de527b 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/text_field_settings.png and b/apps/documenteditor/main/resources/help/de/images/text_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/typograf_plugin.gif b/apps/documenteditor/main/resources/help/de/images/typograf_plugin.gif new file mode 100644 index 000000000..d3aba39e2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/typograf_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/de/images/usericon.png b/apps/documenteditor/main/resources/help/de/images/usericon.png new file mode 100644 index 000000000..01ad0f0c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/usericon.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/view_form_active2.png b/apps/documenteditor/main/resources/help/de/images/view_form_active2.png new file mode 100644 index 000000000..3e52af90f Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/view_form_active2.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/viewsettings_darkmode.png b/apps/documenteditor/main/resources/help/de/images/viewsettings_darkmode.png new file mode 100644 index 000000000..9c80e5445 Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/viewsettings_darkmode.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/zoomadjusting.png b/apps/documenteditor/main/resources/help/de/images/zoomadjusting.png new file mode 100644 index 000000000..78551bbee Binary files /dev/null and b/apps/documenteditor/main/resources/help/de/images/zoomadjusting.png differ diff --git a/apps/documenteditor/main/resources/help/de/search/indexes.js b/apps/documenteditor/main/resources/help/de/search/indexes.js index 0bbb6c083..e9a36d946 100644 --- a/apps/documenteditor/main/resources/help/de/search/indexes.js +++ b/apps/documenteditor/main/resources/help/de/search/indexes.js @@ -8,42 +8,52 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Erweiterte Einstellungen des Dokumenteneditors", - "body": "Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Dokumenteneditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen umfassen: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Passagen nur hervorgehoben, wenn Sie auf das Symbol Kommentare in der linken Seitenleiste klicken. Anzeige der aufgelösten Kommentare aktivieren - diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare im Dokumententext verborgen werden. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Wenn die aufgelösten Kommentare im Dokument angezeigt werden sollen, müssen Sie diese Option aktivieren. Rechtschreibprüfung - Ein-/Ausschalten der automatischen Rechtschreibprüfung. Erweiterte Eingabe - Ein-/Auszuschalten von Hieroglyphen. Hilfslinien - Aktivieren/Deaktivieren von Ausrichtungshilfslinien, die Ihnen dabei helfen Objekte präzise auf der Seite zu positionieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Echtzeit-Änderungen bei gemeinsamer Bearbeitung - legt fest, welche Änderungen bei der Co-Bearbeitung hervorgehoben werden sollen: Wenn Sie die Option Keine anzeigen auswählen, werden die während der aktuellen Sitzung vorgenommenen Änderungen nicht hervorgehoben. Wenn Sie die Option Alle anzeigen auswählen, werden alle während der aktuellen Sitzung vorgenommenen Änderungen hervorgehoben. Wenn Sie die Option Letzte anzeigen auswählen, werden alle Änderungen hervorgehoben, die Sie vorgenommen haben, seit Sie das letzte Mal das Symbol Speichern angeklickt haben. Diese Option ist nur verfügbar, wenn Sie in der Co-Bearbeitung den Modus Strikt ausgewählt haben. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - blau, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - blau, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Sie können auch die Option Auf Seite anpassen oder Auf Breite anpassen auswählen. Hinting - Auswahl der Schriftartdarstellung im Dokumenteneditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Maßeinheiten - geben Sie an, welche Einheiten auf den Linealen und in Eigenschaftenfenstern verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. zu messen. Sie können die Optionen Zentimeter, Punkt, oder Zoll wählen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." + "body": "Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Dokumenteneditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen umfassen: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Passagen nur hervorgehoben, wenn Sie auf das Symbol Kommentare in der linken Seitenleiste klicken. Anzeige der aufgelösten Kommentare aktivieren - diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare im Dokumententext verborgen werden. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Wenn die aufgelösten Kommentare im Dokument angezeigt werden sollen, müssen Sie diese Option aktivieren. Rechtschreibprüfung - Ein-/Ausschalten der automatischen Rechtschreibprüfung. Erweiterte Eingabe - Ein-/Auszuschalten von Hieroglyphen. Hilfslinien - Aktivieren/Deaktivieren von Ausrichtungshilfslinien, die Ihnen dabei helfen Objekte präzise auf der Seite zu positionieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Echtzeit-Änderungen bei gemeinsamer Bearbeitung - legt fest, welche Änderungen bei der Co-Bearbeitung hervorgehoben werden sollen: Wenn Sie die Option Keine anzeigen auswählen, werden die während der aktuellen Sitzung vorgenommenen Änderungen nicht hervorgehoben. Wenn Sie die Option Alle anzeigen auswählen, werden alle während der aktuellen Sitzung vorgenommenen Änderungen hervorgehoben. Wenn Sie die Option Letzte anzeigen auswählen, werden alle Änderungen hervorgehoben, die Sie vorgenommen haben, seit Sie das letzte Mal das Symbol Speichern angeklickt haben. Diese Option ist nur verfügbar, wenn Sie in der Co-Bearbeitung den Modus Strikt ausgewählt haben. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - blau, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - blau, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Der Dunkelmodus des Dokuments aktivieren ist standardmäßig aktiv, wenn der Editor auf Dunkles Thema der Benutzeroberfläche eingestellt ist. Aktivieren Sie das Kontrollkästchen Den dunklen Dokumentmodus aktivieren, um ihn zu aktivieren. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Sie können auch die Option Auf Seite anpassen oder Auf Breite anpassen auswählen. Hinting - Auswahl der Schriftartdarstellung im Dokumenteneditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Maßeinheiten - geben Sie an, welche Einheiten auf den Linealen und in Eigenschaftenfenstern verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. zu messen. Sie können die Optionen Zentimeter, Punkt, oder Zoll wählen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Gemeinsame Bearbeitung von Dokumenten", - "body": "Im Dokumenteneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einem Dokument zu arbeiten. Diese Funktion umfasst: gleichzeitiger Zugriff von mehreren Benutzern auf das bearbeitete Dokument visuelle Markierung von Textabschnitten, die aktuell von anderen Benutzern bearbeitet werden Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick. Chat zum Austauschen von Ideen zu bestimmten Abschnitten des Dokuments Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Verbindung mit der Online-Version herstellen Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her. Co-Bearbeitung Im Dokumenteneditor stehen die folgenden Modelle für die Co-Bearbeitung zur Verfügung. Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt. Im Modus Formal werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen. Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Co-Bearbeitung. Hinweis: Wenn Sie ein Dokument im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar. Wenn ein Dokument im Modus Formal von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Textpassagen mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der diese Passage aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben. Die Anzahl der Benutzer, die am aktuellen Dokument arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält. Wenn kein Benutzer die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus: - über dieses Symbol können Sie die Benutzer verwalten, die direkt aus dem Dokument auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen, Kommentieren, Ausfüllen von Formularen oder Betrachten des Dokuments erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige des Dokuments beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Teilen. Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol speichert, sehen die anderen Benutzer in der Statusleiste eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf . Die Updates werden hervorgehoben, damit Sie nachvollziehen können, was genau geändert wurde. Sie können festlegen, welche Änderungen bei der Co-Bearbeitung hervorgehoben werden sollen: Klicken Sie dazu in der Registerkarte Datei auf die Option Erweiterte Einstellungen und wählen Sie zwischen keine, alle und letzte Änderungen in Echtzeit. Wenn Sie die Option Alle anzeigen auswählen, werden alle während der aktuellen Sitzung vorgenommenen Änderungen hervorgehoben. Wenn Sie die Option Letzte anzeigen auswählen, werden alle Änderungen hervorgehoben, die Sie vorgenommen haben, seit Sie das letzte Mal das Symbol Speichern angeklickt haben. Wenn Sie die Option Keine anzeigen auswählen, werden die während der aktuellen Sitzung vorgenommenen Änderungen nicht hervorgehoben. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten. Chat Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Absatz Sie jetzt bearbeiten usw. Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Präsentation zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden. Chat nutzen und Nachrichten für andere Benutzer erstellen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text in das entsprechende Feld unten ein. klicken Sie auf Senden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol oder klicken Sie in der oberen Symbolleiste erneut auf Chat. Kommentare Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Einen Kommentar hinterlassen: Wählen Sie einen Textabschnitt, der Ihrer Meinung nach einen Fehler oder ein Problem enthält. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie in der rechten Seitenleiste auf Kommentare oder nutzen Sie das Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder klicken Sie mit der rechten Maustaste auf den gewünschten Textabschnitt und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus. Geben Sie den gewünschten Text ein. Klicken Sie auf Kommentar hinzufügen/Hinzufügen. Der Kommentar wird im linken Seitenbereich angezeigt. Alle Nutzer können nun auf hinzugefügte Kommentare antworten, Fragen stellen oder über durchgeführte Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar. Der von Ihnen kommentierte Textabschnitt wird im Dokument markiert. Um den Kommentar einzusehen, klicken Sie einfach auf den entsprechenden Abschnitt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf klicken. Hinzugefügte Kommentare verwalten: bearbeiten - klicken Sie dazu auf löschen - klicken Sie dazu auf Diskussion schließen - klicken Sie dazu auf , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf klicken. Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Wenn Sie im Modus Formal arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf geklickt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf ." + "title": "Gemeinsame Bearbeitung von Dokumenten in Echtzeit", + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern. Im Dokumenteneditor können Sie in Echtzeit an Dokumenten mit zwei Modi zusammenarbeiten: Schnell oder Formal. Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den gewünschten Modus über das Symbol Modus \"Gemeinsame Bearbeitung\" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen: Die Anzahl der Benutzer, die an dem aktuellen Dokument arbeiten, wird auf der rechten Seite der Editor-Kopfzeile angezeigt - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen. Modus \"Schnell\" Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie ein Dokument in diesem Modus gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. In diesem Modus werden die Aktionen und die Namen der Co-Autoren angezeigt, wenn sie den Text bearbeiten. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der sie gerade bearbeitet. Modus \"Formal\" Der Modus Formal wird ausgewählt, um die von anderen Benutzern vorgenommenen Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn ein Dokument in diesem Modus von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Textpassagen mit gestrichelten Linien in unterschiedlichen Farben gekennzeichnet. Sobald einer der Benutzer seine Änderungen durch Klicken auf das Symbol speichert, sehen die anderen einen Hinweis in der Statusleiste, der darauf hinweist, dass es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abrufen können, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Die Aktualisierungen werden hervorgehoben, damit Sie sehen können, was genau geändert wurde. Sie können angeben, welche Änderungen während der gemeinsamen Bearbeitung hervorgehoben werden sollen, indem Sie auf die Registerkarte Datei in der oberen Symbolleiste klicken, die Option Erweiterte Einstellungen... auswählen und eine der drei Möglichkeiten auswählen: Alle anzeigen: Alle Änderungen, die während der aktuellen Sitzung vorgenommen wurden, werden hervorgehoben. Letzte anzeigen: Nur die Änderungen, die seit dem letzten Klicken auf das Symbol  vorgenommen wurden, werden hervorgehoben. Keine: Änderungen, die während der aktuellen Sitzung vorgenommen wurden, werden nicht hervorgehoben. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Dokumente kommentieren", + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern. Im Dokumenteneditor können Sie Kommentare zum Inhalt von Dokumenten hinterlassen, ohne diese tatsächlich zu bearbeiten. Im Gegensatz zu Chat-Nachrichten bleiben die Kommentare, bis sie gelöscht werden. Kommentare hinterlassen und darauf antworten Um einen Kommentar zu hinterlassen: Wählen Sie eine Textpassage aus, bei der Sie der Meinung sind, dass ein Fehler oder Problem vorliegt. Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit der oberen Symbolleiste und klicken Sie auf die Schaltfläche Kommentar hinzufügen, oder Verwenden Sie das Symbol in der linken Seitenleiste, um das Bedienfeld Kommentare zu öffnen, und klicken Sie auf den Link Kommentar zum Dokument hinzufügen, oder Klicken Sie mit der rechten Maustaste auf die ausgewählte Textpassage und wählen Sie im Kontextmenü die Option Kommentar hinzufügen. Geben Sie den erforderlichen Text ein. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen. Der Kommentar wird links im Bereich Kommentare angezeigt. Jeder andere Benutzer kann den hinzugefügten Kommentar beantworten, indem er Fragen stellt oder über seine Arbeit berichtet. Klicken Sie dazu auf den Link Antwort hinzufügen unterhalb des Kommentars, geben Sie Ihre Antwort in das Eingabefeld ein und drücken Sie die Schaltfläche Antworten. Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol in der linken oberen Ecke in der oberen Symbolleiste geklickt haben. Anzeige von Kommentaren deaktivieren Die von Ihnen kommentierte Textpassage wird im Dokument hervorgehoben. Um den Kommentar anzuzeigen, klicken Sie einfach innerhalb der Passage. Um diese Funktion zu deaktivieren: Klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste. Wählen Sie die Option Erweiterte Einstellungen... aus. Deaktivieren Sie das Kontrollkästchen Live-Kommentare einschalten. Jetzt werden die kommentierten Passagen nur dann hervorgehoben, wenn Sie auf das Symbol  klicken. Kommentare verwalten Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten: Sortieren Sie die hinzugefügten Kommentare, indem Sie auf das Symbol klicken: nach Datum: Neueste zuerst oder Älteste zuerste. Dies ist die standardmäßige Sortierreihenfolge. nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A). nach Reihenfolge: Von oben oder Von unten. Die übliche Sortierreihenfolge von Kommentaren nach ihrer Position in einem Dokument ist wie folgt (von oben): Kommentare zu Text, Kommentare zu Fußnoten, Kommentare zu Endnoten, Kommentare zu Kopf-/Fußzeilen, Kommentare zum gesamten Dokument. nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol , um die Diskussion neu zu öffnen. Wenn Sie aufgelöste Kommentare ausblenden möchten, klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie die Option Anzeige der aktivieren Kommentare gelöst und klicken Sie auf Anwenden. In diesem Fall werden die gelösten Kommentare nur hervorgehoben, wenn Sie auf das Symbol klicken. Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Erwähnungen hinzufügen Sie können Erwähnungen nur zu den Kommentaren zu den Textteilen hinzufügen, nicht zum Dokument selbst. Beim Eingeben von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie jemanden auf den Kommentar aufmerksam machen und dem genannten Benutzer per E-Mail und Chat eine Benachrichtigung senden können. Um eine Erwähnung hinzuzufügen: Geben Sie das Zeichen \"+\" oder \"@\" an einer beliebigen Stelle im Kommentartext ein - eine Liste der Portalbenutzer wird geöffnet. Um den Suchvorgang zu vereinfachen, können Sie im Kommentarfeld mit der Eingabe eines Namens beginnen - die Benutzerliste ändert sich während der Eingabe. Wählen Sie die erforderliche Person aus der Liste aus. Wenn die Datei noch nicht für den genannten Benutzer freigegeben wurde, wird das Fenster Freigabeeinstellungen geöffnet. Der Zugriffstyp Schreibgeschützt ist standardmäßig ausgewählt. Ändern Sie es bei Bedarf. Klicken Sie auf OK. Der erwähnte Benutzer erhält eine E-Mail-Benachrichtigung, dass er in einem Kommentar erwähnt wurde. Wurde die Datei freigegeben, erhält der Benutzer auch eine entsprechende Benachrichtigung. Kommentare entfernen Um Kommentare zu entfernen: Klicken Sie auf die Schaltfläche Kommentare entfernen auf der Registerkarte Zusammenarbeit der oberen Symbolleiste. Wählen Sie die erforderliche Option aus dem Menü: Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt. Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt. Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol ." + }, + { + "id": "HelpfulHints/Communicating.htm", + "title": "Kommunikation in Echtzeit", + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern. Im Dokumenteneditor können Sie mit Ihren Mitbearbeitern in Echtzeit kommunizieren, indem Sie das integrierte Chat-Tool sowie eine Reihe nützlicher Plugins verwenden, z. B. Telegram oder Rainbow. Um auf das Chat-Tool zuzugreifen und eine Nachricht für andere Benutzer zu hinterlassen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text in das entsprechende Feld unten ein. Klicken Sie auf Senden. Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt des Dokuments zu diskutieren, ist es besser, Kommentare zu verwenden, die gespeichert werden, bis sie gelöscht werden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol oder klicken Sie in der oberen Symbolleiste erneut auf die Schaltfläche Chat." }, { "id": "HelpfulHints/Comparison.htm", "title": "Dokumente vergleichen", - "body": "Die Dokumente vergleichen Hinweis: Diese Option steht zur Verfügung nur in der kommerziellen Online-Version im Dokument Server v. 5.5 und höher. Wenn Sie zwei Dokumente vergleichen und zusammenführen wollen,verwenden Sie das Tool Vergleichen im Dokumenteneditor. Sie können die Unterschiede zwischen zwei Dokumenten anzeigen und die Dokumente zusammenführen, wo Sie die Änderungen einzeln oder alle gleichzeitig akzeptieren können. Nach dem Vergleichen und Zusammenführen von zwei Dokumenten wird das Ergebnis als neue Version der Originaldatei im Portal gespeichert. Wenn Sie die verglichenen Dokumente nicht zusammenführen wollen, können Sie alle Änderungen ablehnen, sodass das Originaldokument unverändert bleibt. Wählen Sie ein Dokument zum Vergleichen aus Öffnen Sie das Originaldokument und wählen Sie ein Dokument zum Vergleichen aus, um die zwei Dokumente zu vergleichen: öffnen Sie die Registerkarte Zusammenarbeit und klicken Sie die Schaltfläche Vergleichen an, wählen Sie einer der zwei Optionen aus, um das Dokument hochzuladen: die Option Dokument aus Datei öffnet das Standarddialogfenster für Dateiauswahl. Finden Sie die gewünschte .docx Datei und klicken Sie die Schaltfläche Öffnen an. die Option Dokument aus URL öffnet das Fenster, wo Sie die Datei-URL zum anderen Online-Speicher eingeben können (z.B., Nextcloud). Die URL muss direkt zum Datei-Herunterladen sein. Wenn die URL eingegeben ist, klicken Sie OK an. Hinweis: Die direkte URL lässt die Datei herunterladen, ohne diese Datei im Browser zu öffnen. Z.B., im Nextcloud kann man die direkte URL so erhalten: Finden Sie die gewünschte Datei in der Dateiliste, wählen Sie die Option Details im Menü aus. Klicken Sie die Option Direkte URL kopieren (nur für die Benutzer, die den Zugriff auf diese Datei haben) rechts auf dem Detailspanel an. Lesen Sie die entsprechende Servicedokumentation, um zu lernen, wie kann man eine direkte URL in anderen Online-Services erhalten. die Option Dokument aus dem Speicher öffnet das Datei-Speicher-Auswahlfenster. Da finden Sie alle .docx Dateien, die Sie auf dem Online-Speicher haben. Sie können im Modul Dokumente durch das Menü links navigieren. Wählen Sie die gewünschte .docx Datei aus und klicken Sie OK an. Wenn das zweite Dokument zum Vergleichen ausgewählt wird, wird der Vergleichsprozess gestartet und das Dokument wird angezeigt, als ob er im Überarbeitungsmodus geöffnet ist. Alle Änderungen werden hervorgehoben und Sie können die Änderungen Stück für Stück oder alle gleichzeitig sehen, navigieren, übernehmen oder ablehnen. Sie können auch den Anueogemodus ändern und sehen, wie das Dokument vor, während und nach dem Vergleichprozess aussieht. Wählen Sie den Anzeigemodus für die Änderungen aus Klicken Sie auf die Schaltfläche Anzeigemodus nach oben und wählen Sie einen der Modi aus: Markup - diese Option ist standardmäßig. Verwenden Sie sie, um das Dokument während des Vergleichsprozesses anzuzeigen. Im diesen Modus können Sie das Dokument sehen sowie bearbeiten. Endgültig - der Modus zeigt das Dokument an, als ob alle Änderungen übernommen sind, nämlich nach dem Vergleichsprozess. Diese Option nimmt alle Änderungen nicht, sie zeigt nur das Dokument an, als ob die Änderungen schon übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. Original - der Modus zeigt das Originaldokument an, nämlich vor dem Vergleichsprozess, als ob alle Änderungen abgelehnt sind. Diese Option lehnt alle Änderungen nicht ab, sie zeigt nur das Dokument an, als ob die Änderungen nicht übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. Änderungen übernehmen oder ablehnen Verwenden Sie die Schaltflächen Zur vorherigen Änderung und Zur nächsten Änderung, um die Änderungen zu navigieren. Um die Änderungen zu übernehmen oder abzulehnen: klicken Sie auf die Schaltfläche Annehmen nach oben oder klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Aktuelle Änderungen annehmen aus (die Änderung wird übernommen und Sie übergehen zur nächsten Änderung) oder klicken Sie die Schaltfläche Annehmen im Pop-Up-Fenster an. Um alle Änderungen anzunehmen, klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Alle Änderungen annehmen aus. Um die aktuelle Änderung abzulehnen: klicken Sie die Schaltfläche Ablehnen an oder klicken Sie den Abwärtspfeil unter der Schaltfläche Ablehnen an und wählen Sie die Option Aktuelle Änderung ablehnen aus (die Änderung wird abgelehnt und Sie übergehen zur nächsten Änderung) oder klicken Sie die Schaltfläche Ablehnen im Pop-Up-Fenster an. Um alle Änderungen abzulehnen, klicken Sie den Abwärtspfeil unter der Schaltfläche Ablehnen an und wählen Sie die Option Alle Änderungen ablehnen aus. Zusatzinformation für die Vergleich-Option Die Vergleichsmethode In den Dokumenten werden nur die Wörter verglichen. Falls das Wort eine Änderung hat (z.B. eine Buchstabe ist abgelöst oder verändert), werden das ganze Wort als eine Änderung angezeigt. Das folgende Bild zeigt den Fall, in dem das Originaldokument das Wort \"Symbole\" enthält und das Vergleichsdokument das Wort \"Symbol\" enthält. Urheberschaft des Dokuments Wenn der Vergleichsprozess gestartet wird, wird das zweite Dokument zum Vergleichen hochgeladen und mit dem aktuellen verglichen. Wenn das hochgeladene Dokument Daten enthält, die nicht im Originaldokument enthalten sind, werden die Daten als hinzugefügt markiert. Wenn das Originaldokument einige Daten enthält, die nicht im hochgeladenen Dokument enthalten sind, werden die Daten als gelöscht markiert. Wenn der Autor des Originaldokuments und des hochgeladenen Dokuments dieselbe Person ist, ist der Prüfer derselbe Benutzer. Sein/Ihr Name wird in der Sprechblase angezeigt. Wenn die Autoren von zwei Dokumenten unterschiedliche Benutzer sind, ist der Autor des zweiten zum Vergleich hochgeladenen Dokuments der Autor der hinzugefügten / entfernten Änderungen. Die nachverfolgten Änderungen im verglichenen Dokument Wenn das Originaldokument einige Änderungen enthält, die im Überprüfungsmodus vorgenommen wurden, werden diese im Vergleichsprozess übernommen. Wenn Sie das zweite Dokument zum Vergleich auswählen, wird die entsprechende Warnmeldung angezeigt. In diesem Fall enthält das Dokument im Originalanzeigemodus keine Änderungen." + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten. Wenn Sie zwei Dokumente vergleichen und zusammenführen müssen, bietet Ihnen der Dokumenteneditor die Dokument-Vergleichsfunktion. Es ermöglicht, die Unterschiede zwischen zwei Dokumenten anzuzeigen und die Dokumente zusammenzuführen, indem die Änderungen einzeln oder alle auf einmal akzeptiert werden. Nach dem Vergleichen und Zusammenführen zweier Dokumente wird das Ergebnis als neue Version der Originaldatei im Portal gespeichert. Wenn Sie die zu vergleichenden Dokumente nicht zusammenführen müssen, können Sie alle Änderungen verwerfen, sodass das Originaldokument unverändert bleibt. Dokument zum Vergleich auswählen Um zwei Dokumente zu vergleichen, öffnen Sie das Originaldokument, das Sie vergleichen möchten, und wählen Sie das zweite Dokument zum Vergleich aus: Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Vergleichen. Wählen Sie eine der folgenden Optionen, um das Dokument zu laden: die Option Dokument aus Datei öffnet das Standarddialogfenster für Dateiauswahl. Finden Sie die gewünschte .docx Datei und klicken Sie die Schaltfläche Öffnen an. Die Option Dokument aus URL öffnet das Fenster, in dem Sie einen Link zu der Datei eingeben können, die in einem Webspeicher eines Drittanbieters (z. B. Nextcloud) gespeichert ist, wenn Sie entsprechende Zugriffsrechte darauf haben. Der Link muss ein direkter Link zum Herunterladen der Datei sein. Wenn der Link angegeben ist, klicken Sie auf die Schaltfläche OK. Die direkte URL lässt die Datei herunterladen, ohne diese Datei im Browser zu öffnen. Z.B., im Nextcloud kann man die direkte URL so erhalten: Finden Sie die gewünschte Datei in der Dateiliste, wählen Sie die Option Details im Menü aus. Klicken Sie die Option Direkte URL kopieren (nur für die Benutzer, die den Zugriff auf diese Datei haben) rechts auf dem Detailspanel an. Lesen Sie die entsprechende Servicedokumentation, um zu lernen, wie kann man eine direkte URL in anderen Online-Services erhalten. Die Option Dokument aus Speicher öffnet das Fenster Datenquelle auswählen. Es zeigt die Liste aller auf Ihrem Portal gespeicherten .docx-Dokumente an, für die Sie entsprechende Zugriffsrechte haben. Um durch die Abschnitte des Moduls Dokumente zu navigieren, verwenden Sie das Menü im linken Teil des Fensters. Wählen Sie das erforderliche .docx-Dokument aus und klicken Sie auf die Schaltfläche OK. Wenn das zweite zu vergleichende Dokument ausgewählt wird, beginnt der Vergleichsprozess und das Dokument sieht so aus, als ob es im Modus Review geöffnet ist. Alle Änderungen werden mit einer Farbe hervorgehoben, und Sie können die Änderungen anzeigen, zwischen ihnen navigieren, die Änderungen einzeln oder alle auf einmal annehmen oder ablehnen. Es ist auch möglich, den Anzeigemodus zu ändern und zu sehen, wie das Dokument vor dem Vergleich, während des Vergleichs oder nach dem Vergleich aussieht, wenn Sie alle Änderungen annehmen. Den Anzeigemodus für die Änderungen auswählen Klicken Sie auf die Schaltfläche Anzeigemodus in der oberen Symbolleiste und wählen Sie einen der verfügbaren Modi aus der Liste aus: Markup - diese Option ist standardmäßig. Verwenden Sie sie, um das Dokument während des Vergleichsprozesses anzuzeigen. Im diesen Modus können Sie das Dokument sehen sowie bearbeiten. Endgültig - der Modus zeigt das Dokument an, als ob alle Änderungen übernommen sind, nämlich nach dem Vergleichsprozess. Diese Option nimmt alle Änderungen nicht, sie zeigt nur das Dokument an, als ob die Änderungen schon übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. Original - der Modus zeigt das Originaldokument an, nämlich vor dem Vergleichsprozess, als ob alle Änderungen abgelehnt sind. Diese Option lehnt alle Änderungen nicht ab, sie zeigt nur das Dokument an, als ob die Änderungen nicht übernommen sind. Im diesen Modus können Sie das Dokument nicht bearbeiten. Änderungen annehmen oder ablehnen Verwenden Sie die Schaltflächen Zur vorherigen Änderung und Zur nächsten Änderung in der oberen Symbolleiste, um die Änderungen zu navigieren. Um die aktuell ausgewählte Änderung zu akzeptieren, können Sie: Klicken Sie auf die Schaltfläche Annehmen in der oberen Symbolleiste, oder Klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Aktuelle Änderungen annehmen aus (die Änderung wird angenommen und Sie übergehen zur nächsten Änderung) oder Klicken Sie die Schaltfläche Annehmen im Pop-Up-Fenster an. Um alle Änderungen anzunehmen, klicken Sie den Abwärtspfeil unter der Schaltfläche Annehmen an und wählen Sie die Option Alle Änderungen annehmen aus. Um die aktuelle Änderung abzulehnen: Klicken Sie die Schaltfläche Ablehnen in der oberen Symbolleiste, oder klicken Sie den Abwärtspfeil unter der Schaltfläche Ablehnen an und wählen Sie die Option Aktuelle Änderung ablehnen aus (die Änderung wird abgelehnt und Sie übergehen zur nächsten Änderung) oder Лlicken Sie die Schaltfläche Ablehnen im Pop-Up-Fenster an. Um alle Änderungen abzulehnen, klicken Sie den Abwärtspfeil unter der Schaltfläche Ablehnen an und wählen Sie die Option Alle Änderungen ablehnen aus. Zusatzinformation für die Vergleich-Funktion Die Vergleichsmethode Dokumente werden wortweise verglichen. Wenn ein Wort eine Änderung von mindestens einem Zeichen enthält (z. B. wenn ein Zeichen entfernt oder ersetzt wurde), wird die Differenz im Ergebnis als Änderung des gesamten Wortes und nicht des Zeichens angezeigt. Das folgende Bild zeigt den Fall, dass die Originaldatei das Wort „Symbole“ und das Vergleichsdokument das Wort „Symbol“ enthält. Urheberschaft des Dokuments Wenn der Vergleichsprozess gestartet wird, wird das zweite Dokument zum Vergleichen hochgeladen und mit dem aktuellen verglichen. Wenn das geladene Dokument einige Daten enthält, die nicht im Originaldokument enthalten sind, werden die Daten als von einem Überprüfer hinzugefügt markiert. Wenn das Originaldokument einige Daten enthält, die nicht im geladenen Dokument enthalten sind, werden die Daten von einem Überprüfer als gelöscht markiert. Wenn die Autoren des Originaldokuments und des geladenen Dokuments dieselbe Person sind, ist der Überprüfer derselbe Benutzer. Sein/ihr Name wird in der Änderungssprechblase angezeigt. Wenn die Autoren zweier Dateien unterschiedliche Benutzer sind, dann ist der Autor der zweiten zum Vergleich geladenen Datei der Autor der hinzugefügten/entfernten Änderungen. Die nachverfolgten Änderungen im verglichenen Dokument Wenn das Originaldokument einige Änderungen enthält, die im Modus \"Review\" vorgenommen wurden, werden diese im Vergleichsprozess übernommen. Wenn Sie das zweite Dokument zum Vergleich auswählen, wird die entsprechende Warnmeldung angezeigt. In diesem Fall enthält das Dokument im Originalanzeigemodus keine Änderungen." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Tastaturkürzel", - "body": "Die Tastaturkombinationen werden für einen schnelleren und einfacheren Zugriff auf die Funktionen des Dokumenteneditors über die Tastatur verwendet. Windows/LinuxMac OS Ein Dokument bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie das aktuelle Dokument speichern, drucken, herunterladen, Informationen einsehen, ein neues Dokument erstellen oder ein vorhandenes öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox Suchen und Ersetzen öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Über das Dialogfeld Suchen und Finden können Sie im aktuell bearbeiteten Dokument nach Zeichen/Wörtern/Phrasen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Letzten Suchvorgang wiederholen ⇧ UMSCHALT+F4 ⇧ UMSCHALT+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ UMSCHALT+F4 Wiederholung des Suchvorgangs der vor dem Drücken der Tastenkombination ausgeführt wurde. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Dokument speichern STRG+S ^ STRG+S, ⌘ Cmd+S Speichert alle Änderungen im aktuellen Dokument. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Dokument drucken STRG+P ^ STRG+P, ⌘ Cmd+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als, um das aktuell bearbeitete Dokument in einem der unterstützten Dateiformate auf der Festplatte speichern: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Vollbild F11 Dokumenteneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfe-Menü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Fenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Navigation Zum Anfang einer Zeile springen POS1 POS1 Der Cursor wird an den Anfang der aktuellen Zeile verschoben. Zum Anfang eines Dokuments springen STRG+POS1 ^ STRG+POS1 Der Cursor wird an den Anfang des aktuellen Dokuments verschoben. Zum Ende der Zeile springen ENDE ENDE Der Cursor wird an das Ende der aktuellen Zeile verschoben. Zum Ende des Dokuments springen STRG+ENDE ^ STRG+ENDE Der Cursor wird an das Ende der Dokuments verschoben. Zum Anfang der vorherigen Seite springen ALT+STRG+BILD oben Der Cursor wird an den Anfang der Seite verschoben, die der aktuell bearbeiteten Seite vorausgeht. Zum Anfang der nächsten Seite springen ALT+STRG+BILD unten ⌥ Option+⌘ Cmd+⇧ UMSCHALT+BILD unten Der Cursor wird an den Anfang der Seite verschoben, die auf die aktuell bearbeitete Seite folgt. Nach unten scrollen BILD unten BILD unten, ⌥ Option+Fn+↑ Wechsel zum Ende der Seite. Nach oben scrollen BILD oben BILD oben, ⌥ Option+Fn+↓ Wechsel zum Anfang der Seite. Nächste Seite ALT+BILD unten ⌥ Option+BILD unten Geht zur nächsten Seite im aktuellen Dokument über. Vorherige Seite ALT+BILD oben ⌥ Option+BILD oben Geht zur vorherigen Seite im aktuellen Dokument über. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht des aktuellen Dokuments wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht des aktuellen Dokuments wird verkleinert. Ein Zeichen nach links bewegen ← ← Der Mauszeiger bewegt sich ein Zeichen nach links. Ein Zeichen nach rechts bewegen → → Der Mauszeiger bewegt sich ein Zeichen nach rechts. Zum Anfang eines Wortes oder ein Wort nach links bewegen STRG+← ^ STRG+←, ⌘ Cmd+← Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben. Ein Wort nach rechts bewegen STRG+→ ^ STRG+→, ⌘ Cmd+→ Der Mauszeiger bewegt sich ein Wort nach rechts. Eine Reihe nach oben ↑ ↑ Der Mauszeiger wird eine Reihe nach oben verschoben. Eine Reihe nach unten ↓ ↓ Der Mauszeiger wird eine Reihe nach unten verschoben. Schreiben Absatz beenden ↵ Eingabetaste ↵ Zurück Endet den aktuellen und beginnt einen neuen Absatz. Zeilenumbruch einfügen ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Fügt einen Zeilenumbruch ein, ohne einen neuen Absatz zu beginnen. ENTF ← Rücktaste, ENTF ← Rücktaste, ENTF Ein Zeichen nach links löschen (← Rücktaste) oder nach rechts (ENTF) vom Mauszeiger. Das Wort links neben dem Mauszeiger löschen STRG+← Rücktaste ^ STRG+← Rücktaste, ⌘ Cmd+← Rücktaste Das Wort links neben dem Mauszeiger wird gelöscht. Das Wort rechts neben dem Mauszeiger löschen STRG+ENTF ^ STRG+ENTF, ⌘ Cmd+ENTF Das Wort rechts neben dem Mauszeiger wird gelöscht. Geschütztes Leerzeichen erstellen STRG+⇧ UMSCHALT+␣ Leertaste ^ STRG+⇧ UMSCHALT+␣ Leertaste Erstellt ein Leerzeichen zwischen den Zeichen, das nicht zum Anfang einer neuen Zeile führt. Geschützten Bindestrich erstellen STRG+⇧ UMSCHALT+Viertelgeviertstrich ^ STRG+⇧ UMSCHALT+Viertelgeviertstrich Erstellt einen Bindestrich zwischen den Zeichen, der nicht zum Anfang einer neuen Zeile führt. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ^ STRG+Z, ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ^ STRG+J, ⌘ Cmd+J, ⌘ Cmd+⇧ UMSCHALT+Z Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X, ⇧ UMSCHALT+ENTF Der gewählte Textabschnitt wird gelöscht und in der Zwischenablage des Rechners abgelegt. Der kopierte Text kann später an einer anderen Stelle in demselben Dokument, in einem anderen Dokument oder einem anderen Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Der gewählte Textabschnitt wird in der Zwischenablage des Rechners abgelegt. Der kopierte Text kann später an einer anderen Stelle in demselben Dokument, in einem anderen Dokument oder einem anderen Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Der vorher kopierte Textabschnitt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Der Text kann aus demselben Dokument, aus einem anderen Dokument bzw. Programm kopiert werden. Hyperlink einfügen STRG+K ⌘ Cmd+K Fügt einen Hyperlink ein, der einen Übergang beispielsweise zu einer Webadresse ermöglicht. Format übertragen STRG+⇧ UMSCHALT+C ⌘ Cmd+⇧ UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in demselben Dokument angewandt werden. Format übertragen STRG+⇧ UMSCHALT+V ⌘ Cmd+⇧ UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text im aktuellen Dokument an. Textauswahl Alles auswählen STRG+A ⌘ Cmd+A Der gesamte Text wird ausgewählt, einschließlich Tabellen und Bildern. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Den Text Zeichen für Zeichen auswählen. Von der aktuellen Cursorposition bis zum Zeilenanfang auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Von der Cursorposition bis zum Zeilenende auswählen ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Ein Zeichen nach rechts auswählen ⇧ UMSCHALT+→ ⇧ UMSCHALT+→ Das Zeichen rechts neben dem Mauszeiger wird ausgewählt. Ein Zeichen nach links auswählen ⇧ UMSCHALT+← ⇧ UMSCHALT+← Das Zeichen links neben dem Mauszeiger wird ausgewählt. Bis zum Wortende auswählen STRG+⇧ UMSCHALT+→ Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt. Bis zum Wortanfang auswählen STRG+⇧ UMSCHALT+← Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt. Eine Reihe nach oben auswählen ⇧ UMSCHALT+↑ ⇧ UMSCHALT+↑ Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang). Eine Reihe nach unten auswählen ⇧ UMSCHALT+↓ ⇧ UMSCHALT+↓ Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang). Eine Seite nach oben auswählen ⇧ UMSCHALT+BILD oben ⇧ UMSCHALT+BILD oben Die Seite wird von der aktuellen Position des Mauszeigers bis zum oberen Teil des Bildschirms ausgewählt. Eine Seite nach unten auswählen ⇧ UMSCHALT+BILD unten ⇧ UMSCHALT+BILD unten Die Seite wird von der aktuellen Position des Mauszeigers bis zum unteren Teil des Bildschirms ausgewählt. Textformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählte Textabschnitt wird durchgestrichen. Tiefgestellt STRG+. ^ STRG+⇧ UMSCHALT+>, ⌘ Cmd+⇧ UMSCHALT+> Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+, ^ STRG+⇧ UMSCHALT+<, ⌘ Cmd+⇧ UMSCHALT+< Der gewählte Textabschnitt wird verkleinert und hochgestellt wie z. B. in Bruchzahlen. Überschrift 1 ALT+1 ⌥ Option+^ STRG+1 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 1 zugwiesen. Überschrift 2 ALT+2 ⌥ Option+^ STRG+2 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 2 zugwiesen. Überschrift 3 ALT+3 ⌥ Option+^ STRG+3 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 3 zugwiesen. Aufzählungsliste STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+␣ Leertaste Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] ⌘ Cmd+] Vergrößert die Schrift des gewählten Textabschnitts um 1 Punkt. Schrift verkleinern STRG+[ ⌘ Cmd+[ Verkleinert die Schrift des gewählten Textabschnitts um 1 Punkt. Zentriert/linksbündig ausrichten STRG+E ^ STRG+E, ⌘ Cmd+E Wechselt die Ausrichtung des Absatzes von zentriert auf linksbündig. Blocksatz/linksbündig ausrichten STRG+J, STRG+L ^ STRG+J, ⌘ Cmd+J Wechselt die Ausrichtung des Absatzes von Blocksatz auf linksbündig. Rechtsbündig/linksbündig ausrichten STRG+R ^ STRG+R Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig. Text tiefstellen (automatischer Abstand) STRG+= Das ausgewählte Textfragment wird tiefgestellt. Text hochstellen (automatischer Abstand) STRG+⇧ UMSCHALT++ Das ausgewählte Textfragment wird hochgestellt. Seitenumbruch einfügen STRG+↵ Eingabetaste ^ STRG+↵ Zurück Einfügen eines Seitenumbruchs an der aktuellen Cursorposition. Einzug vergrößern STRG+M ^ STRG+M Vergrößert den linken Einzug des Absatzes schrittweise. Einzug verkleinern STRG+⇧ UMSCHALT+M ^ STRG+⇧ UMSCHALT+M Verkleinert den linken Einzug des Absatzes schrittweise. Seitenzahl einfügen STRG+⇧ UMSCHALT+P ^ STRG+⇧ UMSCHALT+P Die aktuelle Seitennummer wird an der aktuellen Cursorposition hinzugefügt. Formatierungszeichen STRG+⇧ UMSCHALT+Num8 Ein- oder Ausblenden von nicht druckbaren Zeichen. Ein Zeichen nach links löschen ← Rücktaste ← Rücktaste Das Zeichen links neben dem Mauszeiger wird gelöscht. Ein Zeichen nach rechts löschen ENTF ENTF Das Zeichen rechts neben dem Mauszeiger wird gelöscht. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Tabellen bearbeiten Zur nächsten Zelle in einer Zeile übergeghen ↹ Tab ↹ Tab Zur nächsten Zelle in einer Zeile wechseln. Zur nächsten Zelle in einer Tabellenzeile wechseln. ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zur vorherigen Zelle in einer Zeile wechseln. Zur nächsten Zeile wechseln ↓ ↓ Zur nächsten Zeile in einer Tabelle wechseln. Zur vorherigen Zeile wechseln ↑ ↑ Zur vorherigen Zeile in einer Tabelle wechseln. Neuen Abstz beginnen ↵ Eingabetaste ↵ Zurück Einen neuen Absatz in einer Zelle beginnen. Neue Zeile einfügen ↹ Tab in der unteren rechten Tabellenzelle. ↹ Tab in der unteren rechten Tabellenzelle. Eine neue Zeile am Ende der Tabelle einfügen. Sonderzeichen einfügen Formel einfügen ALT+= Einfügen einer Formel an der aktuellen Cursorposition." + "body": "Tastenkombinationen Tastenkombinationen für Key-Tipps Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen des Dokumenteneditors ohne eine Maus zu verwenden. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten. Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen.

                                            Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte. Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren. In der folgenden Liste finden Sie die gängigsten Tastenkombinationen: Windows/Linux Mac OS Ein Dokument bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie das aktuelle Dokument speichern, drucken, herunterladen, Informationen einsehen, ein neues Dokument erstellen oder ein vorhandenes öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox Suchen und Ersetzen öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Über das Dialogfeld Suchen und Finden können Sie im aktuell bearbeiteten Dokument nach Zeichen/Wörtern/Phrasen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Letzten Suchvorgang wiederholen ⇧ UMSCHALT+F4 ⇧ UMSCHALT+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ UMSCHALT+F4 Wiederholung des Suchvorgangs der vor dem Drücken der Tastenkombination ausgeführt wurde. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Dokument speichern STRG+S ^ STRG+S, ⌘ Cmd+S Speichert alle Änderungen im aktuellen Dokument. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Dokument drucken STRG+P ^ STRG+P, ⌘ Cmd+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als, um das aktuell bearbeitete Dokument in einem der unterstützten Dateiformate auf der Festplatte speichern: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB. Vollbild F11 Dokumenteneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfe-Menü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Fenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Navigation Zum Anfang einer Zeile springen POS1 POS1 Der Cursor wird an den Anfang der aktuellen Zeile verschoben. Zum Anfang eines Dokuments springen STRG+POS1 ^ STRG+POS1 Der Cursor wird an den Anfang des aktuellen Dokuments verschoben. Zum Ende der Zeile springen ENDE ENDE Der Cursor wird an das Ende der aktuellen Zeile verschoben. Zum Ende des Dokuments springen STRG+ENDE ^ STRG+ENDE Der Cursor wird an das Ende der Dokuments verschoben. Zum Anfang der vorherigen Seite springen ALT+STRG+BILD oben Der Cursor wird an den Anfang der Seite verschoben, die der aktuell bearbeiteten Seite vorausgeht. Zum Anfang der nächsten Seite springen ALT+STRG+BILD unten ⌥ Option+⌘ Cmd+⇧ UMSCHALT+BILD unten Der Cursor wird an den Anfang der Seite verschoben, die auf die aktuell bearbeitete Seite folgt. Nach unten scrollen BILD unten BILD unten, ⌥ Option+Fn+↑ Wechsel zum Ende der Seite. Nach oben scrollen BILD oben BILD oben, ⌥ Option+Fn+↓ Wechsel zum Anfang der Seite. Nächste Seite ALT+BILD unten ⌥ Option+BILD unten Geht zur nächsten Seite im aktuellen Dokument über. Vorherige Seite ALT+BILD oben ⌥ Option+BILD oben Geht zur vorherigen Seite im aktuellen Dokument über. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht des aktuellen Dokuments wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht des aktuellen Dokuments wird verkleinert. Ein Zeichen nach links bewegen ← ← Der Mauszeiger bewegt sich ein Zeichen nach links. Ein Zeichen nach rechts bewegen → → Der Mauszeiger bewegt sich ein Zeichen nach rechts. Zum Anfang eines Wortes oder ein Wort nach links bewegen STRG+← ^ STRG+←, ⌘ Cmd+← Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben. Ein Wort nach rechts bewegen STRG+→ ^ STRG+→, ⌘ Cmd+→ Der Mauszeiger bewegt sich ein Wort nach rechts. Eine Reihe nach oben ↑ ↑ Der Mauszeiger wird eine Reihe nach oben verschoben. Eine Reihe nach unten ↓ ↓ Der Mauszeiger wird eine Reihe nach unten verschoben. Schreiben Absatz beenden ↵ Eingabetaste ↵ Zurück Endet den aktuellen und beginnt einen neuen Absatz. Zeilenumbruch einfügen ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Fügt einen Zeilenumbruch ein, ohne einen neuen Absatz zu beginnen. ENTF ← Rücktaste, ENTF ← Rücktaste, ENTF Ein Zeichen nach links löschen (← Rücktaste) oder nach rechts (ENTF) vom Mauszeiger. Das Wort links neben dem Mauszeiger löschen STRG+← Rücktaste ^ STRG+← Rücktaste, ⌘ Cmd+← Rücktaste Das Wort links neben dem Mauszeiger wird gelöscht. Das Wort rechts neben dem Mauszeiger löschen STRG+ENTF ^ STRG+ENTF, ⌘ Cmd+ENTF Das Wort rechts neben dem Mauszeiger wird gelöscht. Geschütztes Leerzeichen erstellen STRG+⇧ UMSCHALT+␣ Leertaste ^ STRG+⇧ UMSCHALT+␣ Leertaste Erstellt ein Leerzeichen zwischen den Zeichen, das nicht zum Anfang einer neuen Zeile führt. Geschützten Bindestrich erstellen STRG+⇧ UMSCHALT+Viertelgeviertstrich ^ STRG+⇧ UMSCHALT+Viertelgeviertstrich Erstellt einen Bindestrich zwischen den Zeichen, der nicht zum Anfang einer neuen Zeile führt. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ^ STRG+Z, ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ^ STRG+J, ⌘ Cmd+J, ⌘ Cmd+⇧ UMSCHALT+Z Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X, ⇧ UMSCHALT+ENTF Der gewählte Textabschnitt wird gelöscht und in der Zwischenablage des Rechners abgelegt. Der kopierte Text kann später an einer anderen Stelle in demselben Dokument, in einem anderen Dokument oder einem anderen Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Der gewählte Textabschnitt wird in der Zwischenablage des Rechners abgelegt. Der kopierte Text kann später an einer anderen Stelle in demselben Dokument, in einem anderen Dokument oder einem anderen Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Der vorher kopierte Textabschnitt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Der Text kann aus demselben Dokument, aus einem anderen Dokument bzw. Programm kopiert werden. Hyperlink einfügen STRG+K ⌘ Cmd+K Fügt einen Hyperlink ein, der einen Übergang beispielsweise zu einer Webadresse ermöglicht. Format übertragen STRG+⇧ UMSCHALT+C ⌘ Cmd+⇧ UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in demselben Dokument angewandt werden. Format übertragen STRG+⇧ UMSCHALT+V ⌘ Cmd+⇧ UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text im aktuellen Dokument an. Textauswahl Alles auswählen STRG+A ⌘ Cmd+A Der gesamte Text wird ausgewählt, einschließlich Tabellen und Bildern. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Den Text Zeichen für Zeichen auswählen. Von der aktuellen Cursorposition bis zum Zeilenanfang auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Von der Cursorposition bis zum Zeilenende auswählen ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Ein Zeichen nach rechts auswählen ⇧ UMSCHALT+→ ⇧ UMSCHALT+→ Das Zeichen rechts neben dem Mauszeiger wird ausgewählt. Ein Zeichen nach links auswählen ⇧ UMSCHALT+← ⇧ UMSCHALT+← Das Zeichen links neben dem Mauszeiger wird ausgewählt. Bis zum Wortende auswählen STRG+⇧ UMSCHALT+→ Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt. Bis zum Wortanfang auswählen STRG+⇧ UMSCHALT+← Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt. Eine Reihe nach oben auswählen ⇧ UMSCHALT+↑ ⇧ UMSCHALT+↑ Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang). Eine Reihe nach unten auswählen ⇧ UMSCHALT+↓ ⇧ UMSCHALT+↓ Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang). Eine Seite nach oben auswählen ⇧ UMSCHALT+BILD oben ⇧ UMSCHALT+BILD oben Die Seite wird von der aktuellen Position des Mauszeigers bis zum oberen Teil des Bildschirms ausgewählt. Eine Seite nach unten auswählen ⇧ UMSCHALT+BILD unten ⇧ UMSCHALT+BILD unten Die Seite wird von der aktuellen Position des Mauszeigers bis zum unteren Teil des Bildschirms ausgewählt. Textformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählte Textabschnitt wird durchgestrichen. Tiefgestellt STRG+. ^ STRG+⇧ UMSCHALT+>, ⌘ Cmd+⇧ UMSCHALT+> Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+, ^ STRG+⇧ UMSCHALT+<, ⌘ Cmd+⇧ UMSCHALT+< Der gewählte Textabschnitt wird verkleinert und hochgestellt wie z. B. in Bruchzahlen. Überschrift 1 ALT+1 ⌥ Option+^ STRG+1 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 1 zugwiesen. Überschrift 2 ALT+2 ⌥ Option+^ STRG+2 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 2 zugwiesen. Überschrift 3 ALT+3 ⌥ Option+^ STRG+3 Dem gewählten Textabschnitt wird die Überschriftenformatvorlage Überschrift 3 zugwiesen. Aufzählungsliste STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+␣ Leertaste Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] ⌘ Cmd+] Vergrößert die Schrift des gewählten Textabschnitts um 1 Punkt. Schrift verkleinern STRG+[ ⌘ Cmd+[ Verkleinert die Schrift des gewählten Textabschnitts um 1 Punkt. Zentriert/linksbündig ausrichten STRG+E ^ STRG+E, ⌘ Cmd+E Wechselt die Ausrichtung des Absatzes von zentriert auf linksbündig. Blocksatz/linksbündig ausrichten STRG+J, STRG+L ^ STRG+J, ⌘ Cmd+J Wechselt die Ausrichtung des Absatzes von Blocksatz auf linksbündig. Rechtsbündig/linksbündig ausrichten STRG+R ^ STRG+R Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig. Text tiefstellen (automatischer Abstand) STRG+= Das ausgewählte Textfragment wird tiefgestellt. Text hochstellen (automatischer Abstand) STRG+⇧ UMSCHALT++ Das ausgewählte Textfragment wird hochgestellt. Seitenumbruch einfügen STRG+↵ Eingabetaste ^ STRG+↵ Zurück Einfügen eines Seitenumbruchs an der aktuellen Cursorposition. Einzug vergrößern STRG+M ^ STRG+M Vergrößert den linken Einzug des Absatzes schrittweise. Einzug verkleinern STRG+⇧ UMSCHALT+M ^ STRG+⇧ UMSCHALT+M Verkleinert den linken Einzug des Absatzes schrittweise. Seitenzahl einfügen STRG+⇧ UMSCHALT+P ^ STRG+⇧ UMSCHALT+P Die aktuelle Seitennummer wird an der aktuellen Cursorposition hinzugefügt. Formatierungszeichen STRG+⇧ UMSCHALT+Num8 Ein- oder Ausblenden von nicht druckbaren Zeichen. Ein Zeichen nach links löschen ← Rücktaste ← Rücktaste Das Zeichen links neben dem Mauszeiger wird gelöscht. Ein Zeichen nach rechts löschen ENTF ENTF Das Zeichen rechts neben dem Mauszeiger wird gelöscht. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Tabellen bearbeiten Zur nächsten Zelle in einer Zeile übergeghen ↹ Tab ↹ Tab Zur nächsten Zelle in einer Zeile wechseln. Zur nächsten Zelle in einer Tabellenzeile wechseln. ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zur vorherigen Zelle in einer Zeile wechseln. Zur nächsten Zeile wechseln ↓ ↓ Zur nächsten Zeile in einer Tabelle wechseln. Zur vorherigen Zeile wechseln ↑ ↑ Zur vorherigen Zeile in einer Tabelle wechseln. Neuen Abstz beginnen ↵ Eingabetaste ↵ Zurück Einen neuen Absatz in einer Zelle beginnen. Neue Zeile einfügen ↹ Tab in der unteren rechten Tabellenzelle. ↹ Tab in der unteren rechten Tabellenzelle. Eine neue Zeile am Ende der Tabelle einfügen. Sonderzeichen einfügen Formel einfügen ALT+= Einfügen einer Formel an der aktuellen Cursorposition." }, { "id": "HelpfulHints/Navigation.htm", "title": "Ansichtseinstellungen und Navigationswerkzeuge", - "body": "Der Dokumenteneditor bietet mehrere Werkzeuge, um Ihnen die Navigation durch Ihr Dokument zu erleichtern: Lineale, Zoom, Seitenzahlen usw. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit dem Dokument festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert.Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Statusleiste ausblenden - die unterste Leiste, auf der sich die Optionen Seitenzahlen und Zoom befinden, wird ausgeblendet. Um die ausgeblendete Statusleiste wieder einzublenden, klicken Sie erneut auf diese Option. Lineale ausblenden - die Lineale, die das Ausrichten von Text und anderen Elementen in einem Dokument sowie das Festlegen von Rändern, Tabstopps und Absatzeinzügen ermöglichen, werden ausgeblendet. Um die ausgeblendeten Lineale wieder anzuzeigen, klicken Sie erneut auf diese Option. Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Wenn die Felder Kommentare oder Chat geöffnet sind, wird die Breite der linken Seitenleiste durch einfaches Ziehen und Loslassen angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in den bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach rechts, um die Seitenleiste zu erweitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Dokument navigieren: Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Dokuments. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern oder Verkleinern . Klicken Sie auf das Symbol Eine Seite, um die ganze Seite im Fenster anzuzeigen. Um das ganze Dokument an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Seitenbreite . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten. Die Seitenzahlanzeige stellt die aktuelle Seite als Teil aller Seiten im aktuellen Dokument dar (Seite „n“ von „nn“). Klicken Sie auf die Seitenzahlanzeige, um ein Fenster zu öffnen, anschließend können Sie eine Seitenzahl eingeben und direkt zu dieser Seite wechseln." + "body": "Der Dokumenteneditor bietet mehrere Werkzeuge, um Ihnen die Navigation durch Ihr Dokument zu erleichtern: Lineale, Zoom, Seitenzahlen usw. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit dem Dokument festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert.Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Statusleiste ausblenden - die unterste Leiste, auf der sich die Optionen Seitenzahlen und Zoom befinden, wird ausgeblendet. Um die ausgeblendete Statusleiste wieder einzublenden, klicken Sie erneut auf diese Option. Lineale ausblenden - die Lineale, die das Ausrichten von Text und anderen Elementen in einem Dokument sowie das Festlegen von Rändern, Tabstopps und Absatzeinzügen ermöglichen, werden ausgeblendet. Um die ausgeblendeten Lineale wieder anzuzeigen, klicken Sie erneut auf diese Option. Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Wenn die Felder Kommentare oder Chat geöffnet sind, wird die Breite der linken Seitenleiste durch einfaches Ziehen und Loslassen angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in den bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach rechts, um die Seitenleiste zu erweitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Dokument navigieren: Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Dokuments. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) aus der Liste oder klicken Sie auf Vergrößern oder Verkleinern . Klicken Sie auf das Symbol Eine Seite, um die ganze Seite im Fenster anzuzeigen. Um das ganze Dokument an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Seitenbreite . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten. Die Seitenzahlanzeige stellt die aktuelle Seite als Teil aller Seiten im aktuellen Dokument dar (Seite „n“ von „nn“). Klicken Sie auf die Seitenzahlanzeige, um ein Fenster zu öffnen, anschließend können Sie eine Seitenzahl eingeben und direkt zu dieser Seite wechseln." }, { "id": "HelpfulHints/Password.htm", "title": "Dokumente mit einem Kennwort schützen", - "body": "Sie können Ihre Dokumente mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Kennwort erstellen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." + "body": "Sie können Ihre Dokumente mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Kennwort erstellen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Klicken Sie auf , um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." }, { "id": "HelpfulHints/Review.htm", - "title": "Dokumentenprüfung", - "body": "Wenn jemand eine Datei mit Überprüfungsberechtigung mit Ihnen teilt, müssen Sie die Funktion für die Überprüfung im Dokumenteneditor verwenden. Wenn Sie der Rezensent sind, können Sie die Option Überprüfung verwenden, um das Dokument zu überprüfen, Sätze, Phrasen und andere Seitenelemente zu ändern, die Rechtschreibung zu korrigieren und andere Aktionen im Dokument vorzunehmen, ohne es tatsächlich zu bearbeiten. Alle Änderungen werden gespeichert und der Person angezeigt, die Ihnen das Dokument gesendet hat. Wenn Sie die Datei für die Überprüfung gesendet haben, müssen Sie alle vorgenommenen Änderungen anzeigen und sie entweder akzeptieren oder ablehnen. Die Funktion Änderungen nachverfolgen aktivieren Um Änderungen anzuzeigen, die von einem Rezensenten vorgeschlagen wurden, aktivieren Sie die Option Änderungen nachverfolgen: Klicken Sie in der rechten unteren Statusleiste auf das Symbol oder Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf Änderungen nachverfolgen. Der Rezensent muss die Option Änderungen nachverfolgen nicht aktivieren. Die Funktion ist standardmäßig aktiviert und kann nicht deaktiviert werden, wenn das Dokument mit Zugriffsrechten nur für die Überprüfung freigegeben ist. Im geöffneten Pop-Up-Menü stehen die folgenden Optionen zur Verfügung: AKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer aktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung aktiviert, d. h. die Option wird deaktiviert, wenn Sie das Dokument neu laden oder erneut öffnen. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren. DEAKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer deaktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung deaktiviert. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren. AKTIVIERT für alle: Die Nachverfolgung von Änderungen ist aktiviert und bleibt beim erneuten Laden oder erneuten Öffnen des Dokuments beibehalten (beim erneuten Laden des Dokuments wird die Nachverfolgung für alle Benutzer aktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei deaktiviert, wird der Status auf DEAKTIVIERT für alle geändert. DEAKTIVIERT für alle - Die Nachverfolgung von Änderungen ist deaktiviert und bleibt beibehalten, wenn Sie das Dokument neu laden oder erneut öffnen (wenn das Dokument neu geladen wird, ist die Nachverfolgung für alle Benutzer deaktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei aktiviert, wird der Status auf AKTIVIERT für alle geändert. Die entsprechende Warnmeldung wird jedem Mitautor angezeigt. Änderungen anzeigen Von einem Benutzer vorgenommene Änderungen werden im Dokumenttext mit einer bestimmten Farbe hervorgehoben. Wenn Sie auf den geänderten Text klicken, öffnet sich eine Sprechblase, die den Benutzernamen, Datum und Uhrzeit der Änderung sowie die Änderungsbeschreibung anzeigt. Die Sprechblase enthält auch Symbole zum Akzeptieren oder Ablehnen der aktuellen Änderung. Wenn Sie einen Text per Drag & Drop an eine andere Stelle im Dokument ziehen, wird der Text an einer neuen Position mit der Doppellinie unterstrichen. Der Text an der ursprünglichen Position wird doppelt gekreuzt. Dies wird als eine einzige Änderung gezählt. Klicken Sie an der ursprünglichen Position auf den doppelt durchgestrichenen Text und verwenden Sie den Pfeil in der Änderungssprechblase, um an die neue Position des Textes zu gelangen. Klicken Sie an der neuen Position auf den doppelt unterstrichenen Text und verwenden Sie den Pfeil in der Änderungssprechblase, um zur ursprünglichen Position des Textes zu gelangen. Anzeigemodus für Änderungen auswählen Klicken Sie in der oberen Symbolleiste auf das Symbol Anzeigemodus und wählen Sie einen der verfügbaren Modi aus der Liste aus: Markup: Diese Option ist standardmäßig ausgewählt. Dieser Modus ermöglicht es, Änderungsvorschläge anzuzeigen und das Dokument zu bearbeiten. Einfaches Markup: Dieser Modus ermöglicht sowohl das Anzeigen der vorgeschlagenen Änderungen als auch das Bearbeiten des Dokuments. Änderungen werden nur im Dokumenttext angezeigt, Sprechblasen werden ausgeblendet. Endgültig: In diesem Modus werden alle Änderungen so angezeigt, als wären sie angenommen worden. Die Änderungen werden nicht wirklich akzeptiert, die Funktion ermöglicht Ihnen lediglich eine Vorschau, falls alle Änderungen angenommen werden. In diesem Modus kann das Dokument nicht bearbeitet werden. Original: In diesem Modus werden alle Änderungen so angezeigt, als wären sie abgelehnt worden. Die Änderungen werden nicht wirklich abgelehnt, die Funktion ermöglicht Ihnen lediglich eine Vorschau, falls alle Änderungen abgelehnt werden. In diesem Modus kann das Dokument nicht bearbeitet werden. Änderungen annehmen oder ablehnen Über die Schaltflächen Vorherige und Nächste in der oberen Symbolleiste können Sie zwischen den Änderungen navigieren. Annehmen von aktuell ausgewählten Änderungen: Klicken Sie in der oberen Symbolleiste auf das Symbol Annehmen oder klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Aktuelle Änderung annehmen (in diesem Fall wird die Änderung angenommen und Sie fahren mit der nächsten Änderung fort) oder klicken Sie in der Gruppe Änderungsbenachrichtigungen auf Annehmen . Um alle Änderungen sofort anzunehmen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Alle Änderungen annehmen aus. Ablehnen von aktuell ausgewählten Änderungen: Klicken Sie in der oberen Symbolleiste das Symbol Ablehnen oder klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Aktuelle Änderung ablehnen aus (in diesem Fall wird die Änderung abgelehnt und Sie fahren mit der nächsten verfügbaren Änderung fort) oder klicken Sie in der Gruppe Änderungsbenachrichtigungen auf Ablehnen . Um alle Änderungen direkt abzulehnen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Alle Änderungen ablehnen. Wenn Sie das Dokument überprüfen, stehen Ihnen die Optionen Akzeptieren und Ablehnen nicht zur Verfügung. Sie können Ihre Änderungen mit dem Symbol innerhalb der Änderungs-Sprechblase löschen." + "title": "Änderungen nachverfolgen", + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern. Wenn jemand eine Datei mit den Berechtigungen \"Review\" für Sie freigibt, müssen Sie die Dokumentfunktion Review anwenden. Im Dokumenteneditor als Überprüfer können Sie die Review-Option verwenden, um das Dokument zu überprüfen, die Sätze, Phrasen und andere Seitenelemente zu ändern, die Rechtschreibung zu korrigieren usw., ohne es tatsächlich zu bearbeiten. Alle Ihre Änderungen werden aufgezeichnet und der Person angezeigt, die Ihnen das Dokument gesendet hat. Wenn Sie die Datei zur Überprüfung senden, müssen Sie alle daran vorgenommenen Änderungen anzeigen und sie entweder annehmen oder ablehnen. Die Funktion \"Änderungen nachverfolgen\" aktivieren Um Änderungen anzuzeigen, die von einem Rezensenten vorgeschlagen wurden, aktivieren Sie die Option Änderungen nachverfolgen: Klicken Sie in der rechten unteren Statusleiste auf das Symbol , oder Wechseln Sie in der oberen Symbolleiste zur Registerkarte Zusammenarbeit und klicken Sie auf Änderungen nachverfolgen. Der Überprüfer muss die Option Änderungen nachverfolgen nicht aktivieren. Sie ist standardmäßig aktiviert und kann nicht deaktiviert werden, wenn das Dokument nur mit Zugriffsrechten zum Review freigegeben wird. Im geöffneten Pop-Up-Menü stehen folgende Optionen zur Verfügung: AKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer aktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung aktiviert, d. h. die Option wird deaktiviert, wenn Sie das Dokument neu laden oder erneut öffnen. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren. DEAKTIVIERT für mich: Das Verfolgen von Änderungen ist nur für den aktuellen Benutzer deaktiviert. Die Option bleibt für die aktuelle Bearbeitungssitzung deaktiviert. Es wird nicht von anderen Benutzern beeinflusst, die die Option für allgemeine Nachverfolgung von Änderungen aktivieren oder deaktivieren. AKTIVIERT für alle: Die Nachverfolgung von Änderungen ist aktiviert und bleibt beim erneuten Laden oder erneuten Öffnen des Dokuments beibehalten (beim erneuten Laden des Dokuments wird die Nachverfolgung für alle Benutzer aktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei deaktiviert, wird der Status auf DEAKTIVIERT für alle geändert. DEAKTIVIERT für alle - Die Nachverfolgung von Änderungen ist deaktiviert und bleibt beibehalten, wenn Sie das Dokument neu laden oder erneut öffnen (wenn das Dokument neu geladen wird, ist die Nachverfolgung für alle Benutzer deaktiviert). Wenn ein anderer Benutzer die Option für allgemeine Nachverfolgung von Änderungen in der Datei aktiviert, wird der Status auf AKTIVIERT für alle geändert. Die entsprechende Warnmeldung wird jedem Mitautor angezeigt. Änderungen anzeigen Von einem Benutzer vorgenommene Änderungen werden im Dokumenttext mit einer bestimmten Farbe hervorgehoben. Wenn Sie auf den geänderten Text klicken, öffnet sich eine Sprechblase, die den Benutzernamen, Datum und Uhrzeit der Änderung sowie die Änderungsbeschreibung anzeigt. Die Sprechblase enthält auch Symbole zum Akzeptieren oder Ablehnen der aktuellen Änderung. Wenn Sie einen Textabschnitt per Drag & Drop an eine andere Stelle im Dokument ziehen, wird der Text an einer neuen Position mit der doppelten Linie unterstrichen. Der Text an der ursprünglichen Position wird doppelt gekreuzt. Dies wird als eine einzige Änderung gezählt. Klicken Sie auf den doppelt durchgestrichenen Text an der ursprünglichen Position und verwenden Sie den Pfeil in der Änderungssprechblase, um zur neuen Position des Textes zu wechseln. Klicken Sie an der neuen Position auf den doppelt unterstrichenen Text und verwenden Sie den Pfeil in der Änderungssprechblase, um zur ursprünglichen Position des Textes zu wechseln. Anzeigemodus für Änderungen auswählen Klicken Sie in der oberen Symbolleiste auf das Symbol Anzeigemodus und wählen Sie einen der verfügbaren Modi aus der Liste aus: Markup: Diese Option ist standardmäßig ausgewählt. Dieser Modus ermöglicht es, Änderungsvorschläge anzuzeigen und das Dokument zu bearbeiten. Einfaches Markup: Dieser Modus ermöglicht sowohl das Anzeigen der vorgeschlagenen Änderungen als auch das Bearbeiten des Dokuments. Änderungen werden nur im Dokumenttext angezeigt, Sprechblasen werden ausgeblendet. Endgültig: In diesem Modus werden alle Änderungen so angezeigt, als wären sie angenommen worden. Die Änderungen werden nicht wirklich akzeptiert, die Funktion ermöglicht Ihnen lediglich eine Vorschau, falls alle Änderungen angenommen werden. In diesem Modus kann das Dokument nicht bearbeitet werden. Original: In diesem Modus werden alle Änderungen so angezeigt, als wären sie abgelehnt worden. Die Änderungen werden nicht wirklich abgelehnt, die Funktion ermöglicht Ihnen lediglich eine Vorschau, falls alle Änderungen abgelehnt werden. In diesem Modus kann das Dokument nicht bearbeitet werden. Änderungen annehmen oder ablehnen Über die Schaltflächen Vorherige und Nächste in der oberen Symbolleiste können Sie zwischen den Änderungen navigieren. Um die aktuell ausgewählte Änderung anzunehmen: Klicken Sie auf die Schaltfläche Annehmen in der oberen Symbolleiste, oder Klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Aktuelle Änderung annehmen (in diesem Fall wird die Änderung angenommen und Sie fahren mit der nächsten Änderung fort), oder Klicken Sie auf die Schaltfläche Annehmen der Änderungssprechblase. Um alle Änderungen sofort anzunehmen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Annehmen und wählen Sie die Option Alle Änderungen annehmen aus. Um die aktuell ausgewählte Änderung abzulehnen: Klicken Sie auf die Schaltfläche Ablehnen in der oberen Symbolleiste, oder Klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Aktuelle Änderung ablehnen aus (in diesem Fall wird die Änderung abgelehnt und Sie fahren mit der nächsten verfügbaren Änderung fort), oder Klicken Sie auf die Schaltfläche Ablehnen der Änderungssprechblase. Um alle Änderungen direkt abzulehnen, klicken Sie auf den Abwärtspfeil unter der Schaltfläche Ablehnen und wählen Sie die Option Alle Änderungen ablehnen. Wenn Sie eine Änderung annehmen oder ablehnen müssen, klicken Sie mit der rechten Maustaste darauf und wählen Sie im Kontextmenü Änderung annehmen oder Änderung ablehnen. Wenn Sie das Dokument überprüfen, stehen Ihnen die Optionen Annehmen und Ablehnen nicht zur Verfügung. Sie können Ihre Änderungen mit dem Symbol innerhalb der Änderungssprechblase löschen." }, { "id": "HelpfulHints/Search.htm", "title": "Suchen und Ersetzen", - "body": "Wenn Sie im aktuellen Dokument nach Zeichen, Wörtern oder Phrasen suchen möchten im Dokumenteneditor, klicken Sie auf das Symbol in der linken Seitenleiste. Die Dialogbox Suchen und Ersetzen wird geöffnet: Geben Sie Ihre Suchanfrage in das entsprechende Eingabefeld ein. Legen Sie Ihre Suchparameter fest, klicken Sie dazu auf das Symbol und markieren Sie die gewünschten Optionen: Groß-/Kleinschreibung beachten - ist diese Funktion aktiviert, werden nur Ergebnisse mit der selben Schreibweise wie in Ihrer Suchanfrage gefiltert (lautet Ihre Anfrage z.B. 'Editor' und diese Option ist markiert, werden Wörter wie 'editor' oder 'EDITOR' usw. nicht gefunden). Um die Option auszuschalten, deaktivieren Sie das Kontrollkästchen. Ergebnisse markieren - alle gefundenen Vorkommen auf einmal markiert. Um diese Option auszuschalten und die Markierung zu entfernen, deaktivieren Sie das Kontrollkästchen. Klicken Sie auf einen der Pfeiltasten in der unteren rechten Ecke der Dialogbox. Die Suche wird entweder in Richtung des Dokumentenanfangs (klicken Sie auf ) oder in Richtung des Dokumentenendes (klicken Sie auf ) durchgeführt.Hinweis: wenn die Option Ergebnisse markieren aktiviert ist, können Sie mit den Pfeilen durch die markierten Ergebnisse navigieren. Das erste Ergebnis der Suchanfrage in der ausgewählten Richtung, wird auf der Seite markiert. Falls es sich dabei nicht um die gewünschte Textstelle handelt, klicken Sie den Pfeil erneut an, um das nächste Vorkommen der eingegebenen Zeichen zu finden. Um ein oder mehrere Ergebnisse zu ersetzen, klicken Sie unter den Pfeiltasten auf die Schaltfläche Ersetzen. Die Dialogbox Suchen und Ersetzen öffnet sich: Geben Sie den gewünschten Ersatztext in das untere Eingabefeld ein. Klicken Sie auf Ersetzen, um das aktuell ausgewählte Ergebnis zu ersetzen oder auf Alle ersetzen, um alle gefundenen Ergebnisse zu ersetzen. Um das Feld ersetzen zu verbergen, klicken Sie auf den Link Ersetzen verbergen." + "body": "Um nach den erforderlichen Zeichen, Wörtern oder Ausdrücken zu suchen, die im aktuell bearbeiteten Dokument verwendet werden, klicken Sie auf das Symbol in der linken Seitenleiste des Dokumenteneditors oder verwenden Sie die Tastenkombination Strg+F. Das Fenster Suchen und Ersetzen wird geöffnet: Geben Sie Ihre Anfrage in das entsprechende Dateneingabefeld ein. Geben Sie Suchparameter an, indem Sie auf das Symbol klicken und die erforderlichen Optionen aktivieren: Groß-/Kleinschreibung beachten wird verwendet, um nur die Vorkommen zu finden, die in der gleichen Groß-/Kleinschreibung wie Ihre Anfrage eingegeben wurden (z. B. wenn Ihre Anfrage „Editor“ lautet und diese Option aktiviert ist, werden Wörter wie „editor“ oder „EDITOR“ usw. nicht gefunden). Um diese Option zu deaktivieren, klicken Sie erneut darauf. Ergebnisse hervorheben wird verwendet, um alle gefundenen Vorkommen hervorzuheben. Um diese Option zu deaktivieren und die Hervorhebung zu entfernen, klicken Sie erneut auf die Option. Klicken Sie auf eine der Pfeilschaltflächen unten rechts im Fenster. Die Suche wird entweder am Anfang des Dokuments (wenn Sie auf die Schaltfläche klicken) oder am Ende des Dokuments (wenn Sie an der aktuellen Position auf die Schaltfläche klicken) durchgeführt. Wenn die Option Ergebnisse hervorheben aktiviert ist, verwenden Sie diese Schaltflächen, um durch die hervorgehobenen Ergebnisse zu navigieren. Das erste Vorkommen der erforderlichen Zeichen in der ausgewählten Richtung wird auf der Seite hervorgehoben. Wenn es nicht das gesuchte Wort ist, klicken Sie erneut auf die ausgewählte Schaltfläche, um das nächste Vorkommen der eingegebenen Zeichen zu finden. Um ein oder mehrere Vorkommen der gefundenen Zeichen zu ersetzen, klicken Sie auf den Link Ersetzen unter dem Dateneingabefeld oder verwenden Sie die Tastenkombination Strg+H. Das Fenster Suchen und Ersetzen ändert sich: Geben Sie den Ersatztext in das untere Dateneingabefeld ein. Klicken Sie auf die Schaltfläche Ersetzen, um das aktuell ausgewählte Vorkommen zu ersetzen, oder auf die Schaltfläche Alle ersetzen, um alle gefundenen Vorkommen zu ersetzen. Um das Ersetzungsfeld auszublenden, klicken Sie auf den Link Ersetzen verbergen. Der Dokumenteneditor unterstützt die Suche nach Sonderzeichen. Um ein Sonderzeichen zu finden, geben Sie es in das Suchfeld ein. Die Liste der Sonderzeichen, die in Suchen verwendet werden können Sonderzeichen Beschreibung ^l Zeilenumbruch ^t Tabulator ^? Ein Symbol ^# Eine Ziffer ^$ Eine Buchstabe ^n Spaltenbruch ^e Endnote ^f Fußnote ^g Grafisches Element ^m Seitenumbruch ^~ Bindestrich ^s Geschütztes Leerzeichen ^^ Zirkumflex entkommen ^w Ein Leerzeichen ^+ Geviertstrich ^= Gedankenstrich ^y Ein Strich Sonderzeichen, die auch zum Ersetzen verwendet werden können: Sonderzeichen Beschreibung ^l Zeilenumbruch ^t Tabulator ^n Spaltenbruch ^m Seitenumbruch ^~ Bindestrich ^s Geschütztes Leerzeichen ^+ Geviertstrich ^= Gedankenstrich" }, { "id": "HelpfulHints/SpellChecking.htm", @@ -53,13 +63,28 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate von elektronischen Dokumenten", - "body": "Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. Der Dokumenteneditor unterstützt die geläufigsten Formate. Formate Beschreibung Anzeige Bearbeitung Download DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden + + DOCX Office Open XML Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + DOTX Word Open XML Dokumenten-Vorlage Gezipptes, XML-basiertes, von Microsoft für Dokumentenvorlagen entwickeltes Dateiformat. Eine DOTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden. + + + FB2 Eine E-Book-Dateierweiterung, mit der Sie Bücher auf Ihrem Computer oder Mobilgerät lesen können + + + ODT Textverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente + + + OTT OpenDocument-Dokumentenvorlage OpenDocument-Dateiformat für Dokumentenvorlagen. Eine OTT-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden. + + + RTF Rich Text Format Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte + + + TXT Dateierweiterung reiner Textdateien mit wenig Formatierung + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. + + HTML HyperText Markup Language Hauptauszeichnungssprache für Webseiten + + + EPUB Electronic Publication Offener Standard für E-Books vom International Digital Publishing Forum + + + XPS Open XML Paper Specification Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout + XML Extensible Markup Language (XML). Eine einfache und flexible Auszeichnungssprache, die von SGML (ISO 8879) abgeleitet ist und zum Speichern und Transportieren von Daten dient. + DjVu Dateiformat, das hauptsächlich zur Speicherung gescannter Dokumente (vor allem solcher mit Text, Rastergrafiken und Fotos) konzipiert wurde + Alle Dateiformate werden ohne Chromium ausgeführt und sind auf allen Plattformen verfügbar." + "body": "Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. Der Dokumenteneditor unterstützt die geläufigsten Formate. Formate Beschreibung Anzeige Bearbeitung Download DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden. + + DOCX Office Open XML Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten. + + + DOTX Word Open XML Dokumenten-Vorlage Gezipptes, XML-basiertes, von Microsoft für Dokumentenvorlagen entwickeltes Dateiformat. Eine DOTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden. + + + FB2 Eine E-Book-Dateierweiterung, mit der Sie Bücher auf Ihrem Computer oder Mobilgerät lesen können. + + + ODT Textverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente. + + + OTT OpenDocument-Dokumentenvorlage OpenDocument-Dateiformat für Dokumentenvorlagen. Eine OTT-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden. + + + RTF Rich Text Format Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte. + + + TXT Dateierweiterung reiner Textdateien mit wenig Formatierung. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. + + HTML HyperText Markup Language Hauptauszeichnungssprache für Webseiten. + + + EPUB Electronic Publication Offener Standard für E-Books vom International Digital Publishing Forum. + + + XPS Open XML Paper Specification Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout. + DjVu Dateiformat, das hauptsächlich zum Speichern gescannter Dokumente entwickelt wurde, insbesondere solcher, die eine Kombination aus Text, Strichzeichnungen und Fotos enthalten. + XML Extensible Markup Language (XML). Eine einfache und flexible Auszeichnungssprache, die von SGML (ISO 8879) abgeleitet ist und zum Speichern und Transportieren von Daten dient. + DOCXF Ein Format zum Erstellen, Bearbeiten und Zusammenarbeiten an einer Formularvorlage. + + + OFORM Ein Format zum Ausfüllen eines Formulars. Formularfelder sind ausfüllbar, aber Benutzer können die Formatierung oder Parameter der Formularelemente nicht ändern*. + + + *Hinweis: Das OFORM-Format ist ein Format zum Ausfüllen eines Formulars. Daher sind die Formularfelder nur bearbeitbar." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Versionshistorie", + "body": "Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern. Im Dokumenteneditor können Sie die Versionshistorie des Dokuments anzeigen, an dem Sie mitarbeiten. Versionshistorie anzeigen: Um alle am Dokument vorgenommenen Änderungen anzuzeigen: Öffnen Sie die Registerkarte Datei. Wählen Sie die Option Versionshistorie in der linken Seitenleiste oder Öffnen Sie die Registerkarte Zusammenarbeit. Öffnen Sie die Versionshistorie mithilfe des Symbols Versionshistorie in der oberen Symbolleiste. Sie sehen die Liste der Dokumentversionen und -revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird auch die Versionsnummer angegeben (z. B. ver. 2). Versionen anzeigen: Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird. Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Historie schließen oben in der Versionsliste. Versionen wiederherstellen: Wenn Sie zu einer der vorherigen Versionen des Dokuments zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision. Um mehr über das Verwalten von Versionen und Zwischenrevisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel." + }, + { + "id": "HelpfulHints/Viewer.htm", + "title": "ONLYOFFICE Document Viewer", + "body": "Sie können den ONLYOFFICE Document Viewer verwenden, um PDF, XPS, DjVu-Dateien zu öffnen und darin zu navigieren. Mit dem ONLYOFFICE Document Viewer können Sie: PDF, XPS, DjVu-Dateien anzeigen, Anmerkungen mit dem Chat-Tool hinzufügen, durch Dateien mithilfe des Inhaltsnavigationsfelds und der Seitenminiaturansichten navigieren, die Tools \"Auswählen\" und \"Hand\" verwenden, Dateien drucken und herunterladen, interne und externe Links verwenden, auf erweiterten Dateieinstellungen des Editors zugreifen, die folgenden Plugins verwenden: Plugins, die in der Desktop-Version verfügbar sind: Übersetzer, Senden, Thesaurus. Plugins, die in der Online-Version verfügbar sind: Controls example, Get and paste html, Telegram, Typograf, Count words, Rede, Thesaurus, Übersetzer. Die Benutzeroberfläche des ONLYOFFICE Document Viewer: Die obere Symbolleiste zeigt die Registerkarten Datei und Plugins und die folgenden Symbole an: Drucken ermöglicht das Ausdrucken einer Datei; Herunterladen ermöglicht das Herunterladen einer Datei auf Ihren Computer; Dateispeicherort öffnen in der Desktop-Version ermöglicht das Öffnen des Ordners, in dem die Datei gespeichert ist, im Fenster Datei-Explorer. In der Online-Version ermöglicht es das Öffnen des Ordners des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Tab; Als Favorit kennzeichnen / Aus Favoriten entfernen. Klicken Sie auf den leeren Stern, um eine Datei zu den Favoriten hinzuzufügen, damit sie leichter zu finden ist, oder klicken Sie auf den gefüllten Stern, um die Datei aus den Favoriten zu entfernen. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst an ihrem ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht von ihrem ursprünglichen Speicherort entfernt; Ansichts-Einstellungen ermöglicht das Anpassen der Ansichtseinstellungen und den Zugriff auf Erweiterte Einstellungen des Editors; Benutzer zeigt den Namen des Benutzers an, wenn Sie den Mauszeiger darüber bewegen. Die Statusleiste am unteren Rand des ONLYOFFICE Document Viewer-Fensters zeigt die Seitenzahl und die Hintergrundstatusbenachrichtigungen an. Sie enthält auch die folgenden Tools: Mit dem Tool Select können Sie Text oder Objekte in einer Datei auswählen. Mit dem Tool Hand können Sie die Seite ziehen und scrollen. Mit dem Tool Seite anpassen können Sie die Seite so skalieren, dass der Bildschirm die ganze Seite anzeigt. Mit dem Tool Breite anpassen können Sie die Seite so skalieren, dass sie an die Breite des Bildschirms angepasst wird. Mit dem Tool Zoom können Sie die Seite vergrößern und verkleinern. Die linke Seitenleiste enthält die folgenden Symbole: - ermöglicht die Verwendung des Tools Suchen und Ersetzen, - (nur in der Online-Version verfügbar) ermöglicht das Öffnen des Chat-Panels, - ermöglicht das Öffnen des Bereichs Navigation, der die Liste aller Überschriften mit den entsprechenden Ebenen anzeigt. Klicken Sie auf die Überschrift, um direkt zu einer bestimmten Seite zu springen. Klicken Sie mit der rechten Maustaste auf die Überschrift in der Liste und verwenden Sie eine der verfügbaren Optionen aus dem Menü: Alle ausklappen - um alle Überschriftenebenen im Navigations-Panel zu erweitern. Alle einklappen - um alle Überschriftenebenen außer Ebene 1 im Navigations-Panel auszublenden. Auf Ebene erweitern - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Z.B. wenn Sie Ebene 3 auswählen, werden die Ebenen 1, 2 und 3 erweitert, während Ebene 4 und alle darunter liegenden Ebenen reduziert werden. Um separate Überschriftenebenen manuell zu erweitern oder zu reduzieren, verwenden Sie die Pfeile links neben den Überschriften. Klicken Sie zum Schließen des Panels Navigation auf das Symbol  Navigation in der linken Seitenleiste noch einmal. - ermöglicht die Anzeige von Seiten-Thumbnails für eine schnelle Navigation. Klicken Sie auf im Bereich Miniaturansichten, um auf Thumbnail-Einstellungen zuzugreifen: Ziehen Sie den Schieberegler, um die Größe der Miniaturansicht festzulegen. Die Option Sichtbaren Teil der Seite hervorheben ist standardmäßig aktiv, um den auf dem Bildschirm angezeigten Bereich anzuzeigen. Klicken Sie darauf, um diese Option zu deaktivieren. Klicken Sie zum Schließen des Panels Miniaturansichten auf das Symbol Miniaturansichten in der linken Seitenleiste noch einmal. - kontaktieren Sie unser Support-Team, - (nur in der Online-Version verfügbar) ermöglicht das Anzeigen von Informationen über das Programm." }, { "id": "ProgramInterface/FileTab.htm", "title": "Registerkarte Datei", "body": "Über die Registerkarte Datei im Dokumenteneditor können Sie einige grundlegende Vorgänge in der aktuellen Datei durchführen. Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Sie können: In der Online-Version die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern des Dokuments im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie des Dokuments im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken. die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen, die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar), Weiter können Sie ein neues Dokument erstellen oder eine kürzlich bearbeitete Datei öffnen, (nur in der Online-Version verfügbar), allgemeine Informationen zum Dokument einsehen, Zugriffsrechte verwalten (nur in der Online-Version verfügbar, Versionsverläufe nachverfolgen (nur in der Online-Version verfügbar, auf die Erweiterten Einstellungen des Editors zugreifen und in der Desktiop-Version den Ordner öffnen wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen." }, + { + "id": "ProgramInterface/FormsTab.htm", + "title": "Registerkarte Formulare", + "body": "Diese Registerkarte ist nur bei DOCXF-Dateien verfügbar. Auf der Registerkarte Formulare können Sie ausfüllbare Formulare wie Vereinbarungen, Anträge oder Umfragen erstellen. Fügen Sie Text- und Formularfelder hinzu, formatieren und konfigurieren Sie sie, um ein ausfüllbares Formular zu erstellen, egal wie komplex es sein muss. Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Sie können: die folgenden Objekte einfügen und bearbeiten: Textfelder Comboboxen Drop-Down Liste Kontrollkästchen Radiobuttons Bilder alle Felder und Hervorhebungseinstellungen löschen, durch die Formularfelder mit den Schaltflächen Vorheriges Feld und Nächstes Feld navigieren, die resultierenden Formulare in Ihrem Dokument anzeigen, Formular als ausfüllbare OFORM-Datei speichern." + }, { "id": "ProgramInterface/HomeTab.htm", "title": "Registerkarte Start", @@ -83,7 +108,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche des Dokumenteneditors", - "body": "Der Dokumenteneditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Dokumente, der Name des Dokuments und die Menü-Registerkarten angezeigt.Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Referenzen, Zusammenarbeit, Schützen , Plug-ins.Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. In der Statusleiste am unteren Rand des Editorfensters finden Sie die Anzeige der Seitennummer und Benachrichtigungen vom System (wie beispielsweise „Alle Änderungen wurden gespeichert\" etc.), außerdem können Sie die Textsprache festlegen und die Rechtschreibprüfung aktivieren, den Modus Änderungen nachverfolgen einschalten und den Zoom anpassen. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, - Navigationsfenster aufrufen, um Überschriften zu verwalten, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie im Text ein bestimmtes Objekt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Horizontale und vertikale Lineale ermöglichen das Ausrichten von Text und anderen Elementen in einem Dokument sowie das Festlegen von Rändern, Tabstopps und Absatzeinzügen. Über den Arbeitsbereich können Sie den Dokumenteninhalt anzeigen und Daten eingeben und bearbeiten. Über die Scroll-Leiste auf der rechten Seite können Sie mehrseitige Dokumente nach oben oder unten scrollen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + "body": "Der Dokumenteneditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: Die Editor-Kopfzeile zeigt das ONLYOFFICE-Logo, Registerkarten für alle geöffneten Dokumente mit ihren Namen und Menüregisterkarten an. Auf der linken Seite der Editor-Kopfzeile befinden sich die folgenden Schaltflächen: Speichern, Datei drucken, Rückgängig und Wiederholen. Auf der rechten Seite der Editor-Kopfzeile werden zusammen mit dem Benutzernamen die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Referenzen, Zusammenarbeit, Schützen , Plug-ins. Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. Die Statusleiste am unteren Rand des Editorfensters zeigt die Seitennummer und einige Benachrichtigungen an (z. B. „Alle Änderungen gespeichert“, „Verbindung unterbrochen“, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen usw.). Es ermöglicht auch das Festlegen der Textsprache, das Aktivieren der Rechtschreibprüfung, das Einschalten des Modus \"Änderungen verfolgen\" und Anpassen des Zooms. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, - Navigationsfenster aufrufen, um Überschriften zu verwalten, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen. - (nur in der Online-Version verfügbar) kontaktieren Sie unser Support-Team, - (nur in der Online-Version verfügbar) ermöglicht das Anzeigen von Informationen über das Programm. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie im Text ein bestimmtes Objekt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Horizontale und vertikale Lineale ermöglichen das Ausrichten von Text und anderen Elementen in einem Dokument sowie das Festlegen von Rändern, Tabstopps und Absatzeinzügen. Über den Arbeitsbereich können Sie den Dokumenteninhalt anzeigen und Daten eingeben und bearbeiten. Über die Scroll-Leiste auf der rechten Seite können Sie mehrseitige Dokumente nach oben oder unten scrollen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." }, { "id": "ProgramInterface/ReferencesTab.htm", @@ -95,6 +120,11 @@ var indexes = "title": "Registerkarte Zusammenarbeit", "body": "Unter der Registerkarte Zusammenarbeit im Dokumenteneditor können Sie die Zusammenarbeit im Dokument organisieren. In der Online-Version können Sie die Datei mit jemanden teilen, einen gleichzeitigen Bearbeitungsmodus auswählen, Kommentare verwalten, von einem Zugriffsberechtigtem vorgenommene Änderungen nachverfolgen und alle Versionen und Überarbeitungen einsehen. In der Desktop-Version können Sie Kommentare verwalten und die Funktion ‘Änderungen nachverfolgen’ nutzen . Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Auf dieser Registerkarte können Sie: Freigabeeinstellungen festlegen (nur in der Online-Version verfügbar), zwischen den gleichzeitigen Bearbeitung-Modi Strikt und Schnell wechseln (nur in der Online-Version verfügbar), Kommentare zum Dokument hinzufügen, die Funktion ’Änderungen nachverfolgen’ aktivieren, Änderungen anzeigen lassen, die vorgeschlagenen Änderungen verwalten, ein Dokument zum vergleich laden (nur in der Online-Version verfügbar), die Diskussions-Leiste öffnen (nur in der Online-Version verfügbar), Versionsverläufe nachverfolgen (nur in der Online-Version verfügbar)." }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Registerkarte Ansicht", + "body": "Über die Registerkarte Ansicht im Dokumenteneditor können Sie das Aussehen Ihres Dokuments verwalten, während Sie daran arbeiten. Dialogbox Online-Dokumenteneditor: Dialogbox Desktop-Dokumenteneditor: Auf dieser Registerkarte sind die folgenden Funktionen verfügbar: Navigation ermöglicht das Anzeigen und Navigieren von Überschriften in Ihrem Dokument. Zoom ermöglicht das Vergrößern und Verkleinern Ihres Dokuments. Seite anpassen ermöglicht es, die Seite so zu skalieren, dass der Bildschirm die ganze Seite anzeigt. Breite anpassen ermöglicht es, die Seite so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird. Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Hell, Klassisch Hell oder Dunkel. Die Option Dunkles Dokument wird aktiv, wenn das dunkle Design aktiviert ist. Klicken Sie darauf, um auch den Arbeitsbereich zu verdunkeln. Mit den folgenden Optionen können Sie die anzuzeigenden oder auszublendenden Elemente konfigurieren. Aktivieren Sie die Elemente, um sie sichtbar zu machen: Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen. Statusleiste um die Statusleiste immer sichtbar zu machen. Lineale, um Lineale immer sichtbar zu machen." + }, { "id": "UsageInstructions/AddBorders.htm", "title": "Rahmen hinzufügen", @@ -123,7 +153,7 @@ var indexes = { "id": "UsageInstructions/AddWatermark.htm", "title": "Wasserzeichen hinzufügen", - "body": "Ein Wasserzeichen ist ein Text oder Bild, welches unter dem Haupttextbereich platziert ist. Text-Wasserzeichen erlaubt Ihnen Ihr Dokument mit einem Status zu versehen (bspw. Vertraulich, Entwurf usw.). Bild-Wasserzeichen erlaubt Ihnen ein Bild hinzuzufügen, bspw. Ihr Firmenlogo. Um ein Wasserzeichen in ein Dokument einzufügen im Dokumenteneditor: Wechseln Sie zum Layout-Tab in der Hauptmenüleiste. Klicken Sie das Wasserzeichen  Symbol in der Menüleiste und wählen Sie die Option Benutzerdefiniertes Wasserzeichen aus dem Menü. Danach erscheint das Fenster mit den Wasserzeichen-Einstellungen. Wählen Sie die Art des Wasserzeichens: Benutzen Sie die Option Text-Wasserzeichen und passen Sie die Parameter an: Sprache - wählen Sie eine Sprache aus der Liste. Text - wählen Sie einen verfügbaren Text der gewählten Sprache aus. Für Deutsch sind die folgenden Text-Optionen verfügbar: BEISPIEL, DRINGEND, ENTWURF, KOPIE, NICHT KOPIEREN, ORIGINAL, PERSÖNLICH, VERTRAULICH, STRENG VERTRAULICH. Schriftart - wählen Sie die Schriftart und Größe aus der entsprechenden Drop-Down-Liste. Benutzen Sie die Symbole rechts daneben, um Farbe und Schriftdekoration zu setzen: Fett, Kursiv, Unterstrichen, Durchgestrichen, Halbtransparent - benutzen Sie diese Option, um Transparenz anzuwenden. Layout - wählen Sie Diagonal oder Horizontal. Benutzen Sie die Option Bild-Wasserzeichen und passen Sie die Parameter an: Wählen Sie die Bild-Datei aus einer der beiden Optionen: Aus Datei oder Aus URL - das Bild wird als Vorschau rechts in dem Fenster dargestellt. Maßstab - wählen Sie die notwendige Skalierung aus: Automatisch, 500%, 200%, 150%, 100%, 50%. Bestätigen Sie die Einstellungen mit OK. Um ein Wasserzeichen zu bearbeiten, öffnen Sie das Fenster mit den Wasserzeichen-Einstellungen wie oben beschrieben, ändern Sie die benötigten Parameter und speichern dies mit OK. Um ein Wasserzeichen zu löschen, klicken Sie das Wasserzeichen  Symbol in der Menüleiste und wählen Sie die Option Wasserzeichen entfernen aus dem Menü. Sie können auch die Option Kein aus dem Fenster mit den Wasserzeichen-Einstellungen benutzen." + "body": "Ein Wasserzeichen ist ein Text oder Bild, welches unter dem Haupttextbereich platziert ist. Text-Wasserzeichen erlaubt Ihnen Ihr Dokument mit einem Status zu versehen (bspw. Vertraulich, Entwurf usw.). Bild-Wasserzeichen erlaubt Ihnen ein Bild hinzuzufügen, bspw. Ihr Firmenlogo. Um ein Wasserzeichen in ein Dokument einzufügen im Dokumenteneditor: Wechseln Sie zum Layout-Tab in der Hauptmenüleiste. Klicken Sie das Wasserzeichen  Symbol in der Menüleiste und wählen Sie die Option Benutzerdefiniertes Wasserzeichen aus dem Menü. Danach erscheint das Fenster mit den Wasserzeichen-Einstellungen. Wählen Sie die Art des Wasserzeichens: Benutzen Sie die Option Text-Wasserzeichen und passen Sie die Parameter an: Sprache - wählen Sie eine Sprache aus der Liste. Für Wasserzeichen unterstützte Sprachen: Englisch, Französisch, Deutsch, Italienisch, Japanisch, Mandarin, Russisch, Spanisch. Text - wählen Sie einen verfügbaren Text der gewählten Sprache aus. Für Deutsch sind die folgenden Text-Optionen verfügbar: BEISPIEL, DRINGEND, ENTWURF, KOPIE, NICHT KOPIEREN, ORIGINAL, PERSÖNLICH, VERTRAULICH, STRENG VERTRAULICH. Schriftart - wählen Sie die Schriftart und Größe aus der entsprechenden Drop-Down-Liste. Benutzen Sie die Symbole rechts daneben, um Farbe und Schriftdekoration zu setzen: Fett, Kursiv, Unterstrichen, Durchgestrichen. Halbtransparent - benutzen Sie diese Option, um Transparenz anzuwenden. Layout - wählen Sie Diagonal oder Horizontal. Benutzen Sie die Option Bild-Wasserzeichen und passen Sie die Parameter an: Wählen Sie die Bild-Datei aus einer der beiden Optionen: Aus Datei oder Aus URL - das Bild wird als Vorschau rechts in dem Fenster dargestellt. Maßstab - wählen Sie die notwendige Skalierung aus: Automatisch, 500%, 200%, 150%, 100%, 50%. Bestätigen Sie die Einstellungen mit OK. Um ein Wasserzeichen zu bearbeiten, öffnen Sie das Fenster mit den Wasserzeichen-Einstellungen wie oben beschrieben, ändern Sie die benötigten Parameter und speichern dies mit OK. Um ein Wasserzeichen zu löschen, klicken Sie das Wasserzeichen  Symbol in der Menüleiste und wählen Sie die Option Wasserzeichen entfernen aus dem Menü. Sie können auch die Option Kein aus dem Fenster mit den Wasserzeichen-Einstellungen benutzen." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -150,6 +180,11 @@ var indexes = "title": "Textumbruch ändern", "body": "Die Option Textumbruch legt fest, wie ein Objekt relativ zum Text positioniert wird. Im Dokumenteneditor sie können den Umbruchstil für eingefügt Objekte ändern, wie beispielsweise Formen, Bilder, Diagramme, Textfelder oder Tabellen. Textumbruch für Formen, Bilder, Diagramme oder Tabellen ändern Ändern des aktuellen Umbruchstils: Wählen Sie über einen Linksklick ein einzelnes Objekt auf der Seite aus. Um ein Textfeld auszuwählen, klicken Sie auf den Rahmen und nicht auf den darin befindlichen Text. Öffnen Sie die Einstellungen für den Textumbruch: Wechseln Sie in der oberen Symbolleiste in die Registerkarte Layout und klicken Sie auf das den Pfeil neben dem Symbol Textumbruch oder klicken Sie mit der rechten Maustaste auf das Objekt und wählen Sie die Option Textumbruch im Kontextmenü aus oder klicken Sie mit der rechten Maustaste auf das Objekt, wählen Sie die Option Erweiterte Einstellungen und wechseln Sie im Fenster Erweitere Einstellungen in die Gruppe Textumbruch. Wählen Sie den gewünschten Umbruchstil aus: Mit Text verschieben - das Bild wird als Teil vom Text behandelt und wenn der Text verschoben wird, wird auch das Bild verschoben. In diesem Fall sind die Positionsoptionen nicht verfügbar. Falls einer der folgenden Stile gewählt ist, kann das Bild unabhängig vom Text verschoben werden und genau auf der Seite positioniert werden: Quadrat - der Text bricht um den rechteckigen Kasten, der das Bild begrenzt. Eng - der Text bricht um die Bildkanten um. Transparent - der Text bricht um die Bildkanten um und füllt den offenen weißen Raum innerhalb des Bildes. Wählen Sie für diesen Effekt die Option Umbruchsgrenze bearbeiten aus dem Rechtsklickmenü aus. Oben und unten - der Text ist nur oberhalb und unterhalb des Bildes. Vor den Text - das Bild überlappt mit dem Text. Hinter den Text - der Text überlappt sich mit dem Bild. Wenn Sie die Formate Quadrat, Eng, Transparent oder Oben und unten auswählen, haben Sie die Möglichkeit zusätzliche Parameter festzulegen - Abstand vom Text auf allen Seiten (oben, unten, links, rechts). Klicken Sie dazu mit der rechten Maustaste auf das Objekt, wählen Sie die Option Erweiterte Einstellungen und wechseln Sie im Fenster Erweiterte Einstellungen in die Gruppe Textumbruch. Wählen Sie die gewünschten Werte und klicken Sie auf OK. Wenn Sie einen anderen Umbruchstil als Inline auswählen, steht Ihnen im Fenster Erweiterte Einstellungen auch die Gruppe Position zur Verfügung. Weitere Informationen zu diesen Parametern finden Sie auf den entsprechenden Seiten mit Anweisungen zum Umgang mit Formen, Bildern oder Diagrammen. Wenn Sie einen anderen Umbruchstil als Inline auswählen, haben Sie außerdem die Möglichkeit, die Umbruchränder für Bilder oder Formen zu bearbeiten. Klicken Sie mit der rechten Maustaste auf das Objekt, wählen Sie die Option Textumbruch im Kontextmenü aus und klicken Sie auf Bearbeitung der Umbruchsgrenze. Sie können auch die Option Umbrüche -> Umbruchsgrenze bearbeiten auf der Registerkarte Layout in der oberen Symbolleiste verwenden. Ziehen Sie die Umbruchpunkte, um die Grenze benutzerdefiniert anzupassen. Um einen neuen Rahmenpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie diese an die gewünschte Position. Textumbruch für Tabellen ändern Für Tabellen stehen die folgenden Umbruchstile zur Verfügung: Mit Text verschieben und Umgebend. Ändern des aktuellen Umbruchstils: Klicken Sie mit der rechten Maustaste auf die Tabelle und wählen Sie die Option Tabelle-Erweiterte Einstellungen. Wechseln Sie nun im Fenster Tabelle - Erweiterte Einstellungen in die Gruppe Textumbruch und wählen Sie eine der folgenden Optionen: Textumbruch - Mit Text in Zeile: der Text wird durch die Tabelle umgebrochen, außerdem können Sie die Ausrichtung wählen: linksbündig, zentriert, rechtsbündig. Textumbruch - Umgebend: bei diesem Format wird die Tabelle innerhalb des Textes eingefügt und entsprechend an allen Seiten vom Text umgeben. Über die Gruppe Textumbruch im Fenster Tabelle - Erweiterte Einstellungen, können Sie außerdem die folgenden Parameter einrichten. Für Tabellen, die mit dem Text verschoben werden, können Sie die Ausrichtung der Tabelle festlegen (linksbündig, zentriert, rechtsbündig) sowie den Einzug vom linken Seitenrand. Für Tabellen, deren Position auf einer Seite fixiert ist, können Sie den Abstand vom Text sowie die Tabellenposition in der Gruppe Tabellenposition festlegen." }, + { + "id": "UsageInstructions/CommunicationPlugins.htm", + "title": "Kommunikation während der Bearbeitung", + "body": "Im ONLYOFFICE Dokumenteneditor können Sie immer mit Kollegen in Kontakt bleiben und beliebte Online-Messenger wie Telegram und Rainbow nutzen. Telegram- und Rainbow-Plugins werden standardmäßig nicht installiert. Informationen zur Installation finden Sie im entsprechenden Artikel: Hinzufügen von Plugins zu den ONLYOFFICE Desktop Editoren Hinzufügen von Plugins zu ONLYOFFICE Cloud oder Hinzufügen neuer Plugins zu Server-Editoren . Telegram Um mit dem Chatten im Telegram-Plugin zu beginnen, Öffnen Sie die Registerkarte Plugins und klicken Sie auf Telegram. Geben Sie Ihre Telefonnummer in das entsprechende Feld ein. Aktivieren Sie das Kontrollkästchen Keep me signed in, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Next. Geben Sie den erhaltenen Code in Ihre Telegram-App ein oder Melden Sie sich mit dem QR-Code an. Öffnen Sie die Telegram-App auf Ihrem Telefon. Gehen Sie zu Einstellungen > Geräte > QR scannen, Scannen Sie das Bild, um sich anzumelden. Jetzt können Sie Telegram für Instant Messaging innerhalb der ONLYOFFICE-Editor-Oberfläche verwenden. Rainbow Um mit dem Chatten im Rainbow-Plugin zu beginnen, Öffnen Sie die Registerkarte Plugins und klicken Sie auf Rainbow. Registrieren Sie ein neues Konto, indem Sie auf die Schaltfläche Sign up klicken, oder melden Sie sich bei einem bereits erstellten Konto an. Geben Sie dazu Ihre E-Mail in das entsprechende Feld ein und klicken Sie auf Continue. Geben Sie dann Ihr Kontopasswort ein. Aktivieren Sie das Kontrollkästchen Keep my session alive, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Connect. Jetzt sind Sie fertig und können gleichzeitig in Rainbow chatten und in der ONLYOFFICE-Editor-Oberfläche arbeiten." + }, { "id": "UsageInstructions/ConvertFootnotesEndnotes.htm", "title": "Fußnoten und Endnoten konvertieren", @@ -163,7 +198,12 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Textpassagen kopieren/einfügen, Vorgänge rückgängig machen/wiederholen", - "body": "Zwischenablage verwenden Um Textpassagen und eingefügte Objekte (AutoFormen, Bilder, Diagramme) innerhalb des aktuellen Dokuments auszuschneiden im Dokumenteneditor, zu kopieren und einzufügen, verwenden Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole, die auf jeder Registerkarte der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden. Kopieren – wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Kopieren im Rechtsklickmenü oder das Symbol Kopieren in der oberen Symbolleiste, um die Auswahl in der Zwischenablage des Rechners zu speichern. Die kopierten Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden. Einfügen – platzieren Sie den Cursor an der Stelle im Dokument, an der Sie den zuvor kopierten Text/das Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen . Der Text/das Objekt wird an der aktuellen Cursorposition eingefügt. Die Daten können vorher aus demselben Dokument kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in ein anderes Dokument oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Hinweis: Anstatt Text innerhalb desselben Dokuments auszuschneiden und einzufügen, können Sie die erforderliche Textpassage einfach auswählen und an die gewünschte Position ziehen und ablegen. Inhalte einfügen mit Optionen Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Zum Einfügen von Textsegmenten oder Text in Verbindung mit AutoFormen sind folgende Optionen verfügbar: Ursprüngliche Formatierung beibehalten - der kopierte Text wird in Originalformatierung eingefügt. Nur den Text übernehmen - der kopierte Text wird in an die vorhandene Formatierung angepasst. Wenn Sie die kopierte Tabelle in eine vorhandene Tabelle einfügen, sind die folgenden Optionen verfügbar: Zellen überschreiben - vorhandenen Tabelleninhalt durch die eingefügten Daten ersetzen. Diese Option ist standardmäßig ausgewählt. Geschachtelt die kopierte Tabelle wird als geschachtelte Tabelle in die ausgewählte Zelle der vorhandenen Tabelle eingefügt. Nur den Text übernehmen - die Tabelleninhalte werden als Textwerte eingefügt, die durch das Tabulatorzeichen getrennt sind. Vorgänge rückgängig machen/wiederholen Verwenden Sie die entsprechenden Symbole, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen: Rückgängig – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Rückgängig oder verwenden Sie die Tastenkombination STRG+Z, um die zuletzt durchgeführte Aktion rückgängig zu machen. Wiederholen – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Wiederholen oder verwenden Sie die Tastenkombination STRG+Y, um die zuletzt durchgeführte Aktion zu wiederholen. Hinweis: Wenn Sie ein Dokument im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar." + "body": "Zwischenablage verwenden Um Textpassagen und eingefügte Objekte (AutoFormen, Bilder, Diagramme) innerhalb des aktuellen Dokuments auszuschneiden im Dokumenteneditor, zu kopieren und einzufügen, verwenden Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole, die auf jeder Registerkarte der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden. Kopieren – wählen Sie eine Textpassage oder ein Objekt aus und nutzen Sie die Option Kopieren im Rechtsklickmenü oder das Symbol Kopieren in der oberen Symbolleiste, um die Auswahl in der Zwischenablage des Rechners zu speichern. Die kopierten Daten können später an einer anderen Stelle im selben Dokument wieder eingefügt werden. Einfügen – platzieren Sie den Cursor an der Stelle im Dokument, an der Sie den zuvor kopierten Text/das Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen . Der Text/das Objekt wird an der aktuellen Cursorposition eingefügt. Die Daten können vorher aus demselben Dokument kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in ein anderes Dokument oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Hinweis: Anstatt Text innerhalb desselben Dokuments auszuschneiden und einzufügen, können Sie die erforderliche Textpassage einfach auswählen und an die gewünschte Position ziehen und ablegen. Inhalte einfügen mit Optionen Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar. Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Zum Einfügen von Textsegmenten oder Text in Verbindung mit AutoFormen sind folgende Optionen verfügbar: Ursprüngliche Formatierung beibehalten - der kopierte Text wird in Originalformatierung eingefügt. Nur den Text übernehmen - der kopierte Text wird in an die vorhandene Formatierung angepasst. Wenn Sie die kopierte Tabelle in eine vorhandene Tabelle einfügen, sind die folgenden Optionen verfügbar: Zellen überschreiben - vorhandenen Tabelleninhalt durch die eingefügten Daten ersetzen. Diese Option ist standardmäßig ausgewählt. Geschachtelt die kopierte Tabelle wird als geschachtelte Tabelle in die ausgewählte Zelle der vorhandenen Tabelle eingefügt. Nur den Text übernehmen - die Tabelleninhalte werden als Textwerte eingefügt, die durch das Tabulatorzeichen getrennt sind. Vorgänge rückgängig machen/wiederholen Verwenden Sie die entsprechenden Symbole, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen: Rückgängig – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Rückgängig oder verwenden Sie die Tastenkombination STRG+Z, um die zuletzt durchgeführte Aktion rückgängig zu machen. Wiederholen – klicken Sie im linken Teil der Kopfzeile des Editors auf das Symbol Wiederholen oder verwenden Sie die Tastenkombination STRG+Y, um die zuletzt durchgeführte Aktion zu wiederholen. Hinweis: Wenn Sie ein Dokument im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar." + }, + { + "id": "UsageInstructions/CreateFillableForms.htm", + "title": "Ausfüllbare Formulare erstellen", + "body": "Mit dem ONLYOFFICE Dokumenteneditor können Sie ausfüllbare Formulare in Ihren Dokumenten erstellen, z.B. Vertragsentwürfe oder Umfragen. Formularvorlage ist das DOCXF-Format, das eine Reihe von Tools zum Erstellen eines ausfüllbaren Formulars bietet. Speichern Sie das resultierende Formular als DOCXF-Datei, und Sie haben eine Formularvorlage, die Sie noch bearbeiten, überprüfen oder gemeinsam bearbeiten können. Um eine Formularvorlage ausfüllbar zu machen und die Dateibearbeitung durch andere Benutzer einzuschränken, speichern Sie sie als OFORM-Datei. Weitere Informationen finden Sie in den Anleitungen zum Ausfüllen von Formularen. DOCXF und OFORM sind neue ONLYOFFICE-Formate, die es ermöglichen, Formularvorlagen zu erstellen und Formulare auszufüllen. Verwenden Sie den ONLYOFFICE Dokumenteneditor entweder online oder auf dem Desktop, um alle formularbezogenen Elemente und Optionen zu nutzen. Sie können auch jede vorhandene DOCX-Datei als DOCXF speichern, um sie als Formularvorlage zu verwenden. Gehen Sie zur Registerkarte Datei, klicken Sie im linken Menü auf die Option Herunterladen als... oder Speichern als... und wählen Sie die Option DOCXF. Jetzt können Sie alle verfügbaren Formularbearbeitungsfunktionen verwenden, um ein Formular zu erstellen. Sie können nicht nur die Formularfelder in einer DOCXF-Datei bearbeiten sondern auch Text hinzufügen, bearbeiten und formatieren oder andere Funktionen des Dokumenteneditors verwenden. Das Erstellen ausfüllbarer Formulare wird durch vom Benutzer bearbeitbare Objekte ermöglicht, die die Gesamtkonsistenz der resultierenden Dokumente sicherstellen und eine erweiterte Formularinteraktion ermöglichen. Derzeit können Sie bearbeitbare Textfelder, Comboboxen, Dropdown-Listen, Kontrollkästchen, Radiobuttons einfügen und den Bildern bestimmte Bereiche zuweisen. Greifen Sie auf diese Funktionen auf der Registerkarte Formulare zu, die nur für DOCXF-Dateien verfügbar ist. Erstellen eines neuen Textfelds Textfelder sind vom Benutzer bearbeitbare Text-Formularfelder. Es können keine weiteren Objekte hinzugefügt werden. Um ein Textfeld einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Textfeld. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Schlüssel: Die Option zum Gruppieren von Feldern zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen. Platzhalter: Geben Sie den anzuzeigenden Text in das eingefügte Textfeld ein; \"Hier den Text eingeben\" ist standardmäßig eingestellt. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über das Textfeld fährt. Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Wenn diese Option aktiviert ist, können Sie auch die Einstellungen Automatisch anpassen und/oder Mehrzeiliges Feld verwenden. Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. Zeichengrenze: Standardmäßig gibt es keine Beschränkungen; Aktivieren Sie dieses Kontrollkästchen, um die maximale Zeichenanzahl im Feld rechts festzulegen. Zeichenanzahl in Textfeld: Verteilen Sie den Text gleichmäßig innerhalb des eingefügten Textfeldes und konfigurieren Sie sein allgemeines Darstellungsbild. Lassen Sie das Kontrollkästchen deaktiviert, um die Standardeinstellungen beizubehalten, oder aktivieren Sie es, um die folgenden Parameter festzulegen: Zeilenbreite: Geben Sie den gewünschten Wert ein oder verwenden Sie die Pfeile rechts, um die Breite des eingefügten Textfelds einzustellen. Der Text darin wird entsprechend ausgerichtet. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder des eingefügten Textfelds festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um dem eingefügten Textfeld eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Automatisch anpassen: Diese Option kann aktiviert werden, wenn die Einstellung Feste Feldgröße ausgewählt ist. Aktivieren Sie diese Option, um die Schriftgröße automatisch an die Feldgröße anzupassen. Mehrzeiliges Feld: Diese Option kann aktiviert werden, wenn die Einstellung Feste Feldgröße ausgewählt ist. Aktivieren Sie diese Option, um ein Formularfeld mit mehreren Zeilen zu erstellen, andernfalls nimmt der Text eine einzelne Zeile ein. Klicken Sie in das eingefügte Textfeld und passen Sie Schriftart, Größe und Farbe an, wenden Sie Dekorationsstile und Formatierungsvorgaben an. Die Formatierung wird auf den gesamten Text innerhalb des Felds angewendet. Erstellen einer neuen Combobox Comboboxen enthalten eine Dropdown-Liste mit einer Reihe von Auswahlmöglichkeiten, die von Benutzern bearbeitet werden können. Um eine Combobox einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Combobox. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Schlüssel: Die Option zum Gruppieren von Comboboxen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen. Platzhalter: Geben Sie den Text ein, der in der eingefügten Combobox angezeigt werden soll; \"Wählen Sie ein Element aus\" ist standardmäßig eingestellt. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über die Combobox bewegt. Optionen von Werten: Fügen Sie neue Werte hinzu, löschen Sie sie oder verschieben Sie sie nach oben oder unten in der Liste. Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder der eingefügten Combobox festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um der eingefügten Combobox eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Sie können auf die Pfeilschaltfläche im rechten Teil der hinzugefügten Combobox klicken, um die Elementliste zu öffnen und das erforderliche Element auszuwählen. Sobald das erforderliche Element ausgewählt ist, können Sie den angezeigten Text ganz oder teilweise bearbeiten, indem Sie ihn durch Ihren Text ersetzen. Sie können Schriftdekoration, Farbe und Größe ändern. Klicken Sie in die eingefügte Combobox und fahren Sie gemäß den Anleitungen fort. Die Formatierung wird auf den gesamten Text innerhalb des Felds angewendet. Erstellen einer neuen Dropdown-Liste Dropdown-Liste enthalten eine Liste mit einer Reihe von Auswahlmöglichkeiten, die von den Benutzern nicht bearbeitet werden können. Um eine Dropdown-Liste einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Dropdown. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Schlüssel: Die Option zum Gruppieren von Dropdown-Listen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen. Platzhalter: Geben Sie den Text ein, der in der eingefügten Dropdown-Liste angezeigt werden soll; \"Wählen Sie ein Element aus\" ist standardmäßig eingestellt. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über die Dropdown-Liste bewegt. Optionen von Werten: Fügen Sie neue Werte hinzu, löschen Sie sie oder verschieben Sie sie nach oben oder unten in der Liste. Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder der eingefügten Dropdown-Liste festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um der eingefügten Dropdown-Liste eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Sie können auf die Pfeilschaltfläche im rechten Teil des hinzugefügten Formularfelds Dropdown-Liste klicken, um die Elementliste zu öffnen und die erforderliche Elemente auszuwählen. Erstellen eines neuen Kontrollkästchens Kontrollkästchen werden verwendet, um dem Benutzer eine Vielzahl von Optionen anzubieten, von denen eine beliebige Anzahl ausgewählt werden kann. Kontrollkästchen funktionieren einzeln, sodass sie unabhängig voneinander aktiviert oder deaktiviert werden können. Um ein Kontrollkästchen einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Kontrollkästchen. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Schlüssel: Die Option zum Gruppieren von Kontrollkästchen zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über das Kontrollkästchen bewegt. Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder des eingefügten Kontrollkästchens festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um dem eingefügten Kontrollkästchen eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Um das Kontrollkästchen zu aktivieren, klicken Sie einmal darauf. Erstellen eines neuen Radiobuttons Radiobuttons werden verwendet, um Benutzern eine Vielzahl von Optionen anzubieten, von denen nur eine Option ausgewählt werden kann. Radiobuttons können gruppiert werden, sodass nicht mehrere Schaltflächen innerhalb einer Gruppe ausgewählt werden müssen. Um einen Radiobutton einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Radiobutton. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Gruppenschlüssel: Um eine neue Gruppe von Radiobuttons zu erstellen, geben Sie den Namen der Gruppe in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Radiobutton die erforderliche Gruppe zu. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer den Mauszeiger über den Radiobutton bewegt. Feste Feldgröße: Aktivieren Sie dieses Kontrollkästchen, um ein Feld mit einer festen Größe zu erstellen. Ein Feld mit fester Größe sieht wie eine Autoform aus. Sie können einen Umbruchstil dafür festlegen und die Position anpassen. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder des eingefügten Radiobuttons festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um dem eingefügten Radiobutton eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Um den Radiobutton zu aktivieren, klicken Sie einmal darauf. Erstellen eines neues Bildes Bilder sind Formularfelder, die das Einfügen eines Bildes mit den von Ihnen festgelegten Einschränkungen, d. h. der Position des Bildes oder seiner Größe, ermöglichen. Um ein Bildformularfeld einzufügen, positionieren Sie die Einfügemarke innerhalb einer Textzeile an der Stelle, an der das Feld hinzugefügt werden soll, wechseln Sie zur Registerkarte Formulare der oberen Symbolleiste, klicken Sie auf das Symbol Bild. Das Formularfeld erscheint an der Einfügemarke innerhalb der bestehenden Textzeile. Das Menü Einstellungen des Formulars wird rechts geöffnet. Schlüssel: Die Option zum Gruppieren von Bildern zum gleichzeitigen Ausfüllen. Um einen neuen Schlüssel zu erstellen, geben Sie seinen Namen in das Feld ein und drücken Sie die Eingabetaste, und weisen Sie dann jedem Textfeld den erforderlichen Schlüssel mithilfe der Dropdown-Liste zu. Die Meldung Verbundene Felder: 2/3/... wird angezeigt. Um die Felder zu trennen, klicken Sie auf die Schaltfläche Verbindung trennen. Platzhalter: Geben Sie den Text ein, der in das eingefügte Bildformularfeld angezeigt werden soll; \"Klicken Sie, um das Bild herunterzuladen\" ist standardmäßig eingestellt. Tipp: Geben Sie den Text ein, der als Tipp angezeigt werden soll, wenn ein Benutzer seinen Mauszeiger über den unteren Bildrand bewegt. Wann skalieren: Klicken Sie auf das Dropdown-Menü und wählen Sie eine geeignete Bildskalierungsoption: Immer, Nie, Das Bild ist zu groß oder Das Bild ist zu klein. Das ausgewählte Bild wird innerhalb des Felds entsprechend skaliert. Seitenverhältnis sperren: Aktivieren Sie dieses Kontrollkästchen, um das Bildseitenverhältnis ohne Verzerrung beizubehalten. Wenn das Kontrollkästchen aktiviert ist, verwenden Sie den vertikalen und den horizontalen Schieberegler, um das Bild innerhalb des eingefügten Felds zu positionieren. Die Positionierungsschieber sind inaktiv, wenn das Kontrollkästchen deaktiviert ist. Bild auswählen: Klicken Sie auf diese Schaltfläche, um ein Bild entweder Aus einer Datei, Aus einer URL oder Aus dem Speicher hochzuladen. Rahmenfarbe: Klicken Sie auf das Symbol , um die Farbe für die Ränder der eingefügten Bild festzulegen. Wählen Sie die bevorzugte Rahmenfarbe aus der Palette. Sie können bei Bedarf eine neue benutzerdefinierte Farbe hinzufügen. Hintergrundfarbe: Klicken Sie auf das Symbol , um der eingefügten Bild eine Hintergrundfarbe zuzuweisen. Wählen Sie die bevorzugte Farbe aus Designfarben, Standardfarben oder fügen Sie bei Bedarf eine neue benutzerdefinierte Farbe hinzu. Um das Bild zu ersetzen, klicken Sie auf das  Bildsymbol über dem Rahmen des Formularfelds und wählen Sie ein anderes Bild aus. Um die Bildeinstellungen anzupassen, öffnen Sie die Registerkarte Bildeinstellungen in der rechten Symbolleiste. Um mehr zu erfahren, lesen Sie bitte die Anleitung zu Bildeinstellungen. Formulare hervorheben Sie können eingefügte Formularfelder mit einer bestimmten Farbe hervorheben. Um Felder hervorzuheben, Öffnen Sie die Einstellungen für Hervorhebungen auf der Registerkarte Formulare der oberen Symbolleiste. Wählen Sie eine Farbe aus den Standardfarben aus. Sie können auch eine neue benutzerdefinierte Farbe hinzufügen. Um zuvor angewendete Farbhervorhebungen zu entfernen, verwenden Sie die Option Ohne Hervorhebung. Die ausgewählten Hervorhebungsoptionen werden auf alle Formularfelder im Dokument angewendet. Hinweis: Der Rahmen des Formularfelds ist nur sichtbar, wenn das Feld ausgewählt ist. Die Ränder erscheinen nicht auf einer gedruckten Version. Aktivieren des Modus \"Formular anzeigen\" Hinweis: Sobald Sie den Modus Formular anzeigen aktiviert haben, stehen alle Bearbeitungsoptionen nicht mehr zur Verfügung. Klicken Sie auf die Schaltfläche Formular anzeigen auf der Registerkarte Formulare der oberen Symbolleiste, um zu sehen, wie alle eingefügten Formulare in Ihrem Dokument angezeigt werden. Um den Anzeigemodus zu verlassen, klicken Sie erneut auf dasselbe Symbol. Verschieben von Formularfeldern Formularfelder können an eine andere Stelle im Dokument verschoben werden: Klicken Sie auf die Schaltfläche links neben dem Steuerrahmen, um das Feld auszuwählen und ziehen Sie es ohne loslassen der Maustaste an eine andere Position im Text. Sie können Formularfelder auch kopieren und einfügen: Wählen Sie das erforderliche Feld aus und verwenden Sie die Tastenkombination Strg + C/Strg + V. Erstellen von erforderlichen Feldern Um ein Feld obligatorisch zu machen, aktivieren Sie die Option Erforderlich. Die Pflichtfelder werden mit rotem Strich markiert. Sperren von Formfeldern Um die weitere Bearbeitung des eingefügten Formularfelds zu verhindern, klicken Sie auf das Symbol Sperren. Das Ausfüllen der Felder bleibt verfügbar. Löschen von Formularfeldern Um alle eingefügten Felder und alle Werte zu löschen, klicken Sie auf die Schaltfläche Alle Felder löschen auf der Registerkarte Formulare in der oberen Symbolleiste. Navigieren, Anzeigen und Speichern eines Formulars Gehen Sie zur Registerkarte Formulare in der oberen Symbolleiste. Navigieren Sie durch die Formularfelder mit den Schaltflächen Vorheriges Feld und Nächstes Feld in der oberen Symbolleiste. Wenn Sie fertig sind, klicken Sie in der oberen Symbolleiste auf die Schaltfläche Als OFORM speichern, um das Formular als eine zum Ausfüllen bereite OFORM-Datei zu speichern. Sie können beliebig viele OFORM-Dateien speichern. Entfernen von Formularfeldern Um ein Formularfeld zu entfernen und seinen gesamten Inhalt beizubehalten, wählen Sie es aus und klicken Sie auf das Symbol Löschen (stellen Sie sicher, dass das Feld nicht gesperrt ist) oder drücken Sie die Taste Löschen auf der Tastatur." }, { "id": "UsageInstructions/CreateLists.htm", @@ -173,13 +213,18 @@ var indexes = { "id": "UsageInstructions/CreateTableOfContents.htm", "title": "Inhaltsverzeichnis erstellen", - "body": "Ein Inhaltsverzeichnis enthält eine Liste aller Kapitel (Abschnitte usw.) in einem Dokument und zeigt die jeweilige Seitennummer an, auf der ein Kapitel beginnt. Mithilfe eines Inhaltsverzeichnisses können Sie leicht durch ein mehrseitiges Dokument navigieren und schnell zu gewünschten Textstellen wechseln. Das Inhaltsverzeichnis wird automatisch basierend auf mit vordefinierten Stilen formatierten Dokumentüberschriften generiert. So können Sie Ihr Inhaltsverzeichnis bequem aktualisieren wenn der Text im Dokument geändert wurde, ohne dass Sie Überschriften bearbeiten und Seitenzahlen manuell ändern müssen. Überschriftenstruktur festlegen Überschriften formatieren Formatieren Sie zunächst alle Überschriften in Ihrem Dokument mit einer der Stilvorlagen im Dokumenteneditor. Überschriften formatieren: Wählen Sie den Text aus, den Sie in das Inhaltsverzeichnis aufnehmen wollen. Öffnen Sie rechts in der Registerkarte Start das Menü mit den Stilvorlagen. Klicken Sie auf den gewünschten Stil. Standardmäßig können Sie die Stile Überschrift 1 - Überschrift 9 nutzen.Hinweis: wenn Sie einen anderen Stil verwenden (z.B. Titel, Untertitel etc.), um Überschriften zu formatieren, die im Inhaltsverzeichnis angezeigt werden sollen, müssen Sie zunächst die Einstellungen für das Inhaltsverzeichnis anpassen (wie im nachfolgenden Absatz beschrieben). Weitere Informationen zu verfügbaren Formatvorlagen finden Sie auf dieser Seite. Überschriften verwalten Wenn Sie die Überschriften formatiert haben, können Sie in der linken Seitenleiste auf Navigation klicken, um das Fenster mit den Überschriften mit den entsprechenden Verschachtelungsebenen zu öffnen. Dieser Bereich ermöglicht die einfache Navigation zwischen Überschriften im Dokumenttext sowie die Verwaltung der Überschriftenstruktur Klicken Sie mit der rechten Maustaste auf eine Überschrift in der Liste und verwenden Sie eine der verfügbaren Optionen aus dem Menü: Heraufstufen - um die aktuell ausgewählte Überschrift in der hierarchischen Struktur auf die höhere Ebene zu verschieben, z. B. von Überschrift2 auf Überschrift1. Herabstufen - um die aktuell ausgewählte Überschrift in der hierarchischen Struktur auf die niedrigere Ebene zu verschieben, z. B. von Überschrift1 auf Überschrift2. Neue Überschrift davor - um eine neue leere Überschrift derselben Ebene vor der aktuell ausgewählten hinzuzufügen. Neue Überschrift dahinter - um eine neue leere Überschrift derselben Ebene hinter der aktuell ausgewählten hinzuzufügen. Neue Zwischenüberschrift - um eine neue leere Neue Zwischenüberschrift (z.B. eine Überschrift auf einer niedrigeren Ebene) hinter der aktuell ausgewählten hinzuzufügen.Wenn die Überschrift oder Zwischenüberschrift hinzugefügt wurde, klicken Sie auf die hinzugefügte leere Überschrift in der Liste und geben Sie Ihren eigenen Text ein. Das kann sowohl im Dokumenttext als auch in der Navigationsleiste selbst erfolgen. Inhalt auswählen - um den Text unterhalb der aktuellen Überschrift im Dokument auszuwählen (einschließlich des Textes für alle Zwischenüberschriften dieser Überschrift). Alle erweitern - um alle Überschriften-Ebenen in der Navigationsleiste zu erweitern. Alle ausblenden - um alle Überschriften-Ebenen außer Ebene 1 in der Navigationsleiste auszublenden. Erweitern auf Ebene - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Wenn Sie z. B. Ebene 3 wählen, werden die Level 1, 2 und 3 erweitert, während Level 4 und alle niedrigeren Level ausgeblendet werden. Um separate Überschriftenebenen manuell zu erweitern oder auszublenden, verwenden Sie die Pfeile links von den Überschriften. Um die Navigationsleiste zu schließen, klicken Sie in der linken Seitenleiste erneut auf Navigation. Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen Ein Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen: Platzieren Sie die Einfügemarke an der Stelle, an der Sie ein Inhaltsverzeichnis hinzufügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Referenzen. Klicken Sie auf das Symbol Inhaltsverzeichnis in der oberen Symbolleiste oder klicken Sie auf das Pfeilsymbol neben diesem Symbol und wählen Sie die gewünschte Layout-Option aus dem Menü aus. Sie haben die Wahl zwischen einem Inhaltsverzeichnis, das Überschriften, Seitenzahlen und Leader anzeigt oder nur Überschriften. Hinweis: Die Formatierung des Inhaltsverzeichnisses kann später über die Einstellungen des Inhaltsverzeichnisses angepasst werden. Das Inhaltsverzeichnis wird an der aktuellen Cursorposition eingefügt. Um die Position des Inhaltsverzeichnisses zu ändern, können Sie das Inhaltsverzeichnis auswählen (Steuerelement) und einfach an die gewünschte Position ziehen. Klicken Sie dazu auf die Schaltfläche , in der oberen linken Ecke des Inhaltsverzeichnisses und ziehen Sie es mit gedrückter Maustaste an die gewünschte Position. Um zwischen den Überschriften zu navigieren, drücken Sie die Taste STRG auf Ihrer Tastatur und klicken Sie dann auf die gewünschte Überschrift im Inhaltsverzeichnis. Sie wechseln automatisch auf die entsprechende Seite. Inhaltsverzeichnis anpassen Inhaltsverzeichnis aktualisieren Nach dem Erstellen des Inhaltsverzeichnisses, können Sie Ihren Text weiter bearbeiten und beispielsweise neue Kapitel hinzufügen, die Reihenfolge ändern, Absätze entfernen oder den Text für eine Überschrift erweitern. Durch solche Vorgänge ändern sich die Seitenzahlen. Über die Option Aktualisieren übernehmen Sie alle Änderungen in Ihrem Inhaltsverzeichnis. Klicken Sie auf der Registerkarte Referenzen in der oberen Symbolleiste auf den Pfeil neben dem Symbol Aktualisieren und wählen Sie die gewünschte Option aus dem Menü aus. Gesamtes Verzeichnis aktualisieren - die von Ihnen eingefügten Überschriften werden dem Verzeichnis hinzugefügt, gelöschte Überschriften werden entfernt, bearbeitete (umbenannte) Überschriften sowie Seitenzahlen werden aktualisiert. Nur Seitenzahlen aktualisieren - nur die Seitenzahlen werden aktualisiert, Änderungen an Überschriften werden nicht übernommen. Alternativ können Sie das Inhaltsverzeichnis direkt im Dokument auswählen, wählen Sie dann oben im Verzeichnis das Symbol Aktualisieren aus, um die zuvor beschriebenen Optionen anzuzeigen. Sie können auch einfach mit der rechten Maustaste an eine beliebige Stelle im Inhaltsverzeichnis klicken und die gewünschte Option aus dem Kontextmenü auswählen. Einstellungen für das Inhaltsverzeichnis anpassen Zum Öffnen der Einstellungen für das Inhaltsverzeichnis, gehen Sie vor wie folgt: Klicken Sie auf den Pfeil neben Inhaltsverzeichnis in der oberen Symbolleiste und wählen Sie die Option Einstellungen aus dem Menü aus. Wählen Sie das Inhaltsverzeichnis aus, klicken Sie auf den Pfeil und wählen Sie die Option Einstellungen aus dem Menü aus. Klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Inhaltsverzeichnis und wählen sie die Option Inhaltsverzeichnis - Einstellungen aus dem Kontextmenü aus. Im sich nun öffnenden Fenstern können Sie die folgenden Parameter festlegen: Seitenzahlen anzeigen - mit dieser Option wählen Sie aus, ob Seitenzahlen angezeigt werden sollen oder nicht. Seitenzahlen rechtsbündig ausrichten - mit dieser Option legen Sie fest, ob die Seitenzahlen am rechten Seitenrand ausgerichtet werden sollen oder nicht. Leader - mit dieser Option können Sie die Art des Leaders auswählen, den Sie verwenden möchten. Ein Leader ist eine Reihe von Zeichen (Punkte oder Trennzeichen), die den Abstand zwischen einer Überschrift und der entsprechenden Seitenzahl ausfüllen. Wenn Sie keinen Leader nutzen wollen, wählen Sie die Option Keinen. Einträge Inhaltsverzeichnis als Links formatieren - diese Option ist standardmäßig aktiviert. Wenn Sie das Kontrollkästchen deaktivieren, können Sie nicht länger in ein gewünschtes Kapitel wechseln, indem Sie die Taste STRG drücken und die entsprechende Überschrift anklicken. Inhaltsverzeichnis erstellen aus - In diesem Abschnitt können Sie die erforderliche Anzahl von Gliederungsebenen sowie die Standardstile angeben, die zum Erstellen des Inhaltsverzeichnisses verwendet werden sollen. Aktivieren Sie das erforderliche Optionsfeld: Gliederungsebenen - ist diese Option ausgewählt, können Sie die Anzahl der hierarchischen Ebenen anpassen, die im Inhaltsverzeichnis verwendet werden. Klicken Sie auf die Pfeile im Feld Ebenen, um die Anzahl der Ebenen zu verringern oder zu erhöhen (es sind die Werte 1 bis 9 verfügbar). Wenn Sie z. B. den Wert 3 auswählen, werden Überschriften der Ebenen 4 - 9 nicht in das Inhaltsverzeichnis aufgenommen. Ausgewählte Stile - ist diese Option ausgewählt, können Sie zusätzliche Stile angeben, die zum Erstellen des Inhaltsverzeichnisses verwendet werden können, und ihnen eine entsprechende Gliederungsebene zuweisen. Geben Sie die gewünschte Ebene in das Feld rechts neben dem Stil ein. Sobald Sie die Einstellungen gespeichert haben, können Sie diesen Stil zum Erstellen des Inhaltsverzeichnisses verwenden. Stile - mit dieser Option wählen Sie ein Inhaltsverzeichnis in dem von Ihnen gewünschte Stil aus einer Liste mit Vorlagen aus. Wählen Sie den gewünschten Stil aus der Dropdown-Liste aus: Im Feld Vorschau sehen Sie wie das Inhaltsverzeichnis mit dem gewählten Stil aussehen würde.Die folgenden vier Standardstile sind verfügbar: Einfach, Standard, Modern, Klassisch. Mit der Option Aktuell können Sie den Stil des Inhaltsverzeichnisses nach Ihren eigenen Wünschen anpassen. Klicken Sie im Fenster Einstellungen auf OK, um die Änderungen zu bestätigen. Stil des Inhaltsverzeichnisses anpassen Nachdem Sie eine der Standardvorlagen für Verzeichnisstile Fenster Inhaltsverzeichnis - Einstellungen angewendet haben, können Sie diesen Stil auch ändern, sodass der Text im Feld Inhaltsverzeichnis Ihren Wünschen entsprechend formatiert ist. Wählen Sie den Text innerhalb des Inhaltsverzeichnisfelds aus, z. B. indem Sie im Steuerungskasten für das Inhaltsverzeichnis auf die Schaltfläche klicken. Sie können die Elemente des Inhaltsverzeichnisses wie gewohnt formatieren und z. B. Schriftart, Größe, Farbe oder den Stile für die Schriftgestaltung ändern. Aktualisieren Sie entsprechend die Stile für die Elemente jeder Ebene. Um den Stil zu aktualisieren, klicken Sie mit der rechten Maustaste auf das formatierte Element, wählen Sie im Kontextmenü die Option Formatierung als Stil aus und klicken Sie auf die Option toc N Stil aktualisieren (Stil toc 2 entspricht Elementen der Ebene 2, Stil toc 3 entspricht Elementen der Ebene 3 usw.). Inhaltsverzeichnis aktualisieren Inhaltsverzeichnis entfernen Inhaltsverzeichnis aus dem Dokument entfernen: Klicken Sie auf den Pfeil neben Inhaltsverzeichnis in der oberen Symbolleiste und wählen Sie die Option Inhaltsverzeichnis entfernen aus dem Menü aus, oder klicken Sie auf den Pfeil neben dem Steuerelement Inhaltsverzeichnis und wählen Sie die Option Inhaltsverzeichnis entfernen aus." + "body": "Ein Inhaltsverzeichnis enthält eine Liste aller Kapitel (Abschnitte usw.) in einem Dokument und zeigt die jeweilige Seitennummer an, auf der ein Kapitel beginnt. Mithilfe eines Inhaltsverzeichnisses können Sie leicht durch ein mehrseitiges Dokument navigieren und schnell zu gewünschten Textstellen wechseln. Das Inhaltsverzeichnis wird automatisch basierend auf mit vordefinierten Stilen formatierten Dokumentüberschriften generiert. So können Sie Ihr Inhaltsverzeichnis bequem aktualisieren wenn der Text im Dokument geändert wurde, ohne dass Sie Überschriften bearbeiten und Seitenzahlen manuell ändern müssen. Überschriftenstruktur des Inhaltsverzeichnisses festlegen Überschriften formatieren Formatieren Sie zunächst alle Überschriften in Ihrem Dokument mit einer der Stilvorlagen im Dokumenteneditor. Überschriften formatieren: Wählen Sie den Text aus, den Sie in das Inhaltsverzeichnis aufnehmen wollen. Öffnen Sie rechts in der Registerkarte Start das Menü mit den Stilvorlagen. Klicken Sie auf den gewünschten Stil. Standardmäßig können Sie die Stile Überschrift 1 - Überschrift 9 nutzen. Wenn Sie einen anderen Stil verwenden (z.B. Titel, Untertitel etc.), um Überschriften zu formatieren, die im Inhaltsverzeichnis angezeigt werden sollen, müssen Sie zunächst die Einstellungen für das Inhaltsverzeichnis anpassen (wie im nachfolgenden Absatz beschrieben). Weitere Informationen zu verfügbaren Formatvorlagen finden Sie auf dieser Seite. Überschriften verwalten Wenn Sie die Überschriften formatiert haben, können Sie in der linken Seitenleiste auf Navigation klicken, um das Fenster mit den Überschriften mit den entsprechenden Verschachtelungsebenen zu öffnen. Dieser Bereich ermöglicht die einfache Navigation zwischen Überschriften im Dokumenttext sowie die Verwaltung der Überschriftenstruktur Klicken Sie mit der rechten Maustaste auf eine Überschrift in der Liste und verwenden Sie eine der verfügbaren Optionen aus dem Menü: Heraufstufen - um die aktuell ausgewählte Überschrift in der hierarchischen Struktur auf die höhere Ebene zu verschieben, z. B. von Überschrift2 auf Überschrift1. Herabstufen - um die aktuell ausgewählte Überschrift in der hierarchischen Struktur auf die niedrigere Ebene zu verschieben, z. B. von Überschrift1 auf Überschrift2. Neue Überschrift davor - um eine neue leere Überschrift derselben Ebene vor der aktuell ausgewählten hinzuzufügen. Neue Überschrift dahinter - um eine neue leere Überschrift derselben Ebene hinter der aktuell ausgewählten hinzuzufügen. Neue Zwischenüberschrift - um eine neue leere Neue Zwischenüberschrift (z.B. eine Überschrift auf einer niedrigeren Ebene) hinter der aktuell ausgewählten hinzuzufügen.Wenn die Überschrift oder Zwischenüberschrift hinzugefügt wurde, klicken Sie auf die hinzugefügte leere Überschrift in der Liste und geben Sie Ihren eigenen Text ein. Das kann sowohl im Dokumenttext als auch in der Navigationsleiste selbst erfolgen. Inhalt auswählen - um den Text unterhalb der aktuellen Überschrift im Dokument auszuwählen (einschließlich des Textes für alle Zwischenüberschriften dieser Überschrift). Alle erweitern - um alle Überschriften-Ebenen in der Navigationsleiste zu erweitern. Alle ausblenden - um alle Überschriften-Ebenen außer Ebene 1 in der Navigationsleiste auszublenden. Erweitern auf Ebene - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Wenn Sie z. B. Ebene 3 wählen, werden die Level 1, 2 und 3 erweitert, während Level 4 und alle niedrigeren Level ausgeblendet werden. Um separate Überschriftenebenen manuell zu erweitern oder auszublenden, verwenden Sie die Pfeile links von den Überschriften. Um die Navigationsleiste zu schließen, klicken Sie in der linken Seitenleiste erneut auf Navigation. Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen Ein Inhaltsverzeichnis in Ihr aktuelles Dokument einfügen: Platzieren Sie die Einfügemarke an der Stelle, an der Sie ein Inhaltsverzeichnis hinzufügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Referenzen. Klicken Sie auf das Symbol Inhaltsverzeichnis in der oberen Symbolleiste oder klicken Sie auf das Pfeilsymbol neben diesem Symbol und wählen Sie die gewünschte Layout-Option aus dem Menü aus. Sie haben die Wahl zwischen einem Inhaltsverzeichnis, das Überschriften, Seitenzahlen und Leader anzeigt oder nur Überschriften. Die Formatierung des Inhaltsverzeichnisses kann später über die Einstellungen des Inhaltsverzeichnisses angepasst werden. Das Inhaltsverzeichnis wird an der aktuellen Cursorposition eingefügt. Um die Position des Inhaltsverzeichnisses zu ändern, können Sie das Inhaltsverzeichnis auswählen (Steuerelement) und einfach an die gewünschte Position ziehen. Klicken Sie dazu auf die Schaltfläche , in der oberen linken Ecke des Inhaltsverzeichnisses und ziehen Sie es mit gedrückter Maustaste an die gewünschte Position. Um zwischen den Überschriften zu navigieren, drücken Sie die Taste STRG auf Ihrer Tastatur und klicken Sie dann auf die gewünschte Überschrift im Inhaltsverzeichnis. Sie wechseln automatisch auf die entsprechende Seite. Inhaltsverzeichnis anpassen Inhaltsverzeichnis aktualisieren Nach dem Erstellen des Inhaltsverzeichnisses, können Sie Ihren Text weiter bearbeiten und beispielsweise neue Kapitel hinzufügen, die Reihenfolge ändern, Absätze entfernen oder den Text für eine Überschrift erweitern. Durch solche Vorgänge ändern sich die Seitenzahlen. Über die Option Aktualisieren übernehmen Sie alle Änderungen in Ihrem Inhaltsverzeichnis. Klicken Sie auf der Registerkarte Referenzen in der oberen Symbolleiste auf den Pfeil neben dem Symbol Aktualisieren und wählen Sie die gewünschte Option aus dem Menü aus. Gesamtes Verzeichnis aktualisieren - die von Ihnen eingefügten Überschriften werden dem Verzeichnis hinzugefügt, gelöschte Überschriften werden entfernt, bearbeitete (umbenannte) Überschriften sowie Seitenzahlen werden aktualisiert. Nur Seitenzahlen aktualisieren - nur die Seitenzahlen werden aktualisiert, Änderungen an Überschriften werden nicht übernommen. Alternativ können Sie das Inhaltsverzeichnis direkt im Dokument auswählen, wählen Sie dann oben im Verzeichnis das Symbol Aktualisieren aus, um die zuvor beschriebenen Optionen anzuzeigen. Sie können auch einfach mit der rechten Maustaste an eine beliebige Stelle im Inhaltsverzeichnis klicken und die gewünschte Option aus dem Kontextmenü auswählen. Einstellungen für das Inhaltsverzeichnis anpassen Zum Öffnen der Einstellungen für das Inhaltsverzeichnis, gehen Sie vor wie folgt: Klicken Sie auf den Pfeil neben Inhaltsverzeichnis in der oberen Symbolleiste und wählen Sie die Option Einstellungen aus dem Menü aus. Wählen Sie das Inhaltsverzeichnis aus, klicken Sie auf den Pfeil und wählen Sie die Option Einstellungen aus dem Menü aus. Klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Inhaltsverzeichnis und wählen sie die Option Inhaltsverzeichnis - Einstellungen aus dem Kontextmenü aus. Im sich nun öffnenden Fenstern können Sie die folgenden Parameter festlegen: Seitenzahlen anzeigen - mit dieser Option wählen Sie aus, ob Seitenzahlen angezeigt werden sollen oder nicht. Seitenzahlen rechtsbündig ausrichten - mit dieser Option legen Sie fest, ob die Seitenzahlen am rechten Seitenrand ausgerichtet werden sollen oder nicht. Leader - mit dieser Option können Sie die Art des Leaders auswählen, den Sie verwenden möchten. Ein Leader ist eine Reihe von Zeichen (Punkte oder Trennzeichen), die den Abstand zwischen einer Überschrift und der entsprechenden Seitenzahl ausfüllen. Wenn Sie keinen Leader nutzen wollen, wählen Sie die Option Keinen. Einträge Inhaltsverzeichnis als Links formatieren - diese Option ist standardmäßig aktiviert. Wenn Sie das Kontrollkästchen deaktivieren, können Sie nicht länger in ein gewünschtes Kapitel wechseln, indem Sie die Taste STRG drücken und die entsprechende Überschrift anklicken. Inhaltsverzeichnis erstellen aus - In diesem Abschnitt können Sie die erforderliche Anzahl von Gliederungsebenen sowie die Standardstile angeben, die zum Erstellen des Inhaltsverzeichnisses verwendet werden sollen. Aktivieren Sie das erforderliche Optionsfeld: Gliederungsebenen - ist diese Option ausgewählt, können Sie die Anzahl der hierarchischen Ebenen anpassen, die im Inhaltsverzeichnis verwendet werden. Klicken Sie auf die Pfeile im Feld Ebenen, um die Anzahl der Ebenen zu verringern oder zu erhöhen (es sind die Werte 1 bis 9 verfügbar). Wenn Sie z. B. den Wert 3 auswählen, werden Überschriften der Ebenen 4 - 9 nicht in das Inhaltsverzeichnis aufgenommen. Ausgewählte Stile - ist diese Option ausgewählt, können Sie zusätzliche Stile angeben, die zum Erstellen des Inhaltsverzeichnisses verwendet werden können, und ihnen eine entsprechende Gliederungsebene zuweisen. Geben Sie die gewünschte Ebene in das Feld rechts neben dem Stil ein. Sobald Sie die Einstellungen gespeichert haben, können Sie diesen Stil zum Erstellen des Inhaltsverzeichnisses verwenden. Stile - mit dieser Option wählen Sie ein Inhaltsverzeichnis in dem von Ihnen gewünschte Stil aus einer Liste mit Vorlagen aus. Wählen Sie den gewünschten Stil aus der Dropdown-Liste aus: Im Feld Vorschau sehen Sie wie das Inhaltsverzeichnis mit dem gewählten Stil aussehen würde.Die folgenden vier Standardstile sind verfügbar: Einfach, Standard, Modern, Klassisch. Mit der Option Aktuell können Sie den Stil des Inhaltsverzeichnisses nach Ihren eigenen Wünschen anpassen. Klicken Sie im Fenster Einstellungen auf OK, um die Änderungen zu bestätigen. Stil des Inhaltsverzeichnisses anpassen Nachdem Sie eine der Standardvorlagen für Verzeichnisstile Fenster Inhaltsverzeichnis - Einstellungen angewendet haben, können Sie diesen Stil auch ändern, sodass der Text im Feld Inhaltsverzeichnis Ihren Wünschen entsprechend formatiert ist. Wählen Sie den Text innerhalb des Inhaltsverzeichnisfelds aus, z. B. indem Sie im Steuerungskasten für das Inhaltsverzeichnis auf die Schaltfläche klicken. Sie können die Elemente des Inhaltsverzeichnisses wie gewohnt formatieren und z. B. Schriftart, Größe, Farbe oder den Stile für die Schriftgestaltung ändern. Aktualisieren Sie entsprechend die Stile für die Elemente jeder Ebene. Um den Stil zu aktualisieren, klicken Sie mit der rechten Maustaste auf das formatierte Element, wählen Sie im Kontextmenü die Option Formatierung als Stil aus und klicken Sie auf die Option toc N Stil aktualisieren (Stil toc 2 entspricht Elementen der Ebene 2, Stil toc 3 entspricht Elementen der Ebene 3 usw.). Inhaltsverzeichnis aktualisieren Inhaltsverzeichnis entfernen Inhaltsverzeichnis aus dem Dokument entfernen: Klicken Sie auf den Pfeil neben Inhaltsverzeichnis in der oberen Symbolleiste und wählen Sie die Option Inhaltsverzeichnis entfernen aus dem Menü aus, oder klicken Sie auf den Pfeil neben dem Steuerelement Inhaltsverzeichnis und wählen Sie die Option Inhaltsverzeichnis entfernen aus." }, { "id": "UsageInstructions/DecorationStyles.htm", "title": "Dekoschriften anwenden", "body": "Im Dokumenteneditor das Symbol für Dekoschriften finden sie unter der Registerkarte Start in der oberen Symbolleiste. 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. Fett Der gewählte Textabschnitt wird durch fette Schrift hervorgehoben. Kursiv Der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hochgestellt Der gewählte Textabschnitt wird verkleinert und im oberen Teil der Textzeile platziert z.B. in Bruchzahlen. Tiefgestellt Der gewählte Textabschnitt wird verkleinert und im unteren Teil der Textzeile platziert z.B. in chemischen Formeln. Um auf erweiterte Schrifteinstellungen zuzugreifen, klicken Sie mit der rechten Maustaste und wählen Sie die Option Absatz - Erweiterte Einstellungen im Menü oder nutzen Sie den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster Absatz - Erweiterte Einstellungen öffnet sich, wechseln sie nun in die Registerkarte Schriftart. Hier stehen Ihnen die folgenden Deckoschriften und Einstellungen zur Verfügung: Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie. Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie. Hochgestellt - Textstellen verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Textstellen verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Kapitälchen - erzeugt Großbuchstaben in Höhe von Kleinbuchstaben. Großbuchstaben - alle Buchstaben als Großbuchstaben schreiben. Abstand - Abstand zwischen den einzelnen Zeichen einstellen. Erhöhen Sie den Standardwert für den Abstand Erweitert oder verringern Sie den Standardwert für den Abstand Verkürzt. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein. Position - Zeichenposition (vertikaler Versatz) in der Zeile festlegen. Erhöhen Sie den Standardwert, um Zeichen nach oben zu verschieben, oder verringern Sie den Standardwert, um Zeichen nach unten zu verschieben. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein.Alle Änderungen werden im Feld Vorschau unten angezeigt." }, + { + "id": "UsageInstructions/FillingOutForm.htm", + "title": "Formular ausfüllen", + "body": "Ein ausfüllbares Formular ist eine OFORM-Datei. OFORM ist ein Format zum Ausfüllen von Formularvorlagen und zum Herunterladen oder Ausdrucken des Formulars, nachdem Sie es ausgefüllt haben. Wie kann man ein Formular ausfüllen: Öffnen Sie die OFORM-Datei. Füllen Sie alle erforderlichen Felder aus. Die Pflichtfelder sind mit rotem Strich gekennzeichnet. Verwenden Sie oder auf dem obere Symbolleiste, um zwischen den Feldern zu navigieren, oder klicken Sie auf das Feld, das Sie ausfüllen möchten. Verwenden Sie die Schaltfläche Alle Felder leeren, um alle Eingabefelder zu leeren. Nachdem Sie alle Felder ausgefüllt haben, klicken Sie auf die Schaltfläche Als PDF speichern, um das Formular als PDF-Datei auf Ihrem Computer zu speichern. Klicken Sie auf in der oberen rechten Ecke der Symbolleiste, um zusätzliche Optionen anzuzeigen. Sie können das Formular Drucken, Als DOCX herunterladen oder Als PDF herunterladen. Sie können auch das Thema der Benutzeroberfläche des Formulars ändern, indem Sie Hell, Klassisch Hell oder Dunkel auswählen. Sobald das Thema Dunkelmodus aktiviert ist, wird der Dunkelmodus verfügbar Mit Zoom können Sie die Seite mithilfe der Funktionen Seite anpassen, Breite anpassen und Vergrößern oder Verkleinern skalieren und die Seitengröße ändern. Seite anpassen ermöglicht es, die Seite so zu skalieren, dass der Bildschirm die ganze Seite anzeigt. Breite anpassen ermöglicht es, die Seite so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird. Zoom ermöglicht das Vergrößern und Verkleinern der Seite. Dateispeicherort öffnen, wenn Sie den Ordner durchsuchen müssen, in dem das Formular gespeichert ist." + }, { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Schriftart, -größe und -farbe festlegen", @@ -190,6 +235,11 @@ var indexes = "title": "Formatvorlagen anwenden", "body": "Jede Formatvorlage besteht aus einer Reihe vordefinierter Formatierungsoptionen: (Schriftgröße, Farbe, Zeilenabstand, Ausrichtung usw.). Im Dokumenteneditor mit den Vorlagen können Sie verschiedene Segmente des Dokuments schnell formatieren (Überschriften, Zwischenüberschriften, Listen, normaler Text, Zitate) und müssen nicht jedes Mal mehrere Formatierungsoptionen einzeln anwenden. Gleichzeitig stellen Sie auf diese Weise auch ein einheitliches Erscheinungsbild für das gesamte Dokument sicher. Eine Vorlage kann immer nur bis zum Ende eines Absatzes angewendet werden. Standardstile verwenden: Verfügbaren Textformatvorlagen anwenden: Positionieren Sie den Cursor im gewünschten Abschnitt bzw. wählen Sie mehrere Absätze aus, auf die Sie eine Formatvorlage anwenden möchten. Wählen Sie eine gewünschte Vorlage rechts in der Registerkarte Start aus. Die folgenden Formatvorlagen sind verfügbar: Standard, Kein Leerraum, Überschrift 1-9, Titel, Untertitel, Zitat, intensives Zitat, Listenabsatz. Vorhandene Formatierungen bearbeiten und neue erstellen Eine vorhandene Formatierung ändern Wenden Sie die gewünschte Formatierung auf einen Absatz an. Markieren Sie den entsprechenden Absatz und ändern Sie alle benötigten Formatierungsparameter. Speichern Sie die vorgenommenen Änderungen: Klicken Sie mit der rechten Maustaste auf den editierten Text, wählen Sie die Option Formatierung als Vorlage und klicken Sie dann auf die Option „Stilname“ aktualisieren (der „Stilname“ entspricht dem Namen der Vorlagen, die Sie in Schritt 1 angewendet haben) oder wählen Sie die bearbeitete Textstelle mit der Maus aus, ziehen Sie die Stilgalerie herunter, klicken Sie mit der rechten Maustaste auf die Formatvorlage, die Sie ändern möchten und wählen Sie die Option Aus Auswahl aktualisieren. Wenn eine Formatvorlage geändert wird, werden alle Absätze innerhalb eines Dokuments entsprechend geändert, die mit dieser Vorlage formatiert worden sind. Erstellen einer neuen Vorlage: Formatieren Sie einen Textabschnitt nach Ihrem Belieben. Wählen Sie eine geeignete Methode um den Stil als Vorlage zu speichern: Klicken Sie mit der rechten Maustaste auf den editierten Text, wählen Sie die Option Formatierung als Vorlage und klicken Sie dann auf die Option Neue Vorlage erstellen oder wählen Sie die bearbeitete Textstelle mit der Maus aus, ziehen Sie die Stilgalerie herunter, klicken Sie auf die Option Auswahl als neue Vorlage übernehmen. Legen Sie die Parameter im Fenster Neue Vorlage erstellen fest: Geben Sie den Namen der neuen Formatvorlage in das dafür vorgesehene Texteingabefeld ein. Wählen Sie den gewünschten Stil für den folgenden Absatz aus der Liste Nächsten Absatz formatieren. Klicken Sie auf OK. Die neue Stilvorlage wird der Stilgalerie hinzugefügt. Benutzerdefinierten Vorlagen verwalten: Um die Standardeinstellungen einer bestimmten geänderten Formatvorlage wiederherzustellen, klicken Sie mit der rechten Maustaste auf die Vorlage, die Sie wiederherstellen möchten und wählen Sie die Option Standard wiederherstellen Um die Standardeinstellungen aller Formatvorlage wiederherzustellen, die Sie geändert haben, klicken Sie mit der rechten Maustaste auf eine Standardvorlage in der Stilgalerie und wählen Sie die Option Ale Standardvorlagen wiederherstellen Um eine der neu erstellten Vorlagen zu löschen, klicken Sie mit der rechten Maustaste auf den entsprechenden Stil und wählen Sie die Option Formatvorlage löschen. Um alle neu erstellten Vorlagen zu löschen, klicken Sie mit der rechten Maustaste auf eine beliebige neu erstellte Vorlage und wählen Sie die Option Alle benutzerdefinierten Vorlagen löschen." }, + { + "id": "UsageInstructions/HTML.htm", + "title": "HTML bearbeiten", + "body": "Wenn Sie eine Website-Seite in einem Texteditor schreiben und sie als HTML-Code erhalten möchten, verwenden Sie das HTML-Plugin. Öffnen Sie die Registerkarte Plugins und klicken Sie auf Get and paste html. Wählen Sie die erforderlichen Inhalte aus. Der HTML-Code des ausgewählten Absatzes wird im Plugin-Feld auf der linken Seite angezeigt. Sie können den Code bearbeiten, um die Textmerkmale zu ändern, z.B. Schriftgröße oder Schriftfamilie usw. Klicken Sie auf Paste into the document, um den Text mit seinem bearbeiteten HTML-Code an der aktuellen Cursorposition in Ihr Dokument einzufügen. Sie können auch Ihren eigenen HTML-Code schreiben (ohne einen Dokumentinhalt auszuwählen) und ihn dann in Ihr Dokument einfügen. Weitere Informationen zum HTML-Plugin und seiner Installation finden Sie auf der Plugin-Seite in AppDirectory." + }, { "id": "UsageInstructions/HighlightedCode.htm", "title": "Hervorgehobenen Code einfügen", @@ -198,7 +248,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "AutoFormen einfügen", - "body": "Fügen Sie eine automatische Form ein So fügen Sie Ihrem Dokument eine automatische Form hinzu im Dokumenteneditor: Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Formsymbol in der oberen Symbolleiste. Wählen Sie eine der verfügbaren Autoshape-Gruppen aus: Grundformen, figürliche Pfeile, Mathematik, Diagramme, Sterne und Bänder, Beschriftungen, Schaltflächen, Rechtecke, Linien, Klicken Sie auf die erforderliche automatische Form innerhalb der ausgewählten Gruppe. Platzieren Sie den Mauszeiger an der Stelle, an der die Form plaziert werden soll. Sobald die automatische Form hinzugefügt wurde, können Sie ihre Größe, Position und Eigenschaften ändern.Hinweis: Um eine Beschriftung innerhalb der automatischen Form hinzuzufügen, stellen Sie sicher, dass die Form auf der Seite ausgewählt ist, und geben Sie Ihren Text ein. Der auf diese Weise hinzugefügte Text wird Teil der automatischen Form (wenn Sie die Form verschieben oder drehen, wird der Text mit verschoben oder gedreht). Es ist auch möglich, der automatischen Form eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Untertiteln für Autoformen finden Sie in diesem Artikel. Verschieben und ändern Sie die Größe von Autoformen Um die Größe der automatischen Form zu ändern, ziehen Sie kleine Quadrate an den Formkanten. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen der ausgewählten automatischen Form während der Größenänderung beizubehalten. Wenn Sie einige Formen ändern, z. B. abgebildete Pfeile oder Beschriftungen, ist auch das gelbe rautenförmige Symbol verfügbar. Hier können Sie einige Aspekte der Form anpassen, z. B. die Länge der Pfeilspitze. Verwenden Sie zum Ändern der Position für die automatische Form das Symbol, das angezeigt wird, nachdem Sie den Mauszeiger über die automatische Form bewegt haben. Ziehen Sie die automatische Form an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie die automatische Form verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Um die automatische Form in Schritten von einem Pixel zu verschieben, halten Sie die Strg-Taste gedrückt und verwenden Sie die Tastenkombinationen. Halten Sie beim Ziehen die Umschalttaste gedrückt, um die automatische Form streng horizontal / vertikal zu verschieben und zu verhindern, dass sie sich senkrecht bewegt. Um die automatische Form zu drehen, bewegen Sie den Mauszeiger über den Drehgriff und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken. Hinweis: Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. Passen Sie die Autoshape-Einstellungen an Verwenden Sie das Rechtsklick-Menü, um Autoshapes auszurichten und anzuordnen. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Anordnen wird verwendet, um die ausgewählte automatische Form in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Formen zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um die Form links, mittig, rechts, oben, Mitte, unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position. Drehen wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Mit den Erweiterten Einstellungen der Form wird das Fenster \"Form - Erweiterte Einstellungen\" geöffnet. Einige der Einstellungen für die automatische Form können über die Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf die Form und wählen Sie rechts das Symbol Formeinstellungen . Hier können Sie folgende Eigenschaften ändern: Füllen - Verwenden Sie diesen Abschnitt, um die automatische Formfüllung auszuwählen. Sie können folgende Optionen auswählen: Farbfüllung - Wählen Sie diese Option aus, um die Volltonfarbe anzugeben, mit der Sie den Innenraum der ausgewählten Autoform füllen möchten. Klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbsätzen aus oder geben Sie eine beliebige Farbe an: Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten). Richtung - wählen Sie eine Vorlage aus dem Menü aus. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung. Farbverlauf - verwenden Sie diese Option, um die Form mit zwei oder mehr verblassenden Farben zu füllen. Passen Sie Ihre Farbverlaufsfüllung ohne Einschränkungen an. Klicken Sie auf die Form, um das rechte Füllungsmenü zu öffnen. Die verfügbare Menüoptionen: Stil - wählen Sie Linear oder Radial aus: Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Klicken Sie auf Richtung, um eine voreingestellte Richtung auszuwählen, und klicken Sie auf Winke, um einen genauen Verlaufswinkel einzugeben. Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild oder Textur - Wählen Sie diese Option, um ein Bild oder eine vordefinierte Textur als Formhintergrund zu verwenden. Wenn Sie ein Bild als Hintergrund für die Form verwenden möchten, können Sie ein Bild aus der Datei hinzufügen, indem Sie es auf der Festplatte Ihres Computers auswählen, oder aus der URL, indem Sie die entsprechende URL-Adresse in das geöffnete Fenster einfügen. Wenn Sie eine Textur als Hintergrund für die Form verwenden möchten, öffnen Sie das Menü Von Textur und wählen Sie die gewünschte Texturvoreinstellung aus.Derzeit sind folgende Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Maserung, Granit, graues Papier, Strick, Leder, braunes Papier, Papyrus, Holz. Falls das ausgewählte Bild weniger oder mehr Abmessungen als die automatische Form hat, können Sie die Einstellung Dehnen oder Kacheln aus der Dropdown-Liste auswählen.

                                            Mit der Option Kacheln können Sie nur einen Teil des größeren Bilds anzeigen, wobei die ursprünglichen Abmessungen beibehalten werden, oder das kleinere Bild wiederholen, wobei die ursprünglichen Abmessungen über der Oberfläche der automatischen Form beibehalten werden, sodass der Raum vollständig ausgefüllt werden kann. Hinweis: Jede ausgewählte Texturvoreinstellung füllt den Raum vollständig aus. Sie können jedoch bei Bedarf den Dehnungseffekt anwenden. Muster - Wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. Muster - Wählen Sie eines der vordefinierten Designs aus dem Menü. Vordergrundfarbe - Klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - Klicken Sie auf dieses Farbfeld, um die Farbe des Musterhintergrunds zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Deckkraft - Verwenden Sie diesen Abschnitt, um eine Deckkraftstufe festzulegen, indem Sie den Schieberegler ziehen oder den Prozentwert manuell eingeben. Der Standardwert ist 100%. Es entspricht der vollen Deckkraft. Der Wert 0% entspricht der vollen Transparenz. Strich - Verwenden Sie diesen Abschnitt, um die Breite, Farbe oder den Typ des Strichs für die automatische Formgebung zu ändern. Um die Strichbreite zu ändern, wählen Sie eine der verfügbaren Optionen aus der Dropdown-Liste Größe. Die verfügbaren Optionen sind: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keinen Strich verwenden möchten. Um die Strichfarbe zu ändern, klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus. Um den Strich-Typ zu ändern, wählen Sie die erforderliche Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie angewendet, Sie können sie in eine der verfügbaren gestrichelten Linien ändern). Die Drehung wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Klicken Sie auf eine der Schaltflächen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu drehen (von links nach rechts) um die Form vertikal zu drehen (verkehrt herum) Umbruchstil - Verwenden Sie diesen Abschnitt, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Autoshape ändern - Verwenden Sie diesen Abschnitt, um die aktuelle Autoshape durch eine andere zu ersetzen, die aus der Dropdown-Liste ausgewählt wurde. Schatten anzeigen - Aktivieren Sie diese Option, um die Form mit Schatten anzuzeigen. Passen Sie die erweiterten Einstellungen für die automatische Form an Um die erweiterten Einstellungen der automatischen Form zu ändern, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Erweiterte Einstellungen im Menü oder verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster 'Form - Erweiterte Einstellungen' wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite - Verwenden Sie eine dieser Optionen, um die automatische Formbreite zu ändern. Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option). Relativ - Geben Sie einen Prozentsatz relativ zur linken Randbreite, dem Rand (d. H. Dem Abstand zwischen dem linken und rechten Rand), der Seitenbreite oder der rechten Randbreite an. Höhe - Verwenden Sie eine dieser Optionen, um die Höhe der automatischen Form zu ändern. Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option). Relativ - Geben Sie einen Prozentsatz relativ zum Rand (d. H. Dem Abstand zwischen dem oberen und unteren Rand), der Höhe des unteren Randes, der Seitenhöhe oder der Höhe des oberen Randes an. Wenn die Option Seitenverhältnis sperren aktiviert ist, werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Seitenverhältnis beibehalten wird. Die Registerkarte Rotation enthält die folgenden Parameter: Winkel - Verwenden Sie diese Option, um die Form um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an. Gekippt - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal umzudrehen (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (verkehrt herum). Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position der Form relativ zum Text zu ändern: Sie ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Die Form wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch die Form. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann die Form unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das die Form begrenzt. Eng - Der Text umschließt die tatsächlichen Formkanten. Durch - Der Text wird um die Formkanten gewickelt und füllt den offenen weißen Bereich innerhalb der Form aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird. Oben und unten - der Text befindet sich nur über und unter der Form. Vorne - die Form überlappt den Text. Dahinter - der Text überlappt die Form. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand. Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand. Im vertikalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich die automatische Form so bewegt, wie sich der Text bewegt, an dem sie verankert ist. Überlappungssteuerung zulassen steuert, ob sich zwei automatische Formen überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen Die Registerkarte Gewichte und Pfeile enthält die folgenden Parameter: Linienstil - In dieser Optionsgruppe können die folgenden Parameter angegeben werden: Kappentyp - Mit dieser Option können Sie den Stil für das Ende der Linie festlegen. Daher kann er nur auf Formen mit offenem Umriss angewendet werden, z. B. Linien, Polylinien usw.: Flach - Die Endpunkte sind flach. Runden - Die Endpunkte werden gerundet. Quadrat - Die Endpunkte sind quadratisch. Verbindungstyp - Mit dieser Option können Sie den Stil für den Schnittpunkt zweier Linien festlegen. Dies kann sich beispielsweise auf eine Polylinie oder die Ecken des Dreiecks oder Rechteckumrisses auswirken: Rund - die Ecke wird abgerundet. Abschrägung - die Ecke wird eckig abgeschnitten. Gehrung - die Ecke wird spitz. Es passt gut zu Formen mit scharfen Winkeln. Hinweis: Der Effekt macht sich stärker bemerkbar, wenn Sie eine große Umrissbreite verwenden. Pfeile - Diese Optionsgruppe ist verfügbar, wenn eine Form aus der Formgruppe Linien ausgewählt ist. Sie können den Pfeil Start- und Endstil und -größe festlegen, indem Sie die entsprechende Option aus den Dropdown-Listen auswählen. Auf der Registerkarte Textauffüllung können Sie die inneren Ränder der oberen, unteren, linken und rechten Form der automatischen Form ändern (d. H. Den Abstand zwischen dem Text innerhalb der Form und den Rahmen der automatischen Form). Hinweis: Diese Registerkarte ist nur verfügbar, wenn Text innerhalb der automatischen Form hinzugefügt wird. Andernfalls ist die Registerkarte deaktiviert. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen in der Form enthalten sind." + "body": "Fügen Sie eine automatische Form ein So fügen Sie Ihrem Dokument eine automatische Form hinzu im Dokumenteneditor: Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Formsymbol in der oberen Symbolleiste. Wählen Sie eine der verfügbaren Autoshape-Gruppen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne und Bänder, Legenden, Buttons, Rechtecke, Linien. Klicken Sie auf die erforderliche automatische Form innerhalb der ausgewählten Gruppe. Platzieren Sie den Mauszeiger an der Stelle, an der die Form plaziert werden soll. Sobald die automatische Form hinzugefügt wurde, können Sie ihre Größe, Position und Eigenschaften ändern. Um eine Beschriftung innerhalb der automatischen Form hinzuzufügen, stellen Sie sicher, dass die Form auf der Seite ausgewählt ist, und geben Sie Ihren Text ein. Der auf diese Weise hinzugefügte Text wird Teil der automatischen Form (wenn Sie die Form verschieben oder drehen, wird der Text mit verschoben oder gedreht). Es ist auch möglich, der automatischen Form eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Untertiteln für Autoformen finden Sie in diesem Artikel. Verschieben und ändern Sie die Größe von Autoformen Um die Größe der automatischen Form zu ändern, ziehen Sie kleine Quadrate an den Formkanten. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen der ausgewählten automatischen Form während der Größenänderung beizubehalten. Wenn Sie einige Formen ändern, z. B. abgebildete Pfeile oder Beschriftungen, ist auch das gelbe rautenförmige Symbol verfügbar. Hier können Sie einige Aspekte der Form anpassen, z. B. die Länge der Pfeilspitze. Verwenden Sie zum Ändern der Position der automatischen Form das Symbol , das angezeigt wird, nachdem Sie den Mauszeiger über die automatische Form bewegt haben. Ziehen Sie die Autoform an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie die automatische Form verschieben, werden die Hilfslinien angezeigt, damit Sie das Objekt präzise auf der Seite positionieren können (wenn der ausgewählte Umbruchstil nicht „Inline“ ist). Um die automatische Form in Ein-Pixel-Schritten zu verschieben, halten Sie die Strg-Taste gedrückt und verwenden Sie die Pfeiltasten. Um die automatische Form streng horizontal/vertikal zu verschieben und zu verhindern, dass sie sich in eine senkrechte Richtung bewegt, halten Sie beim Ziehen die Umschalttaste gedrückt. Um die automatische Form zu drehen, bewegen Sie den Mauszeiger über den Drehgriff und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken. Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. AutoForm-Einstellungen anpassen Verwenden Sie das Rechtsklick-Menü, um Autoshapes auszurichten und anzuordnen. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Auswahl drucken wird verwendet, um nur einen ausgewählten Teil des Dokuments auszudrucken. Änderungen annehmen / ablehnen wird verwendet, um nachverfolgte Änderungen in einem freigegebenen Dokument anzunehmen oder abzulehnen. Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern. Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken und ziehen Sie ihn, um den Punkt neu zu positionieren und den Umriss der Form zu ändern. Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen. Um einer Form einen Punkt hinzuzufügen, halten Sie Strg gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten. Um einen Punkt zu löschen, halten Sie Strg gedrückt und klicken Sie auf den unnötigen Punkt. Anordnen wird verwendet, um die ausgewählte automatische Form in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Formen zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um die Form links, mittig, rechts, oben, Mitte, unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position. Drehen wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Mit den Erweiterten Einstellungen der Form wird das Fenster \"Form - Erweiterte Einstellungen\" geöffnet. Einige der Einstellungen für die automatische Form können über die Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf die Form und wählen Sie rechts das Symbol Formeinstellungen . Hier können Sie folgende Eigenschaften ändern: Füllen - Verwenden Sie diesen Abschnitt, um die automatische Formfüllung auszuwählen. Sie können folgende Optionen auswählen: Farbfüllung - Wählen Sie diese Option aus, um die Volltonfarbe anzugeben, mit der Sie den Innenraum der ausgewählten Autoform füllen möchten. Klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbsätzen aus oder geben Sie eine beliebige Farbe an: Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Die verfügbaren Menüoptionen: Stil - wählen Sie Linear oder Radial aus: Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Das Vorschaufenster Richtung zeigt die ausgewählte Verlaufsfarbe an. Klicken Sie auf den Pfeil, um eine voreingestellte Verlaufsrichtung auszuwählen. Verwenden Sie Winkel-Einstellungen für einen präzisen Verlaufswinkel. Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild oder Textur - Wählen Sie diese Option, um ein Bild oder eine vordefinierte Textur als Formhintergrund zu verwenden. Wenn Sie ein Bild als Hintergrund für die Form verwenden möchten, können Sie ein Bild aus der Datei hinzufügen, indem Sie es auf der Festplatte Ihres Computers auswählen, oder aus der URL, indem Sie die entsprechende URL-Adresse in das geöffnete Fenster einfügen. Wenn Sie eine Textur als Hintergrund für die Form verwenden möchten, öffnen Sie das Menü Von Textur und wählen Sie die gewünschte Texturvoreinstellung aus. Derzeit sind folgende Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Maserung, Granit, graues Papier, Strick, Leder, braunes Papier, Papyrus, Holz. Falls das ausgewählte Bild weniger oder mehr Abmessungen als die automatische Form hat, können Sie die Einstellung Dehnen oder Kacheln aus der Dropdown-Liste auswählen.

                                            Mit der Option Dehnen können Sie die Bildgröße an die Größe der automatischen Form anpassen, sodass sie den Raum vollständig ausfüllen kann. Mit der Option Kacheln können Sie nur einen Teil des größeren Bilds anzeigen, wobei die ursprünglichen Abmessungen beibehalten werden, oder das kleinere Bild wiederholen, wobei die ursprünglichen Abmessungen über der Oberfläche der automatischen Form beibehalten werden, sodass der Raum vollständig ausgefüllt werden kann. Jede ausgewählte Texturvoreinstellung füllt den Raum vollständig aus. Sie können jedoch bei Bedarf den Dehnungseffekt anwenden. Muster - Wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. Muster - Wählen Sie eines der vordefinierten Designs aus dem Menü. Vordergrundfarbe - Klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - Klicken Sie auf dieses Farbfeld, um die Farbe des Musterhintergrunds zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Deckkraft - Verwenden Sie diesen Abschnitt, um eine Deckkraftstufe festzulegen, indem Sie den Schieberegler ziehen oder den Prozentwert manuell eingeben. Der Standardwert ist 100%. Es entspricht der vollen Deckkraft. Der Wert 0% entspricht der vollen Transparenz. Strich - Verwenden Sie diesen Abschnitt, um die Breite, Farbe oder den Typ des Strichs für die automatische Formgebung zu ändern. Um die Strichbreite zu ändern, wählen Sie eine der verfügbaren Optionen aus der Dropdown-Liste Größe. Die verfügbaren Optionen sind: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keinen Strich verwenden möchten. Um die Strichfarbe zu ändern, klicken Sie auf das farbige Feld unten und wählen Sie die gewünschte Farbe aus. Um den Strich-Typ zu ändern, wählen Sie die erforderliche Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie angewendet, Sie können sie in eine der verfügbaren gestrichelten Linien ändern). Die Drehung wird verwendet, um die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um die Form horizontal oder vertikal zu drehen. Klicken Sie auf eine der Schaltflächen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu drehen (von links nach rechts) um die Form vertikal zu drehen (verkehrt herum) Umbruchstil - Verwenden Sie diesen Abschnitt, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Autoshape ändern - Verwenden Sie diesen Abschnitt, um die aktuelle Autoshape durch eine andere zu ersetzen, die aus der Dropdown-Liste ausgewählt wurde. Schatten anzeigen - Aktivieren Sie diese Option, um die Form mit Schatten anzuzeigen. Die erweiterten Einstellungen für die automatische Form anpassen Um die erweiterten Einstellungen der automatischen Form zu ändern, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Erweiterte Einstellungen im Menü oder verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster 'Form - Erweiterte Einstellungen' wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite - Verwenden Sie eine dieser Optionen, um die automatische Formbreite zu ändern. Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option). Relativ - Geben Sie einen Prozentsatz relativ zur linken Randbreite, dem Rand (d. H. Dem Abstand zwischen dem linken und rechten Rand), der Seitenbreite oder der rechten Randbreite an. Höhe - Verwenden Sie eine dieser Optionen, um die Höhe der automatischen Form zu ändern. Absolut - Geben Sie einen genauen Wert an, der in absoluten Einheiten gemessen wird, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen ... angegebenen Option). Relativ - Geben Sie einen Prozentsatz relativ zum Rand (d. H. Dem Abstand zwischen dem oberen und unteren Rand), der Höhe des unteren Randes, der Seitenhöhe oder der Höhe des oberen Randes an. Wenn die Option Seitenverhältnis sperren aktiviert ist, werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Seitenverhältnis beibehalten wird. Die Registerkarte Rotation enthält die folgenden Parameter: Winkel - Verwenden Sie diese Option, um die Form um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an. Gekippt - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal umzudrehen (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (verkehrt herum). Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position der Form relativ zum Text zu ändern: Sie ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Die Form wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch die Form. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann die Form unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das die Form begrenzt. Eng - Der Text umschließt die tatsächlichen Formkanten. Durch - Der Text wird um die Formkanten gewickelt und füllt den offenen weißen Bereich innerhalb der Form aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird. Oben und unten - der Text befindet sich nur über und unter der Form. Vorne - die Form überlappt den Text. Dahinter - der Text überlappt die Form. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand. Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand. Im vertikalen Bereich können Sie einen der folgenden drei Positionierungstypen für die automatische Form auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich die automatische Form so bewegt, wie sich der Text bewegt, an dem sie verankert ist. Überlappungssteuerung zulassen steuert, ob sich zwei automatische Formen überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen Die Registerkarte Gewichte und Pfeile enthält die folgenden Parameter: Linienstil - In dieser Optionsgruppe können die folgenden Parameter angegeben werden: Kappentyp - Mit dieser Option können Sie den Stil für das Ende der Linie festlegen. Daher kann er nur auf Formen mit offenem Umriss angewendet werden, z. B. Linien, Polylinien usw.: Flach - Die Endpunkte sind flach. Runden - Die Endpunkte werden gerundet. Quadrat - Die Endpunkte sind quadratisch. Verbindungstyp - Mit dieser Option können Sie den Stil für den Schnittpunkt zweier Linien festlegen. Dies kann sich beispielsweise auf eine Polylinie oder die Ecken des Dreiecks oder Rechteckumrisses auswirken: Rund - die Ecke wird abgerundet. Abschrägung - die Ecke wird eckig abgeschnitten. Gehrung - die Ecke wird spitz. Es passt gut zu Formen mit scharfen Winkeln. Der Effekt macht sich stärker bemerkbar, wenn Sie eine große Umrissbreite verwenden. Pfeile - Diese Optionsgruppe ist verfügbar, wenn eine Form aus der Formgruppe Linien ausgewählt ist. Sie können den Pfeil Start- und Endstil und -größe festlegen, indem Sie die entsprechende Option aus den Dropdown-Listen auswählen. Auf der Registerkarte Textauffüllung können Sie die inneren Ränder der oberen, unteren, linken und rechten Form der automatischen Form ändern (d. H. Den Abstand zwischen dem Text innerhalb der Form und den Rahmen der automatischen Form). Diese Registerkarte ist nur verfügbar, wenn Text innerhalb der automatischen Form hinzugefügt wird. Andernfalls ist die Registerkarte deaktiviert. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen in der Form enthalten sind." }, { "id": "UsageInstructions/InsertBookmarks.htm", @@ -208,7 +258,7 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Diagramme einfügen", - "body": "Fügen Sie ein Diagramm ein Um ein Diagramm im Dokumenteneditor einzufügen, Setzen Sie den Zeiger an die Stelle, an der Sie ein Diagramm hinzufügen möchten. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Symbol Diagramm in der oberen Symbolleiste. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Danach erscheint das Fenster Diagrammeditor, in dem Sie die erforderlichen Daten mit den folgenden Steuerelementen in die Zellen eingeben können: und zum Kopieren und Einfügen der kopierten Daten. und zum Rückgängigmachen und Wiederherstellen von Aktionen zum Einfügen einer Funktion und zum Verringern und Erhöhen von Dezimalstellen zum Ändern des Zahlenformats, d. h. der Art und Weise, wie die von Ihnen eingegebenen Zahlen in Zellen angezeigt werden zur Auswahl eines anderen Diagrammtyps. Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor, um den Diagrammtyp und -stil auszuwählen. Wählen Sie den Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte, Linie, Kreis, Balken, Fläche, Kurs, Punkte (XY) oder Verbund. Wenn Sie den Typ Verbund auswählen, listet das Fenster Diagrammtyp die Diagrammreihen auf und ermöglicht die Auswahl der zu kombinierenden Diagrammtypen und die Auswahl von Datenreihen, die auf einer Sekundärachse platziert werden sollen. Ändern Sie die Diagrammeinstellungen, indem Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor klicken. Das Fenster Diagramm - Erweiterte Einstellungen wird geöffnet. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Geben Sie die Position des Diagrammtitels in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen Diagrammtitel anzuzeigen, Überlagern, um einen Titel auf dem Plotbereich zu überlagern und zu zentrieren. Keine Überlagerung, um den Titel über dem Plotbereich anzuzeigen. Geben Sie die Position der Legende in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Legende anzuzeigen, Unten, um die Legende anzuzeigen und am unteren Rand des Plotbereichs auszurichten. Oben, um die Legende anzuzeigen und am oberen Rand des Plotbereichs auszurichten. Rechts, um die Legende anzuzeigen und rechts vom Plotbereich auszurichten, Links, um die Legende anzuzeigen und links vom Plotbereich auszurichten. Linke Überlagerung zum Überlagern und Zentrieren der Legende links im Plotbereich. Rechte Überlagerung zum Überlagern und Zentrieren der Legende rechts im Plotbereich. Geben Sie die Parameter für Datenbeschriftungen (d. H. Textbeschriftungen, die exakte Werte von Datenpunkten darstellen) an: Geben Sie die Position der Datenbeschriftungen relativ zu den Datenpunkten an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus. Die verfügbaren Optionen variieren je nach ausgewähltem Diagrammtyp. Für Spalten- / Balkendiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Innen unten, Innen oben, Außen oben. Für Linien- / XY- / Kurs-Diagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Links, Rechts, Oben, Unten. Für Kreisdiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, An Breite anpassen, Innen oben, Außen oben. Für Flächendiagramme sowie für 3D-Spalten-, Linien- und Balkendiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte. Wählen Sie die Daten aus, die Sie in Ihre Etiketten aufnehmen möchten, und aktivieren Sie die entsprechenden Kontrollkästchen: Serienname, Kategorienname, Wert. Geben Sie ein Zeichen (Komma, Semikolon etc.), das Sie zum Trennen mehrerer Beschriftungen verwenden möchten, in das Eingabefeld Datenetiketten-Trennzeichen ein. Linien - wird verwendet, um einen Linienstil für Linien- / XY-Diagramme (Punktdiagramme) auszuwählen. Sie können eine der folgenden Optionen auswählen: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, Glätten, um glatte Kurven zwischen Datenpunkten zu verwenden, oder Keine, um keine Linien anzuzeigen. Markierungen - wird verwendet, um anzugeben, ob die Markierungen für Linien- / XY-Diagramme angezeigt werden sollen (wenn das Kontrollkästchen aktiviert ist) oder nicht (wenn das Kontrollkästchen deaktiviert ist). Die Optionen Linien und Markierungen sind nur für Liniendiagramme und XY-Diagramme verfügbar. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitterlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitterlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Verschieben und Ändern der Größe von Diagrammen Sobald das Diagramm hinzugefügt wurde, können Sie seine Größe und Position ändern. Um die Diagrammgröße zu ändern, ziehen Sie kleine Quadrate an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Diagramms während der Größenänderung beizubehalten. Verwenden Sie zum Ändern der Diagrammposition das Symbol , das angezeigt wird, nachdem Sie den Mauszeiger über das Diagramm bewegt haben. Ziehen Sie das Diagramm an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Diagramm verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen ein. Um die Schriftformatierung in Textelementen wie Diagrammtitel, Achsentiteln, Legendeneinträgen, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement aus, indem Sie mit der linken Maustaste darauf klicken. Verwenden Sie dann die Symbole auf der Registerkarte Start der oberen Symbolleiste, um den Schrifttyp, die Größe, die Farbe oder den Dekorationsstil zu ändern. Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form Füll-, Strich- und Umhüllungsstil anzupassen. Beachten Sie, dass Sie den Formtyp nicht ändern können. Über die Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Plotbereich, Datenreihen, Diagrammtitel, Legende usw. ändern und verschiedene Füllarten auf sie anwenden. Wählen Sie das Diagrammelement aus, indem Sie mit der linken Maustaste darauf klicken, und wählen Sie den bevorzugten Fülltyp aus: Volltonfarbe, Verlauf, Textur oder Bild, Muster. Geben Sie die Füllparameter an und legen Sie gegebenenfalls die Deckkraftstufe fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitterlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Breite und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Strichen finden Sie auf dieser Seite. Hinweis: Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, für Diagrammelemente jedoch deaktiviert. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Entf-Taste auf der Tastatur. Sie können 3D-Diagramme auch mit der Maus drehen. Klicken Sie mit der linken Maustaste in den Plotbereich und halten Sie die Maustaste gedrückt. Ziehen Sie den Zeiger, ohne die Maustaste loszulassen, um die Ausrichtung des 3D-Diagramms zu ändern. Passen Sie die Diagrammeinstellungen an Einige Diagrammeigenschaften können über der Registerkarte Diagrammeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Diagramm und wählen Sie rechts das Symbol Diagrammeinstellungen . Hier können die folgenden Eigenschaften ändern: Größe wird verwendet, um die aktuelle Diagrammbreite und -höhe anzuzeigen. Umbruchstil wird verwendet, um einen Textumbruchstil auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Diagrammtyp ändern wird verwendet, um den ausgewählten Diagrammtyp und / oder -stil zu ändern. Verwenden Sie zum Auswählen des erforderlichen Diagrammstils das zweite Dropdown-Menü im Abschnitt Diagrammtyp ändern. Daten bearbeiten wird verwendet, um das Fenster 'Diagrammeditor' zu öffnen.Hinweis: Um das Fenster Diagrammeditor schnell zu öffnen, können Sie auch auf das Diagramm im Dokument doppelklicken. Einige dieser Optionen finden Sie auch im Kontextmenu. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Anordnen wird verwendet, um das ausgewählte Diagramm in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Diagramme zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um das Diagramm links, in der Mitte, rechts, oben, in der Mitte und unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten. Die Option Wrap-Grenze bearbeiten ist für Diagramme nicht verfügbar. Daten bearbeiten wird verwendet, um das Fenster,Diagrammeditor zu öffnen. Mit den Erweiterten Karteneinstellungen wird das Fenster „Diagramme - Erweiterte Einstellungen“ geöffnet. Um die erweiterten Diagrammeinstellungen zu ändern, klicken Sie mit der rechten Maustaste auf das gewünschte Diagramm und wählen Sie im Kontextmenü die Option Erweiterte Einstellungen des Diagramms aus, oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Diagrammeigenschaften wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - Verwenden Sie diese Optionen, um die Diagrammbreite und / oder -höhe zu ändern. Wenn Sie auf die Schaltfläche Konstante Proportionen klicken (in diesem Fall sieht es so aus ), werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Diagrammseitenverhältnis beibehalten wird. Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position des Diagramms relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Das Diagramm wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Diagramm. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann das Diagramm unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das das Diagramm begrenzt. Eng - Der Text umschließt die tatsächlichen Diagrammkanten. Durch - Der Text wird um die Diagrammkanten gewickelt und füllt den offenen weißen Bereich innerhalb des Diagramms aus. Oben und unten - Der Text befindet sich nur über und unter dem Diagramm. Vorne - das Diagramm überlappt dem Text. Dahinter - der Text überlappt das Diagramm. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand. Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Relative Position gemessen in in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand Im vertikalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option) unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich das Diagramm so bewegt, wie sich der Text bewegt, an dem es verankert ist. Überlappungssteuerung zulassen steuert, ob sich zwei Diagramme überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen in der Tabelle enthalten sind." + "body": "Fügen Sie ein Diagramm ein Um ein Diagramm im Dokumenteneditor einzufügen, Setzen Sie den Zeiger an die Stelle, an der Sie ein Diagramm hinzufügen möchten. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Symbol Diagramm in der oberen Symbolleiste. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Gestapelte Balken Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination ONLYOFFICE Dokumenteneditor unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern. Danach erscheint das Fenster Diagrammeditor, in dem Sie die erforderlichen Daten mit den folgenden Steuerelementen in die Zellen eingeben können: und zum Kopieren und Einfügen der kopierten Daten. und zum Rückgängigmachen und Wiederherstellen von Aktionen zum Einfügen einer Funktion und zum Verringern und Erhöhen von Dezimalstellen zum Ändern des Zahlenformats, d. h. der Art und Weise, wie die von Ihnen eingegebenen Zahlen in Zellen angezeigt werden zur Auswahl eines anderen Diagrammtyps. Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor, um den Diagrammtyp und -stil auszuwählen. Wählen Sie den Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte, Linie, Kreis, Balken, Fläche, Kurs, Punkte (XY) oder Verbund. Wenn Sie den Typ Verbund auswählen, listet das Fenster Diagrammtyp die Diagrammreihen auf und ermöglicht die Auswahl der zu kombinierenden Diagrammtypen und die Auswahl von Datenreihen, die auf einer Sekundärachse platziert werden sollen. Ändern Sie die Diagrammeinstellungen, indem Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor klicken. Das Fenster Diagramm - Erweiterte Einstellungen wird geöffnet. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Geben Sie die Position des Diagrammtitels in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen Diagrammtitel anzuzeigen, Überlagern, um einen Titel auf dem Plotbereich zu überlagern und zu zentrieren. Keine Überlagerung, um den Titel über dem Plotbereich anzuzeigen. Geben Sie die Position der Legende in Bezug auf Ihr Diagramm an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Legende anzuzeigen, Unten, um die Legende anzuzeigen und am unteren Rand des Plotbereichs auszurichten. Oben, um die Legende anzuzeigen und am oberen Rand des Plotbereichs auszurichten. Rechts, um die Legende anzuzeigen und rechts vom Plotbereich auszurichten, Links, um die Legende anzuzeigen und links vom Plotbereich auszurichten. Linke Überlagerung zum Überlagern und Zentrieren der Legende links im Plotbereich. Rechte Überlagerung zum Überlagern und Zentrieren der Legende rechts im Plotbereich. Geben Sie die Parameter für Datenbeschriftungen (d. H. Textbeschriftungen, die exakte Werte von Datenpunkten darstellen) an: Geben Sie die Position der Datenbeschriftungen relativ zu den Datenpunkten an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus. Die verfügbaren Optionen variieren je nach ausgewähltem Diagrammtyp. Für Spalten- / Balkendiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Innen unten, Innen oben, Außen oben. Für Linien- / XY- / Kurs-Diagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, Links, Rechts, Oben, Unten. Für Kreisdiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte, An Breite anpassen, Innen oben, Außen oben. Für Flächendiagramme sowie für 3D-Spalten-, Linien- und Balkendiagramme können Sie die folgenden Optionen auswählen: Keine, Mitte. Wählen Sie die Daten aus, die Sie in Ihre Etiketten aufnehmen möchten, und aktivieren Sie die entsprechenden Kontrollkästchen: Serienname, Kategorienname, Wert. Geben Sie ein Zeichen (Komma, Semikolon etc.), das Sie zum Trennen mehrerer Beschriftungen verwenden möchten, in das Eingabefeld Datenetiketten-Trennzeichen ein. Linien - wird verwendet, um einen Linienstil für Linien- / XY-Diagramme (Punktdiagramme) auszuwählen. Sie können eine der folgenden Optionen auswählen: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, Glätten, um glatte Kurven zwischen Datenpunkten zu verwenden, oder Keine, um keine Linien anzuzeigen. Markierungen - wird verwendet, um anzugeben, ob die Markierungen für Linien- / XY-Diagramme angezeigt werden sollen (wenn das Kontrollkästchen aktiviert ist) oder nicht (wenn das Kontrollkästchen deaktiviert ist). Die Optionen Linien und Markierungen sind nur für Liniendiagramme und XY-Diagramme verfügbar. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitterlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitterlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse sind den Einstellungen auf der vertikalen/horizontalen Achse ähnlich. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Verschieben und Ändern der Größe von Diagrammen Sobald das Diagramm hinzugefügt wurde, können Sie seine Größe und Position ändern. Um die Diagrammgröße zu ändern, ziehen Sie kleine Quadrate an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Diagramms während der Größenänderung beizubehalten. Verwenden Sie zum Ändern der Diagrammposition das Symbol , das angezeigt wird, nachdem Sie den Mauszeiger über das Diagramm bewegt haben. Ziehen Sie das Diagramm an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Diagramm verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen ein. Um die Schriftformatierung in Textelementen wie Diagrammtitel, Achsentiteln, Legendeneinträgen, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement aus, indem Sie mit der linken Maustaste darauf klicken. Verwenden Sie dann die Symbole auf der Registerkarte Start der oberen Symbolleiste, um den Schrifttyp, die Größe, die Farbe oder den Dekorationsstil zu ändern. Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form Füll-, Strich- und Umhüllungsstil anzupassen. Beachten Sie, dass Sie den Formtyp nicht ändern können. Über die Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Plotbereich, Datenreihen, Diagrammtitel, Legende usw. ändern und verschiedene Füllarten auf sie anwenden. Wählen Sie das Diagrammelement aus, indem Sie mit der linken Maustaste darauf klicken, und wählen Sie den bevorzugten Fülltyp aus: Volltonfarbe, Verlauf, Textur oder Bild, Muster. Geben Sie die Füllparameter an und legen Sie gegebenenfalls die Deckkraftstufe fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitterlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Breite und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Strichen finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, für Diagrammelemente jedoch deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern möchten, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs von das Element. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf, vergewissern Sie sich, so dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element in die benötigte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Entf-Taste auf der Tastatur. Sie können 3D-Diagramme auch mit der Maus drehen. Klicken Sie mit der linken Maustaste in den Plotbereich und halten Sie die Maustaste gedrückt. Ziehen Sie den Zeiger, ohne die Maustaste loszulassen, um die Ausrichtung des 3D-Diagramms zu ändern. Die Diagrammeinstellungen anpassen Einige Diagrammeigenschaften können über der Registerkarte Diagrammeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Diagramm und wählen Sie rechts das Symbol Diagrammeinstellungen . Hier können die folgenden Eigenschaften ändern: Größe wird verwendet, um die aktuelle Diagrammbreite und -höhe anzuzeigen. Umbruchstil wird verwendet, um einen Textumbruchstil auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Diagrammtyp ändern wird verwendet, um den ausgewählten Diagrammtyp und / oder -stil zu ändern. Verwenden Sie zum Auswählen des erforderlichen Diagrammstils das zweite Dropdown-Menü im Abschnitt Diagrammtyp ändern. Daten bearbeiten wird verwendet, um das Fenster 'Diagrammeditor' zu öffnen. Um das Fenster Diagrammeditor schnell zu öffnen, können Sie auch auf das Diagramm im Dokument doppelklicken. Einige dieser Optionen finden Sie auch im Kontextmenu. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Anordnen wird verwendet, um das ausgewählte Diagramm in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Diagramme zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit mehreren von ihnen gleichzeitig auszuführen. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um das Diagramm links, in der Mitte, rechts, oben, in der Mitte und unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten. Die Option Wrap-Grenze bearbeiten ist für Diagramme nicht verfügbar. Daten bearbeiten wird verwendet, um das Fenster,Diagrammeditor zu öffnen. Mit den Erweiterten Karteneinstellungen wird das Fenster „Diagramme - Erweiterte Einstellungen“ geöffnet. Um die erweiterten Diagrammeinstellungen zu ändern, klicken Sie mit der rechten Maustaste auf das gewünschte Diagramm und wählen Sie im Kontextmenü die Option Erweiterte Einstellungen des Diagramms aus, oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Diagrammeigenschaften wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - Verwenden Sie diese Optionen, um die Diagrammbreite und / oder -höhe zu ändern. Wenn Sie auf die Schaltfläche Konstante Proportionen klicken (in diesem Fall sieht es so aus ), werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Diagrammseitenverhältnis beibehalten wird. Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position des Diagramms relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Das Diagramm wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Diagramm. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann das Diagramm unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das das Diagramm begrenzt. Eng - Der Text umschließt die tatsächlichen Diagrammkanten. Durch - Der Text wird um die Diagrammkanten gewickelt und füllt den offenen weißen Bereich innerhalb des Diagramms aus. Oben und unten - Der Text befindet sich nur über und unter dem Diagramm. Vorne - das Diagramm überlappt dem Text. Dahinter - der Text überlappt das Diagramm. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand. Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Relative Position gemessen in in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand Im vertikalen Bereich können Sie einen der folgenden drei Diagrammpositionierungstypen auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position, gemessen in absoluten Einheiten, d. H. Zentimeter/Punkte/Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen...angegebenen Option) unter Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich das Diagramm so bewegt, wie sich der Text bewegt, an dem es verankert ist. Überlappungssteuerung zulassen steuert, ob sich zwei Diagramme überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen in der Tabelle enthalten sind." }, { "id": "UsageInstructions/InsertContentControls.htm", @@ -238,7 +288,7 @@ var indexes = { "id": "UsageInstructions/InsertEquation.htm", "title": "Formeln einfügen", - "body": "Mit dem Dokumenteneditor können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Positionieren Sie den Mauszeiger an der gewünschten Stelle. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operators, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Gleichung. Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt. Wenn die ausgewählte Zeile leer ist, wird die Gleichung zentriert. Um die Formel links- oder rechtsbündig auszurichten, klicken Sie auf der Registerkarte Start auf oder .Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie in alle Platzhalter die gewünschten Werte ein. Hinweis: Um eine Gleichung zu erstellen, können Sie auch die Tastenkombination Alt + = verwenden. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt mithilfe der Tastaturpfeile um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten. Wenn Sie unter dem Slot einen neuen Platzhalter erstellen wollen, positionieren Sie den Cursor in der ausgwählten Vorlage und drücken Sie die Eingabetaste.Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in den Platzhaltern einfügen: Geben Sie geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Hinweis: aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben werden, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Wenn Sie einen manuellen Zeilenumbruch eingefügt haben können Sie die neue Zeile mithilfe der Tab- Taste an die mathematischen Operatoren der vorherigen Zeile anpassen und die Zeile entsprechend ausrichten. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel nötig und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen für die Box-Formel aus der Gruppe Akzente angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Gleichung, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, wählen Sie diese aus, entweder durch Markieren mit der Maus oder durch einen Doppelklick auf das Formelfeld und drücken Sie dann auf die Taste ENTF auf Ihrer Tastatur.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Diese Option ist auch für andere Formelarten verfügbar, wenn Sie zuvor über die Eingabetaste neue Platzhalter hinzugefügt haben. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen." + "body": "Mit dem Dokumenteneditor können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Positionieren Sie den Mauszeiger an der gewünschten Stelle. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operators, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Gleichung. Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt. Wenn die ausgewählte Zeile leer ist, wird die Gleichung zentriert. Um die Formel links- oder rechtsbündig auszurichten, klicken Sie auf der Registerkarte Start auf oder .Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie in alle Platzhalter die gewünschten Werte ein. Hinweis: Um eine Gleichung zu erstellen, können Sie auch die Tastenkombination Alt + = verwenden. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt mithilfe der Tastaturpfeile um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten. Wenn Sie unter dem Slot einen neuen Platzhalter erstellen wollen, positionieren Sie den Cursor in der ausgwählten Vorlage und drücken Sie die Eingabetaste.Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in den Platzhaltern einfügen: Geben Sie geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Hinweis: aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben werden, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Wenn Sie einen manuellen Zeilenumbruch eingefügt haben können Sie die neue Zeile mithilfe der Tab- Taste an die mathematischen Operatoren der vorherigen Zeile anpassen und die Zeile entsprechend ausrichten. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel nötig und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen für die Box-Formel aus der Gruppe Akzente angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Gleichung, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, wählen Sie diese aus, entweder durch Markieren mit der Maus oder durch einen Doppelklick auf das Formelfeld und drücken Sie dann auf die Taste ENTF auf Ihrer Tastatur.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Diese Option ist auch für andere Formelarten verfügbar, wenn Sie zuvor über die Eingabetaste neue Platzhalter hinzugefügt haben. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen. Gleichungen konvertieren Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können. Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt: Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja. Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten." }, { "id": "UsageInstructions/InsertFootnotes.htm", @@ -253,7 +303,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Bilder einfügen", - "body": "Im Dokumenteneditor können Sie Bilder in den gängigsten Formaten in Ihr Dokument einfügen. Die folgenden Bildformate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Fügen Sie ein Bild ein Um ein Bild in den Dokumenttext einzufügen, Plazieren Sie den Zeiger an der Stelle, an der das Bild platziert werden soll. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Bildsymbol in der oberen Symbolleiste. Wählen Sie eine der folgenden Optionen, um das Bild zu laden: Die Option Bild aus Datei öffnet das Standarddialogfenster für die Dateiauswahl. Durchsuchen Sie das Festplattenlaufwerk Ihres Computers nach der erforderlichen Date und klicken Sie auf die Schaltfläche Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Die Option Bild von URL öffnet das Fenster, in dem Sie die erforderliche Bild-Webadresse eingeben und auf die Schaltfläche OK klicken können. Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Sobald das Bild hinzugefügt wurde, können Sie seine Größe, Eigenschaften und Position ändern. Es ist auch möglich, dem Bild eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Bildunterschriften finden Sie in diesem Artikel. Verschieben und ändern Sie die Größe von Bildern Um die Bildgröße zu ändern, ziehen Sie kleine Quadrate an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Bilds während der Größenänderung beizubehalten. Verwenden Sie zum Ändern der Bildposition das Symbol , das angezeigt wird, nachdem Sie den Mauszeiger über das Bild bewegt haben. Ziehen Sie das Bild an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Bild verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Um das Bild zu drehen, bewegen Sie den Mauszeiger über den Drehgriff und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken. Hinweis: Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier Passen Sie die Bildeinstellungen an Einige der Bildeinstellungen können über die Registerkarte Bildeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Bild und wählen Sie rechts das Symbol Bildeinstellungen . Hier können Sie folgende Eigenschaften ändern: Größe wird verwendet, um die aktuelle Bildbreite und -höhe anzuzeigen. Bei Bedarf können Sie die tatsächliche Bildgröße wiederherstellen, indem Sie auf die Schaltfläche Tatsächliche Größe klicken. Mit der Schaltfläche An Rand anpassen können Sie die Größe des Bilds so ändern, dass es den gesamten Abstand zwischen dem linken und rechten Seitenrand einnimmt.Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Beschneidungsgriffe zu aktivieren, die an den Bildecken und in der Mitte jeder Seite angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Sie können den Mauszeiger über den Rand des Zuschneidebereichs bewegen, sodass er zum Symbol wird, und den Bereich ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Griff in der Mitte dieser Seite. Ziehen Sie einen der Eckgriffe, um zwei benachbarte Seiten gleichzeitig zuzuschneiden. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie den Griff in die Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichmäßig zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie einen der Eckgriffe ziehen. Wenn der Zuschneidebereich angegeben ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Ausfüllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Füllen auswählen, bleibt der zentrale Teil des Originalbilds erhalten und wird zum Füllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Größe des Bilds so angepasst, dass es der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs angezeigt werden. Durch Drehen wird das Bild um 90 Grad im oder gegen den Uhrzeigersinn gedreht sowie das Bild horizontal oder vertikal gespiegelt. Klicken Sie auf eine der Schaltflächen: um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen um das Bild horizontal zu drehen (von links nach rechts) um das Bild vertikal zu drehen (verkehrt herum) Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt. Einige dieser Optionen finden Sie auch im Kontextmenü. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Anordnen wird verwendet, um das ausgewählte Bild in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Bilder zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit sieben auszuführen von ihnen sofort. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um das Bild links, in der Mitte, rechts, oben, in der Mitte und unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position. Drehen wird verwendet, um das Bild um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um das Bild horizontal oder vertikal zu spiegeln. Zuschneiden wird verwendet, um eine der Zuschneideoptionen anzuwenden: Zuschneiden, Füllen oder Anpassen. Wählen Sie im Untermenü die Option Zuschneiden, ziehen Sie dann die Zuschneidegriffe, um den Zuschneidebereich festzulegen, und klicken Sie im Untermenü erneut auf eine dieser drei Optionen, um die Änderungen zu übernehmen. Die Tatsächliche Größe wird verwendet, um die aktuelle Bildgröße in die tatsächliche zu ändern. Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt. Mit den Erweiterte Einstellungen des Bildes wird das Fenster \"Bild - Erweiterte Einstellungen\" geöffnet. Wenn das Bild ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen verfügbar. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen. Strichart, -größe und -farbe sowie den Formtyp ändern, indem Sie im Menü Autoshape ändern eine andere Form auswählen. Die Form des Bildes ändert sich entsprechend. Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen. Passen Sie die erweiterten Bildeinstellungen an Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie im Kontextmenü die Option Bild - Erweiterte Einstellungen oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - Verwenden Sie diese Optionen, um die Bildbreite und / oder -höhe zu ändern. Wenn Sie auf die Schaltfläche Konstante Proportionen klicken (in diesem Fall sieht es so aus ), werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Bildseitenverhältnis beibehalten wird. Klicken Sie auf die Schaltfläche Tatsächliche Größe, um die tatsächliche Größe des hinzugefügten Bilds wiederherzustellen. Die Registerkarte Rotation enthält die folgenden Parameter: Winkel - Verwenden Sie diese Option, um das Bild um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (verkehrt herum). Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position des Bilds relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Das Bild wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Bild. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann das Bild unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das das Bild begrenzt. Eng - Der Text umschließt die eigentlichen Bildkanten. Durch - Der Text wird um die Bildränder gewickelt und füllt den offenen weißen Bereich innerhalb des Bildes aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird. Oben und unten - der Text befindet sich nur über und unter dem Bild. Vorne - das Bild überlappt den Text. Dahinter - der Text überlappt das Bild. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand. Im vertikalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option) unter Zeile, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich das Bild bewegt, während sich der Text, an dem es verankert ist, bewegt. Überlappungssteuerung zulassen steuert, ob sich zwei Bilder überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen im Bild enthalten sind." + "body": "Im Dokumenteneditor können Sie Bilder in den gängigsten Formaten in Ihr Dokument einfügen. Die folgenden Bildformate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Bild einfügen Um ein Bild in den Dokumenttext einzufügen, Plazieren Sie den Zeiger an der Stelle, an der das Bild platziert werden soll. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste. Klicken Sie auf das Bildsymbol in der oberen Symbolleiste. Wählen Sie eine der folgenden Optionen, um das Bild zu laden: Die Option Bild aus Datei öffnet das Standarddialogfenster für die Dateiauswahl. Durchsuchen Sie das Festplattenlaufwerk Ihres Computers nach der erforderlichen Date und klicken Sie auf die Schaltfläche Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Die Option Bild von URL öffnet das Fenster, in dem Sie die erforderliche Bild-Webadresse eingeben und auf die Schaltfläche OK klicken können. Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Sobald das Bild hinzugefügt wurde, können Sie seine Größe, Eigenschaften und Position ändern. Es ist auch möglich, dem Bild eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Bildunterschriften finden Sie in diesem Artikel. Die Größe von Bildern ändern und Bilder verschieben Um die Bildgröße zu ändern, ziehen Sie kleine Quadrate an den Rändern. Halten Sie die Umschalttaste gedrückt und ziehen Sie eines der Eckensymbole, um die ursprünglichen Proportionen des ausgewählten Bilds während der Größenänderung beizubehalten. Verwenden Sie zum Ändern der Bildposition das Symbol , das angezeigt wird, nachdem Sie den Mauszeiger über das Bild bewegt haben. Ziehen Sie das Bild an die gewünschte Position, ohne die Maustaste loszulassen. Wenn Sie das Bild verschieben, werden Hilfslinien angezeigt, mit denen Sie das Objekt präzise auf der Seite positionieren können (wenn ein anderer Umbruchstil als Inline ausgewählt ist). Um das Bild zu drehen, bewegen Sie den Mauszeiger über den Drehgriff und ziehen Sie ihn im oder gegen den Uhrzeigersinn. Halten Sie die Umschalttaste gedrückt, um den Drehwinkel auf Schritte von 15 Grad zu beschränken. Die Liste der Tastaturkürzel, die beim Arbeiten mit Objekten verwendet werden können, finden Sie hier. Die Bildeinstellungen anpassen Einige der Bildeinstellungen können über die Registerkarte Bildeinstellungen in der rechten Seitenleiste geändert werden. Um es zu aktivieren, klicken Sie auf das Bild und wählen Sie rechts das Symbol Bildeinstellungen . Hier können Sie folgende Eigenschaften ändern: Größe wird verwendet, um die aktuelle Bildbreite und -höhe anzuzeigen. Bei Bedarf können Sie die tatsächliche Bildgröße wiederherstellen, indem Sie auf die Schaltfläche Tatsächliche Größe klicken. Mit der Schaltfläche An Rand anpassen können Sie die Größe des Bilds so ändern, dass es den gesamten Abstand zwischen dem linken und rechten Seitenrand einnimmt. Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Beschneidungsgriffe zu aktivieren, die an den Bildecken und in der Mitte jeder Seite angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Sie können den Mauszeiger über den Rand des Zuschneidebereichs bewegen, sodass er zum Symbol wird, und den Bereich ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Griff in der Mitte dieser Seite. Ziehen Sie einen der Eckgriffe, um zwei benachbarte Seiten gleichzeitig zuzuschneiden. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie den Griff in die Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichmäßig zuzuschneiden, halten Sie die Strg-Taste gedrückt, wenn Sie einen der Eckgriffe ziehen. Wenn der Zuschneidebereich angegeben ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Ausfüllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Füllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild der Form entspricht. Wenn Sie die Option Füllen auswählen, bleibt der zentrale Teil des Originalbilds erhalten und wird zum Füllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Größe des Bilds so angepasst, dass es der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs angezeigt werden. Durch Drehen wird das Bild um 90 Grad im oder gegen den Uhrzeigersinn gedreht sowie das Bild horizontal oder vertikal gespiegelt. Klicken Sie auf eine der Schaltflächen: um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen um das Bild horizontal zu drehen (von links nach rechts) um das Bild vertikal zu drehen (verkehrt herum) Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - Inline, Quadrat, Eng, Durch, Oben und Unten, vorne, hinten (weitere Informationen finden Sie in der Beschreibung der erweiterten Einstellungen unten). Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt. Einige dieser Optionen finden Sie auch im Kontextmenü. Die Menüoptionen sind: Ausschneiden, Kopieren, Einfügen - Standardoptionen, mit denen ein ausgewählter Text / ein ausgewähltes Objekt ausgeschnitten oder kopiert und eine zuvor ausgeschnittene / kopierte Textpassage oder ein Objekt an die aktuelle Zeigerposition eingefügt wird. Anordnen wird verwendet, um das ausgewählte Bild in den Vordergrund zu bringen, in den Hintergrund zu senden, vorwärts oder rückwärts zu bewegen sowie Bilder zu gruppieren oder die Gruppierung aufzuheben, um Operationen mit sieben auszuführen von ihnen sofort. Weitere Informationen zum Anordnen von Objekten finden Sie auf dieser Seite. Ausrichten wird verwendet, um das Bild links, in der Mitte, rechts, oben, in der Mitte und unten auszurichten. Weitere Informationen zum Ausrichten von Objekten finden Sie auf dieser Seite. Der Umbruchstil wird verwendet, um einen Textumbruchstil aus den verfügbaren auszuwählen - inline, quadratisch, eng, durch, oben und unten, vorne, hinten - oder um die Umbruchgrenze zu bearbeiten. Die Option Wrap-Grenze bearbeiten ist nur verfügbar, wenn Sie einen anderen Wrap-Stil als Inline auswählen. Ziehen Sie die Umbruchpunkte, um die Grenze anzupassen. Um einen neuen Umbruchpunkt zu erstellen, klicken Sie auf eine beliebige Stelle auf der roten Linie und ziehen Sie sie an die gewünschte Position. Drehen wird verwendet, um das Bild um 90 Grad im oder gegen den Uhrzeigersinn zu drehen sowie um das Bild horizontal oder vertikal zu spiegeln. Zuschneiden wird verwendet, um eine der Zuschneideoptionen anzuwenden: Zuschneiden, Füllen oder Anpassen. Wählen Sie im Untermenü die Option Zuschneiden, ziehen Sie dann die Zuschneidegriffe, um den Zuschneidebereich festzulegen, und klicken Sie im Untermenü erneut auf eine dieser drei Optionen, um die Änderungen zu übernehmen. Die Tatsächliche Größe wird verwendet, um die aktuelle Bildgröße in die tatsächliche zu ändern. Bild ersetzen wird verwendet, um das aktuelle Bild zu ersetzen, das ein anderes aus Datei oder Von URL lädt. Mit den Erweiterte Einstellungen des Bildes wird das Fenster \"Bild - Erweiterte Einstellungen\" geöffnet. Wenn das Bild ausgewählt ist, ist rechts auch das Symbol für die Formeinstellungen verfügbar. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen. Strichart, -größe und -farbe sowie den Formtyp ändern, indem Sie im Menü Autoshape ändern eine andere Form auswählen. Die Form des Bildes ändert sich entsprechend. Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen. Die erweiterten Bildeinstellungen anpassen Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie im Kontextmenü die Option Bild - Erweiterte Einstellungen oder klicken Sie einfach auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - Verwenden Sie diese Optionen, um die Bildbreite und / oder -höhe zu ändern. Wenn Sie auf die Schaltfläche Konstante Proportionen klicken (in diesem Fall sieht es so aus ), werden Breite und Höhe zusammen geändert, wobei das ursprüngliche Bildseitenverhältnis beibehalten wird. Klicken Sie auf die Schaltfläche Tatsächliche Größe, um die tatsächliche Größe des hinzugefügten Bilds wiederherzustellen. Die Registerkarte Rotation enthält die folgenden Parameter: Winkel - Verwenden Sie diese Option, um das Bild um einen genau festgelegten Winkel zu drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder passen Sie ihn mit den Pfeilen rechts an. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (verkehrt herum). Die Registerkarte Textumbruch enthält die folgenden Parameter: Umbruchstil - Verwenden Sie diese Option, um die Position des Bilds relativ zum Text zu ändern: Es ist entweder Teil des Textes (falls Sie den Inline-Stil auswählen) oder wird von allen Seiten umgangen (wenn Sie einen auswählen) die anderen Stile). Inline - Das Bild wird wie ein Zeichen als Teil des Textes betrachtet. Wenn sich der Text bewegt, bewegt sich auch das Bild. In diesem Fall sind die Positionierungsoptionen nicht zugänglich. Wenn einer der folgenden Stile ausgewählt ist, kann das Bild unabhängig vom Text verschoben und genau auf der Seite positioniert werden: Quadratisch - Der Text umschließt das rechteckige Feld, das das Bild begrenzt. Eng - Der Text umschließt die eigentlichen Bildkanten. Durch - Der Text wird um die Bildränder gewickelt und füllt den offenen weißen Bereich innerhalb des Bildes aus. Verwenden Sie die Option Umbruchgrenze bearbeiten im Kontextmenü, damit der Effekt angezeigt wird. Oben und unten - der Text befindet sich nur über und unter dem Bild. Vorne - das Bild überlappt den Text. Dahinter - der Text überlappt das Bild. Wenn Sie den quadratischen, engen, durchgehenden oder oberen und unteren Stil auswählen, können Sie einige zusätzliche Parameter festlegen - Abstand zum Text an allen Seiten (oben, unten, links, rechts). Die Registerkarte Position ist nur verfügbar, wenn Sie einen anderen Umbruchstil als Inline auswählen. Diese Registerkarte enthält die folgenden Parameter, die je nach ausgewähltem Verpackungsstil variieren: Im horizontalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: Ausrichtung (links, Mitte, rechts) relativ zu Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option), rechts neben Zeichen, Spalte, linkem Rand, Rand, Seite oder rechtem Rand, Relative Position gemessen in Prozent relativ zum linken Rand, Rand, Seite oder rechten Rand. Im vertikalen Bereich können Sie einen der folgenden drei Bildpositionierungstypen auswählen: Ausrichtung (oben, Mitte, unten) relativ zu Linie, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Absolute Position gemessen in absoluten Einheiten, d. H. Zentimeter / Punkte / Zoll (abhängig von der auf der Registerkarte Datei -> Erweiterte Einstellungen... angegebenen Option) unter Zeile, Rand, unterem Rand, Absatz, Seite oder oberem Rand, Relative Position gemessen in Prozent relativ zum Rand, unteren Rand, Seite oder oberen Rand. Objekt mit Text verschieben steuert, ob sich das Bild bewegt, während sich der Text, an dem es verankert ist, bewegt. Überlappungssteuerung zulassen steuert, ob sich zwei Bilder überlappen oder nicht, wenn Sie sie auf der Seite nebeneinander ziehen. Auf der Registerkarte Alternativer Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen im Bild enthalten sind." }, { "id": "UsageInstructions/InsertLineNumbers.htm", @@ -293,7 +343,7 @@ var indexes = { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "AutoKorrekturfunktionen", - "body": "Die Autokorrekturfunktionen in ONLYOFFICE Dokumenteneditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Dokumenteneditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoFormat während der Eingabe Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird, ersetzt Anführungszeichen oder konvertiert Bindestriche in Gedankenstriche. Wenn Sie die Voreinstellungen für die automatische Formatierung deaktivieren möchten, deaktivieren Sie das Kästchen für die unnötige Optionen, öffnen Sie dazu die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Autokorrektur für Text Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen." + "body": "Die Autokorrekturfunktionen in ONLYOFFICE Dokumenteneditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den wiederherzustellenden Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Dokumenteneditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoFormat während der Eingabe Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung: Ersetzt Anführungszeichen, konvertiert Bindestriche in Gedankenstriche, ersetzt Internet- oder Netzwerkpfade durch Hyperlinks, startet eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste wird erkannt. Mit der Option Punkt mit doppeltem Leerzeichen hinzufügen können Sie einen Punkt hinzufügen, wenn Sie zweimal die Leertaste drücken. Aktivieren oder deaktivieren Sie sie nach Bedarf. Standardmäßig ist diese Option für Linux und Windows deaktiviert und für macOS aktiviert. Um die Voreinstellungen für die automatische Formatierung zu aktivieren oder zu deaktivieren, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Autokorrektur für Text Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen." }, { "id": "UsageInstructions/NonprintingCharacters.htm", @@ -308,7 +358,7 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Ein neues Dokument erstellen oder ein vorhandenes öffnen", - "body": "Im Dokumenteneditor können Sie eine kürzlich bearbeitete Dokument öffnen, ein neues Dokument erstellen oder zur Liste der vorhandenen Dokument zurückkehren. Ein neues Dokument erstellen: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Neu erstellen. Desktop-Editor Wählen Sie im Hauptfenster des Programms das Menü Dokument im Abschnitt Neu erstellen der linken Seitenleiste aus - eine neue Datei wird in einer neuen Registerkarte geöffnet. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus. Wählen Sie im Fenster Dateiverwaltung den Speicherort, geben Sie den Namen an, wählen Sie das Format aus in dem Sie das Dokument speichern möchten (DOCX, Dokumentvorlage (DOTX), ODT, OTT, RTF, TXT, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern. Ein vorhandenes Dokument öffnen: Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Lokale Datei öffnen. Wählen Sie im Fenster Dateiverwaltung das gewünschte Dokument aus und klicken Sie auf die Schaltfläche Öffnen. Sie können auch im Fenster Dateiverwaltung mit der rechten Maustaste auf das gewünschte Dokument klicken, die Option Öffnen mit auswählen und die gewünschte Anwendung aus dem Menü auswählen. Wenn die Office-Dokumentdateien mit der Anwendung verknüpft sind, können Sie Dokumente auch öffnen, indem Sie im Datei-Explorer-Fenster auf den Dateinamen doppelklicken. Alle Verzeichnisse, auf die Sie mit dem Desktop-Editor zugegriffen haben, werden in der Liste Aktuelle Ordner angezeigt, um Ihnen einen schnellen Zugriff zu ermöglichen. Klicken Sie auf den gewünschten Ordner, um eine der darin gespeicherten Dateien auszuwählen. Öffnen eines kürzlich bearbeiteten Dokuments: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Zuletzt verwendet.... Wählen Sie das gewünschte Dokument aus der Liste mit den zuletzt bearbeiteten Dokumenten aus. Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Aktuelle Dateien. Wählen Sie das gewünschte Dokument aus der Liste mit den zuletzt bearbeiteten Dokumenten aus. Um den Ordner in dem die Datei gespeichert ist in der Online-Version in einem neuen Browser-Tab oder in der Desktop-Version im Fenster Datei-Explorer zu öffnen, klicken Sie auf der rechten Seite des Editor-Hauptmenüs auf das Symbol Dateispeicherort öffnen. Alternativ können Sie in der oberen Menüleiste auf die Registerkarte Datei wechseln und die Option Dateispeicherort öffnen auswählen." + "body": "Im Dokumenteneditor können Sie eine kürzlich bearbeitete Dokument öffnen, ein neues Dokument erstellen oder zur Liste der vorhandenen Dokument zurückkehren. Ein neues Dokument erstellen: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Neu erstellen. Desktop-Editor Wählen Sie im Hauptfenster des Programms das Menü Dokument im Abschnitt Neu erstellen der linken Seitenleiste aus - eine neue Datei wird in einer neuen Registerkarte geöffnet. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus. Wählen Sie im Fenster Dateiverwaltung den Speicherort, geben Sie den Namen an, wählen Sie das Format aus in dem Sie das Dokument speichern möchten (DOCX, DOCXF, OFORM, Dokumentvorlage (DOTX), ODT, OTT, RTF, TXT, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern. Ein vorhandenes Dokument öffnen: Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Lokale Datei öffnen. Wählen Sie im Fenster Dateiverwaltung das gewünschte Dokument aus und klicken Sie auf die Schaltfläche Öffnen. Sie können auch im Fenster Dateiverwaltung mit der rechten Maustaste auf das gewünschte Dokument klicken, die Option Öffnen mit auswählen und die gewünschte Anwendung aus dem Menü auswählen. Wenn die Office-Dokumentdateien mit der Anwendung verknüpft sind, können Sie Dokumente auch öffnen, indem Sie im Datei-Explorer-Fenster auf den Dateinamen doppelklicken. Alle Verzeichnisse, auf die Sie mit dem Desktop-Editor zugegriffen haben, werden in der Liste Aktuelle Ordner angezeigt, um Ihnen einen schnellen Zugriff zu ermöglichen. Klicken Sie auf den gewünschten Ordner, um eine der darin gespeicherten Dateien auszuwählen. Öffnen eines kürzlich bearbeiteten Dokuments: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Zuletzt verwendet.... Wählen Sie das gewünschte Dokument aus der Liste mit den zuletzt bearbeiteten Dokumenten aus. Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Aktuelle Dateien. Wählen Sie das gewünschte Dokument aus der Liste mit den zuletzt bearbeiteten Dokumenten aus. Um den Ordner in dem die Datei gespeichert ist in der Online-Version in einem neuen Browser-Tab oder in der Desktop-Version im Fenster Datei-Explorer zu öffnen, klicken Sie auf der rechten Seite des Editor-Hauptmenüs auf das Symbol Dateispeicherort öffnen. Alternativ können Sie in der oberen Menüleiste auf die Registerkarte Datei wechseln und die Option Dateispeicherort öffnen auswählen." }, { "id": "UsageInstructions/PageBreaks.htm", @@ -327,8 +377,8 @@ var indexes = }, { "id": "UsageInstructions/SavePrintDownload.htm", - "title": "Dokument speichern/runterladen/drucken", - "body": "Dokument speichern/herunterladen /drucken Speichern Standardmäßig speichert der Online-Dokumenteneditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelles Dokument manuell im aktuellen Format im aktuellen Verzeichnis speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie das Dokument unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen. Herunterladen In der Online-Version können Sie das daraus resultierende Dokument auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Aktuelles Dokument drucken Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck." + "title": "Dokument speichern, runterladen, drucken", + "body": "Dokument speichern, herunterladen, drucken Speichern Standardmäßig speichert der Online-Dokumenteneditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelles Dokument manuell im aktuellen Format im aktuellen Verzeichnis speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie das Dokument unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen. Herunterladen In der Online-Version können Sie das daraus resultierende Dokument auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Aktuelles Dokument drucken Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck." }, { "id": "UsageInstructions/SectionBreaks.htm", @@ -355,6 +405,11 @@ var indexes = "title": "Text laut vorlesen", "body": "ONLYOFFICE Dokumenteneditor hat ein Plugin, das den Text für Sie vorlesen kann. Wählen Sie den vorzulesenden Text aus. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt Rede aus. Der Text wird nun vorgelesen." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Unterstützung von SmartArt im ONLYOFFICE-Dokumenteneditor", + "body": "SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Dokumenteneditor unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf eine SmartArt-Grafik oder ihr Element klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen: Absatzeinstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Absatzformatierung für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. Formeinstellungen, um die in einem Layout verwendeten Formen zu konfigurieren. Sie können Formen ändern, also auch die Füllung, die Linien, die Größe, den Umbruchstil, die Position, die Gewichte und Pfeile, das Textfeld und den alternativen Text bearbeiten. TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undurchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen: Textumbruch, um festzulegen, wie das Objekt relativ zum Text positioniert wird. Die Option Textumbruch ist nur verfügbar, wenn Sie auf den Grafikrahmen von SmartArt-Elementen klicken. Beschriftung einfügen, um ein SmartArt-Grafikelement als Referenz zu kennzeichnen. Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen. Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen: Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten. Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen. Absatz - Erweiterte Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Wort durch Synonym ersetzen", @@ -365,10 +420,15 @@ var indexes = "title": "Text übersetzen", "body": "Sie können Ihr Dokument im Dokumenteneditor in zahlreiche Sprachen übersetzen. Wählen Sie den Text aus, den Sie übersetzen möchten. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt Übersetzer aus. Der Übersetzer wird in einer Seitenleiste links angezeigt. Klicken Sie auf das Drop-Down-Menü und wählen Sie die bevorzugte Sprache aus. Der Text wird in die gewünschte Sprache übersetzt. Die Sprache des Ergebnisses ändern: Klicken Sie auf das Drop-Down-Menü und wählen Sie die bevorzugte Sprache aus. Die Übersetzung wird sofort geändert." }, + { + "id": "UsageInstructions/Typograf.htm", + "title": "Typografie korrigieren", + "body": "Wenn Sie die Typografie in Ihrem Text korrigieren müssen, verwenden Sie das Typograf-Plugin, das automatisch geschützte Leerzeichen platziert und zusätzliche entfernt sowie kleinere Tippfehler korrigiert, korrekte Anführungszeichen einfügt, Bindestriche durch Gedankenstriche ersetzt usw. Öffnen Sie die Registerkarte Plugins und klicken Sie auf Typograf. Klicken Sie auf die Schaltfläche Show advanced settings. Wählen Sie den Ort und die Regeln aus, die Sie auf Ihren Text anwenden möchten. Wählen Sie den Text aus, den Sie korrigieren möchten. Klicken Sie auf die Schaltfläche Correct text. Weitere Informationen zum Typograf-Plugin und seiner Installation finden Sie auf der Plugin-Seite in AppDirectory." + }, { "id": "UsageInstructions/UseMailMerge.htm", - "title": "Seriendruck verwenden", - "body": "Hinweis: diese Option ist nur in der Online-Version verfügbar. Im Dokumenteneditor mit der Funktion Seriendruck ist es möglich eine Reihe von Dokumenten zu erstellen, die einen gemeinsamen Inhalt aus einem Textdokument sowie einige individuelle Komponenten (Variablen, wie Namen, Begrüßungen usw.) aus einer Tabelle (z. B. eine Kundenliste) kombinieren. Das kann sehr nützlich sein, um eine Vielzahl von personalisierten Briefen zu erstellen und an Empfänger zu senden. Die Funktion Seriendruck verwenden. Erstellen Sie ein Datenquelle und laden Sie diese in das Hauptdokument. Bei einer für den Seriendruck verwendeten Datenquelle muss es sich um eine .xlsx-Tabelle handeln, die in Ihrem Portal gespeichert ist. Öffnen Sie eine vorhandene Tabelle oder erstellen Sie eine neue und stellen Sie sicher, dass diese die folgenden Anforderungen erfüllt:Die Tabelle muss eine Kopfzeile mit Spaltentiteln enthalten, da Werte in der ersten Zelle jeder Spalte die Felder für die Zusammenführung bestimmen (Variablen, die Sie in den Text einfügen können). Jede Spalte sollte eine Reihe von tatsächlichen Werten für eine Variable enthalten. Jede Zeile in der Tabelle sollte einem separaten Datensatz entsprechen (einem Satz von Werten, der zu einem bestimmten Empfänger gehört). Während der Zusammenführung wird für jeden Datensatz eine Kopie des Hauptdokuments erstellt und jedes in den Haupttext eingefügte Zusammenführungsfeld wird durch einen tatsächlichen Wert aus der entsprechenden Spalte ersetzt. Wenn Sie Ergebnisse per E-Mail senden möchten, muss die Tabelle auch eine Spalte mit den E-Mail-Adressen der Empfänger enthalten. Öffnen Sie ein vorhandenes Dokument oder erstellen Sie ein neues. Dieses Dokument muss den Haupttext enthalten, der für jede Version des Seriendruckdokuments identisch ist. Klicken Sie auf das Symbol Seriendruck auf der oberen Symbolleiste, in der Registerkarte Start. Das Fenster Datenquelle auswählen wird geöffnet. Es wird eine Liste all Ihrer .xlsx-Tabellen angezeigt, die im Abschnitt Meine Dokumente gespeichert sind. Um zwischen anderen Modulabschnitten zu wechseln, verwenden Sie das Menü im linken Teil des Fensters. Wählen Sie die gewünschte Datei aus und klicken Sie auf OK. Sobald die Datenquelle geladen ist, wird die Registerkarte Einstellungen für das Zusammenführen in der rechten Seitenleiste angezeigt. Empfängerliste verifizieren oder ändern Klicken Sie in der rechten Seitenleiste auf die Schaltfläche Empfängerliste bearbeiten, um das Fenster Empfänger Seriendruck zu öffnen, in dem der Inhalt der ausgewählten Datenquelle angezeigt wird. Hier können Sie bei Bedarf neue Informationen hinzufügen bzw. vorhandene Daten bearbeiten oder löschen. Um das Arbeiten mit Daten zu vereinfachen, können Sie die Symbole oben im Fenster verwenden: und - zum Kopieren und Einfügen der kopierten Daten. und - um Aktionen rückgängig zu machen und zu wiederholen. und - um Ihre Daten in einem Zellenbereich in aufsteigender oder absteigender Reihenfolge zu sortieren. - um den Filter für den zuvor ausgewählten Zellenbereich zu aktivieren oder den aktuellen Filter zu entfernen. - um alle angewendeten Filterparameter zu löschen.Hinweis: Weitere Informationen zur Verwendung des Filters finden Sie im Abschnitt Sortieren und Filtern von Daten im Hilfemenü des Tabelleneditors. - um nach einem bestimmten Wert zu suchen und ihn gegebenenfalls durch einen anderen zu ersetzen.Hinweis: Weitere Informationen zur Verwendung des Werkzeugs Suchen und Ersetzen finden Sie im Abschnitt Suchen und Ersetzen von Funktionen im Hilfemenü des Tabelleneditors. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Speichern & Schließen. Um die Änderungen zu verwerfen, klicken Sie auf Schließen. Einfügen von Seriendruckfeldern und überprüfen der Ergebnisse Positionieren Sie den Mauszeiger im Text des Hauptdokuments an der Stelle an der Sie ein Seriendruckfeld einfügen möchten, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Seriendruckfeld einfügen und wählen Sie das erforderliche Feld aus der Liste aus Die verfügbaren Felder entsprechen den Daten in der ersten Zelle jeder Spalte der ausgewählten Datenquelle. Fügen Sie alle benötigten Felder an beliebiger Stelle im Dokument ein. Aktivieren Sie in der rechten Seitenleiste den Schalter Seriendruckfelder hervorheben, um die eingefügten Felder im Text deutlicher zu kennzeichnen. Aktivieren Sie in der rechten Seitenleiste den Schalter Ergebnisvorschau, um den Dokumenttext mit den aus der Datenquelle eingesetzten tatsächlichen Werten anzuzeigen. Verwenden Sie die Pfeiltasten, um für jeden Datensatz eine Vorschau des zusammengeführten Dokuments anzuzeigen. Um ein eingefügtes Feld zu löschen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus und drücken Sie die Taste Entf auf der Tastatur. Um ein eingefügtes Feld zu ersetzen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Seriendruckfeld einfügen und wählen Sie ein neues Feld aus der Liste aus. Parameter für den Seriendruck festlegen Wählen Sie den Zusammenführungstyp aus. Sie können den Massenversand beginnen oder das Ergebnis als Datei im PDF- oder Docx-Format speichern und es später drucken oder bearbeiten. Wählen Sie die gewünschte Option aus der Liste Zusammenführen als aus: PDF - um ein einzelnes Dokument im PDF-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später drucken können DOCX - um ein einzelnes Dokument im DOCX-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später bearbeiten können E-Mail - um die Ergebnisse als E-Mail an die Empfänger zu sendenHiweis: Die E-Mail-Adressen der Empfänger müssen in der geladenen Datenquelle angegeben werden und Sie müssen mindestens ein E-Mail-Konto im Mail-Modul in Ihrem Portal hinterlegt haben. Wählen Sie die Datensätze aus, auf die Sie die Zusammenführung anwenden möchten: Alle Datensätze - (diese Option ist standardmäßig ausgewählt) - um zusammengeführte Dokumente für alle Datensätze aus der geladenen Datenquelle zu erstellen Aktueller Datensatz - zum Erstellen eines zusammengeführten Dokuments für den aktuell angezeigten Datensatz Von... Bis - um ein zusammengeführtes Dokument für eine Reihe von Datensätzen zu erstellen (in diesem Fall müssen Sie zwei Werte angeben: die Werte für den ersten und den letzten Datensatz im gewünschten Bereich)Hinweis: Es können maximal 100 Empfänger angegeben werden. Wenn Sie mehr als 100 Empfänger in Ihrer Datenquelle haben, führen Sie den Seriendruck schrittweise aus: Geben Sie die Werte von 1 bis 100 ein, warten Sie, bis der Serienbriefprozess abgeschlossen ist, und wiederholen Sie den Vorgang mit den Werten von 101 bis N. Serienbrief abschließen Wenn Sie sich entschieden haben, die Ergebnisse der Zusammenführung als Datei zu speichern, klicken Sie auf die Schaltfläche Herunterladen als, um die Datei an einem beliebigen Ort auf Ihrem PC zu speichern. Sie finden die Datei in Ihrem Standardordner für Downloads. Klicken Sie auf die Schaltfläche Speichern, um die Datei in Ihrem Portal zu speichern. Im Fenster Speichern unter können Sie den Dateinamen ändern und den Ort angeben, an dem Sie die Datei speichern möchten. Sie können auch das Kontrollkästchen Zusammengeführtes Dokument in neuem Tab öffnen aktivieren, um das Ergebnis zu überprüfen, sobald der Serienbriefprozess abgeschlossen ist. Klicken Sie zum Schluss im Fenster Speichern unter auf Speichern. Wenn Sie die Option E-Mail ausgewählt haben, erscheint in der rechten Seitenleiste die Schaltfläche Teilen. Wenn Sie auf die Schaltfläche klicken, öffnet sich das Fenster An E-Mail senden: Wenn Sie mehrere Konten mit Ihrem Mail-Modul verbunden haben, wählen Sie in der Liste Von das E-Mail-Konto aus, das Sie zum Senden der E-Mails verwenden möchten. Wählen Sie in der Liste An das Seriendruckfeld aus, das den E-Mail-Adressen der Empfänger entspricht, falls es nicht automatisch ausgewählt wurde. Geben Sie den Betreff Ihrer Nachricht in die Betreffzeile ein. Wählen sie das Mailformat aus der Liste aus: HTML, als DOCX anhängen oder als PDF anhängen. Wenn eine der beiden letzteren Optionen ausgewählt ist, müssen Sie auch den Dateinamen für Anhänge angeben und die Nachricht eingeben (der Text Ihres Briefes, der an die Empfänger gesendet wird). Klicken Sie auf Senden. Sobald das Mailing abgeschlossen ist, erhalten Sie an die im Feld Von angegebene E-Mail-Adresse eine Benachrichtigung." + "title": "Serienbrief verwenden", + "body": "Hinweis: Diese Option ist nur in der Online-Version verfügbar. Die Funktion Seriendruck wird verwendet, um eine Reihe von Dokumenten zu erstellen, die einen gemeinsamen Inhalt aus einem Textdokument und einige einzelne Komponenten (Variablen wie Namen, Grüße usw.) aus einer Tabelle (z. B. eine Kundenliste). Dies kann nützlich sein, wenn Sie viele personalisierte Briefe erstellen und an die Empfänger senden müssen. Eine Datenquelle vorbereiten und sie in das Hauptdokument laden Eine für den Seriendruck verwendete Datenquelle muss eine .xlsx-Tabelle sein, die in Ihrem Portal gespeichert ist. Öffnen Sie eine vorhandene Tabelle oder erstellen Sie eine neue Tabelle und stellen Sie sicher, dass sie die folgenden Anforderungen erfüllt. Die Tabelle sollte eine Kopfzeile mit den Spaltentiteln haben, da die Werte in der ersten Zelle jeder Spalte Briefvorlagenfelder bezeichnen (d. h. Variablen, die Sie in den Text einfügen können). Jede Spalte sollte eine Reihe von tatsächlichen Werten für eine Variable enthalten. Jede Zeile in der Tabelle sollte einem separaten Datensatz entsprechen (d. h. einer Reihe von Werten, die einem bestimmten Empfänger gehören). Während des Zusammenführungsprozesses wird für jeden Datensatz eine Kopie des Hauptdokuments erstellt und jedes in den Haupttext eingefügte Zusammenführungsfeld wird durch einen tatsächlichen Wert aus der entsprechenden Spalte ersetzt. Wenn Sie Ergebnisse per E-Mail senden möchten, muss die Tabelle auch eine Spalte mit den E-Mail-Adressen der Empfänger enthalten. Öffnen Sie ein vorhandenes Textdokument oder erstellen Sie ein neues Dokument. Es muss den Haupttext enthalten, der für jede Version des zusammengeführten Dokuments gleich ist. Klicken Sie auf das Symbol Serienbrief auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie den Speicherort der Datenquelle: Aus Datei, Aus URL oder Aus dem Speicher. Wählen Sie die erforderliche Datei aus oder fügen Sie eine URL ein und klicken Sie auf OK. Sobald die Datenquelle geladen ist, ist die Registerkarte Seriendruckeinstellungen in der rechten Seitenleiste verfügbar. Die Empfängerliste überprüfen oder ändern Klicken Sie in der rechten Seitenleiste auf die Schaltfläche Empfängerliste bearbeiten, um das Fenster Serienbriefempfänger zu öffnen, in dem der Inhalt der ausgewählten Datenquelle angezeigt wird. Hier können Sie bei Bedarf neue Informationen hinzufügen bzw. vorhandene Daten bearbeiten oder löschen. Um das Arbeiten mit Daten zu vereinfachen, können Sie die Symbole oben im Fenster verwenden: und - zum Kopieren und Einfügen der kopierten Daten. und - um Aktionen rückgängig zu machen und zu wiederholen. und - um Ihre Daten in einem Zellenbereich in aufsteigender oder absteigender Reihenfolge zu sortieren. - um den Filter für den zuvor ausgewählten Zellenbereich zu aktivieren oder den aktuellen Filter zu entfernen. - um alle angewendeten Filterparameter zu löschen.Hinweis: Weitere Informationen zur Verwendung des Filters finden Sie im Abschnitt Sortieren und Filtern von Daten im Hilfemenü des Tabelleneditors. - um nach einem bestimmten Wert zu suchen und ihn gegebenenfalls durch einen anderen zu ersetzen.Hinweis: Weitere Informationen zur Verwendung des Werkzeugs Suchen und Ersetzen finden Sie im Abschnitt Suchen und Ersetzen von Funktionen im Hilfemenü des Tabelleneditors. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Speichern & Schließen. Um die Änderungen zu verwerfen, klicken Sie auf Schließen. Einfügen von Serienbrieffeldern und überprüfen der Ergebnisse Positionieren Sie den Mauszeiger im Text des Hauptdokuments an der Stelle an der Sie ein Serienbrieffeld einfügen möchten, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Serienbrieffeld einfügen und wählen Sie das erforderliche Feld aus der Liste aus Die verfügbaren Felder entsprechen den Daten in der ersten Zelle jeder Spalte der ausgewählten Datenquelle. Fügen Sie alle benötigten Felder an beliebiger Stelle im Dokument ein. Aktivieren Sie in der rechten Seitenleiste den Schalter Serienbrieffelder hervorheben, um die eingefügten Felder im Text deutlicher zu kennzeichnen. Aktivieren Sie in der rechten Seitenleiste den Schalter Ergebnisvorschau, um den Dokumenttext mit den aus der Datenquelle eingesetzten tatsächlichen Werten anzuzeigen. Verwenden Sie die Pfeiltasten, um für jeden Datensatz eine Vorschau des zusammengeführten Dokuments anzuzeigen. Um ein eingefügtes Feld zu löschen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus und drücken Sie die Taste Entf auf der Tastatur. Um ein eingefügtes Feld zu ersetzen, deaktivieren sie den Modus Ergebnisvorschau, wählen Sie das entsprechende Feld mit der Maus aus, klicken Sie in der rechten Seitenleiste auf die Schaltfläche Serienbrieffeld einfügen und wählen Sie ein neues Feld aus der Liste aus. Parameter für den Serienbrief festlegen Wählen Sie den Zusammenführungstyp aus. Sie können den Massenversand beginnen oder das Ergebnis als Datei im PDF- oder Docx-Format speichern und es später drucken oder bearbeiten. Wählen Sie die gewünschte Option aus der Liste Zusammenführen als aus: PDF - um ein einzelnes Dokument im PDF-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später drucken können DOCX - um ein einzelnes Dokument im DOCX-Format zu erstellen, das alle zusammengeführten Kopien enthält, damit Sie diese später bearbeiten können E-Mail - um die Ergebnisse als E-Mail an die Empfänger zu sendenHiweis: Die E-Mail-Adressen der Empfänger müssen in der geladenen Datenquelle angegeben werden und Sie müssen mindestens ein E-Mail-Konto im Mail-Modul in Ihrem Portal hinterlegt haben. Wählen Sie die Datensätze aus, auf die Sie die Zusammenführung anwenden möchten: Alle Datensätze - (diese Option ist standardmäßig ausgewählt) - um zusammengeführte Dokumente für alle Datensätze aus der geladenen Datenquelle zu erstellen Aktueller Datensatz - zum Erstellen eines zusammengeführten Dokuments für den aktuell angezeigten Datensatz Von... Bis - um ein zusammengeführtes Dokument für eine Reihe von Datensätzen zu erstellen (in diesem Fall müssen Sie zwei Werte angeben: die Werte für den ersten und den letzten Datensatz im gewünschten Bereich)Hinweis: Es können maximal 100 Empfänger angegeben werden. Wenn Sie mehr als 100 Empfänger in Ihrer Datenquelle haben, führen Sie den Serienbrief schrittweise aus: Geben Sie die Werte von 1 bis 100 ein, warten Sie, bis der Serienbriefprozess abgeschlossen ist, und wiederholen Sie den Vorgang mit den Werten von 101 bis N. Serienbrief abschließen Wenn Sie sich entschieden haben, die Ergebnisse der Zusammenführung als Datei zu speichern, klicken Sie auf die Schaltfläche Herunterladen als, um die Datei an einem beliebigen Ort auf Ihrem PC zu speichern. Sie finden die Datei in Ihrem Standardordner für Downloads. Klicken Sie auf die Schaltfläche Speichern, um die Datei in Ihrem Portal zu speichern. Im Fenster Speichern unter können Sie den Dateinamen ändern und den Ort angeben, an dem Sie die Datei speichern möchten. Sie können auch das Kontrollkästchen Zusammengeführtes Dokument in neuem Tab öffnen aktivieren, um das Ergebnis zu überprüfen, sobald der Serienbriefprozess abgeschlossen ist. Klicken Sie zum Schluss im Fenster Speichern unter auf Speichern. Wenn Sie die Option E-Mail ausgewählt haben, erscheint in der rechten Seitenleiste die Schaltfläche Teilen. Wenn Sie auf die Schaltfläche klicken, öffnet sich das Fenster An E-Mail senden: Wenn Sie mehrere Konten mit Ihrem Mail-Modul verbunden haben, wählen Sie in der Liste Von das E-Mail-Konto aus, das Sie zum Senden der E-Mails verwenden möchten. Wählen Sie in der Liste An das Serienbrieffeld aus, das den E-Mail-Adressen der Empfänger entspricht, falls es nicht automatisch ausgewählt wurde. Geben Sie den Betreff Ihrer Nachricht in die Betreffzeile ein. Wählen sie das Mailformat aus der Liste aus: HTML, als DOCX anhängen oder als PDF anhängen. Wenn eine der beiden letzteren Optionen ausgewählt ist, müssen Sie auch den Dateinamen für Anhänge angeben und die Nachricht eingeben (der Text Ihres Briefes, der an die Empfänger gesendet wird). Klicken Sie auf Senden. Sobald das Mailing abgeschlossen ist, erhalten Sie an die im Feld Von angegebene E-Mail-Adresse eine Benachrichtigung." }, { "id": "UsageInstructions/ViewDocInfo.htm", diff --git a/apps/documenteditor/main/resources/help/en/Contents.json b/apps/documenteditor/main/resources/help/en/Contents.json index a371779c2..f5fb78444 100644 --- a/apps/documenteditor/main/resources/help/en/Contents.json +++ b/apps/documenteditor/main/resources/help/en/Contents.json @@ -6,7 +6,8 @@ {"src": "ProgramInterface/LayoutTab.htm", "name": "Layout tab" }, { "src": "ProgramInterface/ReferencesTab.htm", "name": "References tab" }, {"src": "ProgramInterface/FormsTab.htm", "name": "Forms tab"}, - {"src": "ProgramInterface/ReviewTab.htm", "name": "Collaboration tab"}, + {"src": "ProgramInterface/ReviewTab.htm", "name": "Collaboration tab" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "View 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"}, {"src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Copy/paste text passages, undo/redo your actions"}, @@ -44,7 +45,8 @@ {"src": "UsageInstructions/InsertImages.htm", "name": "Insert images"}, {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Insert autoshapes"}, {"src": "UsageInstructions/InsertCharts.htm", "name": "Insert charts" }, - { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Insert text objects" }, + {"src": "UsageInstructions/InsertTextObjects.htm", "name": "Insert text objects" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Support of SmartArt" }, { "src": "UsageInstructions/AddCaption.htm", "name": "Add caption" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insert symbols and characters" }, {"src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Align and arrange objects on a page" }, @@ -56,9 +58,12 @@ { "src": "UsageInstructions/FillingOutForm.htm", "name": "Filling Out a Form" }, {"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"}, - { "src": "HelpfulHints/Review.htm", "name": "Document Review" }, - {"src": "HelpfulHints/Comparison.htm", "name": "Compare documents" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Co-editing documents in real time", "headername": "Collaboration" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Communicating in real time" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Commenting documents" }, + { "src": "HelpfulHints/Review.htm", "name": "Tracking changes" }, + { "src": "HelpfulHints/Comparison.htm", "name": "Comparing documents" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Version history" }, {"src": "UsageInstructions/PhotoEditor.htm", "name": "Edit an image", "headername": "Plugins"}, {"src": "UsageInstructions/YouTube.htm", "name": "Include a video" }, {"src": "UsageInstructions/HighlightedCode.htm", "name": "Insert highlighted code" }, @@ -71,11 +76,14 @@ {"src": "UsageInstructions/WordCounter.htm", "name": "Count words"}, {"src": "UsageInstructions/HTML.htm", "name": "Edit HTML"}, { "src": "UsageInstructions/Typograf.htm", "name": "Correct typography" }, - {"src": "UsageInstructions/CommunicationPlugins.htm", "name": "Communicate while editing"}, + { "src": "UsageInstructions/CommunicationPlugins.htm", "name": "Communicate while editing" }, + {"src": "UsageInstructions/Jitsi.htm", "name": "Make Audio and Video Calls"}, + {"src": "UsageInstructions/Drawio.htm", "name": "Create and insert diagrams"}, {"src": "UsageInstructions/ViewDocInfo.htm", "name": "View document information", "headername": "Tools and settings"}, - {"src": "UsageInstructions/SavePrintDownload.htm", "name": "Save/download/print your document" }, + {"src": "UsageInstructions/SavePrintDownload.htm", "name": "Save, download, print your document" }, {"src": "HelpfulHints/AdvancedSettings.htm", "name": "Advanced settings of Document Editor"}, - {"src": "HelpfulHints/Navigation.htm", "name": "View settings and navigation tools"}, + {"src": "HelpfulHints/Navigation.htm", "name": "View settings and navigation tools" }, + {"src": "HelpfulHints/Viewer.htm", "name": "ONLYOFFICE Document Viewer"}, {"src": "HelpfulHints/Search.htm", "name": "Search and replace function"}, {"src": "HelpfulHints/SpellChecking.htm", "name": "Spell-checking"}, {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "AutoCorrect features" }, diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index baafbb53e..a64b667b9 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Collaborative Document Editing + Co-editing documents in real time @@ -14,103 +14,29 @@
                                            -

                                            Collaborative Document Editing

                                            -

                                            The Document Editor allows you to collaboratively work on a document with other users. This feature includes:

                                            +

                                            Co-editing documents in real time

                                            +

                                            The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing.

                                            +

                                            In Document Editor you can collaborate on documents in real time using two modes: Fast or Strict.

                                            +

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

                                            +

                                            Co-editing Mode menu

                                            +

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

                                            +

                                            Fast mode

                                            +

                                            The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a document in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the text.

                                            +

                                            By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed.

                                            +

                                            Fast mode

                                            +

                                            Strict mode

                                            +

                                            The Strict mode is selected to hide changes made by other users until you click the Save Save icon icon to save your changes and accept the changes made by co-authors. When a document is being edited by several users simultaneously in this mode, the edited text passages are marked with dashed lines of different colors.

                                            +

                                            Strict mode

                                            +

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

                                            +

                                            You can specify what changes you want to be highlighted during co-editing if you click the File tab on the top toolbar, select the Advanced Settings... option and choose one of the three options:

                                              -
                                            • simultaneous multi-user access to the document to be edited
                                            • -
                                            • visual indication of passages that are being edited by other users
                                            • -
                                            • real-time display of changes or synchronization of changes with one button click
                                            • -
                                            • chat to share ideas concerning particular parts of the document
                                            • -
                                            • comments with the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version)
                                            • +
                                            • View all - all the changes made during the current session will be highlighted.
                                            • +
                                            • View last - only the changes made since you last time clicked the Save icon icon will be highlighted.
                                            • +
                                            • View None - changes made during the current session will not be highlighted.
                                            -
                                            -

                                            Connecting to the online version

                                            -

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

                                            -
                                            -
                                            -

                                            Co-editing

                                            -

                                            The Document Editor allows you to select one of the two available co-editing modes:

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

                                            The mode can be selected in the Advanced Settings. It's also possible to choose the required mode using the

                                            Co-editing Mode icon on the Collaboration tab of the top toolbar:

                                            -

                                            Co-editing Mode menu

                                            -

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

                                            -

                                            When a document is being edited by several users simultaneously in the Strict mode, the edited text passages are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors when they are editing the text.

                                            -

                                            The number of users who are working on the current document is displayed on the right side of the editor header -

                                            . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users.

                                            -

                                            When no users are viewing or editing the file, the icon in the editor header will look like

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

                                            -

                                            As soon as one of the users saves his/her changes by clicking the

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

                                            -

                                            You can specify what changes you want to be highlighted during co-editing if you click the File tab on the top toolbar, select the Advanced Settings... option and choose between none, all and last real-time collaboration changes. Selecting View all changes, all the changes made during the current session will be highlighted. Selecting View last changes, only the changes made since you last time clicked the

                                            icon will be highlighted. Selecting View None changes, changes made during the current session will not be highlighted.

                                            -

                                            Anonymous

                                            -

                                            Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                                            -

                                            anonymous collaboration

                                            -

                                            Chat

                                            -

                                            You can use this tool to coordinate the co-editing process on-the-fly, for example, to distribute tasks and paragraphs to be edited by the collaborators, etc.

                                            -

                                            The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until they are deleted.

                                            -

                                            To access the chat and leave a message for other users,

                                            -
                                              -
                                            1. - click the
                                              icon on the left sidebar, or
                                              - switch to the Collaboration tab of the top toolbar and click the
                                              Chat button, -
                                            2. -
                                            3. enter your text into the corresponding field below,
                                            4. -
                                            5. press the Send button.
                                            6. -
                                            -

                                            All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this -

                                            .

                                            -

                                            To close the panel with chat messages, click the

                                            icon on the left sidebar or the
                                            Chat button at the top toolbar once again.

                                            -
                                            -

                                            Comments

                                            -

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

                                            -

                                            To leave a comment,

                                            -
                                              -
                                            1. select a text passage where you think there is an error or problem,
                                            2. -
                                            3. - switch to the Insert or Collaboration tab of the top toolbar and click the
                                              Comment button, or
                                              - use the
                                              icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or
                                              - right-click the selected text passage and select the Add Сomment option from the contextual menu, -
                                            4. -
                                            5. enter the required text,
                                            6. -
                                            7. click the Add Comment/Add button.
                                            8. -
                                            -

                                            The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button.

                                            -

                                            If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the

                                            icon in the left upper corner of the top toolbar.

                                            -

                                            The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented passages will be highlighted only if you click the

                                            icon.

                                            -

                                            You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                                            -
                                              -
                                            • sort the added comments by clicking the
                                              icon: -
                                                -
                                              • by date: Newest or Oldest. This is the sort order by default.
                                              • -
                                              • by author: Author from A to Z or Author from Z to A
                                              • -
                                              • - by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document. -

                                                Sort comments

                                                -
                                              • -
                                              -
                                            • edit the currently selected comment by clicking the
                                              icon,
                                            • -
                                            • delete the currently selected comment by clicking the
                                              icon,
                                            • -
                                            • close the currently selected discussion by clicking the
                                              icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the
                                              icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the
                                              icon,
                                            • -
                                            • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document.
                                            • -
                                            -

                                            Adding mentions

                                            -

                                            Note: Mentions can be added to comments to text and not to comments to the entire document.

                                            -

                                            When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                                            -

                                            To add a mention enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary and click OK.

                                            -

                                            The mentioned user will receive an email notification that he/she has been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                                            -

                                            To remove comments,

                                            -
                                              -
                                            1. click the
                                              Remove button on the Collaboration tab of the top toolbar,
                                            2. -
                                            3. select the necessary option from the menu: -
                                                -
                                              • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                                              • -
                                              • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                                              • -
                                              • Remove All Comments - to remove all the comments in the document that you and other users added.
                                              • -
                                              -
                                            4. -
                                            -

                                            To close the panel with comments, click the

                                            icon on the left sidebar once again.

                                            +

                                            Anonymous

                                            +

                                            Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                                            +

                                            anonymous collaboration

                                            \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Commenting.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..5684c4d25 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Commenting.htm @@ -0,0 +1,85 @@ + + + + Commenting documents + + + + + + + +
                                            +
                                            + +
                                            +

                                            Commenting documents

                                            +

                                            The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing.

                                            +

                                            In Document Editor you can leave comments to the content of documents without actually editing it. Unlike chat messages, the comments stay until deleted.

                                            +

                                            Leaving comments and replying to them

                                            +

                                            To leave a comment,

                                            +
                                              +
                                            1. select a text passage where you think there is an error or problem,
                                            2. +
                                            3. + switch to the Insert or Collaboration tab of the top toolbar and click the Comment icon Comment button, or
                                              + use the Comments icon icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or
                                              + right-click the selected text passage and select the Add Сomment option from the contextual menu, +
                                            4. +
                                            5. enter the required text,
                                            6. +
                                            7. click the Add Comment/Add button.
                                            8. +
                                            +

                                            The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button.

                                            +

                                            If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the Save icon icon in the left upper corner of the top toolbar.

                                            +

                                            Disabling display of comments

                                            +

                                            The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. To disable this feature,

                                            +
                                              +
                                            1. click the File tab at the top toolbar,
                                            2. +
                                            3. select the Advanced Settings... option,
                                            4. +
                                            5. uncheck the Turn on display of the comments box.
                                            6. +
                                            +

                                            Now the commented passages will be highlighted only if you click the Comments icon icon.

                                            +

                                            Managing comments

                                            +

                                            You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                                            +
                                              +
                                            • + sort the added comments by clicking the Sort icon icon: +
                                                +
                                              • by date: Newest or Oldest. This is the sort order by default.
                                              • +
                                              • by author: Author from A to Z or Author from Z to A.
                                              • +
                                              • by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document.
                                              • +
                                              • by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. +

                                                Sort comments

                                                +
                                              • +
                                              +
                                            • edit the currently selected comment by clicking the Edit icon icon,
                                            • +
                                            • delete the currently selected comment by clicking the Delete icon icon,
                                            • +
                                            • close the currently selected discussion by clicking the Resolve icon icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the Open again icon icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the Comments icon icon,
                                            • +
                                            • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document.
                                            • +
                                            +

                                            Adding mentions

                                            +

                                            You can only add mentions to the comments made to the text parts and not to the document itself.

                                            +

                                            When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                                            +

                                            To add a mention,

                                            +
                                              +
                                            1. Enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type.
                                            2. +
                                            3. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary.
                                            4. +
                                            5. Click OK.
                                            6. +
                                            +

                                            The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                                            +

                                            Removing comments

                                            +

                                            To remove comments,

                                            +
                                              +
                                            1. click the Remove comment icon Remove button on the Collaboration tab of the top toolbar,
                                            2. +
                                            3. + select the necessary option from the menu: +
                                                +
                                              • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                                              • +
                                              • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                                              • +
                                              • Remove All Comments - to remove all the comments in the document that you and other users added.
                                              • +
                                              +
                                            4. +
                                            +

                                            To close the panel with comments, click the Comments icon icon on the left sidebar once again.

                                            +
                                            + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Communicating.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..2ff7ccac2 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Communicating.htm @@ -0,0 +1,33 @@ + + + + Communicating in real time + + + + + + + +
                                            +
                                            + +
                                            +

                                            Communicating in real time

                                            +

                                            The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing.

                                            +

                                            In Document Editor you can communicate with your co-editors in real time using the built-in Chat tool as well as a number of useful plugins, i.e. Telegram or Rainbow.

                                            +

                                            To access the Chat tool and leave a message for other users,

                                            +
                                              +
                                            1. + click the Chat icon icon on the left sidebar, or
                                              + switch to the Collaboration tab of the top toolbar and click the Chat icon Chat button, +
                                            2. +
                                            3. enter your text into the corresponding field below,
                                            4. +
                                            5. press the Send button.
                                            6. +
                                            +

                                            The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until they are deleted.

                                            +

                                            All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - Chat icon.

                                            +

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

                                            +
                                            + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm index 3b8b91c1b..291c333c2 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm @@ -1,7 +1,7 @@  - Compare documents + Comparing documents @@ -14,11 +14,12 @@
                                            -

                                            Compare documents

                                            +

                                            Comparing documents

                                            +

                                            The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file.

                                            If you need to compare and merge two documents, the Document Editor provides you with 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:

                                              @@ -85,7 +86,7 @@

                                          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.

                                          diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 123182a91..31af9fc0c 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -18,696 +18,696 @@

                                          Keyboard Shortcuts

                                          Keyboard Shortcuts for Key Tips

                                          -

                                          Use keyboard shortcuts to gain immediate access to a certain document parameter and to configure it without using a mouse.

                                          -
                                            -
                                          1. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar.
                                          2. -
                                          3. - Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. -

                                            For example, to access the Insert tab, press Alt to see all primary key tips.

                                            -

                                            Primary Key Tips

                                            -

                                            Press letter I to access the Insert tab, and to see all the available shortcuts for this tab.

                                            -

                                            Secondary Key Tips

                                            -

                                            Then press the letter that corresponds to the item you wish to configure.

                                            -
                                          4. -
                                          5. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips.
                                          6. -
                                          -

                                          The keyboard shortcut list used for a faster and easier access to the features of the Document Editor using the keyboard.

                                          -
                                            -
                                          • Windows/Linux
                                          • - -
                                          • Mac OS
                                          • -
                                          - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +

                                          Use keyboard shortcuts for a faster and easier access to the features of the Document Editor without using a mouse.

                                          +
                                            +
                                          1. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar.
                                          2. +
                                          3. + Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. +

                                            For example, to access the Insert tab, press Alt to see all primary key tips.

                                            +

                                            Primary Key Tips

                                            +

                                            Press letter I to access the Insert tab, and to see all the available shortcuts for this tab.

                                            +

                                            Secondary Key Tips

                                            +

                                            Then press the letter that corresponds to the item you wish to configure.

                                            +
                                          4. +
                                          5. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips.
                                          6. +
                                          +

                                          Find the most common keyboard shortcuts in the list below:

                                          +
                                            +
                                          • Windows/Linux
                                          • + +
                                          • Mac OS
                                          • +
                                          +
                                          Working with Document
                                          Open 'File' panelAlt+F⌥ Option+FOpen 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 boxCtrl+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 fieldCtrl+H^ Ctrl+HOpen 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' panelCtrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                                          ⌘ Cmd+⇧ Shift+H
                                          Open the Comments panel to add your own comment or reply to other users' comments.
                                          Open comment fieldAlt+H⌥ Option+HOpen a data entry field where you can add the text of your comment.
                                          Open 'Chat' panelAlt+Q⌥ Option+QOpen the Chat panel and send a message.
                                          Save documentCtrl+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 documentCtrl+P^ Ctrl+P,
                                          ⌘ Cmd+P
                                          Print the document with one of the available printers or save it as a file.
                                          Download As...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                                          ⌘ Cmd+⇧ Shift+S
                                          Open the Download as... panel to save the currently edited document to the hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB.
                                          Full screenF11Switch to the full screen view to fit the Document Editor into your screen.
                                          Help menuF1F1Open the Document Editor Help menu.
                                          Open existing file (Desktop Editors)Ctrl+OOn 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+F10Open the selected element contextual menu.
                                          Reset the ‘Zoom’ parameterCtrl+0^ Ctrl+0 or ⌘ Cmd+0Reset the ‘Zoom’ parameter of the current document to a default 100%.
                                          Navigation
                                          Jump to the beginning of the lineHomeHomePut the cursor to the beginning of the currently edited line.
                                          Jump to the beginning of the documentCtrl+Home^ Ctrl+HomePut the cursor to the very beginning of the currently edited document.
                                          Jump to the end of the lineEndEndPut the cursor to the end of the currently edited line.
                                          Jump to the end of the documentCtrl+End^ Ctrl+EndPut the cursor to the very end of the currently edited document.
                                          Jump to the beginning of the previous pageAlt+Ctrl+Page UpPut the cursor to the very beginning of the page which preceeds the currently edited one.
                                          Jump to the beginning of the next pageAlt+Ctrl+Page Down⌥ Option+⌘ Cmd+⇧ Shift+Page DownPut the cursor to the very beginning of the page which follows the currently edited one.
                                          Scroll downPage DownPage Down,
                                          ⌥ Option+Fn+
                                          Scroll the document approximately one visible page down.
                                          Scroll upPage UpPage Up,
                                          ⌥ Option+Fn+
                                          Scroll the document approximately one visible page up.
                                          Next pageAlt+Page Down⌥ Option+Page DownGo to the next page in the currently edited document.
                                          Previous pageAlt+Page Up⌥ Option+Page UpGo to the previous page in the currently edited document.
                                          Zoom InCtrl++^ Ctrl+=,
                                          ⌘ Cmd+=
                                          Zoom in the currently edited document.
                                          Zoom OutCtrl+-^ Ctrl+-,
                                          ⌘ Cmd+-
                                          Zoom out the currently edited document.
                                          Move one character to the leftMove the cursor one character to the left.
                                          Move one character to the rightMove the cursor one character to the right.
                                          Move to the beginning of a word or one word to the leftCtrl+^ Ctrl+,
                                          ⌘ Cmd+
                                          Move the cursor to the beginning of a word or one word to the left.
                                          Move one word to the rightCtrl+^ Ctrl+,
                                          ⌘ Cmd+
                                          Move the cursor one word to the right.
                                          Move one line upMove the cursor one line up.
                                          Move one line downMove the cursor one line down.
                                          Navigate between controls in modal dialogues↹ Tab/⇧ Shift+↹ Tab↹ Tab/⇧ Shift+↹ TabNavigate between controls to give focus to the next or previous control in modal dialogues.
                                          Writing
                                          End paragraph↵ Enter↵ ReturnEnd the current paragraph and start a new one.
                                          Add line break⇧ Shift+↵ Enter⇧ Shift+↵ ReturnAdd 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 cursorCtrl+← Backspace^ Ctrl+← Backspace,
                                          ⌘ Cmd+← Backspace
                                          Delete one word to the left of the cursor.
                                          Delete word to the right of cursorCtrl+Delete^ Ctrl+Delete,
                                          ⌘ Cmd+Delete
                                          Delete one word to the right of the cursor.
                                          Create nonbreaking spaceCtrl+⇧ Shift+␣ Spacebar^ Ctrl+⇧ Shift+␣ SpacebarCreate a space between characters which cannot be used to start a new line.
                                          Create nonbreaking hyphenCtrl+⇧ Shift+_^ Ctrl+⇧ Shift+HyphenCreate a hyphen between characters which cannot be used to start a new line.
                                          Undo and Redo
                                          UndoCtrl+Z^ Ctrl+Z,
                                          ⌘ Cmd+Z
                                          Reverse the latest performed action.
                                          RedoCtrl+Y^ Ctrl+Y,
                                          ⌘ Cmd+Y,
                                          ⌘ Cmd+⇧ Shift+Z
                                          Repeat the latest undone action.
                                          Cut, Copy, and Paste
                                          CutCtrl+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.
                                          CopyCtrl+C,
                                          Ctrl+Insert
                                          ⌘ Cmd+CSend 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.
                                          PasteCtrl+V,
                                          ⇧ Shift+Insert
                                          ⌘ Cmd+VInsert 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 hyperlinkCtrl+K⌘ Cmd+KInsert a hyperlink which can be used to go to a web address.
                                          Copy styleCtrl+⇧ Shift+C⌘ Cmd+⇧ Shift+CCopy 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 styleCtrl+⇧ Shift+V⌘ Cmd+⇧ Shift+VApply the previously copied formatting to the text in the currently edited document.
                                          Text Selection
                                          Select allCtrl+A⌘ Cmd+ASelect 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+HomeSelect a text fragment from the cursor to the beginning of the current line.
                                          Select from cursor to end of line⇧ Shift+End⇧ Shift+EndSelect 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 wordCtrl+⇧ Shift+Select a text fragment from the cursor to the end of a word.
                                          Select to the beginning of a wordCtrl+⇧ 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 UpSelect the page part from the cursor position to the upper part of the screen.
                                          Select the page down⇧ Shift+Page Down⇧ Shift+Page DownSelect the page part from the cursor position to the lower part of the screen.
                                          Text Styling
                                          BoldCtrl+B^ Ctrl+B,
                                          ⌘ Cmd+B
                                          Make the font of the selected text fragment darker and heavier than normal.
                                          ItalicCtrl+I^ Ctrl+I,
                                          ⌘ Cmd+I
                                          Make the font of the selected text fragment italicized and slightly slanted.
                                          UnderlineCtrl+U^ Ctrl+U,
                                          ⌘ Cmd+U
                                          Make the selected text fragment underlined with a line going below the letters.
                                          StrikeoutCtrl+5^ Ctrl+5,
                                          ⌘ Cmd+5
                                          Make the selected text fragment struck out with a line going through the letters.
                                          SubscriptCtrl+.^ Ctrl+⇧ Shift+>,
                                          ⌘ Cmd+⇧ Shift+>
                                          Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas.
                                          SuperscriptCtrl+,^ 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 styleAlt+1⌥ Option+^ Ctrl+1Apply the style of the heading 1 to the selected text fragment.
                                          Heading 2 styleAlt+2⌥ Option+^ Ctrl+2Apply the style of the heading 2 to the selected text fragment.
                                          Heading 3 styleAlt+3⌥ Option+^ Ctrl+3Apply the style of the heading 3 to the selected text fragment.
                                          Bulleted listCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                                          ⌘ Cmd+⇧ Shift+L
                                          Create an unordered bulleted list from the selected text fragment or start a new one.
                                          Remove formattingCtrl+␣ SpacebarRemove formatting from the selected text fragment.
                                          Increase fontCtrl+]⌘ Cmd+]Increase the size of the font for the selected text fragment 1 point.
                                          Decrease fontCtrl+[⌘ Cmd+[Decrease the size of the font for the selected text fragment 1 point.
                                          Align center/leftCtrl+E^ Ctrl+E,
                                          ⌘ Cmd+E
                                          Switch a paragraph between centered and left-aligned.
                                          Align justified/leftCtrl+J,
                                          Ctrl+L
                                          ^ Ctrl+J,
                                          ⌘ Cmd+J
                                          Switch a paragraph between justified and left-aligned.
                                          Align right/leftCtrl+R^ Ctrl+RSwitch 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 breakCtrl+↵ Enter^ Ctrl+↵ ReturnInsert a page break at the current cursor position.
                                          Increase indentCtrl+M^ Ctrl+MIndent a paragraph from the left incrementally.
                                          Decrease indentCtrl+⇧ Shift+M^ Ctrl+⇧ Shift+MRemove a paragraph indent from the left incrementally.
                                          Add page numberCtrl+⇧ Shift+P^ Ctrl+⇧ Shift+PAdd the current page number at the current cursor position.
                                          Nonprinting charactersCtrl+⇧ Shift+Num8Show or hide the display of nonprinting characters.
                                          Delete one character to the left← Backspace← BackspaceDelete one character to the left of the cursor.
                                          Delete one character to the rightDeleteDeleteDelete one character to the right of the cursor.
                                          Modifying Objects
                                          Constrain movement⇧ Shift + drag⇧ Shift + dragConstrain 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 incrementsCtrl+ 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↹ TabGo to the next cell in a table row.
                                          Move to the previous cell in a row⇧ Shift+↹ Tab⇧ Shift+↹ TabGo to the previous cell in a table row.
                                          Move to the next rowGo to the next row in a table.
                                          Move to the previous rowGo to the previous row in a table.
                                          Start new paragraph↵ Enter↵ ReturnStart 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.
                                          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
                                          Working with Document
                                          Open 'File' panelAlt+F⌥ Option+FOpen 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 boxCtrl+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 fieldCtrl+H^ Ctrl+HOpen 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' panelCtrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                                          ⌘ Cmd+⇧ Shift+H
                                          Open the Comments panel to add your own comment or reply to other users' comments.
                                          Open comment fieldAlt+H⌥ Option+HOpen a data entry field where you can add the text of your comment.
                                          Open 'Chat' panelAlt+Q⌥ Option+QOpen the Chat panel and send a message.
                                          Save documentCtrl+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 documentCtrl+P^ Ctrl+P,
                                          ⌘ Cmd+P
                                          Print the document with one of the available printers or save it as a file.
                                          Download As...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                                          ⌘ Cmd+⇧ Shift+S
                                          Open the Download as... panel to save the currently edited document to the hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB.
                                          Full screenF11Switch to the full screen view to fit the Document Editor into your screen.
                                          Help menuF1F1Open the Document Editor Help menu.
                                          Open existing file (Desktop Editors)Ctrl+OOn 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+F10Open the selected element contextual menu.
                                          Reset the ‘Zoom’ parameterCtrl+0^ Ctrl+0 or ⌘ Cmd+0Reset the ‘Zoom’ parameter of the current document to a default 100%.
                                          Navigation
                                          Jump to the beginning of the lineHomeHomePut the cursor to the beginning of the currently edited line.
                                          Jump to the beginning of the documentCtrl+Home^ Ctrl+HomePut the cursor to the very beginning of the currently edited document.
                                          Jump to the end of the lineEndEndPut the cursor to the end of the currently edited line.
                                          Jump to the end of the documentCtrl+End^ Ctrl+EndPut the cursor to the very end of the currently edited document.
                                          Jump to the beginning of the previous pageAlt+Ctrl+Page UpPut the cursor to the very beginning of the page which preceeds the currently edited one.
                                          Jump to the beginning of the next pageAlt+Ctrl+Page Down⌥ Option+⌘ Cmd+⇧ Shift+Page DownPut the cursor to the very beginning of the page which follows the currently edited one.
                                          Scroll downPage DownPage Down,
                                          ⌥ Option+Fn+
                                          Scroll the document approximately one visible page down.
                                          Scroll upPage UpPage Up,
                                          ⌥ Option+Fn+
                                          Scroll the document approximately one visible page up.
                                          Next pageAlt+Page Down⌥ Option+Page DownGo to the next page in the currently edited document.
                                          Previous pageAlt+Page Up⌥ Option+Page UpGo to the previous page in the currently edited document.
                                          Zoom InCtrl++^ Ctrl+=Zoom in the currently edited document.
                                          Zoom OutCtrl+-^ Ctrl+-Zoom out the currently edited document.
                                          Move one character to the leftMove the cursor one character to the left.
                                          Move one character to the rightMove the cursor one character to the right.
                                          Move to the beginning of a word or one word to the leftCtrl+^ Ctrl+,
                                          ⌘ Cmd+
                                          Move the cursor to the beginning of a word or one word to the left.
                                          Move one word to the rightCtrl+^ Ctrl+,
                                          ⌘ Cmd+
                                          Move the cursor one word to the right.
                                          Move one line upMove the cursor one line up.
                                          Move one line downMove the cursor one line down.
                                          Navigate between controls in modal dialogues↹ Tab/⇧ Shift+↹ Tab↹ Tab/⇧ Shift+↹ TabNavigate between controls to give focus to the next or previous control in modal dialogues.
                                          Writing
                                          End paragraph↵ Enter↵ ReturnEnd the current paragraph and start a new one.
                                          Add line break⇧ Shift+↵ Enter⇧ Shift+↵ ReturnAdd 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 cursorCtrl+← Backspace^ Ctrl+← Backspace,
                                          ⌘ Cmd+← Backspace
                                          Delete one word to the left of the cursor.
                                          Delete word to the right of cursorCtrl+Delete^ Ctrl+Delete,
                                          ⌘ Cmd+Delete
                                          Delete one word to the right of the cursor.
                                          Create nonbreaking spaceCtrl+⇧ Shift+␣ Spacebar^ Ctrl+⇧ Shift+␣ SpacebarCreate a space between characters which cannot be used to start a new line.
                                          Create nonbreaking hyphenCtrl+⇧ Shift+_^ Ctrl+⇧ Shift+HyphenCreate a hyphen between characters which cannot be used to start a new line.
                                          Undo and Redo
                                          UndoCtrl+Z^ Ctrl+Z,
                                          ⌘ Cmd+Z
                                          Reverse the latest performed action.
                                          RedoCtrl+Y^ Ctrl+Y,
                                          ⌘ Cmd+Y,
                                          ⌘ Cmd+⇧ Shift+Z
                                          Repeat the latest undone action.
                                          Cut, Copy, and Paste
                                          CutCtrl+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.
                                          CopyCtrl+C,
                                          Ctrl+Insert
                                          ⌘ Cmd+CSend 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.
                                          PasteCtrl+V,
                                          ⇧ Shift+Insert
                                          ⌘ Cmd+VInsert 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 hyperlinkCtrl+K⌘ Cmd+KInsert a hyperlink which can be used to go to a web address.
                                          Copy styleCtrl+⇧ Shift+C⌘ Cmd+⇧ Shift+CCopy 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 styleCtrl+⇧ Shift+V⌘ Cmd+⇧ Shift+VApply the previously copied formatting to the text in the currently edited document.
                                          Text Selection
                                          Select allCtrl+A⌘ Cmd+ASelect 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+HomeSelect a text fragment from the cursor to the beginning of the current line.
                                          Select from cursor to end of line⇧ Shift+End⇧ Shift+EndSelect 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 wordCtrl+⇧ Shift+Select a text fragment from the cursor to the end of a word.
                                          Select to the beginning of a wordCtrl+⇧ 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 UpSelect the page part from the cursor position to the upper part of the screen.
                                          Select the page down⇧ Shift+Page Down⇧ Shift+Page DownSelect the page part from the cursor position to the lower part of the screen.
                                          Text Styling
                                          BoldCtrl+B^ Ctrl+B,
                                          ⌘ Cmd+B
                                          Make the font of the selected text fragment darker and heavier than normal.
                                          ItalicCtrl+I^ Ctrl+I,
                                          ⌘ Cmd+I
                                          Make the font of the selected text fragment italicized and slightly slanted.
                                          UnderlineCtrl+U^ Ctrl+U,
                                          ⌘ Cmd+U
                                          Make the selected text fragment underlined with a line going below the letters.
                                          StrikeoutCtrl+5^ Ctrl+5,
                                          ⌘ Cmd+5
                                          Make the selected text fragment struck out with a line going through the letters.
                                          SubscriptCtrl+.^ Ctrl+⇧ Shift+>,
                                          ⌘ Cmd+⇧ Shift+>
                                          Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas.
                                          SuperscriptCtrl+,^ 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 styleAlt+1⌥ Option+^ Ctrl+1Apply the style of the heading 1 to the selected text fragment.
                                          Heading 2 styleAlt+2⌥ Option+^ Ctrl+2Apply the style of the heading 2 to the selected text fragment.
                                          Heading 3 styleAlt+3⌥ Option+^ Ctrl+3Apply the style of the heading 3 to the selected text fragment.
                                          Bulleted listCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                                          ⌘ Cmd+⇧ Shift+L
                                          Create an unordered bulleted list from the selected text fragment or start a new one.
                                          Remove formattingCtrl+␣ SpacebarRemove formatting from the selected text fragment.
                                          Increase fontCtrl+]⌘ Cmd+]Increase the size of the font for the selected text fragment 1 point.
                                          Decrease fontCtrl+[⌘ Cmd+[Decrease the size of the font for the selected text fragment 1 point.
                                          Align center/leftCtrl+E^ Ctrl+E,
                                          ⌘ Cmd+E
                                          Switch a paragraph between centered and left-aligned.
                                          Align justified/leftCtrl+J,
                                          Ctrl+L
                                          ^ Ctrl+J,
                                          ⌘ Cmd+J
                                          Switch a paragraph between justified and left-aligned.
                                          Align right/leftCtrl+R^ Ctrl+RSwitch 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 breakCtrl+↵ Enter^ Ctrl+↵ ReturnInsert a page break at the current cursor position.
                                          Increase indentCtrl+M^ Ctrl+MIndent a paragraph from the left incrementally.
                                          Decrease indentCtrl+⇧ Shift+M^ Ctrl+⇧ Shift+MRemove a paragraph indent from the left incrementally.
                                          Add page numberCtrl+⇧ Shift+P^ Ctrl+⇧ Shift+PAdd the current page number at the current cursor position.
                                          Nonprinting charactersCtrl+⇧ Shift+Num8Show or hide the display of nonprinting characters.
                                          Delete one character to the left← Backspace← BackspaceDelete one character to the left of the cursor.
                                          Delete one character to the rightDeleteDeleteDelete one character to the right of the cursor.
                                          Modifying Objects
                                          Constrain movement⇧ Shift + drag⇧ Shift + dragConstrain 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 incrementsCtrl+ 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↹ TabGo to the next cell in a table row.
                                          Move to the previous cell in a row⇧ Shift+↹ Tab⇧ Shift+↹ TabGo to the previous cell in a table row.
                                          Move to the next rowGo to the next row in a table.
                                          Move to the previous rowGo to the previous row in a table.
                                          Start new paragraph↵ Enter↵ ReturnStart 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 formulaAlt+=Insert a formula at the current cursor position.
                                          Insert an em dashAlt+Ctrl+Num-Insert an em dash ‘—’ within the current document and to the right of the cursor.
                                          Insert a non-breaking hyphenCtrl+⇧ Shift+_^ Ctrl+⇧ Shift+HyphenInsert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor.
                                          Insert a no-break spaceCtrl+⇧ Shift+␣ Spacebar^ Ctrl+⇧ Shift+␣ SpacebarInsert a no-break space ‘o’ within the current document and to the right of the cursor.
                                          +
    Inserting special characters
    Insert formulaAlt+=Insert a formula at the current cursor position.
    Insert an em dashAlt+Ctrl+Num-Insert an em dash ‘—’ within the current document and to the right of the cursor.
    Insert a non-breaking hyphenCtrl+⇧ Shift+_^ Ctrl+⇧ Shift+HyphenInsert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor.
    Insert a no-break spaceCtrl+⇧ Shift+␣ Spacebar^ Ctrl+⇧ Shift+␣ SpacebarInsert a no-break space ‘o’ within the current document and to the right of the cursor.
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Navigation.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Navigation.htm index d074a402c..77d446969 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Navigation.htm @@ -37,7 +37,7 @@ When the Comments or Chat panel is opened, the width of the left sidebar is adjusted by simple drag-and-drop: move the mouse cursor over the left sidebar border so that it turns into the bidirectional arrow and drag the border to the right to extend the width of the sidebar. To restore its original width, move the border to the left.

    -

    Use the Navigation Tools

    +

    To navigate through your document, use the following tools:

    The Zoom buttons are situated in the right lower corner and are used to zoom in and out the current document. diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Password.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Password.htm index 97ab76cd9..d2fa35fd0 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Password.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Password.htm @@ -24,9 +24,11 @@

  • go to the File tab at the top toolbar,
  • choose the Protect option,
  • click the Add password button,
  • -
  • set a password in the Password field and repeat it in the Repeat password field below, then click OK.
  • +
  • + set a password in the Password field and repeat it in the Repeat password field below, then click OK. Click Show password icon to show or hide password characters when entered. +

    setting password

    +
  • -

    setting password

    Changing a password

      diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Review.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Review.htm index e81d8c08e..e3d403789 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Review.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Review.htm @@ -1,7 +1,7 @@  - Document Review + Reviewing documents @@ -14,25 +14,33 @@
      -

      Document Review

      +

      Reviewing documents

      +

      The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, compare and merge documents to facilitate processing and editing.

      When somebody shares a file with you using the review permissions, you need to apply the document Review feature.

      In the Document Editor, as a reviewer, you can use the Review option to review the document, change the sentences, phrases and other page elements, correct spelling, etc. without actually editing it. All your changes will be recorded and shown to the person who sent you the document.

      If you send the file for review, you will need to display all the changes which were made to it, view and either accept or reject them.

      Enable the Track Changes feature

      To see changes suggested by a reviewer, enable the Track Changes option in one of the following ways:

        -
      • click the
        button in the right lower corner on the status bar, or
      • -
      • switch to the Collaboration tab on the top toolbar and press the
        Track Changes button. -

        It is not necessary for the reviewer to enable the Track Changes option. It is enabled by default and cannot be disabled when the document is shared with review only access rights.

      • -
      • the following options are available in the opened pop-up menu: -
          -
        • On for me - tracking changes is enabled for the current user only. The option remains enabled for the current editing session, i.e. will be disabled when you reload or open the document anew. It will not be affected by other users enabling or disabling the general tracking changes option.
        • -
        • Off for me - tracking changes is disabled for the current user only. The option remains disabled for the current editing session. It will not be affected by other users enabling or disabling the general tracking changes option.
        • -
        • On for me and everyone - tracking changes is enabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking enabled). When another user disables the general tracking changes option in the file, it will be switched to Off for me and everyone for all users. -

          track changes mode alert

        • -
        • Off for me and everyone - tracking changes is disabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking disabled). When another user enables the general tracking changes option in the file, it will be switched to On for me and everyone for all users. The corresponding alert message will be shown to every co-author. -

          track changes enabled

        • -
        +
      • click the Track changes button button in the right lower corner on the status bar, or
      • +
      • + switch to the Collaboration tab on the top toolbar and press the Track Changes button Track Changes button. +

        It is not necessary for the reviewer to enable the Track Changes option. It is enabled by default and cannot be disabled when the document is shared with review only access rights.

        +
      • +
      • + the following options are available in the opened pop-up menu: +
          +
        • On for me - tracking changes is enabled for the current user only. The option remains enabled for the current editing session, i.e. will be disabled when you reload or open the document anew. It will not be affected by other users enabling or disabling the general tracking changes option.
        • +
        • Off for me - tracking changes is disabled for the current user only. The option remains disabled for the current editing session. It will not be affected by other users enabling or disabling the general tracking changes option.
        • +
        • + On for me and everyone - tracking changes is enabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking enabled). When another user disables the general tracking changes option in the file, it will be switched to Off for me and everyone for all users. +

          track changes mode alert

          +
        • +
        • + Off for me and everyone - tracking changes is disabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking disabled). When another user enables the general tracking changes option in the file, it will be switched to On for me and everyone for all users. The corresponding alert message will be shown to every co-author. +

          track changes enabled

          +
        • +

      View changes

      @@ -64,8 +72,10 @@
    • 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 balloon.
    -

    To quickly reject all the changes, click the downward arrow below the

    Reject button and select the Reject All Changes option.

    -

    If you review the document, the Accept and Reject options are not available for you. You can delete your changes using the

    icon within the change balloon.

    +

    To quickly reject all the changes, click the downward arrow below the Reject button Reject button and select the Reject All Changes option.

    +

    If you need to accept or reject one change, right-click it and choose Accept Change or Reject Change from the context menu.

    +

    Accept/Reject dropdowm menu

    +

    If you review the document, the Accept and Reject options are not available for you. You can delete your changes using the Delete change button icon within the change balloon.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Search.htm index a2e48e56b..ace2cd169 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Search.htm @@ -11,35 +11,156 @@
    -
    - -
    -

    Search and Replace Function

    -

    To search for the required characters, words or phrases used in the currently edited document, - click the

    icon situated on the left sidebar of the Document Editor or use the Ctrl+F key combination.

    +
    + +
    +

    Search and Replace Function

    +

    To search for the required characters, words or phrases used in the currently edited document, click the Search icon icon situated on the left sidebar of the Document Editor or use the Ctrl+F key combination.

    The Find and Replace window will open:

    -

    Find and Replace Window

    +

    Find and Replace Window

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

      Note: when the Highlight results option is enabled, use these buttons to navigate through the highlighted results.

      -
    6. +
    7. Type in your inquiry into the corresponding data entry field.
    8. +
    9. + Specify search parameters by clicking the Search options icon icon and checking the necessary options: +
        +
      • Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). To disable this option, click it once again.
      • +
      • Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight, click the option once again.
      • +
      +
    10. +
    11. + Click one of the arrow buttons at the bottom right corner of the window. + The search will be performed either towards the beginning of the document (if you click the Left arrow button button) or towards the end of the document (if you click the Right arrow button button) from the current position. +

      Note: when the Highlight results option is enabled, use these buttons to navigate through the highlighted results.

      +
    -

    The first occurrence of the required characters in the selected direction will be highlighted on the page. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered.

    +

    The first occurrence of the required characters in the selected direction will be highlighted on the page. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered.

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

    -

    Find and Replace Window

    +

    Find and Replace Window

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

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

    +

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

    +

    Document Editor supports search for special characters. To find a special character, enter it into the search box.

    +
    + The list of special characters that can be used in searches + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Special characterDescription
    ^lLine break
    ^tTab stop
    ^?Any symbol
    ^#Any digit
    ^$Any letter
    ^nColumn break
    ^eEndnote
    ^fFootnote
    ^gGraphic element
    ^mPage break
    ^~Non-breaking hyphen
    ^sNon-breaking space
    ^^Escaping the caret itself
    ^wAny space
    ^+Em dash
    ^=En dash
    ^yAny dash
    +
    +
    + Special characters that may be used for replacement too: + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Special characterDescription
    ^lLine break
    ^tTab stop
    ^nColumn break
    ^mPage break
    ^~Non-breaking hyphen
    ^sNon-breaking space
    ^+Em dash
    ^=En dash
    +
    +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index 64a1c8d81..be1e93b86 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -143,9 +143,9 @@ OFORM - A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements. + A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements*. + + + - + -

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

    +

    *Note: the OFORM format is a format for filling out a form. Therefore, only form fields are editable.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..573994c31 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm @@ -0,0 +1,38 @@ + + + + Version history + + + + + + + +
    +
    + +
    +

    Version history

    +

    The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing.

    +

    In Document Editor you can view the version history of the document you collaborate on.

    +

    Viewing version history:

    +

    To view all the changes made to the document,

    +
      +
    • go to the File tab,
    • +
    • select the Version History option at the left sidebar +

      or

    • +
    • go to the Collaboration tab,
    • +
    • open the history of versions using the Version history Version History icon at the top toolbar.
    • +
    +

    You'll see the list of the document versions and revisions with the indication of each version/revision author and creation date and time. For document versions, the version number is also specified (e.g. ver. 2).

    +

    Viewing versions:

    +

    To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar.

    +

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

    +

    Restoring versions:

    +

    If you need to roll back to one of the previous versions of the document, click the Restore link below the selected version/revision.

    +

    Restore

    +

    To learn more about managing versions and intermediate revisions, as well as restoring previous versions, please read the following article.

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Viewer.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Viewer.htm new file mode 100644 index 000000000..9b295c2d5 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Viewer.htm @@ -0,0 +1,104 @@ + + + + ONLYOFFICE Document Viewer + + + + + + + +
    +
    + +
    +

    ONLYOFFICE Document Viewer

    +

    You can use ONLYOFFICE Document Viewer to open and navigate through PDF, XPS, DjVu files.

    +

    ONLYOFFICE Document Viewer allows to:

    +
      +
    • view PDF, XPS, DjVu files,
    • +
    • add annotations using chat tool,
    • +
    • navigate files using contents navigation panel and page thumbnails,
    • +
    • use select and hand tools,
    • +
    • print and download files,
    • +
    • use internal and external links,
    • +
    • + access advanced settings of the editor and view the following document info using the File tab or the View settings button: +
        +
      • Location (available in the online version only) - the folder in the Documents module where the file is stored.
      • +
      • Owner (available in the online version only) - the name of the user who has created the file.
      • +
      • Uploaded (available in the online version only) - the date and time when the file has been uploaded to the portal.
      • +
      • Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces.
      • +
      • Page size - the dimensions of the pages in the file.
      • +
      • Last Modified - the date and time when the document was last modified.
      • +
      • Created - the date and time when the document was created.
      • +
      • Application - the application the document has been created with.
      • +
      • Author - the person who has created the document.
      • +
      • PDF Producer - the application used to convert the document to PDF.
      • +
      • PDF Version - the version of the PDF file.
      • +
      • Tagged PDF - shows if PDF file contains tags.
      • +
      • Fast Web View - shows if the Fast Web View has been enabled for the document.
      • +
      +
    • +
    • use plugins +
        +
      • Plugins available in the desktop version: Translator, Send, Thesaurus.
      • +
      • Plugins available in the online version: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thesaurus, Translator.
      • +
      +
    • +
    +

    ONLYOFFICE Document Viewer interface:

    +

    ONLYOFFICE Document Viewer

    +
      +
    1. + The Top toolbar provides access to File and Plugins tabs, and the following icons: +

      Print Print allows to print out the file;

      +

      Download Download allows to download a file to your computer;

      +

      Manage document access rights icon Manage document access rights (available in the online version only) allows you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read, comment, fill forms or review the document, or deny some users access rights to the file.

      +

      Open file location Open file location in the desktop version allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab;

      +

      Favorites Mark as favorite / Remove from favorites (available in the online version only) click the empty star to add a file to favorites as to make it easy to find, or click the filled star to remove the file from favorites. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location;

      +

      View Settings View settings allows adjusting the View Settings and access the Advanced Settings of the editor;

      +

      User User displays the user’s name when you hover the mouse over it.

      +
    2. +
    3. The Status bar located at the bottom of the ONLYOFFICE Document Viewer window indicates the page number and displays the background status notifications. It also contains the following tools: +

      Selection tool Selection tool allows to select text in a file.

      +

      Handtool Hand tool allows to drag and scroll the page.

      +

      Fit to page Fit to page allows to resize the page so that the screen displays the whole page.

      +

      Fit to width Fit to width allows to resize the page so that the page scales to fit the width of the screen.

      +

      Zoom Zoom adjusting tool allows to zoom in and zoom out the page.

      +
    4. +
    5. + The Left sidebar contains the following icons: +
        +
      • Search icon - allows to use the Search and Replace tool,
      • +
      • Chat icon - (available in the online version only) allows opening the Chat panel,
      • +
      • + Navigation icon - allows to open the Navigation panel that displays the list of all headings with corresponding nesting levels. Click the heading to jump directly to a specific page. +

        NavigationPanel +

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

        +
          +
        • Expand all - to expand all levels of headings at the Navigation panel.
        • +
        • Collapse all - to collapse all levels of headings, excepting level 1, at the Navigation panel.
        • +
        • Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed.
        • +
        +

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

        +

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

        +
      • +
      • + Page thumbnails - allows to display page thumbnails for quick navigation. Click Thumbnail settings on the Page Thumbnails panel to access the Thumbnails Settings: +

        Page thumbnails settings

        +
          +
        • Drag the slider to set the thumbnail size,
        • +
        • The Highlight visible part of page is active by default to indicate the area that is currently on screen. Click it to disable.
        • +
        +

        To close the Page Thumbnails panel, click the Page thumbnails Page Thumbnails icon on the left sidebar once again.

        +
      • +
      • Feedback and Support icon - allows to contact our support team,
      • +
      • About icon - (available in the online version only) allows to view the information about the program.
      • +
      +
    6. +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm index 70f00def5..44b54b68a 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm @@ -20,9 +20,10 @@

    The corresponding window of the Online Document Editor:

    Forms tab

    +
    +

    The corresponding window of the Desktop Document Editor:

    Forms tab

    -

    Using this tab, you can:

      diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index cd7302b62..c6beaacf1 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -41,7 +41,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, References, Forms (available with DOCXF files only), Collaboration, Protection, Plugins.

      The

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

    • -
    • The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, "All changes saved", etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom.
    • +
    • The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, "All changes saved", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom.
    • The Left sidebar contains the following icons:
      • - allows using the Search and Replace tool,
      • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..a8869d580 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ViewTab.htm @@ -0,0 +1,45 @@ + + + + View tab + + + + + + + +
        +
        + +
        +

        View tab

        +

        + The View tab of the Document Editor allows you to manage how your document looks like while you are working on it. +

        +
        +

        The corresponding window of the Online Document Editor:

        +

        View tab

        +
        +
        +

        The corresponding window of the Desktop Document Editor:

        +

        View tab

        +
        +

        View options available on this tab:

        +
          +
        • Navigation allows to display and navigate headings in your document,
        • +
        • Zoom allows to zoom in and zoom out your document,
        • +
        • Fit to page allows to resize the page so that the screen displays the whole page,
        • +
        • Fit to width allows to resize the page so that the page scales to fit the width of the screen,
        • +
        • Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme,
        • +
        • Dark document option becomes active when the Dark theme is enabled. Click it to make the working area dark too.
        • +
        +

        The following options allow you to configure the elements to display or to hide. Check the elements to make them visible:

        +
          +
        • Always show toolbar to make the top toolbar always visible,
        • +
        • Status bar to make the status bar always visible,
        • +
        • Rulers to make rulers always visible.
        • +
        +
        + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddWatermark.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddWatermark.htm index f2f352150..36fceea8e 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddWatermark.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddWatermark.htm @@ -25,10 +25,11 @@
      • Use the Text watermark option and adjust the available parameters:

        Watermark Settings window

          -
        • Language - select one of the available languages from the list,
        • +
        • + Language - select the watermark language. Languages supported for watermarking: English, French, German, Italian, Japanese, Mandarin Chinese, Russian, Spanish.
        • Text - select one of the available text examples in the selected language. For English, the following watermark texts are available: ASAP, CONFIDENTIAL, COPY, DO NOT COPY, DRAFT, ORIGINAL, PERSONAL, SAMPLE, TOP SECRET, URGENT.
        • -
        • Font - select the font name and size from the corresponding drop-down lists. Use the icons on the right to set the font color or apply one of the font decoration styles: Bold, Italic, Underline, Strikeout,
        • -
        • Semitransparent - check this box if you want to apply transparency,
        • +
        • Font - select the font name and size from the corresponding drop-down lists. Use the icons on the right to set the font color or apply one of the font decoration styles: Bold, Italic, Underline, Strikeout.
        • +
        • Semitransparent - check this box if you want to apply transparency.
        • Layout - select the Diagonal or Horizontal option.
      • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm index 070b5d105..d1a007998 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm @@ -32,8 +32,8 @@

      Note: instead of cutting and pasting text fragments in the same document, you can just select the required text passage and drag and drop it to the necessary position.

      Use the Paste Special feature

      -

      Note: For collaborative editing, the Pase Special feature is available in the Strict co-editing mode only.

      -

      Once the copied text is pasted, the Paste Special

      button appears next to the inserted text passage. Click this button to select the necessary paste option.

      +

      Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only.

      +

      Once the copied text is pasted, the Paste Special 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.
      • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm index 25a4de243..3e1c22228 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm @@ -60,7 +60,7 @@
      • Border color: click the icon
        to set the color for the borders of the inserted text field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
      • Background color: click the icon
        to apply a background color to the inserted text field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
      • Autofit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size.
      • -
      • Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form with multiple lines, otherwise, the text will occupy a single line.
      • +
      • Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line.

      comb of characters

      @@ -241,7 +241,7 @@ Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image.
    • When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly.
    • -
    • Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning slides are inactive when the box is checked.
    • +
    • Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning sliders are inactive when the box is unchecked.
    • Select Image: click this button to upload an image either From File, From URL, or From Storage.
    • Border color: click the icon
      to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • Background color: click the icon
      to apply a background color to the inserted image field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • @@ -287,7 +287,7 @@

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

      Creating required fields

      -

      To make a field obligatory, check the Required option. The form cannot be submitted until all required fields are filled in.

      +

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

      Locking form fields

      To prevent further editing of the inserted form field, click the

      Lock icon. Filling the fields remains available.

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/Drawio.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/Drawio.htm new file mode 100644 index 000000000..34f2da38f --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/Drawio.htm @@ -0,0 +1,66 @@ + + + + Create and insert diagrams + + + + + + + +
      +
      + +
      +

      Create and insert diagrams

      +

      If you need to create a lot of various and complex diagrams, ONLYOFFICE Document Editor provides you with a draw.io plugin that can create and configure such diagrams.

      +
        +
      1. Select the place on the page where you want to insert a diagram.
      2. +
      3. Switch to the Plugins tab and click Draw io plugin icon draw.io.
      4. +
      5. + draw io window will open containing the following sections: +
          +
        • Top toolbar contains tools to manage files, configure interface, edit data via File, Edit, View, Arrange, Extras, Help tabs and corresponding options.
        • +
        • Left sidebar contains various forms to select from: Standard, Software, Networking, Business, Other. To add new shapes to those available by default, click the More Shapes button, select the necessary object types and click Apply.
        • +
        • + Right sidebar contains tools and settings to customize the worksheet, shapes, charts, sheets, text, and arrows: +
            +
          • + Worksheet settings: +
              +
            • View: Grid, its size and color, Page view, Background - you can either select a local image or provide the URL, or choose a suitable color using the color palette, as well as add Shadow effects.
            • +
            • Options: Connection Arrows, Connection Points, Guides.
            • +
            • Paper size: Portrait or Landscape orientation with specified length and width parameters.
            • +
            +
          • +
          • + Shape settings: +
              +
            • Color: Fill color, Gradient.
            • +
            • Line: Color, Type, Width, Perimeter width.
            • +
            • Opacity.
            • +
            +
          • +
          • + Arrow settings: +
              +
            • Color: Fill color, Gradient.
            • +
            • Line: Color, Type, Width, Line end, Line start.
            • +
            • Opacity.
            • +
            +
          • +
          +
        • +
        • Working area to view diagrams, enter and edit data. Here you can move objects, form sequential diagrams, and connect objects with arrows.
        • +
        • + Status bar contains navigation tools for convenient switching between sheets and managing them. +

          Draw io diagram

          +
        • +
        +
      6. +
      +

      Use these tools to create the necessary diagram, edit it, and when it is finished, click the Insert button to add it to the document.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm index f49d4cbb3..ac91e7b41 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm @@ -17,20 +17,30 @@

      Filling Out a Form

      A fillable form is an OFORM file. OFORM is a format for filling out template forms and downloading or printing the form after you have filled it out.

      How to fill in a form:

      -
        -
      1. Open an OFORM file. +
          +
        1. + Open an OFORM file.

          oform

          -

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

          More OFORM

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

          -

          Dark Mode Form

          +

          Dark Mode Form

          +

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

          +

          Zoom

          +
            +
          • Fit to page allows to resize the page so that the screen displays the whole page.
          • +
          • Fit to width allows to resize the page so that the page scales to fit the width of the screen.
          • +
          • Zoom adjusting tool allows to zoom in and zoom out the page.
          • +

          Open file location when you need to browse the folder where the form is stored.

          -
        16. -
        + +
      2. +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm index 921cdb813..36b2fdc80 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm @@ -18,12 +18,13 @@

    Insert an autoshape

    To add an autoshape in the Document Editor,

      -
    1. switch to the Insert tab of the top toolbar,
    2. -
    3. click the
      Shape icon on the top toolbar,
    4. -
    5. select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines,
    6. +
    7. switch to the Insert tab of the top toolbar,
    8. +
    9. click the Shape icon Shape icon on the top toolbar,
    10. +
    11. select one of the available autoshape groups from the Shape Gallery: Recently Used, Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines,
    12. click the necessary autoshape within the selected group,
    13. place the mouse cursor where the shape should be added,
    14. -
    15. once the autoshape is added, you can change its size, position and properties. +
    16. + once the autoshape is added, you can change its size, position and properties.

      Note: to add a caption to an autoshape, make sure the required shape is selected on the page and start typing your text. The added text becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it).

    @@ -46,11 +47,27 @@

    To align and arrange autoshapes, use the right-click menu. The menu options are:

    • Cut, Copy, Paste - standard options which are used to cut or copy the selected text/object and paste the previously cut/copied text passage or object to the current cursor position.
    • +
    • Print selection is used to print out only a selected portion of the document.
    • +
    • Accept / Reject changes is used to accept or to reject tracked changes in a shared document.
    • +
    • Edit Points is used to customize or to change the curvature of your shape. +
        +
      1. To activate a shape’s editable anchor points, right-click the shape and choose Edit Points from the menu. The black squares that become active are the points where two lines meet, and the red line outlines the shape. Click and drag it to reposition the point, and to change the shape outline.
      2. +
      3. + Once you click the anchor point, two blue lines with white squares at the ends will appear. These are Bezier handles that allow you to create a curve and to change a curve’s smoothness. +

        Edit Points

        +
      4. +
      5. + As long as the anchor points are active, you can add and delete them. +

        To add a point to a shape, hold Ctrl and click the position where you want to add an anchor point.

        +

        To delete a point, hold Ctrl and click the unnecessary point.

        +
      6. +
      +
    • Arrange is used to bring the selected autoshape to foreground, send it to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects, please refer to this page.
    • Align is used to align the shape to the left, in the center, to the right, at the top, in the middle, at the bottom. To learn more on how to align objects, please refer to this page.
    • -
    • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position.
    • -
    • Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically.
    • -
    • Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window.
    • +
    • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Editing Wrap Boundary
    • +
    • Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically.
    • +
    • Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window.

    Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings

    icon on the right. Here you can change the following properties:

    @@ -69,7 +86,7 @@
  • Style - choose between Linear or Radial:
      -
    • Linear is used  when you need your colors to flow from left-to-right, top-to-bottom, or at any angle you chose in a single direction. Click Direction to choose a preset direction and click Angle for a precise gradient angle.
    • +
    • Linear is used  when you need your colors to flow from left-to-right, top-to-bottom, or at any angle you chose in a single direction. The Direction preview window displays the selected gradient color, click the arrow to choose a preset gradient direction. Use Angle settings for a precise gradient angle.
    • Radial is used to move from the center as it starts at a single point and emanates outward.
  • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm index 0d81a53d7..85c3cbd89 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm @@ -17,7 +17,7 @@

    Insert charts

    Insert a chart

    To insert a chart in the Document Editor,

    -
      +
      1. place the cursor where the chart should be added,
      2. switch to the Insert tab of the top toolbar,
      3. click the
        Chart icon on the top toolbar,
      4. @@ -98,6 +98,7 @@ +

        Note: ONLYOFFICE Document Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools.

      5. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls:
          @@ -209,7 +210,7 @@

          The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes.

          Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines.

            -
          • select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed.
          • +
          • select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed.
          • specify Title orientation by selecting the necessary option from the drop-down list:
              @@ -266,11 +267,11 @@

              Note: Secondary axes are supported in Combo charts only.

              Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart.

              -

              The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below.

              +

              The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below.

              Chart - Advanced Settings window

              The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes.

                -
              • select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed.
              • +
              • select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed.
              • specify Title orientation by selecting the necessary option from the drop-down list:
                  @@ -316,16 +317,16 @@
                • Check Linked to source to keep number formatting from the data source in the chart.
              • -
              -

              Chart - Advanced Settings: Cell Snapping

              -

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

              Chart - Advanced Settings

              -

              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.

              +
            +

            Chart - Advanced Settings: Cell Snapping

            +

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

            Chart - Advanced Settings

            +

            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.


      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm index fd5e1f863..a2da364eb 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -55,8 +55,9 @@
    1. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles.
    2. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes.

      -

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

      +

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

        +
      • If you select the Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape.
      • If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while the other parts of the image will be removed.
      • If you select the Fit option, the image will be resized so that it fits the height and the width of the cropping area. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area.
      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm new file mode 100644 index 000000000..baa0f8d4e --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm @@ -0,0 +1,158 @@ + + + + Make Audio and Video Calls + + + + + + + +
      +
      + +
      +

      Make Audio and Video Calls

      +

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

      +

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

      +
        +
      1. Switch to the Plugins tab and click the Jitsi icon on the top toolbar.
      2. +
      3. + Fill in the fields at the bottom of the left sidebar before you start a call: +

        Domain - enter the domain name if you want to connect your domain.

        +

        Room name - enter the name of the meeting room. This field is mandatory and you cannot start a call if you leave it out.

        +
      4. +
      5. Click the Start button to open the Jitsi Meet iframe.
      6. +
      7. Enter your name and allow camera and microphone access to your browser. +
      8. If you want to close the Jitsi Meet iframe click the Stop button at the bottom of the left.
      9. +
      10. Click the Join the meeting button to start a call with audio or click the arrow to join without audio.
      11. +
      + Youtube plugin gif +

      The Jitsi Meet iframe interface elements before launching a meeting:

      +

      + Jitsi Micro + Audio settings and Mute/Unmute +

      +
        +
      • Click the arrow to access the preview of Audio Settings.
      • +
      • Click the micro to mute/unmute your microphone.
      • +
      +

      + Jitsi Camera + Video settings and Start/Stop +

      +
        +
      • Click the arrow to access video preview.
      • +
      • Click the camera to start/stop your video.
      • +
      +

      + Jitsi Invite + Invite people +

      +
        +
      • Click this button to invite more people to your meeting.
      • +
      • + Share the meeting by copying the meeting link, or
        + Share meeting invitation by copying it, or via your default email, Google email, Outlook email or Yahoo email. +
      • +
      • Embed the meeting by copying the link.
      • +
      • Use one of the available dial-in numbers to join the meeting.
      • +
      +

      + Jitsi Background + Select background +

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

      + Jitsi Background + Select background +

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

      + Jitsi Background + Settings +

      +

      Configure advanced settings that are organized in the following categories:

      +
        +
      • Devices for setting up your Microphone, Camera and Audio Output, and playing a test sound.
      • +
      • Profile for setting up your name to be displayed and gravatar email, hide/show self view.
      • +
      • Calendar for integration your Google or Microsoft calendar.
      • +
      • Sounds for selecting the actions to play the sound on.
      • +
      • More for configuring some additional options: enable/disable pre meeting screen and keyboard shortcuts, set up a language and desktop sharing frame rate.
      • +
      +

      + Interface elements that appear during a video conference: +

      + Jitsi Conference +

      Click the side arrow on the right to display the participant thumbnails at the top.

      +

      + Jitsi Timer + The timer at the iframe top shows the meeting duration. +

      +

      + Jitsi Open Chat + Open chat +

      +
        +
      • Type a text message or create a poll.
      • +
      +

      + Jitsi Participants + Participants +

      +
        +
      • View the list of the meeting participants, invite more participants and search a participant.
      • +
      +

      + Jitsi More Actions + More Actions +

      +
        +
      • Find a range of options to use all the available Jitsi features to the full.Scroll through the options to see them all.
      • +
      +
      + Available options, +
        +
      • Start screen sharing
      • +
      • Invite people
      • +
      • Enter/Exit tile view
      • +
      • Performance settings for adjusting the quality
      • +
      • View full screen
      • +
      • + Security options +
          +
        • Lobby mode for participants to join the meeting after the moderator’s approval;
        • +
        • Add password mode for participants to join the meeting with a password;
        • +
        • End-to-end encryption is an experimental method of making secure calls (mind the restrictions like disabling server-side provided services and using browsers that support insertable streams).
        • +
        +
      • +
      • Start live stream
      • +
      • Mute everyone
      • +
      • Disable everyone’s camera
      • +
      • Share video
      • +
      • Select background
      • +
      • Speaker stats
      • +
      • Settings
      • +
      • View shortcuts
      • +
      • Embed meeting
      • +
      • Leave feedback
      • +
      • Help
      • +
      +
      +

      + Jitsi Leave + Leave the meeting +

      +
        +
      • Click it whenever you wish to end a call.
      • +
      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm index fd18fc57e..3d1c45550 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm @@ -2548,7 +2548,8 @@

      Recognized Functions

      AutoFormat As You Type

      By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected.

      -

      If you need to disable auto-formatting presets, uncheck the box for the unnecessary options, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

      +

      The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate. By default, this option is disabled for Linux and Windows, and is enabled for macOS.

      +

      To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

      AutoFormat As You Type

      Text AutoCorrect

      You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option.

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 416fc9c8f..190db0240 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -1,7 +1,7 @@  - Save/download/print your document + Save, download, print your document @@ -14,7 +14,7 @@
      -

      Save/download/print your document

      +

      Save, download, print your document

      Saving

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

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

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..fe9691842 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,36 @@ + + + + Support of SmartArt in ONLYOFFICE Document Editor + + + + + + + +
      +
      + +
      +

      Support of SmartArt in ONLYOFFICE Document Editor

      +

      SmartArt graphics are used to create a visual representation of a hierarchical structure by choosing a layout that fits best. ONLYOFFICE Document Editor supports SmartArt graphics that were inserted using third-party editors. You can open a file containing SmartArt and edit it as a graphic object using the available editing tools. Once you click a SmartArt graphic or its element, the following tabs become active on the right sidebar to customize a layout:

      +

      Paragraph settings to configure indents and spacing, line and page breaks, borders and fill, fonts, tabs and paddings. See Paragraph Formatting section for a detailed description of every option. This tab becomes active for SmartArt elements only

      +

      Shape settings to configure the shapes used on a layout. You can change shapes, edit the fill, the lines, the weights and arrows, the text box and the alternative text.

      +

      + Text Art settings to configure the Text Art style that is used in a SmartArt graphic to highlight the text. You can change the Text Art template, the fill type, color and opacity, the line size, color and type. This tab becomes active for SmartArt elements only. +

      +

      Right-click the SmartArt graphic or its element border to access the following formatting options:

      +

      SmartArt Menu

      +

      Wrapping style to define the way the object is positioned relative to the text. The Wrapping Style option is available only when you click the SmartArt graphic border.

      +

      Rotate to choose the rotation direction for the selected element on a SmartArt graphic: Rotate 90° Clockwise, Rotate 90° Counterclockwise.The Rotate option becomes active for SmartArt elements only

      +

      Insert Caption to label a SmartArt graphic element for reference.

      +

      Shape Advanced Settings to access additional shape formatting options.

      +

      Right-click the SmartArt graphic element to access the following text formatting options:

      +

      SmartArt Menu

      +

      Vertical Alignment to choose the text alignment inside the selected SmartArt element: Align Top, Align Middle, Align Bottom.

      +

      Text Direction to choose the text direction inside the selected SmartArt element: Horizontal, Rotate Text Down, Rotate Text Up.

      +

      Paragraph Advanced Settings to access additional paragraph formatting options.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/Thesaurus.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/Thesaurus.htm index f214b8f52..5dd84e873 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/Thesaurus.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/Thesaurus.htm @@ -16,7 +16,7 @@

    Replace a word by a synonym

    - If you are using the same word multiple times, or a word is just not quite the word you are looking for, ONLYOFFICE Document Editor let you look up synonyms. + If you are using the same word multiple times, or a word is just not quite the word you are looking for, ONLYOFFICE Document Editor lets you look up synonyms. It will show you the antonyms too.

      diff --git a/apps/documenteditor/main/resources/help/en/images/acceptreject_dropdown.png b/apps/documenteditor/main/resources/help/en/images/acceptreject_dropdown.png new file mode 100644 index 000000000..484d184e9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/acceptreject_dropdown.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/autoformatasyoutype.png b/apps/documenteditor/main/resources/help/en/images/autoformatasyoutype.png index 97ac43060..d905b921b 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/autoformatasyoutype.png and b/apps/documenteditor/main/resources/help/en/images/autoformatasyoutype.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/downloadicon.png b/apps/documenteditor/main/resources/help/en/images/downloadicon.png new file mode 100644 index 000000000..144ecea9f Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/downloadicon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/drawio.png b/apps/documenteditor/main/resources/help/en/images/drawio.png new file mode 100644 index 000000000..2509ca0bd Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/drawio.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/drawio_diagram.png b/apps/documenteditor/main/resources/help/en/images/drawio_diagram.png new file mode 100644 index 000000000..30e556087 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/drawio_diagram.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/editpoints_example.png b/apps/documenteditor/main/resources/help/en/images/editpoints_example.png new file mode 100644 index 000000000..992d2bf74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/editpoints_example.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/fastmode.png b/apps/documenteditor/main/resources/help/en/images/fastmode.png new file mode 100644 index 000000000..83c12f0af Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/fastmode.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/favorites_icon.png b/apps/documenteditor/main/resources/help/en/images/favorites_icon.png new file mode 100644 index 000000000..d3dee491d Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/favorites_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/fill_gradient.png b/apps/documenteditor/main/resources/help/en/images/fill_gradient.png index 20e68fca6..ca5d11b52 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/fill_gradient.png and b/apps/documenteditor/main/resources/help/en/images/fill_gradient.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/handtool.png b/apps/documenteditor/main/resources/help/en/images/handtool.png new file mode 100644 index 000000000..092a6d734 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/handtool.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png new file mode 100644 index 000000000..052750769 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png index 844f3a376..697193830 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png index 29951369f..3cfc17dcb 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png index e5bfdf4ad..24bc66436 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png index fa5618e5a..7fe3d719d 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png index 8c1b9fe7c..b817c60e7 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 5d0ecd9b5..9bacda43a 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 a2a6fc8f6..60cebb57f 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png index c7ca5677e..43161dbe4 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png index 141a70618..125d1677c 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 f24fda41c..037de4d35 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..c4657734c Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png index d2dcaf56d..ed9eaf26b 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 7867e80fd..741255d71 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/en/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/formstab.png b/apps/documenteditor/main/resources/help/en/images/interface/formstab.png index 967d6498c..3221ee78f 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/formstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/formstab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/hometab.png b/apps/documenteditor/main/resources/help/en/images/interface/hometab.png index 25a276838..e99311d6d 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 b620ba595..5825665dc 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 2ab72ddb8..160449461 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 745346817..2147ddce1 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 7f0766b8f..6178f0060 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 9bb4ccf20..6e82e49fc 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png new file mode 100644 index 000000000..c61e09daf Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_background.png b/apps/documenteditor/main/resources/help/en/images/jitsi_background.png new file mode 100644 index 000000000..51b96d71f Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_background.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_camera.png b/apps/documenteditor/main/resources/help/en/images/jitsi_camera.png new file mode 100644 index 000000000..c5cea13dd Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_camera.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_conference.png b/apps/documenteditor/main/resources/help/en/images/jitsi_conference.png new file mode 100644 index 000000000..7c19b90f0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_conference.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_icon.png b/apps/documenteditor/main/resources/help/en/images/jitsi_icon.png new file mode 100644 index 000000000..a30500375 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_invite.png b/apps/documenteditor/main/resources/help/en/images/jitsi_invite.png new file mode 100644 index 000000000..74e08743c Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_invite.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_leave.png b/apps/documenteditor/main/resources/help/en/images/jitsi_leave.png new file mode 100644 index 000000000..d14909e05 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_leave.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_micro.png b/apps/documenteditor/main/resources/help/en/images/jitsi_micro.png new file mode 100644 index 000000000..56b180bee Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_micro.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_more.png b/apps/documenteditor/main/resources/help/en/images/jitsi_more.png new file mode 100644 index 000000000..c3cdd943f Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_more.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_openchat.png b/apps/documenteditor/main/resources/help/en/images/jitsi_openchat.png new file mode 100644 index 000000000..620f4f6ae Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_openchat.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_participants.png b/apps/documenteditor/main/resources/help/en/images/jitsi_participants.png new file mode 100644 index 000000000..88fcf5cf5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_participants.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_plugin.gif b/apps/documenteditor/main/resources/help/en/images/jitsi_plugin.gif new file mode 100644 index 000000000..e55448245 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_settings.png b/apps/documenteditor/main/resources/help/en/images/jitsi_settings.png new file mode 100644 index 000000000..a004c9cb9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/jitsi_timer.png b/apps/documenteditor/main/resources/help/en/images/jitsi_timer.png new file mode 100644 index 000000000..d02446722 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/jitsi_timer.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/more_oform.png b/apps/documenteditor/main/resources/help/en/images/more_oform.png index 395a1f614..a1acc11f5 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/more_oform.png and b/apps/documenteditor/main/resources/help/en/images/more_oform.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png b/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png new file mode 100644 index 000000000..2b383c995 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pagescaling.png b/apps/documenteditor/main/resources/help/en/images/pagescaling.png new file mode 100644 index 000000000..7baf057d5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/pagescaling.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pagethumbnails.png b/apps/documenteditor/main/resources/help/en/images/pagethumbnails.png new file mode 100644 index 000000000..e69b4a477 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/pagethumbnails.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pagethumbnails_settings.png b/apps/documenteditor/main/resources/help/en/images/pagethumbnails_settings.png new file mode 100644 index 000000000..93d033c52 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/pagethumbnails_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pdfviewer.png b/apps/documenteditor/main/resources/help/en/images/pdfviewer.png new file mode 100644 index 000000000..8ec2ff778 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/pdfviewer.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/selectiontool.png b/apps/documenteditor/main/resources/help/en/images/selectiontool.png new file mode 100644 index 000000000..c48bceffd Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/selectiontool.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/setpassword.png b/apps/documenteditor/main/resources/help/en/images/setpassword.png index 8f6eeb9f9..195d22941 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/setpassword.png and b/apps/documenteditor/main/resources/help/en/images/setpassword.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/show_password.png b/apps/documenteditor/main/resources/help/en/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/show_password.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/smartart_rightclick.png b/apps/documenteditor/main/resources/help/en/images/smartart_rightclick.png new file mode 100644 index 000000000..67f24db6e Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/smartart_rightclick.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/smartart_rightclick2.png b/apps/documenteditor/main/resources/help/en/images/smartart_rightclick2.png new file mode 100644 index 000000000..ea8e08444 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/smartart_rightclick2.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/sortcomments.png b/apps/documenteditor/main/resources/help/en/images/sortcomments.png index ab2a2cde1..eef28178a 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/sortcomments.png and b/apps/documenteditor/main/resources/help/en/images/sortcomments.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/strictmode.png b/apps/documenteditor/main/resources/help/en/images/strictmode.png new file mode 100644 index 000000000..3d411e663 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/strictmode.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/usericon.png b/apps/documenteditor/main/resources/help/en/images/usericon.png new file mode 100644 index 000000000..01ad0f0c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/usericon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/zoomadjusting.png b/apps/documenteditor/main/resources/help/en/images/zoomadjusting.png new file mode 100644 index 000000000..78551bbee Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/zoomadjusting.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 eb0e3cf32..2afa754a7 100644 --- a/apps/documenteditor/main/resources/help/en/search/indexes.js +++ b/apps/documenteditor/main/resources/help/en/search/indexes.js @@ -12,18 +12,28 @@ var indexes = }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Collaborative Document Editing", - "body": "The Document Editor allows you to collaboratively work on a document with other users. This feature includes: simultaneous multi-user access to the document to be edited visual indication of passages that are being edited by other users real-time display of changes or synchronization of changes with one button click chat to share ideas concerning particular parts of the document comments with the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version) Connecting to the online version In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password. Co-editing The Document Editor allows you to select one of the two available co-editing modes: Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide changes made by other users until you click the Save icon to save your own changes and accept the changes made by co-authors. The mode can be selected in the Advanced Settings. It's also possible to choose the required mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available. When a document is being edited by several users simultaneously in the Strict mode, the edited text passages are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors when they are editing the text. The number of users who are working on the current document is displayed on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read, comment, fill forms or review the document, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. You can specify what changes you want to be highlighted during co-editing if you click the File tab on the top toolbar, select the Advanced Settings... option and choose between none, all and last real-time collaboration changes. Selecting View all changes, all the changes made during the current session will be highlighted. Selecting View last changes, only the changes made since you last time clicked the icon will be highlighted. Selecting View None changes, changes made during the current session will not be highlighted. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to distribute tasks and paragraphs to be edited by the collaborators, etc. The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until they are deleted. To access the chat and leave a message for other users, click the icon on the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon on the left sidebar or the Chat button at the top toolbar once again. Comments It's possible to work with comments in the offline mode, without connecting to the online version. To leave a comment, select a text passage where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click the selected text passage and select the Add Сomment option from the contextual menu, enter the required text, click the Add Comment/Add button. The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented passages will be highlighted only if you click the icon. You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest. This is the sort order by default. by author: Author from A to Z or Author from Z to A by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document. edit the currently selected comment by clicking the icon, delete the currently selected comment by clicking the icon, close the currently selected discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon, if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document. Adding mentions Note: Mentions can be added to comments to text and not to comments to the entire document. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary and click OK. The mentioned user will receive an email notification that he/she has been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the document that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." + "title": "Co-editing documents in real time", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can collaborate on documents in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the required mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current document is displayed on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a document in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the text. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save  icon to save your changes and accept the changes made by co-authors. When a document is being edited by several users simultaneously in this mode, the edited text passages are marked with dashed lines of different colors. As soon as one of the users saves their changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. You can specify what changes you want to be highlighted during co-editing if you click the File tab on the top toolbar, select the Advanced Settings... option and choose one of the three options: View all - all the changes made during the current session will be highlighted. View last - only the changes made since you last time clicked the  icon will be highlighted. View None - changes made during the current session will not be highlighted. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Commenting documents", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can leave comments to the content of documents without actually editing it. Unlike chat messages, the comments stay until deleted. Leaving comments and replying to them To leave a comment, select a text passage where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click the selected text passage and select the Add Сomment option from the contextual menu, enter the required text, click the Add Comment/Add button. The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. Disabling display of comments The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. To disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the comments box. Now the commented passages will be highlighted only if you click the  icon. Managing comments You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest. This is the sort order by default. by author: Author from A to Z or Author from Z to A. by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document. by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. edit the currently selected comment by clicking the icon, delete the currently selected comment by clicking the icon, close the currently selected discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon, if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document. Adding mentions You can only add mentions to the comments made to the text parts and not to the document itself. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention, Enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary. Click OK. The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. Removing comments To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the document that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." + }, + { + "id": "HelpfulHints/Communicating.htm", + "title": "Communicating in real time", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can communicate with your co-editors in real time using the built-in Chat tool as well as a number of useful plugins, i.e. Telegram or Rainbow. To access the Chat tool and leave a message for other users, click the icon on the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until they are deleted. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon on the left sidebar or the Chat button at the top toolbar once again." }, { "id": "HelpfulHints/Comparison.htm", - "title": "Compare documents", - "body": "If you need to compare and merge two documents, the Document Editor provides you with 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." + "title": "Comparing documents", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file. If you need to compare and merge two documents, the Document Editor provides you with 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": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts to gain immediate access to a certain document parameter and to configure it without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab, and to see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. The keyboard shortcut list used for a faster and easier access to the features of the Document Editor using the keyboard. Windows/Linux Mac OS Working with Document Open 'File' panel Alt+F ⌥ Option+F Open the File panel panel to save, download, print the current document, view its info, create a new document or open an existing one, access the Document Editor Help Center or advanced settings. Open 'Find and Replace' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Find and Replace dialog box to start searching for a character/word/phrase in the currently edited document. Open 'Find and Replace' dialog box with replacement field Ctrl+H ^ Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Repeat the last 'Find' action ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Repeat the previous Find performed before the key combination was pressed. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save document Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the document currently edited with The Document Editor. The active file will be saved with its current file name, location, and file format. Print document Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the document with one of the available printers or save it as a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited document to the hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB. Full screen F11 Switch to the full screen view to fit the Document Editor into your screen. Help menu F1 F1 Open the Document Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in the Desktop Editors, opens the standard dialog box that allows to select an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current document window in the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current document to a default 100%. Navigation Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the beginning of the document Ctrl+Home ^ Ctrl+Home Put the cursor to the very beginning of the currently edited document. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the end of the document Ctrl+End ^ Ctrl+End Put the cursor to the very end of the currently edited document. Jump to the beginning of the previous page Alt+Ctrl+Page Up Put the cursor to the very beginning of the page which preceeds the currently edited one. Jump to the beginning of the next page Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Put the cursor to the very beginning of the page which follows the currently edited one. Scroll down Page Down Page Down, ⌥ Option+Fn+↑ Scroll the document approximately one visible page down. Scroll up Page Up Page Up, ⌥ Option+Fn+↓ Scroll the document approximately one visible page up. Next page Alt+Page Down ⌥ Option+Page Down Go to the next page in the currently edited document. Previous page Alt+Page Up ⌥ Option+Page Up Go to the previous page in the currently edited document. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited document. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited document. Move one character to the left ← ← Move the cursor one character to the left. Move one character to the right → → Move the cursor one character to the right. Move to the beginning of a word or one word to the left Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Move the cursor one word to the right. Move one line up ↑ ↑ Move the cursor one line up. Move one line down ↓ ↓ Move the cursor one line down. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. Writing End paragraph ↵ Enter ↵ Return End the current paragraph and start a new one. Add line break ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Add a line break without starting a new paragraph. Delete ← Backspace, Delete ← Backspace, Delete Delete one character to the left (← Backspace) or to the right (Delete) of the cursor. Delete word to the left of cursor Ctrl+← Backspace ^ Ctrl+← Backspace, ⌘ Cmd+← Backspace Delete one word to the left of the cursor. Delete word to the right of cursor Ctrl+Delete ^ Ctrl+Delete, ⌘ Cmd+Delete Delete one word to the right of the cursor. Create nonbreaking space Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Create a space between characters which cannot be used to start a new line. Create nonbreaking hyphen Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Create a hyphen between characters which cannot be used to start a new line. Undo and Redo Undo Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Shift+Z Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X, ⇧ Shift+Delete Delete the selected text fragment and send it to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected text fragment to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied text fragment from the computer clipboard memory to the current cursor position. The text can be previously copied from the same document, from another document, or from some other program. Insert hyperlink Ctrl+K ⌘ Cmd+K Insert a hyperlink which can be used to go to a web address. Copy style Ctrl+⇧ Shift+C ⌘ Cmd+⇧ Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same document. Apply style Ctrl+⇧ Shift+V ⌘ Cmd+⇧ Shift+V Apply the previously copied formatting to the text in the currently edited document. Text Selection Select all Ctrl+A ⌘ Cmd+A Select all the document text with tables and images. Select fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the text character by character. Select from cursor to beginning of line ⇧ Shift+Home ⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select from cursor to end of line ⇧ Shift+End ⇧ Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right ⇧ Shift+→ ⇧ Shift+→ Select one character to the right of the cursor position. Select one character to the left ⇧ Shift+← ⇧ Shift+← Select one character to the left of the cursor position. Select to the end of a word Ctrl+⇧ Shift+→ Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+⇧ Shift+← Select a text fragment from the cursor to the beginning of a word. Select one line up ⇧ Shift+↑ ⇧ Shift+↑ Select one line up (with the cursor at the beginning of a line). Select one line down ⇧ Shift+↓ ⇧ Shift+↓ Select one line down (with the cursor at the beginning of a line). Select the page up ⇧ Shift+Page Up ⇧ Shift+Page Up Select the page part from the cursor position to the upper part of the screen. Select the page down ⇧ Shift+Page Down ⇧ Shift+Page Down Select the page part from the cursor position to the lower part of the screen. Text Styling Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment darker and heavier than normal. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized and slightly slanted. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going below the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a line going through the letters. Subscript Ctrl+. ^ Ctrl+⇧ Shift+>, ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+, ^ Ctrl+⇧ Shift+<, ⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions. Heading 1 style Alt+1 ⌥ Option+^ Ctrl+1 Apply the style of the heading 1 to the selected text fragment. Heading 2 style Alt+2 ⌥ Option+^ Ctrl+2 Apply the style of the heading 2 to the selected text fragment. Heading 3 style Alt+3 ⌥ Option+^ Ctrl+3 Apply the style of the heading 3 to the selected text fragment. Bulleted list Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+␣ Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] ⌘ Cmd+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ ⌘ Cmd+[ Decrease the size of the font for the selected text fragment 1 point. Align center/left Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Switch a paragraph between centered and left-aligned. Align justified/left Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Switch a paragraph between justified and left-aligned. Align right/left Ctrl+R ^ Ctrl+R Switch a paragraph between right-aligned and left-aligned. Apply subscript formatting (automatic spacing) Ctrl+= Apply subscript formatting to the selected text fragment. Apply superscript formatting (automatic spacing) Ctrl+⇧ Shift++ Apply superscript formatting to the selected text fragment. Insert page break Ctrl+↵ Enter ^ Ctrl+↵ Return Insert a page break at the current cursor position. Increase indent Ctrl+M ^ Ctrl+M Indent a paragraph from the left incrementally. Decrease indent Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Remove a paragraph indent from the left incrementally. Add page number Ctrl+⇧ Shift+P ^ Ctrl+⇧ Shift+P Add the current page number at the current cursor position. Nonprinting characters Ctrl+⇧ Shift+Num8 Show or hide the display of nonprinting characters. Delete one character to the left ← Backspace ← Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Delete Delete one character to the right of the cursor. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15-degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Movement by one-pixel increments Ctrl+← → ↑ ↓ Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row ↹ Tab ↹ Tab Go to the next cell in a table row. Move to the previous cell in a row ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Go to the previous cell in a table row. Move to the next row ↓ ↓ Go to the next row in a table. Move to the previous row ↑ ↑ Go to the previous row in a table. Start new paragraph ↵ Enter ↵ Return Start a new paragraph within a cell. Add new row ↹ Tab in the lower right table cell. ↹ Tab in the lower right table cell. Add a new row at the bottom of the table. Inserting special characters Insert formula Alt+= Insert a formula at the current cursor position. Insert an em dash Alt+Ctrl+Num- Insert an em dash ‘—’ within the current document and to the right of the cursor. Insert a non-breaking hyphen Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Insert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor. Insert a no-break space Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Insert a no-break space ‘o’ within the current document and to the right of the cursor." + "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Document Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab, and to see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac OS Working with Document Open 'File' panel Alt+F ⌥ Option+F Open the File panel panel to save, download, print the current document, view its info, create a new document or open an existing one, access the Document Editor Help Center or advanced settings. Open 'Find and Replace' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Find and Replace dialog box to start searching for a character/word/phrase in the currently edited document. Open 'Find and Replace' dialog box with replacement field Ctrl+H ^ Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Repeat the last 'Find' action ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Repeat the previous Find performed before the key combination was pressed. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save document Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the document currently edited with The Document Editor. The active file will be saved with its current file name, location, and file format. Print document Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the document with one of the available printers or save it as a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited document to the hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB. Full screen F11 Switch to the full screen view to fit the Document Editor into your screen. Help menu F1 F1 Open the Document Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in the Desktop Editors, opens the standard dialog box that allows to select an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current document window in the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current document to a default 100%. Navigation Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the beginning of the document Ctrl+Home ^ Ctrl+Home Put the cursor to the very beginning of the currently edited document. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the end of the document Ctrl+End ^ Ctrl+End Put the cursor to the very end of the currently edited document. Jump to the beginning of the previous page Alt+Ctrl+Page Up Put the cursor to the very beginning of the page which preceeds the currently edited one. Jump to the beginning of the next page Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Put the cursor to the very beginning of the page which follows the currently edited one. Scroll down Page Down Page Down, ⌥ Option+Fn+↑ Scroll the document approximately one visible page down. Scroll up Page Up Page Up, ⌥ Option+Fn+↓ Scroll the document approximately one visible page up. Next page Alt+Page Down ⌥ Option+Page Down Go to the next page in the currently edited document. Previous page Alt+Page Up ⌥ Option+Page Up Go to the previous page in the currently edited document. Zoom In Ctrl++ ^ Ctrl+=, ⌘ 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", @@ -33,17 +43,17 @@ var indexes = { "id": "HelpfulHints/Password.htm", "title": "Protecting documents with a password", - "body": "You can protect your documents with a password that is required to enter the editing mode by your co-authors. The password can be changed or removed later on. The password cannot be restored if you lose or forget it. Please keep it in a safe place. Setting a password go to the File tab at the top toolbar, choose the Protect option, click the Add password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Changing a password go to the File tab at the top toolbar, choose the Protect option, click the Change password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Deleting a password go to the File tab at the top toolbar, choose the Protect option, click the Delete password button." + "body": "You can protect your documents with a password that is required to enter the editing mode by your co-authors. The password can be changed or removed later on. The password cannot be restored if you lose or forget it. Please keep it in a safe place. Setting a password go to the File tab at the top toolbar, choose the Protect option, click the Add password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Click to show or hide password characters when entered. Changing a password go to the File tab at the top toolbar, choose the Protect option, click the Change password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Deleting a password go to the File tab at the top toolbar, choose the Protect option, click the Delete password button." }, { "id": "HelpfulHints/Review.htm", - "title": "Document Review", - "body": "When somebody shares a file with you using the review permissions, you need to apply the document Review feature. In the Document Editor, as a reviewer, you can use the Review option to review the document, change the sentences, phrases and other page elements, correct spelling, etc. without actually editing it. All your changes will be recorded and shown to the person who sent you the document. If you send the file for review, you will need to display all the changes which were made to it, view and either accept or reject them. Enable the Track Changes feature To see changes suggested by a reviewer, enable the Track Changes option in one of the following ways: click the button in the right lower corner on the status bar, or switch to the Collaboration tab on the top toolbar and press the Track Changes button. It is not necessary for the reviewer to enable the Track Changes option. It is enabled by default and cannot be disabled when the document is shared with review only access rights. the following options are available in the opened pop-up menu: On for me - tracking changes is enabled for the current user only. The option remains enabled for the current editing session, i.e. will be disabled when you reload or open the document anew. It will not be affected by other users enabling or disabling the general tracking changes option. Off for me - tracking changes is disabled for the current user only. The option remains disabled for the current editing session. It will not be affected by other users enabling or disabling the general tracking changes option. On for me and everyone - tracking changes is enabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking enabled). When another user disables the general tracking changes option in the file, it will be switched to Off for me and everyone for all users. Off for me and everyone - tracking changes is disabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking disabled). When another user enables the general tracking changes option in the file, it will be switched to On for me and everyone for all users. The corresponding alert message will be shown to every co-author. View changes Changes made by a user are highlighted with a specific color in the document text. When you click on the changed text, a balloon opens which displays the user name, the date and time when the change has been made, and the change description. The balloon also contains icons used to accept or reject the current change. If you drag and drop a piece of text to some other place in the document, the text in a new position will be underlined with the double line. The text in the original position will be double-crossed. This will count as a single change. Click the double-crossed text in the original position and use the arrow in the change balloon to go to the new location of the text. Click the double-underlined text in the new position and use the arrow in the change balloon to go to to the original location of the text. 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 and balloons - this option is selected by default. It allows both viewing the suggested changes and editing the document. Changes are highlighted in the document text and displayed in balloons. Only markup - this mode allows both viewing the suggested changes and editing the document. Changes are displayed in the document text only, balloons are hidden. Final - this mode is used to display all the changes as if they 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 all the changes as if they 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 balloon. 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 balloon. To quickly reject all the changes, click the downward arrow below the Reject button and select the Reject All Changes option. If you review the document, the Accept and Reject options are not available for you. You can delete your changes using the icon within the change balloon." + "title": "Reviewing documents", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, compare and merge documents to facilitate processing and editing. When somebody shares a file with you using the review permissions, you need to apply the document Review feature. In the Document Editor, as a reviewer, you can use the Review option to review the document, change the sentences, phrases and other page elements, correct spelling, etc. without actually editing it. All your changes will be recorded and shown to the person who sent you the document. If you send the file for review, you will need to display all the changes which were made to it, view and either accept or reject them. Enable the Track Changes feature To see changes suggested by a reviewer, enable the Track Changes option in one of the following ways: click the button in the right lower corner on the status bar, or switch to the Collaboration tab on the top toolbar and press the Track Changes button. It is not necessary for the reviewer to enable the Track Changes option. It is enabled by default and cannot be disabled when the document is shared with review only access rights. the following options are available in the opened pop-up menu: On for me - tracking changes is enabled for the current user only. The option remains enabled for the current editing session, i.e. will be disabled when you reload or open the document anew. It will not be affected by other users enabling or disabling the general tracking changes option. Off for me - tracking changes is disabled for the current user only. The option remains disabled for the current editing session. It will not be affected by other users enabling or disabling the general tracking changes option. On for me and everyone - tracking changes is enabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking enabled). When another user disables the general tracking changes option in the file, it will be switched to Off for me and everyone for all users. Off for me and everyone - tracking changes is disabled and will remain when you reload or open the document anew (when the document is reloaded, all users will have the tracking disabled). When another user enables the general tracking changes option in the file, it will be switched to On for me and everyone for all users. The corresponding alert message will be shown to every co-author. View changes Changes made by a user are highlighted with a specific color in the document text. When you click on the changed text, a balloon opens which displays the user name, the date and time when the change has been made, and the change description. The balloon also contains icons used to accept or reject the current change. If you drag and drop a piece of text to some other place in the document, the text in a new position will be underlined with the double line. The text in the original position will be double-crossed. This will count as a single change. Click the double-crossed text in the original position and use the arrow in the change balloon to go to the new location of the text. Click the double-underlined text in the new position and use the arrow in the change balloon to go to to the original location of the text. 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 and balloons - this option is selected by default. It allows both viewing the suggested changes and editing the document. Changes are highlighted in the document text and displayed in balloons. Only markup - this mode allows both viewing the suggested changes and editing the document. Changes are displayed in the document text only, balloons are hidden. Final - this mode is used to display all the changes as if they 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 all the changes as if they 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 balloon. 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 balloon. To quickly reject all the changes, click the downward arrow below the Reject button and select the Reject All Changes option. If you need to accept or reject one change, right-click it and choose Accept Change or Reject Change from the context menu. If you review the document, the Accept and Reject options are not available for you. You can delete your changes using the icon within the change balloon." }, { "id": "HelpfulHints/Search.htm", "title": "Search and Replace Function", - "body": "To search for the required characters, words or phrases used in the currently edited document, click the icon situated on the left sidebar of the Document Editor or use the Ctrl+F key combination. The Find and Replace window will open: Type in your inquiry into the corresponding data entry field. Specify search parameters by clicking the icon and checking the necessary options: Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). To disable this option, click it once again. Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight, click the option once again. Click one of the arrow buttons at the bottom right corner of the window. The search will be performed either towards the beginning of the document (if you click the button) or towards the end of the document (if you click the button) from the current position. Note: when the Highlight results option is enabled, use these buttons to navigate through the highlighted results. The first occurrence of the required characters in the selected direction will be highlighted on the page. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered. To replace one or more occurrences of the found characters, click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change: Type in the replacement text into the bottom data entry field. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences. To hide the replace field, click the Hide Replace link." + "body": "To search for the required characters, words or phrases used in the currently edited document, click the icon situated on the left sidebar of the Document Editor or use the Ctrl+F key combination. The Find and Replace window will open: Type in your inquiry into the corresponding data entry field. Specify search parameters by clicking the icon and checking the necessary options: Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). To disable this option, click it once again. Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight, click the option once again. Click one of the arrow buttons at the bottom right corner of the window. The search will be performed either towards the beginning of the document (if you click the button) or towards the end of the document (if you click the button) from the current position. Note: when the Highlight results option is enabled, use these buttons to navigate through the highlighted results. The first occurrence of the required characters in the selected direction will be highlighted on the page. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered. To replace one or more occurrences of the found characters, click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change: Type in the replacement text into the bottom data entry field. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences. To hide the replace field, click the Hide Replace link. Document Editor supports search for special characters. To find a special character, enter it into the search box. The list of special characters that can be used in searches Special character Description ^l Line break ^t Tab stop ^? Any symbol ^# Any digit ^$ Any letter ^n Column break ^e Endnote ^f Footnote ^g Graphic element ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^^ Escaping the caret itself ^w Any space ^+ Em dash ^= En dash ^y Any dash Special characters that may be used for replacement too: Special character Description ^l Line break ^t Tab stop ^n Column break ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^+ Em dash ^= En dash" }, { "id": "HelpfulHints/SpellChecking.htm", @@ -53,7 +63,17 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Documents", - "body": "An electronic document is one of the most commonly used computer. Due to the highly developed modern computer network, it's more convenient to distribute electronic documents than printed ones. Nowadays, a lot of devices are used for document presentation, so there are plenty of proprietary and open file formats. The Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + DOTX Word Open XML Document Template Zipped, XML-based file format developed by Microsoft for text document templates. A DOTX template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + FB2 An ebook extension that lets you read books on your computer or mobile devices + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + OTT OpenDocument Document Template OpenDocument file format for text document templates. An OTT template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents regardless of the used software, hardware, and operating systems + + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + HTML HyperText Markup Language The main markup language for web pages + + + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + + + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs + XML Extensible Markup Language (XML). A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data. + + DOCXF A format to create, edit and collaborate on a Form Template. + + + OFORM A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements. + + Note: all formats run without Chromium and are available on all platforms." + "body": "An electronic document is one of the most commonly used computer. Due to the highly developed modern computer network, it's more convenient to distribute electronic documents than printed ones. Nowadays, a lot of devices are used for document presentation, so there are plenty of proprietary and open file formats. The Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + DOTX Word Open XML Document Template Zipped, XML-based file format developed by Microsoft for text document templates. A DOTX template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + FB2 An ebook extension that lets you read books on your computer or mobile devices + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + OTT OpenDocument Document Template OpenDocument file format for text document templates. An OTT template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents regardless of the used software, hardware, and operating systems + + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + HTML HyperText Markup Language The main markup language for web pages + + + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + + + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs + XML Extensible Markup Language (XML). A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data. + + DOCXF A format to create, edit and collaborate on a Form Template. + + + OFORM A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements*. + + + *Note: the OFORM format is a format for filling out a form. Therefore, only form fields are editable." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Version history", + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, comment certain parts of your documents that require additional third-party input, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can view the version history of the document you collaborate on. Viewing version history: To view all the changes made to the document, go to the File tab, select the Version History option at the left sidebar or go to the Collaboration tab, open the history of versions using the  Version History icon at the top toolbar. You'll see the list of the document versions and revisions with the indication of each version/revision author and creation date and time. For document versions, the version number is also specified (e.g. ver. 2). Viewing versions: To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. To return to the current version of the document, use the Close History option on the top of the version list. Restoring versions: If you need to roll back to one of the previous versions of the document, click the Restore link below the selected version/revision. To learn more about managing versions and intermediate revisions, as well as restoring previous versions, please read the following article." + }, + { + "id": "HelpfulHints/Viewer.htm", + "title": "ONLYOFFICE Document Viewer", + "body": "You can use ONLYOFFICE Document Viewer to open and navigate through PDF, XPS, DjVu files. ONLYOFFICE Document Viewer allows to: view PDF, XPS, DjVu files, add annotations using chat tool, navigate files using contents navigation panel and page thumbnails, use select and hand tools, print and download files, use internal and external links, access advanced settings of the editor and view the following document info using the File tab or the View settings button: Location (available in the online version only) - the folder in the Documents module where the file is stored. Owner (available in the online version only) - the name of the user who has created the file. Uploaded (available in the online version only) - the date and time when the file has been uploaded to the portal. Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces. Page size - the dimensions of the pages in the file. Last Modified - the date and time when the document was last modified. Created - the date and time when the document was created. Application - the application the document has been created with. Author - the person who has created the document. PDF Producer - the application used to convert the document to PDF. PDF Version - the version of the PDF file. Tagged PDF - shows if PDF file contains tags. Fast Web View - shows if the Fast Web View has been enabled for the document. use plugins Plugins available in the desktop version: Translator, Send, Thesaurus. Plugins available in the online version: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thesaurus, Translator. ONLYOFFICE Document Viewer interface: The Top toolbar provides access to File and Plugins tabs, and the following icons: Print allows to print out the file; Download allows to download a file to your computer; Manage document access rights (available in the online version only) allows you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read, comment, fill forms or review the document, or deny some users access rights to the file. Open file location in the desktop version allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab; Mark as favorite / Remove from favorites (available in the online version only) click the empty star to add a file to favorites as to make it easy to find, or click the filled star to remove the file from favorites. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location; View settings allows adjusting the View Settings and access the Advanced Settings of the editor; User displays the user’s name when you hover the mouse over it. The Status bar located at the bottom of the ONLYOFFICE Document Viewer window indicates the page number and displays the background status notifications. It also contains the following tools: Selection tool allows to select text in a file. Hand tool allows to drag and scroll the page. Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. The Left sidebar contains the following icons: - allows to use the Search and Replace tool, - (available in the online version only) allows opening the Chat panel, - allows to open the Navigation panel that displays the list of all headings with corresponding nesting levels. Click the heading to jump directly to a specific page. Right-click the heading on the list and use one of the available options from the menu: Expand all - to expand all levels of headings at the Navigation panel. Collapse all - to collapse all levels of headings, excepting level 1, at the Navigation panel. Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed. To manually expand or collapse separate heading levels, use the arrows to the left of the headings. To close the Navigation panel, click the  Navigation icon on the left sidebar once again. - allows to display page thumbnails for quick navigation. Click on the Page Thumbnails panel to access the Thumbnails Settings: Drag the slider to set the thumbnail size, The Highlight visible part of page is active by default to indicate the area that is currently on screen. Click it to disable. To close the Page Thumbnails panel, click the Page Thumbnails icon on the left sidebar once again. - allows to contact our support team, - (available in the online version only) allows to view the information about the program." }, { "id": "ProgramInterface/FileTab.htm", @@ -88,7 +108,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the user interface of the Document Editor", - "body": "The Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Main window of the Online Document Editor: Main window of the Desktop Document Editor: The editor interface consists of the following main elements: The Editor header displays the ONLYOFFICE logo, tabs for all opened documents with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. It allows adjusting the View Settings and access the Advanced Settings of the editor. Manage document access rights (available in the online version only). It allows adjusting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Forms (available with DOCXF files only), Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, \"All changes saved\", 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. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Forms (available with DOCXF files only), Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, \"All changes saved\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - allows going to the Navigation panel and managing headings, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows to contact our support team, - (available in the online version only) allows to view the information about the program. Right sidebar sidebar allows adjusting additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated on the Right sidebar. Click this icon to expand the Right sidebar. The horizontal and vertical Rulers make it possible to align the text and other elements in the document, set up margins, tab stops and paragraph indents. Working area allows to view document content, enter and edit data. Scroll bar on the right allows to scroll up and down multi-page documents. For your convenience, you can hide some components and display them again when them when necessary. To learn more about adjusting view settings, please refer to this page." }, { "id": "ProgramInterface/ReferencesTab.htm", @@ -100,6 +120,11 @@ var indexes = "title": "Collaboration tab", "body": "The Collaboration tab of the Document Editor allows collaborating on documents. In the online version, you can share the file, select the required co-editing mode, manage comments, track changes made by a reviewer, view all versions and revisions. In the commenting mode, you can add and remove comments, navigate between the tracked changes, use the built-in chat and view the version history. In the desktop version, you can manage comments and use the Track Changes feature . The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: Using this tab, you can: specify the sharing settings (available in the online version only), switch between the Strict and Fast co-editing modes (available in the online version only), add or remove comments to the document, enable the Track Changes feature, choose the changes display mode, manage the suggested changes, load a document for comparison (available in the online version only), open the Chat panel (available in the online version only), track the version history (available in the online version only)." }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "View tab", + "body": "The View tab of the Document Editor allows you to manage how your document looks like while you are working on it. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: View options available on this tab: Navigation allows to display and navigate headings in your document, Zoom allows to zoom in and zoom out your document, Fit to page allows to resize the page so that the screen displays the whole page, Fit to width allows to resize the page so that the page scales to fit the width of the screen, Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme, Dark document option becomes active when the Dark theme is enabled. Click it to make the working area dark too. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible, Rulers to make rulers always visible." + }, { "id": "UsageInstructions/AddBorders.htm", "title": "Add borders", @@ -128,7 +153,7 @@ var indexes = { "id": "UsageInstructions/AddWatermark.htm", "title": "Add watermark", - "body": "s A watermark is a text or image placed under the main text layer. Text watermarks allow indicating the status of your document (for example, confidential, draft etc.). Image watermarks allow adding an image, for example, the logo of your company. To add a watermark in the Document Editor: Switch to the Layout tab of the top toolbar. Click the Watermark icon on the top toolbar and choose the Custom Watermark option from the menu. After that the Watermark Settings window will appear. Select a watermark type you wish to insert: Use the Text watermark option and adjust the available parameters: Language - select one of the available languages from the list, Text - select one of the available text examples in the selected language. For English, the following watermark texts are available: ASAP, CONFIDENTIAL, COPY, DO NOT COPY, DRAFT, ORIGINAL, PERSONAL, SAMPLE, TOP SECRET, URGENT. Font - select the font name and size from the corresponding drop-down lists. Use the icons on the right to set the font color or apply one of the font decoration styles: Bold, Italic, Underline, Strikeout, Semitransparent - check this box if you want to apply transparency, Layout - select the Diagonal or Horizontal option. Use the Image watermark option and adjust the available parameters: Choose the image file source using one of the options from the drop-down list: From File, From URL or From Storage - the image will be displayed in the preview window on the right, Scale - select the necessary scale value from the available ones: Auto, 500%, 200%, 150%, 100%, 50%. Click the OK button. To edit the added watermark, open the Watermark Settings window as described above, change the necessary parameters and click OK. To delete the added watermark click the Watermark icon on the Layout tab of the top toolbar and choose the Remove Watermark option from the menu. It's also possible to use the None option in the Watermark Settings window." + "body": "s A watermark is a text or image placed under the main text layer. Text watermarks allow indicating the status of your document (for example, confidential, draft etc.). Image watermarks allow adding an image, for example, the logo of your company. To add a watermark in the Document Editor: Switch to the Layout tab of the top toolbar. Click the Watermark icon on the top toolbar and choose the Custom Watermark option from the menu. After that the Watermark Settings window will appear. Select a watermark type you wish to insert: Use the Text watermark option and adjust the available parameters: Language - select the watermark language. Languages supported for watermarking: English, French, German, Italian, Japanese, Mandarin Chinese, Russian, Spanish. Text - select one of the available text examples in the selected language. For English, the following watermark texts are available: ASAP, CONFIDENTIAL, COPY, DO NOT COPY, DRAFT, ORIGINAL, PERSONAL, SAMPLE, TOP SECRET, URGENT. Font - select the font name and size from the corresponding drop-down lists. Use the icons on the right to set the font color or apply one of the font decoration styles: Bold, Italic, Underline, Strikeout. Semitransparent - check this box if you want to apply transparency. Layout - select the Diagonal or Horizontal option. Use the Image watermark option and adjust the available parameters: Choose the image file source using one of the options from the drop-down list: From File, From URL or From Storage - the image will be displayed in the preview window on the right, Scale - select the necessary scale value from the available ones: Auto, 500%, 200%, 150%, 100%, 50%. Click the OK button. To edit the added watermark, open the Watermark Settings window as described above, change the necessary parameters and click OK. To delete the added watermark click the Watermark icon on the Layout tab of the top toolbar and choose the Remove Watermark option from the menu. It's also possible to use the None option in the Watermark Settings window." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -173,12 +198,12 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copy/paste text passages, undo/redo your actions", - "body": "Use basic clipboard operations To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) in the Document Editor, select the corresponding options from the right-click menu or click the icons located on any tab of the top toolbar: Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selected text and send it to the computer clipboard memory. The cut text can be later inserted to another place in the same document. Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy icon on the top toolbar to copy the selected text to the computer clipboard memory. The copied text can be later inserted to another place in the same document. Paste – find the place in your document where you need to paste the previously copied text fragment/object and use the the Paste option from the right-click menu, or the Paste icon on the top toolbar. The copied text/object will be inserted to the current cursor position. The data can be previously copied from the same document. In the online version, the key combinations below are only used to copy or paste data from/into another document or a program. In the desktop version, both corresponding buttons/menu options and key combinations can be used for any copy/paste operations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting text fragments in the same document, you can just select the required text passage and drag and drop it to the necessary position. Use the Paste Special feature Note: For collaborative editing, the Pase Special feature is available in the Strict co-editing mode only. Once the copied text is pasted, the Paste Special button appears next to the inserted text passage. Click this button to select the necessary paste option. When pasting a text paragraph or some text within autoshapes, the following options are available: Paste - allows pasting the copied text keeping its original formatting. Keep text only - allows pasting the text without its original formatting. If you copy a table and paste it into an already existing table, the following options are available: Overwrite cells - allows replacing the contents of the existing table with the copied data. This option is selected by default. Nest table - allows pasting the copied table as a nested table into the selected cell of the existing table. Keep text only - allows pasting the table contents as text values separated by the tab character. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox. Undo/redo your actions To perform undo/redo operations, click the corresponding icons in the editor header or use the following keyboard shortcuts: Undo – use the Undo icon on the left side of the editor header or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon on the left part of the editor header or the Ctrl+Y key combination to redo the last undone operation. Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available." + "body": "Use basic clipboard operations To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) in the Document Editor, select the corresponding options from the right-click menu or click the icons located on any tab of the top toolbar: Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selected text and send it to the computer clipboard memory. The cut text can be later inserted to another place in the same document. Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy icon on the top toolbar to copy the selected text to the computer clipboard memory. The copied text can be later inserted to another place in the same document. Paste – find the place in your document where you need to paste the previously copied text fragment/object and use the the Paste option from the right-click menu, or the Paste icon on the top toolbar. The copied text/object will be inserted to the current cursor position. The data can be previously copied from the same document. In the online version, the key combinations below are only used to copy or paste data from/into another document or a program. In the desktop version, both corresponding buttons/menu options and key combinations can be used for any copy/paste operations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting text fragments in the same document, you can just select the required text passage and drag and drop it to the necessary position. Use the Paste Special feature Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only. Once the copied text is pasted, the Paste Special button appears next to the inserted text passage. Click this button to select the necessary paste option. When pasting a text paragraph or some text within autoshapes, the following options are available: Paste - allows pasting the copied text keeping its original formatting. Keep text only - allows pasting the text without its original formatting. If you copy a table and paste it into an already existing table, the following options are available: Overwrite cells - allows replacing the contents of the existing table with the copied data. This option is selected by default. Nest table - allows pasting the copied table as a nested table into the selected cell of the existing table. Keep text only - allows pasting the table contents as text values separated by the tab character. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox. Undo/redo your actions To perform undo/redo operations, click the corresponding icons in the editor header or use the following keyboard shortcuts: Undo – use the Undo icon on the left side of the editor header or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon on the left part of the editor header or the Ctrl+Y key combination to redo the last undone operation. Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available." }, { "id": "UsageInstructions/CreateFillableForms.htm", "title": "Create fillable forms", - "body": "ONLYOFFICE Document Editor allows you to effortlessly create fillable forms in your documents, e.g. agreement drafts or surveys. Form Template is DOCXF format that offers a range of tools to create a fillable form. Save the resulting form as a DOCXF file, and you will have a form template you can still edit, revise or collaborate on. To make a Form template fillable and to restrict file editing by other users, save it as an OFORM file. Please refer to form filling instructions for further details. DOCXF and OFORM are new ONLYOFFICE formats that allow to create form templates and fill out forms. Use ONLYOFFICE Document Editor either online or desktop to make full use of form-associated elements and options. You can also save any existing DOCX file as a DOCXF to use it as Form template. Go to the File tab, click the Download as... or Save as... option on the left side menu and choose the DOCXF icon. Now you can use all the available form editing functions to create a form. It is not only the form fields that you can edit in a DOCXF file, you can still add, edit and format text or use other Document Editor functions. Creating fillable forms is enabled through user-editable objects that ensure overall consistency of the resulting documents and allow for advanced form interaction experience. Currently, you can insert editable plain text fields, combo boxes, dropdown lists, checkboxes, radio buttons, and assign designated areas for images. Access these features on the Forms tab that is available for DOCXF files only. Creating a new Plain Text Field Text fields are user-editable plain text form fields; no other objects can be added. To insert a text field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Text Field icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group fields to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each text field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted text field; “Your text here” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the text field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the Autofit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted text field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: type in the required value or use the arrows to the right to set the width of the inserted text field. The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted text field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted text field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Autofit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form with multiple lines, otherwise, the text will occupy a single line. Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets. Formatting will be applied to all the text inside the field. Creating a new Combo box Combo boxes contain a dropdown list with a set of choices that can be edited by users. To insert a combo box, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Combo box icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group combo boxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each combo box using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted combo box; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted combo box. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted combo box. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Combo box to open the item list and choose the necessary one. Once the necessary item is selected, you can edit the displayed text entirely or partially by replacing it with yours. You can change font decoration, color, and size. Click within the inserted combo box and proceed according to the instructions. Formatting will be applied to all the text inside the field. Creating a new Dropdown list form field Dropdown lists contain a list with a set of choices that cannot be edited by the users. To insert a dropdown list, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Dropdown icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group dropdown lists to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted dropdown list; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted dropdown field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted dropdown field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Dropdown list form field to open the item list and choose the necessary one. Creating a new Checkbox Checkboxes are used to provide users with a variety of options, any number of which can be selected. Checkboxes operate individually, so they can be checked or unchecked independently. To insert a checkbox, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Checkbox icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group checkboxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the checkbox. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted checkbox. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted checkbox. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the box, click it once. Creating a new Radio Button Radio buttons are used to provide users with a variety of options, only one of which can be selected. Radio buttons can be grouped so that there is no selecting several buttons within one group. To insert a radio button, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Radio Button icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Group key: to create a new group of radio buttons, enter the name of the group in the field and press Enter, then assign the required group to each radio button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the radio button. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted radi button. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted radio button. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the radio button, click it once. Creating a new Image Images are form fields which are used to enable inserting an image with the limitations you set, i.e. the location of the image or its size. To insert an image form field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Image icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group images to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted image form field; “Click to load image” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image. When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly. Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning slides are inactive when the box is checked. Select Image: click this button to upload an image either From File, From URL, or From Storage. Border color: click the icon to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted image field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To replace the image, click the  image icon above the form field border and select another one. To adjust the image settings, open the Image Settings tab on the right toolbar. To learn more, please read the guide on image settings. Highlight forms You can highlight inserted form fields with a certain color. To highlight fields, open the Highlight Settings on the Forms tab of the top toolbar, choose a color from the Standard Colors. You can also add a new custom color, to remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all form fields in the document. Note: The form field border is only visible when the field is selected. The borders do not appear on a printed version. Enabling the View form Note: Once you have entered the View form mode, all editing options will become unavailable. Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document. To exit the viewing mode, click the same icon again. Moving form fields Form fields can be moved to another place in the document: click the button on the left of the control border to select the field and drag it without releasing the mouse button to another position in the text. You can also copy and paste form fields: select the necessary field and use the Ctrl+C/Ctrl+V key combinations. Creating required fields To make a field obligatory, check the Required option. The form cannot be submitted until all required fields are filled in. Locking form fields To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available. Clearing form fields To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar. Navigate, View and Save a Form Go to the Forms tab at the top toolbar. Navigate through the form fields using the Previous field and Next field buttons at the top toolbar. When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need. Removing form fields To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard." + "body": "ONLYOFFICE Document Editor allows you to effortlessly create fillable forms in your documents, e.g. agreement drafts or surveys. Form Template is DOCXF format that offers a range of tools to create a fillable form. Save the resulting form as a DOCXF file, and you will have a form template you can still edit, revise or collaborate on. To make a Form template fillable and to restrict file editing by other users, save it as an OFORM file. Please refer to form filling instructions for further details. DOCXF and OFORM are new ONLYOFFICE formats that allow to create form templates and fill out forms. Use ONLYOFFICE Document Editor either online or desktop to make full use of form-associated elements and options. You can also save any existing DOCX file as a DOCXF to use it as Form template. Go to the File tab, click the Download as... or Save as... option on the left side menu and choose the DOCXF icon. Now you can use all the available form editing functions to create a form. It is not only the form fields that you can edit in a DOCXF file, you can still add, edit and format text or use other Document Editor functions. Creating fillable forms is enabled through user-editable objects that ensure overall consistency of the resulting documents and allow for advanced form interaction experience. Currently, you can insert editable plain text fields, combo boxes, dropdown lists, checkboxes, radio buttons, and assign designated areas for images. Access these features on the Forms tab that is available for DOCXF files only. Creating a new Plain Text Field Text fields are user-editable plain text form fields; no other objects can be added. To insert a text field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Text Field icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group fields to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each text field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted text field; “Your text here” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the text field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the Autofit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted text field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: type in the required value or use the arrows to the right to set the width of the inserted text field. The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted text field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted text field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Autofit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line. Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets. Formatting will be applied to all the text inside the field. Creating a new Combo box Combo boxes contain a dropdown list with a set of choices that can be edited by users. To insert a combo box, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Combo box icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group combo boxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each combo box using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted combo box; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted combo box. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted combo box. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Combo box to open the item list and choose the necessary one. Once the necessary item is selected, you can edit the displayed text entirely or partially by replacing it with yours. You can change font decoration, color, and size. Click within the inserted combo box and proceed according to the instructions. Formatting will be applied to all the text inside the field. Creating a new Dropdown list form field Dropdown lists contain a list with a set of choices that cannot be edited by the users. To insert a dropdown list, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Dropdown icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group dropdown lists to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted dropdown list; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted dropdown field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted dropdown field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Dropdown list form field to open the item list and choose the necessary one. Creating a new Checkbox Checkboxes are used to provide users with a variety of options, any number of which can be selected. Checkboxes operate individually, so they can be checked or unchecked independently. To insert a checkbox, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Checkbox icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group checkboxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the checkbox. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted checkbox. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted checkbox. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the box, click it once. Creating a new Radio Button Radio buttons are used to provide users with a variety of options, only one of which can be selected. Radio buttons can be grouped so that there is no selecting several buttons within one group. To insert a radio button, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Radio Button icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Group key: to create a new group of radio buttons, enter the name of the group in the field and press Enter, then assign the required group to each radio button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the radio button. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted radi button. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted radio button. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the radio button, click it once. Creating a new Image Images are form fields which are used to enable inserting an image with the limitations you set, i.e. the location of the image or its size. To insert an image form field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Image icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group images to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted image form field; “Click to load image” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image. When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly. Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning sliders are inactive when the box is unchecked. Select Image: click this button to upload an image either From File, From URL, or From Storage. Border color: click the icon to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted image field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To replace the image, click the  image icon above the form field border and select another one. To adjust the image settings, open the Image Settings tab on the right toolbar. To learn more, please read the guide on image settings. Highlight forms You can highlight inserted form fields with a certain color. To highlight fields, open the Highlight Settings on the Forms tab of the top toolbar, choose a color from the Standard Colors. You can also add a new custom color, to remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all form fields in the document. Note: The form field border is only visible when the field is selected. The borders do not appear on a printed version. Enabling the View form Note: Once you have entered the View form mode, all editing options will become unavailable. Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document. To exit the viewing mode, click the same icon again. Moving form fields Form fields can be moved to another place in the document: click the button on the left of the control border to select the field and drag it without releasing the mouse button to another position in the text. You can also copy and paste form fields: select the necessary field and use the Ctrl+C/Ctrl+V key combinations. Creating required fields To make a field obligatory, check the Required option. The mandatory fields will be marked with red stroke. Locking form fields To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available. Clearing form fields To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar. Navigate, View and Save a Form Go to the Forms tab at the top toolbar. Navigate through the form fields using the Previous field and Next field buttons at the top toolbar. When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need. Removing form fields To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard." }, { "id": "UsageInstructions/CreateLists.htm", @@ -198,7 +223,7 @@ var indexes = { "id": "UsageInstructions/FillingOutForm.htm", "title": "Filling Out a Form", - "body": "A fillable form is an OFORM file. OFORM is a format for filling out template forms and downloading or printing the form after you have filled it out. How to fill in a form: Open an OFORM file. Fill in all the required fields. The mandatory fields are marked with red stroke. Use or on the top toolbar to navigate between fields, or click the field you wish to fill in. Use the Clear All Fields button to empty all input fields. After you have filled in all the fields, click the Safe as PDF button to save the form to your computer as a PDF file. Click in the top right corner of the toolbar for additional options. You can Print, Download as docx, or Download as pdf. You can also change the form Interface theme by choosing Light, Classic Light or Dark. Once the Dark interface theme is enabled, the Dark mode becomes available Open file location when you need to browse the folder where the form is stored." + "body": "A fillable form is an OFORM file. OFORM is a format for filling out template forms and downloading or printing the form after you have filled it out. How to fill in a form: Open an OFORM file. Fill in all the required fields. The mandatory fields are marked with red stroke. Use or on the top toolbar to navigate between fields, or click the field you wish to fill in. Use the Clear All Fields button to empty all input fields. After you have filled in all the fields, click the Safe as PDF button to save the form to your computer as a PDF file. Click in the top right corner of the toolbar for additional options. You can Print, Download as docx, or Download as pdf. You can also change the form Interface theme by choosing Light, Classic Light or Dark. Once the Dark interface theme is enabled, the Dark mode becomes available Zoom allows to scale and to resize the page using the Fit to page, Fit to width and Zoom in or Zoom out options: Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. Open file location when you need to browse the folder where the form is stored." }, { "id": "UsageInstructions/FontTypeSizeColor.htm", @@ -223,7 +248,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert autoshapes", - "body": "Insert an autoshape To add an autoshape in the Document Editor, switch to the Insert tab of the top toolbar, click the Shape icon on the top toolbar, select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines, click the necessary autoshape within the selected group, place the mouse cursor where the shape should be added, once the autoshape is added, you can change its size, position and properties. Note: to add a caption to an autoshape, make sure the required shape is selected on the page and start typing your text. The added text becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). It's also possible to add a caption to the autoshape. To learn more on how to work with captions for autoshapes, you can refer to this article. Move and resize autoshapes To change the autoshape size, drag small squares situated on the shape edges. To maintain the original proportions of the selected autoshape while resizing, hold down the Shift key and drag one of the corner icons. When modifying some shapes, for example figured arrows or callouts, the yellow diamond-shaped icon is also available. It allows you to adjust some aspects of the shape, for example, the length of the head of an arrow. To alter the autoshape position, use the icon that appears after hovering your mouse cursor over the autoshape. Drag the autoshape to the required position without releasing the mouse button. When you move the autoshape, the guide lines are displayed to help you precisely position the object on the page (if the selected wrapping style is not inline). To move the autoshape by one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the autoshape strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To rotate the autoshape, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust autoshape settings To align and arrange autoshapes, use the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy 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 autoshape to foreground, send it to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects, please refer to this page. Align is used to align the shape to the left, in the center, to the right, at the top, in the middle, at the bottom. To learn more on how to align objects, please refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window. Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color to fill the inner space of the selected autoshape. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - use this option to fill the shape with two or more fading colors. Customize your gradient fill with no constraints. Click the Shape settings icon to open the Fill menu on the right sidebar: Available menu options: Style - choose between Linear or Radial: Linear is used  when you need your colors to flow from left-to-right, top-to-bottom, or at any angle you chose in a single direction. Click Direction to choose a preset direction and click Angle for a precise gradient angle. Radial is used to move from the center as it starts at a single point and emanates outward. Gradient Point is a specific point for transition from one color to another. Use the Add Gradient Point button or slider bar to add a gradient point. You can add up to 10 gradient points. Each next gradient point added will in no way affect the current gradient fill appearance. Use the Remove Gradient Point button to delete a certain gradient point. Use the slider bar to change the location of the gradient point or specify Position in percentage for precise location. To apply a color to a gradient point, click a point on the slider bar, and then click Color to choose the color you want. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File by selecting it on your computer hard disc drive, From URL by inserting the appropriate URL address into the opened window, or From Storage by selecting the required image stored on your portal. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Line - use this section to change the width, color or type of the autoshape line. To change the line width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any line. To change the line color, click on the colored box below and select the necessary color. To change the line type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Wrapping Style - use this section to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. Show shadow - check this option to display the shape with a shadow. Adjust autoshape advanced settings To change the advanced settings of the autoshape, right-click it and select the Advanced Settings option in the menu or use the Show advanced settings link on the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width - use one of these options to change the autoshape width. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab). Relative - specify a percentage relative to the left margin width, the margin (i.e. the distance between the left and right margins), the page width, or the right margin width. Height - use one of these options to change the autoshape height. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab). Relative - specify a percentage relative to the margin (i.e. the distance between the top and bottom margins), the bottom margin height, the page height, or the top margin height. If the Lock aspect ratio option is checked, the width and height will be changed together preserving the original shape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the shape is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the shape is considered to be a part of the text, like a character, so when the text moves, the shape moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the shape can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the shape. Tight - the text wraps the actual shape edges. Through - the text wraps around the shape edges and fills in the open white space within the shape. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the shape. In front - the shape overlaps the text. Behind - the text overlaps the shape. If you select the square, tight, through, or top and bottom 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 autoshape positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 autoshape positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 autoshape moves along with the text to which it is anchored. Allow overlap makes it possible for two autoshapes to overlap if you drag them near each other on the page. The Weights & Arrows tab contains the following parameters: Line Style - this option group allows specifying the following parameters: Cap Type - this option allows setting the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows setting the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows setting the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows changing the Top, Bottom, Left and Right internal margins of the autoshape (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Alternative Text tab allows specifying a Title and Description which will be read to people with vision or cognitive impairments to help them better understand what information the shape contains." + "body": "Insert an autoshape To add an autoshape in the Document Editor, switch to the Insert tab of the top toolbar, click the Shape icon on the top toolbar, select one of the available autoshape groups from the Shape Gallery: Recently Used, Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines, click the necessary autoshape within the selected group, place the mouse cursor where the shape should be added, once the autoshape is added, you can change its size, position and properties. Note: to add a caption to an autoshape, make sure the required shape is selected on the page and start typing your text. The added text becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). It's also possible to add a caption to the autoshape. To learn more on how to work with captions for autoshapes, you can refer to this article. Move and resize autoshapes To change the autoshape size, drag small squares situated on the shape edges. To maintain the original proportions of the selected autoshape while resizing, hold down the Shift key and drag one of the corner icons. When modifying some shapes, for example figured arrows or callouts, the yellow diamond-shaped icon is also available. It allows you to adjust some aspects of the shape, for example, the length of the head of an arrow. To alter the autoshape position, use the icon that appears after hovering your mouse cursor over the autoshape. Drag the autoshape to the required position without releasing the mouse button. When you move the autoshape, the guide lines are displayed to help you precisely position the object on the page (if the selected wrapping style is not inline). To move the autoshape by one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the autoshape strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To rotate the autoshape, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust autoshape settings To align and arrange autoshapes, use the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy the selected text/object and paste the previously cut/copied text passage or object to the current cursor position. Print selection is used to print out only a selected portion of the document. Accept / Reject changes is used to accept or to reject tracked changes in a shared document. Edit Points is used to customize or to change the curvature of your shape. To activate a shape’s editable anchor points, right-click the shape and choose Edit Points from the menu. The black squares that become active are the points where two lines meet, and the red line outlines the shape. Click and drag it to reposition the point, and to change the shape outline. Once you click the anchor point, two blue lines with white squares at the ends will appear. These are Bezier handles that allow you to create a curve and to change a curve’s smoothness. As long as the anchor points are active, you can add and delete them. To add a point to a shape, hold Ctrl and click the position where you want to add an anchor point. To delete a point, hold Ctrl and click the unnecessary point. Arrange is used to bring the selected autoshape to foreground, send it to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects, please refer to this page. Align is used to align the shape to the left, in the center, to the right, at the top, in the middle, at the bottom. To learn more on how to align objects, please refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window. Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color to fill the inner space of the selected autoshape. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - use this option to fill the shape with two or more fading colors. Customize your gradient fill with no constraints. Click the Shape settings icon to open the Fill menu on the right sidebar: Available menu options: Style - choose between Linear or Radial: Linear is used  when you need your colors to flow from left-to-right, top-to-bottom, or at any angle you chose in a single direction. The Direction preview window displays the selected gradient color, click the arrow to choose a preset gradient direction. Use Angle settings for a precise gradient angle. Radial is used to move from the center as it starts at a single point and emanates outward. Gradient Point is a specific point for transition from one color to another. Use the Add Gradient Point button or slider bar to add a gradient point. You can add up to 10 gradient points. Each next gradient point added will in no way affect the current gradient fill appearance. Use the Remove Gradient Point button to delete a certain gradient point. Use the slider bar to change the location of the gradient point or specify Position in percentage for precise location. To apply a color to a gradient point, click a point on the slider bar, and then click Color to choose the color you want. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File by selecting it on your computer hard disc drive, From URL by inserting the appropriate URL address into the opened window, or From Storage by selecting the required image stored on your portal. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Line - use this section to change the width, color or type of the autoshape line. To change the line width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any line. To change the line color, click on the colored box below and select the necessary color. To change the line type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Wrapping Style - use this section to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. Show shadow - check this option to display the shape with a shadow. Adjust autoshape advanced settings To change the advanced settings of the autoshape, right-click it and select the Advanced Settings option in the menu or use the Show advanced settings link on the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width - use one of these options to change the autoshape width. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab). Relative - specify a percentage relative to the left margin width, the margin (i.e. the distance between the left and right margins), the page width, or the right margin width. Height - use one of these options to change the autoshape height. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab). Relative - specify a percentage relative to the margin (i.e. the distance between the top and bottom margins), the bottom margin height, the page height, or the top margin height. If the Lock aspect ratio option is checked, the width and height will be changed together preserving the original shape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the shape is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the shape is considered to be a part of the text, like a character, so when the text moves, the shape moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the shape can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the shape. Tight - the text wraps the actual shape edges. Through - the text wraps around the shape edges and fills in the open white space within the shape. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the shape. In front - the shape overlaps the text. Behind - the text overlaps the shape. If you select the square, tight, through, or top and bottom 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 autoshape positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 autoshape positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 autoshape moves along with the text to which it is anchored. Allow overlap makes it possible for two autoshapes to overlap if you drag them near each other on the page. The Weights & Arrows tab contains the following parameters: Line Style - this option group allows specifying the following parameters: Cap Type - this option allows setting the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows setting the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows setting the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows changing the Top, Bottom, Left and Right internal margins of the autoshape (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Alternative Text tab allows specifying a Title and Description which will be read to people with vision or cognitive impairments to help them better understand what information the shape contains." }, { "id": "UsageInstructions/InsertBookmarks.htm", @@ -233,7 +258,7 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Insert charts", - "body": "Insert a chart To insert a chart in the Document Editor, 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 Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None 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, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon etc.) you wish to use for separating several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines between data points, Smooth to use smooth curves between data points, or None to not display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows 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 in the Document Editor, 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 Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination Note: ONLYOFFICE Document Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None 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, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon etc.) you wish to use for separating several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines between data points, Smooth to use smooth curves between data points, or None to not display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows 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", @@ -273,7 +298,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insert images", - "body": "In the Document Editor, you can insert images in the most popular formats into your document. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the document text, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon on the top toolbar, select one of the following options to load the image: the Image from File option will open a standard dialog window for to select a file. Browse your computer hard disk drive for the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the requiredimage, and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added, you can change its size, properties, and position. It's also possible to add a caption to the image. To learn more on how to work with captions for images, you can refer to this article. Move and resize images To change the image size, drag small squares situated on its edges. To maintain the original proportions of the selected image while resizing, hold down the Shift key and drag one of the corner icons. To alter the image position, use the icon that appears after hovering your mouse cursor over the image. Drag the image to the necessary position without releasing the mouse button. When you move the image, the guide lines are displayed to help you precisely position the object on the page (if the selected wrapping style is different from the inline). To rotate the image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust image settings Some of the image settings can be altered using the Image settings tab of the right sidebar. To activate it click the image and choose the Image settings icon on the right. Here you can change the following properties: Size is used to view the Width and Height of the current image. If necessary, you can restore the actual image size clicking the Actual Size button. The Fit to Margin button allows you to resize the image, so that it occupies all the space between the left and right page margin. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop the two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while the other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the height and the width of the cropping area. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Replace Image is used to replace the current image by loading another one From File, From Storage, or From URL. You can also find some of these options in the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy the selected text/object and paste the previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected image to foreground, send it to background, move forward or backward as well as group or ungroup images to perform operations with several of them at once. To learn more on how to arrange objects, please refer to this page. Align is used to align the image to the left, in the center, to the right, at the top, in the middle or at the bottom. To learn more on how to align objects, please refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if the selected wrapping style is not inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Crop is used to apply one of the cropping options: Crop, Fill or Fit. Select the Crop option from the submenu, then drag the cropping handles to set the cropping area, and click one of these three options from the submenu once again to apply the changes. Actual Size is used to change the current image size to the actual one. Replace image is used to replace the current image by loading another one From File or From URL. Image Advanced Settings is used to open the 'Image - Advanced Settings' window. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Line type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. Adjust image advanced settings To change the image advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link on the right sidebar. The image properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the actual size of the added image, click the Actual Size button. The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the image is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the image is considered to be a part of the text, like a character, so when the text moves, the image moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the image can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the image. Tight - the text wraps the actual image edges. Through - the text wraps around the image edges and fills in the open white space within the image. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the image. In front - the image overlaps the text. Behind - the text overlaps the image. If you select the square, tight, through, or top and bottom style, you will be able to set up some additional parameters - distance from text at all sides (top, bottom, left, right). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three image positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 image positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 image moves along with the text to which it is anchored. Allow overlap makes is possible for two images 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 people with vision or cognitive impairments to help them better understand what information the image contains." + "body": "In the Document Editor, you can insert images in the most popular formats into your document. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the document text, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon on the top toolbar, select one of the following options to load the image: the Image from File option will open a standard dialog window for to select a file. Browse your computer hard disk drive for the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the requiredimage, and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added, you can change its size, properties, and position. It's also possible to add a caption to the image. To learn more on how to work with captions for images, you can refer to this article. Move and resize images To change the image size, drag small squares situated on its edges. To maintain the original proportions of the selected image while resizing, hold down the Shift key and drag one of the corner icons. To alter the image position, use the icon that appears after hovering your mouse cursor over the image. Drag the image to the necessary position without releasing the mouse button. When you move the image, the guide lines are displayed to help you precisely position the object on the page (if the selected wrapping style is different from the inline). To rotate the image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust image settings Some of the image settings can be altered using the Image settings tab of the right sidebar. To activate it click the image and choose the Image settings icon on the right. Here you can change the following properties: Size is used to view the Width and Height of the current image. If necessary, you can restore the actual image size clicking the Actual Size button. The Fit to Margin button allows you to resize the image, so that it occupies all the space between the left and right page margin. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop the two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Crop to shape, Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape. If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while the other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the height and the width of the cropping area. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Replace Image is used to replace the current image by loading another one From File, From Storage, or From URL. You can also find some of these options in the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy the selected text/object and paste the previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected image to foreground, send it to background, move forward or backward as well as group or ungroup images to perform operations with several of them at once. To learn more on how to arrange objects, please refer to this page. Align is used to align the image to the left, in the center, to the right, at the top, in the middle or at the bottom. To learn more on how to align objects, please refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if the selected wrapping style is not inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Crop is used to apply one of the cropping options: Crop, Fill or Fit. Select the Crop option from the submenu, then drag the cropping handles to set the cropping area, and click one of these three options from the submenu once again to apply the changes. Actual Size is used to change the current image size to the actual one. Replace image is used to replace the current image by loading another one From File or From URL. Image Advanced Settings is used to open the 'Image - Advanced Settings' window. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Line type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. Adjust image advanced settings To change the image advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link on the right sidebar. The image properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the actual size of the added image, click the Actual Size button. The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the image is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the image is considered to be a part of the text, like a character, so when the text moves, the image moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the image can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the image. Tight - the text wraps the actual image edges. Through - the text wraps around the image edges and fills in the open white space within the image. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the image. In front - the image overlaps the text. Behind - the text overlaps the image. If you select the square, tight, through, or top and bottom style, you will be able to set up some additional parameters - distance from text at all sides (top, bottom, left, right). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three image positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 image positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified 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 image moves along with the text to which it is anchored. Allow overlap makes is possible for two images 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 people with vision or cognitive impairments to help them better understand what information the image contains." }, { "id": "UsageInstructions/InsertLineNumbers.htm", @@ -305,6 +330,11 @@ var indexes = "title": "Insert text objects", "body": "In the Document Editor, you can make your text more emphatic and draw attention to a specific part of the document, you can insert a text box (a rectangular frame that allows entering text within it) or a Text Art object (a text box with a predefined font style and color that allows applying some effects to the text). Add a text object You can add a text object anywhere on the page. To do that: switch to the Insert tab of the top toolbar, select the necessary text object type: to add a text box, click the Text Box icon on the top toolbar, then click where the text box should be added, hold the mouse button and drag the text box border to specify its size. When you release the mouse button, the insertion point will appear in the added text box, allowing you to enter your text. Note: it's also possible to insert a text box by clicking the Shape icon on the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon on the top toolbar, then click on the desired style template – the Text Art object will be added at the current cursor position. Select the default text within the text box with the mouse and replace it with your own text. click outside of the text object to apply the changes and return to the document. The text within the text object is a part of the latter (when you move or rotate the text object, the text moves or rotates with it). As the inserted text object represents a rectangular frame with text in it (Text Art objects have invisible text box borders by default), and this frame is a common autoshape, you can change both the shape and text properties. To delete the added text object, click on the text box border and press the Delete key on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box by clicking on its border to be able to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to resize, move, rotate the text box, use the special handles on the edges of the shape. to edit the text box fill, line, wrapping style or replace the rectangular box with a different shape, click the Shape settings icon on the right sidebar and use the corresponding options. to align the text box on the page, arrange text boxes as related to other objects, rotate or flip a text box, change a wrapping style or access the shape advanced settings, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects, please refer to this page. Format the text within the text box Click the text within the text box to change its properties. When the text is selected, the text box borders are displayed as dashed lines. Note: it's also possible to change the text formatting when the text box (not the text itself) is selected. In thus case, any changes will be applied to all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to the previously selected text fragment separately. To rotate the text within the text box, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets a vertical direction, from bottom to top). To align the text vertically within the text box, right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom. Other formatting options that you can apply are the same as the ones for regular text. Please refer to the corresponding help sections to learn more about the necessary operation. You can: align the text horizontally within the text box adjust the font type, size, color, apply decoration styles and formatting presets set line spacing, change paragraph indents, adjust tab stops for the multi-line text within the text box insert a hyperlink You can also click the Text Art settings icon on the right sidebar and change some style parameters. Edit a Text Art style Select a text object and click the Text Art settings icon on the right sidebar. Change the applied text style by selecting a new Template from the gallery. You can also change the basic style by selecting a different font type, size etc. Change the font Fill. You can choose the following options: Color Fill - select this option to specify the solid color to fill the inner space of letters. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - select this option to fill the letters with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available: top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Note: if one of these two options is selected, you can also set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. No Fill - select this option if you don't want to use any fill. Adjust the font Line width, color and type. To change the line width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any line. To change the line color, click on the colored box below and select the necessary color. To change the line type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Apply a text effect by selecting the necessary text transformation type from the Transform gallery. You can adjust the degree of the text distortion by dragging the pink diamond-shaped handle." }, + { + "id": "UsageInstructions/Jitsi.htm", + "title": "Make Audio and Video Calls", + "body": "Audio and video calls are immediately accessible from ONLYOFFICE Document Editor, using Jitsi plugin. Jitsi provides video conferencing capabilities that are secure and easy to deploy. Note: Jitsi plugin is not installed by default and shall be added manually. Please, refer to the corresponding article to find the manual installation guide Adding plugins to ONLYOFFICE Cloud or Adding new plugins to server editors Switch to the Plugins tab and click the Jitsi icon on the top toolbar. Fill in the fields at the bottom of the left sidebar before you start a call: Domain - enter the domain name if you want to connect your domain. Room name - enter the name of the meeting room. This field is mandatory and you cannot start a call if you leave it out. Click the Start button to open the Jitsi Meet iframe. Enter your name and allow camera and microphone access to your browser. If you want to close the Jitsi Meet iframe click the Stop button at the bottom of the left. Click the Join the meeting button to start a call with audio or click the arrow to join without audio. The Jitsi Meet iframe interface elements before launching a meeting: Audio settings and Mute/Unmute Click the arrow to access the preview of Audio Settings. Click the micro to mute/unmute your microphone. Video settings and Start/Stop Click the arrow to access video preview. Click the camera to start/stop your video. Invite people Click this button to invite more people to your meeting. Share the meeting by copying the meeting link, or Share meeting invitation by copying it, or via your default email, Google email, Outlook email or Yahoo email. Embed the meeting by copying the link. Use one of the available dial-in numbers to join the meeting. Select background Select or add a virtual background for your meeting. Share your desktop by choosing the appropriate option: Screen, Window or Tab. Select background Select or add a virtual background for your meeting. Share your desktop by choosing the appropriate option: Screen, Window or Tab. Settings Configure advanced settings that are organized in the following categories: Devices for setting up your Microphone, Camera and Audio Output, and playing a test sound. Profile for setting up your name to be displayed and gravatar email, hide/show self view. Calendar for integration your Google or Microsoft calendar. Sounds for selecting the actions to play the sound on. More for configuring some additional options: enable/disable pre meeting screen and keyboard shortcuts, set up a language and desktop sharing frame rate. Interface elements that appear during a video conference: Click the side arrow on the right to display the participant thumbnails at the top. The timer at the iframe top shows the meeting duration. Open chat Type a text message or create a poll. Participants View the list of the meeting participants, invite more participants and search a participant. More Actions Find a range of options to use all the available Jitsi features to the full.Scroll through the options to see them all. Available options, Start screen sharing Invite people Enter/Exit tile view Performance settings for adjusting the quality View full screen Security options Lobby mode for participants to join the meeting after the moderator’s approval; Add password mode for participants to join the meeting with a password; End-to-end encryption is an experimental method of making secure calls (mind the restrictions like disabling server-side provided services and using browsers that support insertable streams). Start live stream Mute everyone Disable everyone’s camera Share video Select background Speaker stats Settings View shortcuts Embed meeting Leave feedback Help Leave the meeting Click it whenever you wish to end a call." + }, { "id": "UsageInstructions/LineSpacing.htm", "title": "Set paragraph line spacing", @@ -313,7 +343,7 @@ var indexes = { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "AutoCorrect Features", - "body": "The AutoCorrect features in ONLYOFFICE Document Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents, and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. Note: The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Document Editor. The full list of the supported codes can also be found on the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat As You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. If you need to disable auto-formatting presets, uncheck the box for the unnecessary options, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." + "body": "The AutoCorrect features in ONLYOFFICE Document Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents, and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. Note: The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Document Editor. The full list of the supported codes can also be found on the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat As You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate. By default, this option is disabled for Linux and Windows, and is enabled for macOS. To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." }, { "id": "UsageInstructions/NonprintingCharacters.htm", @@ -347,7 +377,7 @@ var indexes = }, { "id": "UsageInstructions/SavePrintDownload.htm", - "title": "Save/download/print your document", + "title": "Save, download, print your document", "body": "Saving By default, online Document Editor automatically saves your file each 2 seconds when you work on it to prevent your data loss in case the program closes unexpectedly. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If necessary, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current document manually in the current format and location, press the Save icon in the left part of the editor header, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. In the desktop version, to prevent data from loss in case program closes unexpectedly, you can turn on the Autorecover option on the Advanced Settings page. In the desktop version, you can save the document with another name, in a new location or format, click the File tab of the top toolbar, select the Save as... option, choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. You can also choose the Document template (DOTX or OTT) option. Downloading In the online version, you can download the resulting document onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. Saving a copy In the online version, you can save a copy of the file on your portal, click the File tab of the top toolbar, select the Save Copy as... option, choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. select a location of the file on the portal and press Save. Printing To print out the current document, click the Print icon in the left part of the editor header, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. The Firefox browser enables printing without downloading the document as a .pdf file first. It's also possible to print a selected text passage using the Print Selection option from the contextual menu both in the Edit and View modes (Right Mouse Button Click and choose option Print selection). In the desktop version, the file will be printed directly. In the online version, a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing." }, { @@ -375,10 +405,15 @@ var indexes = "title": "Read the text out loud", "body": "ONLYOFFICE Document Editor has a plugin that can read out the text for you. Select the text to be read out. Switch to the Plugins tab and choose Speech. The text will now be read out." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Support of SmartArt in ONLYOFFICE Document Editor", + "body": "SmartArt graphics are used to create a visual representation of a hierarchical structure by choosing a layout that fits best. ONLYOFFICE Document Editor supports SmartArt graphics that were inserted using third-party editors. You can open a file containing SmartArt and edit it as a graphic object using the available editing tools. Once you click a SmartArt graphic or its element, the following tabs become active on the right sidebar to customize a layout: Paragraph settings to configure indents and spacing, line and page breaks, borders and fill, fonts, tabs and paddings. See Paragraph Formatting section for a detailed description of every option. This tab becomes active for SmartArt elements only Shape settings to configure the shapes used on a layout. You can change shapes, edit the fill, the lines, the weights and arrows, the text box and the alternative text. Text Art settings to configure the Text Art style that is used in a SmartArt graphic to highlight the text. You can change the Text Art template, the fill type, color and opacity, the line size, color and type. This tab becomes active for SmartArt elements only. Right-click the SmartArt graphic or its element border to access the following formatting options: Wrapping style to define the way the object is positioned relative to the text. The Wrapping Style option is available only when you click the SmartArt graphic border. Rotate to choose the rotation direction for the selected element on a SmartArt graphic: Rotate 90° Clockwise, Rotate 90° Counterclockwise.The Rotate option becomes active for SmartArt elements only Insert Caption to label a SmartArt graphic element for reference. Shape Advanced Settings to access additional shape formatting options. Right-click the SmartArt graphic element to access the following text formatting options: Vertical Alignment to choose the text alignment inside the selected SmartArt element: Align Top, Align Middle, Align Bottom. Text Direction to choose the text direction inside the selected SmartArt element: Horizontal, Rotate Text Down, Rotate Text Up. Paragraph Advanced Settings to access additional paragraph formatting options." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Replace a word by a synonym", - "body": "If you are using the same word multiple times, or a word is just not quite the word you are looking for, ONLYOFFICE Document Editor let you look up synonyms. It will show you the antonyms too. Select the word in your document. Switch to the Plugins tab and choose Thesaurus. The synonyms and antonyms will show up in the left sidebar. Click a word to replace the word in your document." + "body": "If you are using the same word multiple times, or a word is just not quite the word you are looking for, ONLYOFFICE Document Editor lets you look up synonyms. It will show you the antonyms too. Select the word in your document. Switch to the Plugins tab and choose Thesaurus. The synonyms and antonyms will show up in the left sidebar. Click a word to replace the word in your document." }, { "id": "UsageInstructions/Translator.htm", diff --git a/apps/documenteditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm index b1a2e808f..3dda1b887 100644 --- a/apps/documenteditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm @@ -181,13 +181,13 @@ Acercar Ctrl++ - ^ Ctrl+=,
      ⌘ Cmd+= + ^ Ctrl+= Acerca el documento actualmente editado. Alejar Ctrl+- - ^ Ctrl+-,
      ⌘ Cmd+- + ^ Ctrl+- Aleja el documento actualmente editado. diff --git a/apps/documenteditor/main/resources/help/fr/Contents.json b/apps/documenteditor/main/resources/help/fr/Contents.json index 80e8cd5ae..76df0fe00 100644 --- a/apps/documenteditor/main/resources/help/fr/Contents.json +++ b/apps/documenteditor/main/resources/help/fr/Contents.json @@ -23,11 +23,13 @@ { "src": "ProgramInterface/ReferencesTab.htm", "name": "Onglet Références" + }, + {"src": "ProgramInterface/FormsTab.htm", "name": "Onglet Formulaires"}, + { + "src": "ProgramInterface/ReviewTab.htm", + "name": "Onglet Collaboration" }, - { - "src": "ProgramInterface/ReviewTab.htm", - "name": "Onglet Collaboration" - }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Onglet Affichage"}, { "src": "ProgramInterface/PluginsTab.htm", "name": "Onglet Modules complémentaires" @@ -164,6 +166,7 @@ "src": "UsageInstructions/InsertTextObjects.htm", "name": "Insérer des objets textuels" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Prise en charge des graphiques SmartArt" }, { "src": "UsageInstructions/AddCaption.htm", "name": "Ajouter une légende" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insérer des symboles et des caractères" }, { @@ -179,10 +182,12 @@ "src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Aligner et organiser des objets sur une page" }, - { - "src": "UsageInstructions/ChangeWrappingStyle.htm", - "name": "Changer le style d'habillage" - }, + { + "src": "UsageInstructions/ChangeWrappingStyle.htm", + "name": "Changer le style d'habillage" + }, + { "src": "UsageInstructions/CreateFillableForms.htm", "name": "Créer des formulaires à remplir", "headername": "Formulaires à remplir" }, + { "src": "UsageInstructions/FillingOutForm.htm", "name": "Remplir un formulaire" }, { "src": "UsageInstructions/UseMailMerge.htm", "name": "Utiliser le publipostage", @@ -225,10 +230,11 @@ "src": "HelpfulHints/AdvancedSettings.htm", "name": "Paramètres avancés de Document Editor" }, - { - "src": "HelpfulHints/Navigation.htm", - "name": "Paramètres d'affichage et outils de navigation" - }, + { + "src": "HelpfulHints/Navigation.htm", + "name": "Paramètres d'affichage et outils de navigation" + }, + {"src": "HelpfulHints/Viewer.htm", "name": "Lecteur de documents ONLYOFFICE"}, { "src": "HelpfulHints/Search.htm", "name": "Fonctions de recherche et remplacement" diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index dfc0de795..775d76d69 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -18,11 +18,19 @@

      Document Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage

      sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés.

      Les paramètres avancés sont les suivants:

        -
      • Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. -
          -
        • Activer l'affichage des commentaires - si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône
          de la barre latérale gauche.
        • -
        • Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires
          dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus dans le texte du document.
        • -
        +
      • + Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. +
          +
        • Activer l'affichage des commentaires - si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône 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 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.
        • +
        +
      • +
      • + Afficher le suivi des modifications sert à sélectionner la façon d'affichage des modifications: +
          +
        • Afficher par clic dans les ballons - les modifications s'affichent dans les ballons lorsque vous activez le suivi des modifications;
        • +
        • Afficher lorsque le pointeur est maintenu sur l'infobulle - l'infobulle s'affiche lorsque vous faites glisser le pointeur sur la modification suivi.
        • +
      • Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe.
      • Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par.
      • @@ -31,7 +39,8 @@
      • 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: +
      • + 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.
        • @@ -45,14 +54,18 @@
        • 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é.
      • -
      • Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. +
      • + Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur.
        • Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour.
        • Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire.
        • -
        • Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit.
        • +
        • Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. L'option Activer le mode sombre pour les documents devient activé lorsque le thème de l'interface Sombre est choisi. Le cas échéant, cochez la case Activer le mode sombre pour les documents pour activez le mode sombre. +

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

          +
        • +
      • -
      • 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.
      • +
      • Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur.
      • Hinting de la police sert à sélectionner le type d'affichage de la police dans Document Editor:
          @@ -76,12 +89,13 @@
        • 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.
        • Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option.
        • -
        • Réglages macros - s'utilise pour désactiver toutes les macros avec notification. -
            -
          • Choisissez Désactivez tout pour désactiver toutes les macros dans votre 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.
          • -
          +
        • + Réglages macros - s'utilise pour désactiver toutes les macros avec notification. +
            +
          • Choisissez Désactivez tout pour désactiver toutes les macros dans votre 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 toutes les modifications, 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 0ee049213..ff6f37524 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 @@ Édition collaborative des documents - + @@ -15,42 +15,42 @@

        Édition collaborative des documents

        -

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

        +

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

        +

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

        Édition collaborative

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

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

        Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de co-édition

        dans l'onglet Collaboration de la barre d'outils supérieure:

        +

        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 L'icône Mode de co-édition dans l'onglet Collaboration de la barre d'outils supérieure:

        Menu Mode de co-édition

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

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

        -

        Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur -

        . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

        -

        Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence

        vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir du document : inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, remplir des formulaires ou réviser le document, ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci
        . Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition
        dans l'onglet Collaboration de la barre d'outils supérieure.

        -

        Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône

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

        -

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

        seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance.

        +

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

        +

        Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence L'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 L'icône Nombre d'utilisateurs. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition 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 L'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 L'icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié.

        +

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

        Utilisateurs anonymes

        -

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

        +

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

        Collaboration anonyme

        Chat

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

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

        -

        Pour accéder à Chat et envoyer un message à d'autres utilisateurs:

        +

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

        1. cliquez sur l'icône
          dans la barre latérale gauche ou
          passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat
          , @@ -62,7 +62,7 @@

          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.

        +

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

        Pour laisser un commentaire:

        1. sélectionnez le fragment du texte que vous voulez commenter,
        2. @@ -77,14 +77,27 @@

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

          .

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

            -
          • modifier le commentaire sélectionné en appuyant sur l'icône
            ,
          • -
          • supprimer le commentaire sélectionné en appuyant sur l'icône
            ,
          • -
          • fermez la discussion actuelle en cliquant sur l'icône
            si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône
            . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône
            .
          • -
          • si vous souhaitez gérér tous les commentaires à la fois, accédez au menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus.
          • -
          -

          Ajouter les mentions

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

            Sort comments

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

      Ajouter des mentions

      +

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

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

      -

      Ajoutez une mention en tapant le signe + 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.

      +

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

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

      Pour supprimer les commentaires,

        diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm index a5089bbb0..99e770308 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm @@ -15,7 +15,6 @@

        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. Pour savoir comment activer cette fonctionnalité sur version de bureau, veuillez consulter cette article.

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

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

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

        diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index 71d6dfedb..ac0ed77f7 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -13,23 +13,39 @@
        -
        - -
        +
        + +

        Raccourcis clavier

        -

        La liste des raccourcis clavier pour exécuter certaines fonctions de Document Editor plus vite et facile à l'aide du clavier.

        -
          -
        • Windows/Linux
        • Mac OS
        • -
        +

        Raccourcis clavier pour les touches d'accès

        +

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

        +
          +
        1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
        2. +
        3. + Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. +

          Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès.

          +

          Primaires touches d'accès

          +

          Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet.

          +

          Touches d'accès supplémentaires

          +

          Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer.

          +
        4. +
        5. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
        6. +
        +

        Trouverez ci-dessous les raccourcis clavier les plus courants:

        +
          +
        • Windows/Linux
        • + +
        • Mac OS
        • +
        - - + + @@ -38,18 +54,18 @@ - - - - - - - - - + + + + + + + + + - - + + @@ -92,36 +108,36 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -188,61 +204,61 @@ - + - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -375,54 +391,54 @@ - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -444,12 +460,12 @@ - - - + + + - - + + @@ -523,69 +539,69 @@ + + + + --> - - + + - - - - - + + + + + - - - - - - - - + + + + + + + + - - - - - - - - - - - - + + + + + + + + + + + + + + + + --> - - - - - - - - - - - - + + + + + + + + + + + + @@ -607,90 +623,90 @@ - - - - - - + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + +
        Traitement du document
        Ouvrir le panneau "Fichier"Alt+F⌥ Option+FAlt+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.
        ^ 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 remplacementCtrl+H^ Ctrl+HOuvrir 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
        Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacementCtrl+H^ Ctrl+HOuvrir 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.
        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 Passer à l'affichage plein écran pour adapter Document Editor à votre écran.
        Menu d'aideF1F1Ouvrir le menu Aide de Document Editor
        Ouvrir un fichier existant (Desktop Editors)Ctrl+OL’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+F10Ouvrir 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%.
        Menu d'aideF1F1Ouvrir le menu Aide de Document Editor
        Ouvrir un fichier existant (Desktop Editors)Ctrl+OL’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+F10Ouvrir 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%.
        Navigation
        Zoom avant Ctrl++^ Ctrl+=,
        ⌘ Cmd+=
        ^ Ctrl+= Agrandir le zoom du document en cours d'édition.
        Zoom arrière Ctrl+-^ Ctrl+-,
        ⌘ Cmd+-
        ^ Ctrl+- Réduire le zoom du document en cours d'édition.
        Déplacer un caractère vers la gaucheDéplacer le curseur d'un caractère vers la gauche.
        Déplacer un caractère vers la droiteDéplacer le curseur d'un caractère vers la droite.
        Déplacer vers le début d'un mot ou un mot vers la gaucheCtrl+^ 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 droiteCtrl+^ 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 basDéplacer le curseur d'une ligne vers le bas.
        Déplacer un caractère vers la gaucheDéplacer le curseur d'un caractère vers la gauche.
        Déplacer un caractère vers la droiteDéplacer le curseur d'un caractère vers la droite.
        Déplacer vers le début d'un mot ou un mot vers la gaucheCtrl+^ 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 droiteCtrl+^ 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 basDéplacer le curseur d'une ligne vers le bas.
        Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab⇧ 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 motCtrl+⇧ Maj+
        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 motCtrl+⇧ Maj+ Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot.
        Sélectionner au début d'un motCtrl+⇧ Maj+Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot.
        Sélectionner au début d'un motCtrl+⇧ 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écSé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. suivSélectionner la partie de page de la position du curseur à la partie inférieure de l'écran.
        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écSé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. suivSélectionner la partie de page de la position du curseur à la partie inférieure de l'écran.
        Style de texte
        ^ Ctrl+U,
        ⌘ Cmd+U
        Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres.
        BarréCtrl+5
        BarréCtrl+5 ^ Ctrl+5,
        ⌘ Cmd+5
        Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres.
        Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres.
        Indice Ctrl+.Passer de l'aligné à droite à l'aligné à gauche.
        Align leftCtrl+LAlign left with the text lined up by the left side of the page, the right side remains unaligned. If your text is initially left-aligned
        Appliquer la mise en forme de l'indice (espacement automatique)Ctrl+=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'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 pageCtrl+↵ Entrée^ Ctrl+↵ RetourInsérer un saut de page à la position actuelle du curseur.
        Appliquer la mise en forme d'exposant au fragment de texte sélectionné.
        Insérer des sauts de pageCtrl+↵ Entrée^ Ctrl+↵ RetourInsérer un saut de page à la position actuelle du curseur.
        Augmenter le retrait Ctrl+M ^ Ctrl+M Augmenter le retrait gauche.
        Réduire le retraitCtrl+⇧ Maj+M^ Ctrl+⇧ Maj+MDiminuer le retrait gauche.
        Ajouter un numéro de pageCtrl+⇧ Maj+P^ Ctrl+⇧ Maj+PAjoutez le numéro de page actuel à la position actuelle du curseur.
        Réduire le retraitCtrl+⇧ Maj+M^ Ctrl+⇧ Maj+MDiminuer le retrait gauche.
        Ajouter un numéro de pageCtrl+⇧ Maj+P^ Ctrl+⇧ Maj+PAjoutez le numéro de page actuel à la position actuelle du curseur.
        Add dashNum-Add a dash.
        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èreSupprimer un caractère à gauche du curseur.
        Supprimer un caractère à droiteSupprimerSupprimerSupprimer un caractère à droite du curseur.
        Supprimer un caractère à gauche← Retour arrière← Retour arrièreSupprimer un caractère à gauche du curseur.
        Supprimer un caractère à droiteSupprimerSupprimerSupprimer un caractère à droite du curseur.
        Modification des objets
        ⇧ 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.
        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↹ TabAller à la cellule suivante d’une ligne de tableau.
        Passer à la cellule précédente d’une ligne⇧ Maj+↹ Tab⇧ Maj+↹ TabAller à la cellule précédente d’une ligne de tableau.
        Passer à la ligne suivanteAller à la ligne suivante d’un tableau.
        Passer à la ligne précédenteAller à la ligne précédente d’un tableau.
        Commencer un nouveau paragraphe↵ Entrée↵ RetourCommencer 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 formuleAlt+=Utilisation des tableaux
        Passer à la cellule suivante d’une ligne↹ Tab↹ TabAller à la cellule suivante d’une ligne de tableau.
        Passer à la cellule précédente d’une ligne⇧ Maj+↹ Tab⇧ Maj+↹ TabAller à la cellule précédente d’une ligne de tableau.
        Passer à la ligne suivanteAller à la ligne suivante d’un tableau.
        Passer à la ligne précédenteAller à la ligne précédente d’un tableau.
        Commencer un nouveau paragraphe↵ Entrée↵ RetourCommencer 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 formuleAlt+= 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.
        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 4c10dc024..91117247c 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm @@ -20,21 +20,26 @@

        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 l'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 Paramètres d'affichage:

          -
        • - Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur.
          Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage
          et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. -

          Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

          -
        • -
        • Masquer la barre 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 sert à masquer 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.
        • +
        • + Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur.
          Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage L'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. +

          Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

          +
        • +
        • Masquer la barre 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 sert à masquer 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.
        • +
        • + Mode sombre – sert à activer ou désactiver le mode sombre si vous avez déjà choisi le thème de l'interface Sombre. Vous pouvez également activer le mode sombre dans Paramètres avancés sous l'onglet Fichier. +

          Dark Mode

          +
        • +

        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 (50% / 75% / 100% / 125% / 150% / 175% / 200%) 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. + 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 (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) 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 page . Les paramètres de Zoom sont également disponibles dans la liste déroulante Paramètres d'affichage L'icône Paramètres d'affichage qui peuvent être bien utiles si vous décidez de masquer la Barre d'état.

        Indicateur de numéro 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.

        diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Password.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Password.htm index 99a255664..89d2998a8 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Password.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Password.htm @@ -21,27 +21,27 @@

        Définir un mot de passe

          -
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • -
        • choisissez l'option Protéger,
        • -
        • cliquez sur le bouton Ajouter un mot de passe.
        • -
        • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
        • +
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • +
        • choisissez l'option Protéger,
        • +
        • cliquez sur le bouton Ajouter un mot de passe.
        • +
        • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur Show password icon pour afficher pi masquer les caractèrs du mot de passe lors de la saisie.

        Définir un mot de passe

        Modifier le mot de passe

          -
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • -
        • choisissez l'option Protéger,
        • -
        • cliquez sur le bouton Modifier un mot de passe.
        • -
        • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
        • +
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • +
        • choisissez l'option Protéger,
        • +
        • cliquez sur le bouton Modifier un mot de passe.
        • +
        • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.

        Modifier le mot de passe

        Supprimer le mot de passe

          -
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • -
        • choisissez l'option Protéger,
        • -
        • cliquez sur le bouton Supprimer le mot de passe.
        • +
        • passez à l'onglet Fichier de la barre d'outils supérieure,
        • +
        • choisissez l'option Protéger,
        • +
        • cliquez sur le bouton Supprimer le mot de passe.
        diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm index d3f92acc0..d6a6faa86 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm @@ -21,18 +21,25 @@

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

          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.

        • -
        • Les options disponibles pour dans le menu contextuel: -
            -
          • ON pour moi - le suivi des modifications est activé uniquement pour l'utilisateur actuel. L'option est activée pendant la session d'édition actuelle, c-à-d elle est désactivée lors de l'actualisation ou la réouverture du document. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas.
          • -
          • OFF pour moi - le suivi des modifications est désactivé uniquement pour l'utilisateur actuel. L'option demeure désactivée pendant la session d'édition actuelle. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas.
          • -
          • ON pour moi et tout le monde - le suivi des modifications est actif et demeure activé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera actif pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est désactivé par d'autres utilisateurs, ceux-ci passe en mode OFF pour moi et tout le monde. -

            Avertissement de mode de suivi des modifications

          • -
          • OFF pour moi et tout le monde - le suivi des modifications est désactivé et demeure désactivé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera désactivé pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est activé par d'autres utilisateurs, ceux-ci passe en mode ON pour moi et tout le monde. Un message d'alerte s'affiche pour tous les utilisateurs qui travaillent sur le même document. -

            Suivi des modifications actif

          • -
          +
        • cliquez sur le bouton le bouton Suivi des modifications 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 Bouton Suivi des modifications Suivi des modifications. +

          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.

          +
        • +
        • + Les options disponibles pour dans le menu contextuel: +
            +
          • ON pour moi - le suivi des modifications est activé uniquement pour l'utilisateur actuel. L'option est activée pendant la session d'édition actuelle, c-à-d elle est désactivée lors de l'actualisation ou la réouverture du document. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas.
          • +
          • OFF pour moi - le suivi des modifications est désactivé uniquement pour l'utilisateur actuel. L'option demeure désactivée pendant la session d'édition actuelle. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas.
          • +
          • + ON pour moi et tout le monde - le suivi des modifications est actif et demeure activé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera actif pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est désactivé par d'autres utilisateurs, ceux-ci passe en mode OFF pour moi et tout le monde. +

            Avertissement de mode de suivi des modifications

            +
          • +
          • + OFF pour moi et tout le monde - le suivi des modifications est désactivé et demeure désactivé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera désactivé pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est activé par d'autres utilisateurs, ceux-ci passe en mode ON pour moi et tout le monde. Un message d'alerte s'affiche pour tous les utilisateurs qui travaillent sur le même document. +

            Suivi des modifications actif

            +
          • +

        Suivi des modifications

        @@ -64,8 +71,11 @@
      1. cliquer sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter la modification en cours (dans ce cas, la modification sera rejetée et vous passerez à la modification suivante), ou
      2. cliquez sur le bouton Rejeter
        de dans la bulle de la modification.
      3. -

        Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Rejeter

        et sélectionnez l'option Rejeter toutes les modifications.

        -

        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 la bulle de modification.

        +

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

        +

        Si vous souhaitez accepter ou rejeter une seule modification, faites un clic droit dessus et sélectionnez Accepter la modification ou Rejeter la modification dans le menu contextuel.

        +

        Accept/Reject dropdowm mwnu

        + +

        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 Bouton Supprimer la modification dans la bulle de modification.

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm index 6ae96fb7e..82ba9530d 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm @@ -11,31 +11,152 @@
        -
        - -
        -

        Fonctions de recherche et remplacement

        -

        Pour rechercher les caractères voulus, des mots ou des phrases utilisés dans Document Editor, 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 :

        -

        Fenêtre Rechercher et remplacer

        +
        + +
        +

        Fonctions de recherche et remplacement

        +

        Pour rechercher des caractères, des mots ou des phrases utilisés dans le document, cliquez sur l'icône L'icône Rechercher située sur la barre latérale gauche Document Editor ou appuyez sur la combinaison de touches Ctrl+F.

        +

        La fenêtre Rechercher et remplacer s'affiche.

        +

        Fenêtre Rechercher et remplacer

          -
        1. Saisissez votre enquête dans le champ correspondant.
        2. -
        3. 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.
          • -
          -
        4. -
        5. 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.

          -
        6. +
        7. Saisissez votre enquête dans le champ correspondant.
        8. +
        9. + Spécifiez les paramètres de recherche en cliquant sur l'icône icône Options de recherche 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.
          • +
          +
        10. +
        11. + 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 Flèche gauche) ou vers la fin du document (si vous cliquez sur le bouton Flèche droite) à 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.

        +

        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 :

        -

        Fenêtre Rechercher et remplacer

        +

        Fenêtre Rechercher et remplacer

          -
        1. Saisissez le texte du replacement dans le champ au-dessous.
        2. -
        3. Cliquez sur le bouton Remplacer pour remplacer l'occurrence actuellement sélectionnée ou le bouton Remplacer tout pour remplacer toutes occurrences trouvées.
        4. +
        5. Saisissez le texte du replacement dans le champ au-dessous.
        6. +
        7. 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.

        +

        Pour masquer le champ remplacer, cliquez sur le lien Masquer Remplacer.

        +

        Document Editor prend en charge la recherche de caractères spéciaux. Pour rechercher un caractère spécial, saisissez-le dans le champ de recherche.

        +
        + La liste des caractères spéciaux qu'on peut utiliser dans une requête: + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Caractère spécialDescription
        ^lSaut de ligne
        ^tTaquet de tabulation
        ^?Tout symbole
        ^#Tout chiffre
        ^$Toute lettre
        ^nSaut de colonne
        ^eNote de fin
        ^fNote de bas de page
        ^gélément graphique
        ^mSaut de page
        ^~Trait d'union insécable
        ^sEspace insécable
        ^^échappement du caret lui-même
        ^wTout espace
        ^+Tiret cadratin
        ^=Tiret demi-cadratin
        ^yTout tiret
        +
        + Les caractères qu'on peut utiliser pour remplacement: + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Caractère spécialDescription
        ^lSaut de ligne
        ^tTaquet de tabulation
        ^nSaut de colonne
        ^mSaut de page
        ^~Trait d'union insécable
        ^sEspace insécable
        ^+Tiret cadratin
        ^=Tiret demi-cadratin
        +
        +
        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index 2d2e92bd1..d340109b8 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 - + @@ -16,7 +16,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. + 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.

        @@ -42,7 +42,7 @@ - + @@ -63,7 +63,7 @@ - + @@ -105,7 +105,7 @@ - + @@ -131,6 +131,20 @@ + + + + + + + + + + + + + +
        DOTXWord 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
        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
        + + +
        OTTOpenDocument 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
        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
        + + +
        EPUBElectronic Publication
        Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum
        Electronic Publication
        Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum
        + + ++
        DOCXFLe format pour créer, modifier et collaborer sur un Modèle de formulaire+++
        OFORMLe format pour remplir un formulaire. Les champs du formulaire sont à remplir mais les utilisateurs ne peuvent pas modifier la mise en forme ou les paramètres des éléments du formulaire.*+++
        -

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

        +

        Remarque: le format OFORM est un format à remplir des formulaires. Alors, seul les champs d'un formulaire sont modifiables.

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Viewer.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Viewer.htm new file mode 100644 index 000000000..200a2bbed --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Viewer.htm @@ -0,0 +1,104 @@ + + + + Lecteur de documents ONLYOFFICE + + + + + + + +
        +
        + +
        +

        Lecteur de documents ONLYOFFICE

        +

        Vous pouvez utiliser Lecteur de documents ONLYOFFICE pour ouvrir et parcourir des fichiers PDF, XPS et DjVu.

        +

        Le lecteur de documents ONLYOFFICE permet de:

        +
          +
        • consulter des fichiers PDF, XPS, DjVu,
        • +
        • ajouter des annotations à l'aide de chat,
        • +
        • parcourir des fichiers à l'aide du panneau de navigation et des vignettes de page,
        • +
        • utiliser l'outil de sélection et l'outil Main,
        • +
        • imprimer et télécharger des fichiers,
        • +
        • utiliser des liens internes et externes,
        • +
        • + accéder aux paramètres avancés du fichier dans l'éditeur et consulter le descriptif du document en utilisant l'onglet Fichier ou le bouton Paramètres d'affichage, +
            +
          • Emplacement (disponible uniquement dans la version en ligne) le dossier dans le module Documents où le fichier est stocké.
          • +
          • Propriétaire (disponible uniquement dans la version en ligne) - le nom de l'utilisateur qui a créé le fichier.
          • +
          • Chargé (disponible uniquement dans la version en ligne) - la date et l'heure quand le fichier a été téléchargé.
          • +
          • Statistiques - le nombre de pages, paragraphes, mots, symboles, symboles avec des espaces.
          • +
          • Taille de la page - la taille des pages dans le fichier
          • +
          • Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois.
          • +
          • Créé - la date et l'heure quand le fichier a été créé.
          • +
          • Application - l'application dans laquelle on a créé le document.
          • +
          • Auteur - la personne qui a créé le document.
          • +
          • Producteur PDF - l'application qu'on a utilisé pour convertir le document en PDF.
          • +
          • Version PDF - la version du fichier PDF:
          • +
          • PDF marqué - affiche si le fichier PDF comporte des balises.
          • +
          • Affichage rapide sur le Web - affiche si l'affichage rapide des pages web a été activé pour ce document.
          • +
          +
        • +
        • utiliser les modules complémentaires +
            +
          • Les modules complémentaires disponibles dans la version du bureau: Traducteur, Send, Thésaurus.
          • +
          • Les modules complémentaires disponibles dans la version en ligne: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thésaurus, Traducteur.
          • +
          +
        • +
        +

        L'interface du Lecteur de documents ONLYOFFICE:

        +

        Lecteur de documents ONLYOFFICE

        +
          +
        1. + La barre d'outils supérieure fournit l'accès à deux onglets Fichier et Modules complémentaires et comporte les icônes suivantes: +

          Imprimer Imprimer permet d'imprimer le fichier.

          +

          Télécharger Télécharger permet de sauvegarder le fichier sur votre orrdinateur;

          +

          L'icône Gérer les droits d'accès au document 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 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.

          +

          Ouvrir l'emplacement du fichier Ouvrir l'emplacement du fichier dans la version de bureau, sert à ouvrir le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur.

          +

          Favoris Marquer en tant que favori / Enlever des favoris (disponible uniquement dans la version en ligne) cliquez sur l'étoile vide pour ajouter le fichier aux favoris et le retrouver rapidement ou cliquez sur l'étoile remplie pour effacer le fichier des favoris. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez des favoris.

          +

          Paramètres d'affichage Paramètres d'affichage permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur;

          +

          Utilisateur Utilisateur affiche le nom d'utilisateur lorsque vous placer le curseur de votre souris sur l'icône.

          +
        2. +
        3. La Barre d'état au bas de la fenêtre du Lecteur de documents ONLYOFFICE contient l'indicateur du numéro de page et affiche certaines notifications des processus d'arrière plan. La barre d'état comporte aussi les outils suivants: +

          Outil de sélection Outil de sélection sert à sélectionner du texte dans un fichier.

          +

          Outil Main Outil Main sert à faire glisser et défiler la page.

          +

          Ajuster à la page Ajuster à la page sert à redimensionner la page pour afficher une page entière sur l'écran.

          +

          Ajuster à la largeur Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran.

          +

          Zoom Outil zoom sert à zoomer et dézoomer sur une page.

          +
        4. +
        5. + La barre latérale gauche comporte les icônes suivantes: +
            +
          • L'icône Rechercher - permet d'utiliser l'outil Rechercher et remplacer ,
          • +
          • L'icône Chat - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat ,
          • +
          • + Icône Navigation - permet d'ouvrir le panneau de Navigation pour parcourir la liste hiérarchique des titres avec des éléments de navigation imbriqués. Cliquez sur le titre pour passer directement sur la page nécessaire. +

            Panneau de navigation +

            Faites un clic droit sur la rubrique dans la liste et utilisez l'une des options disponibles dans le menu:

            +
              +
            • Développer tout pour développer tous les niveaux de titres sur le panneau de navigation.
            • +
            • Réduire tout pour réduire touts les niveaux de titres sauf le niveau 1 sur le panneau de Navigation.
            • +
            • Développer jusqu'au niveau pour développer la liste hiérarchique des titres jusqu'au niveau sélectionné. Par ex., si vous sélectionnez le niveau 3, on va développer les niveaux 1, 2 et 3 mais le niveau 4 et tous niveaux inférieurs seront réduits.
            • +
            +

            Pour développer et réduire chaque niveau de titres à part, utilisez la flèche à droit du titre.

            +

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

            +
          • +
          • + Vignettes des pages - sert à afficher les vignettes des pages afin de parcourir rapidement un document. Cliquez sur Paramètres des miniatures sur le panneau Miniatures des pages pour accéder aux Paramètres des miniatures: +

            Paramètres des vignettes des pages

            +
              +
            • Faites glisser le curseur pour définir la taille de la vignette,
            • +
            • Par défaut, l'option Mettre en surbrillance la partie visible de la page est active pour indiquer sur la vignette la zone affichée maintenant sur l'écran. Cliquez sur la case à coché pour désactiver cette option.
            • +
            +

            Pour fermer le panneau Miniatures des pages, cliquez sur l'icône Vignettes des pages Miniatures des pages sur la barre latérale gauche encore une fois.

            +
          • +
          • L'icône Rétroaction et assistance - permet de contacter notre équipe d'assistance technique,
          • +
          • L'icône À propos - (disponible uniquement dans la version en ligne) permet de visualiser les informations sur le programme.
          • +
          +
        6. +
        +
        + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm new file mode 100644 index 000000000..11305b357 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm @@ -0,0 +1,45 @@ + + + + Onglet Formulaires + + + + + + + +
        +
        + +
        +

        Onglet Formulaires

        +

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

        +

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

        +
        +

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

        +

        Onglet Formulaires

        +

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

        +

        Onglet Formulaires

        + +
        +

        En utilisant cet onglet, vous pouvez:

        + +
        + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm index ee2cebd25..bf39dd3a2 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm @@ -1,9 +1,9 @@  - Onglet Insertion + Onglet Insertion - ONLYOFFICE - + @@ -15,6 +15,7 @@

        Onglet Insertion

        +

        Qu'est-ce qu'un onglet Insertion?

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

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

        @@ -24,6 +25,7 @@

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

        Onglet Insertion

        +

        Les fonctionnalités de l'onglet Insertion

        En utilisant cet onglet, vous pouvez :

        • insérer une page vierge,
        • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm index 43656f23e..aa7780c6f 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 Mise en page - ONLYOFFICE - + @@ -15,6 +15,7 @@

          Onglet Mise en page

          +

          Qu'est-ce qu'un onglet Mise en page?

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

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

          @@ -24,6 +25,7 @@

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

          Onglet Mise en page

          +

          Les fonctionnalités de l'onglet Mise en page

          En utilisant cet onglet, vous pouvez:

          • paramétrer les marges, l'orientation et la taillede la page,
          • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index cfae07029..97f16475a 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -41,7 +41,7 @@
          • La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Références, Collaboration, Protection, Module complémentaires.

            Des options

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

          • -
          • La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page et affiche certaines notifications (telles que Toutes les modifications sauvegardées, etc.). Cette barre permet de définir la langue du texte, enabling spell checking et d'activer la vérification orthographique, d'activer le mode suivi des modifications et de régler le zoom.
          • +
          • La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page et affiche certaines notifications (telles que Toutes les modifications sauvegardées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.). Cette barre permet de définir la langue du texte, enabling spell checking et d'activer la vérification orthographique, d'activer le mode suivi des modifications et de régler le zoom.
          • La barre latérale gauche contient les icônes suivantes:
            • - permet d'utiliser l'outil Rechercher et remplacer ,
            • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..173e42622 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm @@ -0,0 +1,45 @@ + + + + Onglet Affichage + + + + + + + +
              +
              + +
              +

              Onglet Affichage

              +

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

              +
              +

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

              +

              Onglet Affichage

              +
              +
              +

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

              +

              Onglet Affichage

              +
              +

              Les options d'affichage disponibles sous cet onglet:

              +
                +
              • Navigation permet d'afficher et parcourir des titres dans votre document,
              • +
              • Zoom permet de zoomer et dézoomer sur une page du document,
              • +
              • Ajuster à la page permet de redimensionner la page pour afficher une page entière sur l'écran,
              • +
              • Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran,
              • +
              • Thème d'interface permet de modifier le thème d'interface en choisissant le thème Clair, Classique clair ou Sombre,
              • +
              • L'option Document sombre devient actif lorsque vous activez le thème Sombre. Cliquez sur cette option pour rendre sombre encore l'espace de travail.
              • +
              +

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

              +
                +
              • Toujours afficher la barre d'outils - pour rendre visible la barre d'outils supérieure,
              • +
              • Barre d'état pour rendre visible la barre d'état,
              • +
              • Règles pour rendre visible les règles.
              • +
              +
              + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm index 10b02fb85..30144083a 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm @@ -18,14 +18,16 @@

              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.

              Pour ajouter un filigrane dans Document Editor:

                -
              1. Basculez vers l’onglet Disposition de la barre d’outils supérieure.
              2. -
              3. Cliquez sur l’icône
                Filigrane sur la barre d’outils supérieure et choisissez l’option Filigrane personnalisé du menu. Après cela, la fenêtre Paramètres du filigrane apparaîtra.
              4. +
              5. Basculez vers l’onglet Mise en page de la barre d’outils supérieure.
              6. +
              7. Cliquez sur l’icône Filigrane Filigrane sur la barre d’outils supérieure et choisissez l’option Filigrane personnalisé du menu. Après cela, la fenêtre Paramètres du filigrane apparaîtra.
              8. Sélectionnez le type de filigrane que vous souhaitez insérer:
                • Utilisez l’option de Filigrane de texte et ajustez les paramètres disponibles:

                  Paramètres du filigrane

                    -
                  • Langue - Sélectionnez l’une des langues disponibles de la liste,
                  • +
                  • Langue - sélectionnez la langue de votre filigrane. Document Editor prend en charge des langues suivantes de filigrane: Anglais, Français, Allemand, Italien, Japonais, Mandarin, Russe, Espagnol. +
                  • +
                  • Texte - Sélectionnez l’un des exemples de texte disponibles de la langue sélectionnée. Pour le français les textes de filigrane suivants sont disponibles : BROUILLON, CONFID, COPIE, DOCUMENT INTERNE, EXEMPLE, HAUTEMENT CONFIDENTIEL, IMPORTANT, NE PAS DIFFUSER,
                  • Police - Sélectionnez le nom et la taille de la police des listes déroulantes correspondantes. Utilisez les icônes à droite pour définir la couleur de la police ou appliquez l’un des styles de décoration de police: Gras, Italique, Souligné, Barré,
                  • Semi-transparent - Cochez cette case si vous souhaitez appliquer la transparence,
                  • diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm index 7bfa02146..08ae56f08 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm @@ -10,27 +10,28 @@ -
                    -
                    - -
                    -

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

                    +
                    +
                    + +
                    +

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

                    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 Document Editor utilisez les options correspondantes dans le menu contextuel ou les icônes de la barre d'outils supérieure :

                    -
                      +

                      Pour couper, copier, coller des passages de texte et des objets insérés (formes automatiques, images, graphiques) dans Document Editor 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.
                      • -
                      +
                    • Copier – sélectionnez un fragment de texte ou un objet et utilisez l'option Copier dans le menu contextuel, ou l'icône Copier 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 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.

                    +

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

                    +

                    Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict.

                    +

                    Une fois le texte copié et collé, le bouton Collage spécial 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.
                    • @@ -44,12 +45,12 @@

                    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 :

                    +

                    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.

                    -
                    +
                    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateFillableForms.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateFillableForms.htm new file mode 100644 index 000000000..7cf42533c --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateFillableForms.htm @@ -0,0 +1,292 @@ + + + + Créer des formulaires à remplir + + + + + + + +
                    +
                    + +
                    + +

                    Créer des formulaires à remplir

                    +

                    ONLYOFFICE Document Editor permet de créer plus facilement des formulaires à remplir dans votre document, par ex. les projets de contrats ou les enquêtes.

                    +

                    Modèle de formulaire fournit un ensemble d'outils pour créer des formulaires à remplir au format DOCXF. Sauvegardez le formulaire résultant au format DOCXF et vous aurez un modèle de formulaire modifiable que vous pouvez réviser ou travailler à plusieurs. Pour créer un formulaire à remplir et restreindre la modification du formulaire par d'autres utilisateurs, sauvegardez-le au format OFORM . Pour en savoir plus, veuillez consulter les instructions pour remplir un formulaire .

                    +

                    Les formats DOCXF et OFORM sont de nouveaux formats ONLYOFFICE permettant de créer des modèles de formulaires et remplir les formulaires: Optez pour les versions ONLYOFFICE Document Editor en ligne ou de bureau pour utiliser pleinement tous les éléments et les options liées aux formulaires.

                    +

                    Vous pouvez sauvegarder tout fichier DOCX existant au format DOCXF pour l'utiliser en tant que Modèle de formulaire. Passez à l'onglet Fichier, cliquez sur Télécharger comme... ou Enregistrer sous... sur le panneau latéral gauche et sélectionnez l'icône DOCXF. Vous pouvez maintenant utiliser toutes les fonctionnalités d'édition d'un formulaire.

                    +

                    Ce ne sont pas seulement des champs de formulaire qu'on peut modifier dans un fichier DOCXF, il vous est toujours possible d'ajouter, de modifier et de mettre en forme du texte et utiliser d'autres fonctionnalités de Document Editor .

                    +

                    Les formulaires à remplir peuvent être réalisés en utilisant des objets modifiables afin d'assurer une cohérence globale du document final et d'améliorer l'expérience de travail avec des formulaires interactifs.

                    +

                    Actuellement, vous pouvez ajouter un champ texte, une zone de liste déroulante, une liste déroulante, une case à cocher, un bouton radio et définir les zones désignées aux images. Vous pouvez accéder à ces fonctionnalités à l'aide de l'onglet Formulaires qui n'est disponible qu'avec des fichiers DOCXF.

                    + +

                    Créer un champ texte

                    +

                    Champs texte sont les champs de texte brut, aucun objet ne peut être ajouté.

                    +
                    +
                    Pour ajouter un champ texte, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Champ texte L'icône champ de texte . +
                    6. +
                    +

                    champ de texte ajouté

                    +

                    Un champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +

                    + paramètres champ de texte +

                      +
                    • Clé: une clé à grouper les champs afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le nom de celle-là et appuyez sur Entrée, ensuite attribuez cette clé à chaque champ texte en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion.
                    • +
                    • Espace réservé: saisissez le texte à afficher dans le champ de saisie. Le texte par défaut est Votre texte ici.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ texte.
                      Conseil ajouté +
                    • +
                    • + Taille de champ fixe: activez cette option pour fixer la taille du champ. Lors de l'activation de cette option, les options Ajustement automatique et Champ de saisie à plusieurs lignes deviennent aussi disponibles.
                      Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. +
                    • +
                    • Limite de caractères: le nombre de caractères n'est pas limité par défaut. Activez cette option pour indiquer le nombre maximum de caractères dans le champ à droite.
                    • +
                    • + Peigne de caractères: configurer l'aspect général pour une présentation claire et équilibré. Laissez cette case décoché pour garder les paramètres par défaut ou cochez-là et configurez les paramètres suivants: +

                      Peigne de caractères

                      +
                        +
                      • Largeur de cellule: définissez la valeur appropriée ou utilisez les flèches à droite pour régler la largeur du champ texte ajouté. Le texte sera justifié selon les paramètres.
                      • +
                      +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure du champ texte. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan au champ de texte. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    • Ajustement automatique: il est possible d'activer cette option lors l'activation de l'option Taille de champ fixe, cochez cette case pour ajuster automatiquement la police en fonction de la taille du champ.
                    • +
                    • Champ de saisie à plusieurs lignes: il est possible d'activer cette option lors l'activation de l'option Taille de champ fixe, cochez cette case pour créer un champ à plusieurs lignes, sinon le champ va contenir une seule ligne de texte.
                    • +
                    +

                    +

                    Cliquez sur le champ texte ajouté et réglez le type, la taille et la couleur de la police, appliquez les styles de décoration et les styles de mise en forme. La mise en forme sera appliquée à l'ensemble du texte dans le champ.

                    +
                    +
                    + + +

                    Créer une zone de liste déroulante

                    +

                    Zone de liste déroulante comporte une liste déroulante avec un ensemble de choix modifiable.

                    +
                    +
                    Pour ajouter une zone de liste déroulante, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Zone de liste déroulante L'icône Zone de liste déroulante . +
                    6. +
                    +

                    Zone de liste déroulante ajoutée

                    +

                    Le champ de formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +

                    + Paramètres de la zone de liste déroulante +

                      +
                    • Clé: une clé à grouper les zones de liste déroulante afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le nom de celle-là et appuyez sur Entrée, ensuite attribuez cette clé à chaque zone de liste déroulante. Choisissez la clé de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion.
                    • +
                    • Espace réservé: saisissez le texte à afficher dans zone de liste déroulante. Le texte par défaut est Choisir un élément.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ du formulaire.
                      Conseil ajouté +
                    • +
                    • Options de valeur: ajouterAjouter une valeur de nouvelles valeurs, supprimez-lesSupprimer une valeur , ou déplacez-les vers le hautValeur vers le haut et Valeur ver le basvers le bas de la liste.
                    • +
                    • + Taille de champ fixe: activez cette option pour fixer la taille du champ.
                      Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. +
                    • +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure de la zone de liste déroulante. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan à la zone de liste déroulante. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    +

                    +

                    Cliquez sur la flèche dans la partie droite de la Zone de liste déroulante ajoutée pour accéder à la liste d'éléments disponibles et choisir un élément approprié. Lorsque vous avez choisi un élément, vous pouvez modifier le texte affiché partiellement ou entièrement ou le remplacer du texte.

                    +

                    La zone de liste déroulante ouverte

                    +
                    +

                    Vous pouvez changer le style, la couleur et la taille de la police. Cliquez sur la zone de liste déroulante et suivez les instructions. La mise en forme sera appliquée à l'ensemble du texte dans le champ.

                    +
                    + + + +

                    Liste déroulante comporte une liste déroulante avec un ensemble de choix non modifiable.

                    +
                    +
                    Pour ajouter une liste déroulante, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Liste déroulante L'icône de la liste déroulante . +
                    6. +
                    +

                    Liste déroulante ajoutée

                    +

                    Le champ de formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +
                      +
                    • Clé: une clé à grouper les listes déroulantes afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion.
                    • +
                    • Espace réservé: saisissez le texte à afficher dans la liste déroulante. Le texte par défaut est Choisir un élément.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ du formulaire.
                      Conseil ajouté +
                    • +
                    • Options de valeur: ajouterAjouter une valeur de nouvelles valeurs, supprimez-lesSupprimer une valeur , ou déplacez-les vers le hautValeur vers le haut et Valeur ver le basvers le bas de la liste.
                    • +
                    • + Taille de champ fixe: activez cette option pour fixer la taille du champ.
                      Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. +
                    • +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure de la liste déroulante. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan à la liste déroulante. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    +

                    +

                    Cliquez sur la flèche dans la partie droite de la Liste déroulante ajoutée pour accéder à la liste d'éléments disponibles et choisir un élément approprié.

                    +

                    Paramètres de la liste déroulante

                    +
                    +
                    + + +

                    Créer une case à cocher

                    +

                    Case à cocher fournit plusieurs options permettant à l'utilisateur de sélectionner autant de cases à cocher que nécessaire. Cases à cocher sont utilisées indépendamment, alors chaque case peut être coché et ou décoché.

                    +
                    +
                    Pour insérer une case à cocher, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Case à cocher L'icône de case à cocher . +
                    6. +
                    +

                    Case à coché ajoutée

                    +

                    Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +

                    + Paramètres de case à cocher +

                      +
                    • Clé: une clé à grouper les cases à cocher afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur la case à cocher.
                      Conseil ajouté +
                    • +
                    • + Taille de champ fixe: activez cette option pour fixer la taille du champ.
                      Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. +
                    • +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure de la case à cocher. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan à la case à cocher. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    +

                    +

                    Cliquez sur la case pour la cocher.

                    +

                    Case cochée

                    +
                    +
                    + + +

                    Créer un bouton radio

                    +

                    Bouton radio fournit plusieurs options permettant à l'utilisateur de choisir une seule option parmi plusieurs possibles. Boutons radio sont utilisés en groupe, alors on ne peut pat choisir plusieurs boutons de la même groupe.

                    +
                    +
                    Pour ajouter un bouton radio, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Bouton radio L'icône du bouton radio . +
                    6. +
                    +

                    Bouton radio ajouté

                    +

                    Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +

                    + Paramètres su bouton radio +

                      +
                    • Clé de groupe: pour créer un nouveau groupe de boutons radio, saisissez le nom du groupe et appuyez sur Entrée, ensuite attribuez le groupe approprié à chaque bouton radio.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le bouton radio.
                      Conseil ajouté +
                    • +
                    • + Taille de champ fixe: activez cette option pour fixer la taille du champ.
                      Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. +
                    • +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure du bouton radio. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan au bouton radio. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    +

                    +

                    Cliquez sur le bouton radio pour le choisir.

                    +

                    Bouton radio choisi

                    +
                    +
                    + + +

                    Créer un champ image

                    +

                    Images sont les champs du formulaire permettant d'insérer une image selon des limites définies, c-à-d, la position et la taille de l'image.

                    +
                    +
                    Pour ajouter un champ d'image, +
                      +
                    1. positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ,
                    2. +
                    3. passez à l'onglet Formulaires de la barre d'outils supérieure,
                    4. +
                    5. + cliquez sur l'icône Image L'icône champ image . +
                    6. +
                    +

                    Champ image ajouté

                    +

                    Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite.

                    +

                    + Paramètres du champ image +

                      +
                    • Clé: une clé à grouper les images afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion.
                    • +
                    • Espace réservé: saisissez le texte à afficher dans le champ d'image. Le texte par défaut est Cliquer pour télécharger l'image.
                    • +
                    • + Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur la bordure inférieure de l'image. +
                    • +
                    • Mise à l'échelle: cliquez sur la liste déroulante et sélectionnez l'option de dimensionnement de l'image appropriée: Toujours, Jamais, lorsque L'image semble trop grande ou L'image semble trop petite. L'image sélectionnée sera redimensionnée dans le champ en fonction de l'option choisie.
                    • +
                    • Verrouiller les proportions: cochez cette case pour maintenir le rapport d'aspect de l'image sans la déformer. Lors l'activation de cette option, faites glisser le curseur vertical ou horizontal pour positionner l'image à l'intérieur du champ ajouté. Si la case n'est pas cochée, les curseurs de positionnement ne sont pas activés.
                    • +
                    • Sélectionnez une image: cliquez sur ce bouton pour télécharger une image Depuis un fichier, à partir d'une URL ou à partir de l'espace de stockage.
                    • +
                    • Couleur de bordure: cliquez sur l'icône Pas de remplissage pour définir la couleur de bordure du champ avec l'image. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée.
                    • +
                    • Couleur d'arrière-plan: cliquez sur l'icône Pas de remplissage pour ajouter la couleur d'arrière-plan au champ avec l'image. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant.
                    • +
                    +

                    +

                    Pour remplacer une image, cliquez sur l'icône d'image L'icône Image au-dessus de la bordure de champ image et sélectionnez une autre image.

                    +

                    Pour paramétrer l'image, accédez à l'onglet Paramètres de l'image sur la barre latérale droite. Pour en savoir plus, veuillez consulter les instructions sur paramètres d'image.

                    +
                    +
                    + + +

                    Mettre le formulaire en surbrillance

                    +

                    Vous pouvez mettre en surbrillance les champs du formulaire ajoutés avec une certaine couleur.

                    +
                    +
                    Pour mettre les champs en surbrillance, +

                    + Paramètres de surbrillance +

                      +
                    • accéder aux Paramètres de surbrillance sous l'onglet Formulaire de la barre d'outils supérieure,
                    • +
                    • choisissez une couleur de la palette de Couleurs standard. Le cas échéant, vous pouvez ajouter une couleur personnalisée,
                    • +
                    • pour supprimer la mise en surbrillance actuelle, utilisez l'option Pas de surbrillance.
                    • +
                    +

                    +

                    Les options de surbrillance activées seront appliquées à tous les champs du formulaire actuel.

                    +

                    + Remarque: La bordure du champ du formulaire n'est pas visible lorsque vous sélectionnez ce champ. Ces bordures sont non imprimables. +

                    +
                    +
                    + +

                    Voir le formulaire

                    +

                    + Remarque: Les options de modification ne sont pas disponibles lorsque vous activez le mode Voir le formulaire. +

                    +

                    Cliquez sur le bouton Voir le formulaire Bouton Voir le formulaire sous l'onglet Formulaire de la barre d'outils supérieure, pour afficher un aperçu du formulaire sur un document.

                    +

                    Voir le formulaire actif

                    +

                    Pour quitter le mode d'aperçu, cliquer sur la même icône encore une fois.

                    + +

                    Déplacer les champs du formulaire

                    +

                    Il est possible de déplacer les champs du formulaire vers un autre emplacement du document: cliquez sur le bouton à gauche de la bordure de contrôle et faites la glisser vers un autre emplacement sans relâcher le bouton de la souris.

                    +

                    Déplacer les champs du formulaire

                    +

                    Vous pouvez également copier et coller les champs du formulaire: sélectionnez le champ approprié et appuyez sur le raccourci Ctrl+C/Ctrl+V.

                    + +

                    Rendre un champ de formulaire obligatoire

                    +

                    Pour rendre un champ de formulaire obligatoire, activez l'option Requis. Les champs obligatoires auront une bordure rouge. On ne peut pas soumettre le formulaire jusqu'à ce que tous les champs obligatoires soient remplis.

                    + +

                    Verrouiller les champs du formulaire

                    +

                    Pour empêcher toute la modification ultérieure des champs du formulaire, appuyez sur l'icône L'icône verrouiller le formulaire Verrou. La fonctionnalité de remplissage reste disponible.

                    + +

                    Effacer les champs du formulaire

                    +

                    Pour effacer tous les champs ajoutés et supprimer toutes les valeurs, cliquez sur le bouton Effacer tous les champs Icône Effacer les champs sous l'onglet Formulaires de la barre d'outils supérieure.

                    + +

                    Naviguer, afficher et enregistrer un formulaire

                    +

                    Panneau de remplissage formulaire

                    +

                    passez à l'onglet Formulaires de la barre d'outils supérieure.

                    +

                    Naviguez entre les champs du formulaire en utilisant les boutons L'icône champ précédent Champ précédent et L'icône champ suivant Champ suivant de la barre d'outil supérieure.

                    +

                    Une fois terminé, cliquez sur le bouton Enregistrer le formulaire Enregistrer sous oform de la barre d'outils supérieure pour enregistrer le formulaire au format OFORM prêt à remplir. Vous pouvez sauvegarder autant de formulaires au format OFORM que vous le souhaitez.

                    + +

                    Supprimer les champs du formulaire

                    +

                    Pour supprimer un champ du formulaire et garder tous son contenu, sélectionnez-le et cliquez sur l'icône Supprimer L'icône supprimer le formulaire (assurez-vous que le champ n'est pas verrouillé) ou appuyez sur la touche Supprimer du clavier.

                    +
                    + + \ 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 d1980b520..0345d1f5e 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm @@ -1,9 +1,9 @@  - Créer une table des matières + Comment faire une table des matières sur document Word - + @@ -14,9 +14,9 @@
                    -

                    Créer une table des matières

                    +

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

                    -

                    Définir la structure des titres

                    +

                    Structure des titres dans la table des matières

                    Formater les titres

                    Tout d'abord, formatez les titres dans votre document en utilisant l'un des styles prédéfinis dans Document Editor. Pour le faire,

                      @@ -42,8 +42,8 @@
                    1. 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 fermer le panneau Navigation cliquez sur l'icône Icône Navigation encore une fois.

                  +

                  Insérer une table des matières dans le document

                  Pour insérer une table des matières dans votre document:

                  1. Positionnez le point d'insertion à l'endroit où vous souhaitez ajouter la table des matières.
                  2. @@ -55,7 +55,7 @@

                    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.

                    Déplacer la table des matières

                    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

                    +

                    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:

                    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FillingOutForm.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FillingOutForm.htm new file mode 100644 index 000000000..62e9301d6 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FillingOutForm.htm @@ -0,0 +1,43 @@ + + + + Remplir un formulaire + + + + + + + +
                    +
                    + +
                    +

                    Remplir un formulaire

                    +

                    Un formulaire à remplir est le fichier au format OFORM. OFORM est un format de fichier destiné à remplir; à télécharger ou à imprimer des modèles de formulaires une fois que vous avez terminé de le remplir.

                    +

                    Comment remplir un formulaire:

                    +
                      +
                    1. Ouvrez le formulaire au format OFORM. +

                      oform

                      +

                    2. +
                    3. Remplissez tous les champs obligatoires. La bordure des champs obligatoires est rouge. Utilisez Flèches remplissage formulaire ou Suivant remplissage formulaire dans la barre d'outils supérieure pour naviguer entre les champs ou cliquez sur le champ à remplir. +
                    4. Utilisez le bouton Effacer tous les champs Effacer les champs remplis pour vider tous les champs de saisie.
                    5. +
                    6. Une fois tous les champs remplis, cliquez sur Enregistrer comme PDF pour sauvegarder le formulaire sur votre ordinateur en tant que fichier PDF.
                    7. +
                    8. + Cliquer sur Bouton Plus dans le coin droit de la barre d'outils supérieure pour accéder aux options supplémentaires. Vous pouvez Imprimer, Télécharger en tant que docx ou Télécharger en tant que pdf. +

                      Plus OFORM

                      +

                      Il est même possible de modifier le Thème d'interface en choisissant Claire, Classique claire ou Sombre. Une fois le Thème d'interface sombre activé, l'option Mode sombre devient disponible.

                      +

                      Mode sombre

                      +

                      Zoom permet de mettre à l'échelle et de redimensionner la page en utilisant des options Ajuster à la page, Ajuster à la largeur et l'outil pour régler le niveau de Zoom:

                      +

                      Zoom

                      +
                        +
                      • Ajuster à la page sert à redimensionner la page pour afficher une page entière sur l'écran.
                      • +
                      • Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran.
                      • +
                      • Outil Zoom sert à zoomer et dézoomer sur une page.
                      • +
                      +

                      Ouvrir l'emplacement de fichier lorsque vous avez besoin d'accéder le dossier où le fichier est stocké.

                      +
                    9. +
                    +
                    + + \ 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 debe54144..da02baa0b 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm @@ -18,30 +18,50 @@

                    Insérer une forme automatique

                    Pour insérer une forme automatique à votre document dans Document Editor,

                      -
                    1. passez à l'onglet Insérer de la barre d'outils supérieure,
                    2. -
                    3. cliquez sur l'icône
                      Forme de la barre d'outils supérieure,
                    4. -
                    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. +
                    7. passez à l'onglet Insérer de la barre d'outils supérieure,
                    8. +
                    9. cliquez sur l'icône Insérer une forme automatique Forme de la barre d'outils supérieure,
                    10. +
                    11. sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
                    12. cliquez sur la forme automatique nécessaire du groupe sélectionné,
                    13. placez le curseur de la souris là où vous voulez insérer la forme,
                    14. -
                    15. 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).

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

                    +

                    Modifier les formes automatiquesPour modifier la taille de la forme automatique, faites glisser les petits carreaux Icône 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 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 Flèche 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 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.


                    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.
                    • +
                    • 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.
                    • +
                    • Imprimer la sélection sert à imprimer la partie sélectionnée du document.
                    • +
                    • Accepter / Rejeter les modifications sert à accepter ou rejeter des modifications suivies dans un document partagé.
                    • +
                    • + Modifier les points sert à personnaliser ou modifier le contour d'une forme. +
                        +
                      1. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme.
                      2. +
                      3. + Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. +

                        Modifier les points

                        +
                      4. +
                      5. + Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: +
                          +
                        • Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité.
                        • +
                        • Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu.
                        • +
                        +
                      6. +
                      +
                    • +
                    • 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'.
                    • +
                    • 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
                    • +
                    • 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 :

                    @@ -58,10 +78,10 @@
                    • 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.
                      • -
                      +
                        +
                      • Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé.
                      • +
                      • Radial - 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. @@ -125,12 +145,12 @@

                      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...).
                        • +
                        • 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...).
                        • +
                        • 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.
                      • @@ -164,13 +184,13 @@
                        • 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 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 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.
                        • diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm index 10c79c83c..c38395cfe 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm @@ -17,12 +17,13 @@

                          Insérer des graphiques

                          Insérer un graphique

                          Pour insérer un graphique dans Document Editor,

                          -
                            +
                            1. placez le curseur à l'endroit où vous voulez insérer un graphique,
                            2. passez à l'onglet Insertion de la barre d'outils supérieure,
                            3. cliquez sur l'icône Graphique
                              de la barre d'outils supérieure,
                            4. - choisissez le type de graphique approprié:
                              Graphique à colonnes + choisissez le type de graphique approprié:
                              + Graphique à colonnes
                              • Histogramme groupé
                              • Histogramme empilé
                              • @@ -32,7 +33,8 @@
                              • Histogramme empilé 100 % en 3D
                              • Histogrammes en 3D
                              -
                              Graphiques en ligne +
                              + Graphiques en ligne
                              • Ligne
                              • Lignes empilées
                              • @@ -42,13 +44,15 @@
                              • Lignes empilées 100 % avec des marques de données
                              • Lignes 3D
                              -
                              Graphiques en secteurs +
                              + Graphiques en secteurs
                              • Secteurs
                              • Donut
                              • Camembert 3D
                              -
                              Graphiques à barres +
                              + Graphiques à barres
                              • Barres groupées
                              • Barres empilées
                              • @@ -57,13 +61,15 @@
                              • Barres empilées en 3D
                              • Barres empilées 100 % en 3D
                              -
                              Graphiques en aires +
                              + Graphiques en aires
                              • Aires
                              • Aires empilées
                              • Aires empilées 100 %
                              -
                              Graphiques boursiers
                              Nuage de points (XY) +
                              Graphiques boursiers
                              + Nuage de points (XY)
                              • Disperser
                              • Barres empilées
                              • @@ -72,7 +78,8 @@
                              • Disperser avec des lignes droites et marqueurs
                              • Disperser avec des lignes droites
                              -
                              Graphiques Combo +
                              + Graphiques Combo
                              • Histogramme groupé - lignes
                              • Histogramme groupé - ligne sur un axe secondaire
                              • @@ -80,6 +87,7 @@
                              • Combinaison personnalisée
                              +

                              Remarque: ONLYOFFICE Document Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier.

                            5. lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: @@ -261,7 +269,7 @@
                            6. Sans superposition pour afficher le titre en-dessous de l'axe horizontal.
                        -
                      • La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. .
                      • +
                      • La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires.
                      • Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical.
                      • Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations.
                      • Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche.
                      • @@ -299,16 +307,16 @@
                      • Activez Lié à la source pour conserver la représentation de nombre de la source de données 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.

                    +
                +

                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.


              diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm index 19b81435b..7b69082d8 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm @@ -15,17 +15,15 @@

              Insérer des contrôles de contenu

              -

              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.

              -

              ONLYOFFICE Document Editor permet d'ajouter les contrôles de contenu classiques, c'est à dire les contrôles qui sont entièrement rétrocompatible avec les éditeurs tiers tels que Microsoft Word.

              -

              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.

              +

              ONLYOFFICE Document Editor permet d'ajouter les contrôles de contenu traditionnels, c'est à dire les contrôles qui sont entièrement rétrocompatible avec les éditeurs alternatifs tels que Microsoft Word.

              +

              Actuellement, ONLYOFFICE Document Editor prend en charge les contrôles de contenu traditionnels tels que 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.).
              • +
              • Texte brut 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.
              • +
              • 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.
              • +
              • 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

              diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index ef9bd5b59..694f5916a 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -55,9 +55,10 @@
            • 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:

            +

            Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix:

              -
            • Si vous sélectionnez l'option 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 Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme.
            • +
            • Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées.
            • Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée.
          • diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm index c1ae97f6c..c1573975e 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm @@ -1,9 +1,9 @@  - Fonctionnalités de correction automatique + AutoCorrect Features - + @@ -12,57 +12,59 @@
            - +
            -

            Fonctionnalités de correction automatique

            -

            Les fonctionnalités de correction automatique ONLYOFFICE Document Editor fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus.

            -

            Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique.

            -

            La boîte de dialogue Correction automatique comprend quatre onglets: AutoMaths, Fonctions reconnues, Mise en forme automatique au cours de la frappe et Correction automatique de texte. +

            AutoCorrect Features

            +

            The AutoCorrect features in ONLYOFFICE Document Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage.

            +

            The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options.

            +

            + The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect.

            -

            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.

            +

            Math AutoCorrect

            +

            When working with equations, you can insert a lot of symbols, accents, and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery.

            +

            In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated.

            +

            Note: The codes are case sensitive.

            +

            You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect.

            +

            Adding an entry to the AutoCorrect list

              -
            • 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.
            • +
            • Enter the autocorrect code you want to use in the Replace box.
            • +
            • Enter the symbol to be assigned to the code you entered in the By box.
            • +
            • Click the Add button.

            -

            Modifier un élément de la liste de corrections automatiques.

            +

            Modifying an entry on the AutoCorrect list

              -
            • 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.
            • +
            • Select the entry to be modified.
            • +
            • You can change the information in both fields: the code in the Replace box or the symbol in the By box.
            • +
            • Click the Replace button.

            -

            Supprimer les éléments de la liste de corrections automatiques.

            +

            Removing entries from the AutoCorrect list

              -
            • Sélectionnez l'élément que vous souhaitez supprimer de la liste.
            • -
            • Cliquez sur Supprimer.
            • +
            • Select an entry to remove from the list.
            • +
            • Click the Delete button.

            -

            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 +

            To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button.

            +

            Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values.

            +

            To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box.

            +

            Replace text as you type

            +

            The table below contains all the currently supported codes available in the Document Editor. The full list of the supported codes can also be found on the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect.

            +
            + The supported codes - - + + - - + + @@ -71,2485 +73,2487 @@ - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - - + + - - + + - - + + - - + + - + - - + + - + - - + + - - + + - - + + - - + + - - + + - - + + - - + + - + - + - - + + - - + + - - + + - - - + + + - - - + + + - - - + + + - - - + + + - - - + + +
            CodeSymboleCatégorieSymbolCategory
            !!
            SymbolesDouble factorialSymbols
            ...
            ::
            OpérateursDouble colonOperators
            :=
            OpérateursColon equalOperators
            /<
            Opérateurs relationnelsNot less thanRelational operators
            />
            Opérateurs relationnelsNot greater thanRelational operators
            /=
            Opérateurs relationnelsNot equalRelational operators
            \above
            Indices et exposantsSymbolAbove/Below scripts
            \acute
            AccentuationSymbolAccents
            \aleph
            Lettres hébraïquesSymbolHebrew letters
            \alpha
            Lettres grecquesSymbolGreek letters
            \Alpha
            Lettres grecquesSymbolGreek letters
            \amalg
            Opérateurs binaires SymbolBinary operators
            \angle
            Notation de géométrie SymbolGeometry notation
            \aoint
            IntégralesSymbolIntegrals
            \approx
            Opérateurs relationnelsSymbolRelational operators
            \asmash
            FlèchesSymbolArrows
            \ast
            Opérateurs binaires AsteriskBinary operators
            \asymp
            Opérateurs relationnelsSymbolRelational operators
            \atop
            OpérateursSymbolOperators
            \bar
            Trait suscrit/souscritSymbolOver/Underbar
            \Bar
            AccentuationSymbolAccents
            \because
            Opérateurs relationnelsSymbolRelational operators
            \begin
            SéparateursSymbolDelimiters
            \below
            Indices et exposantsSymbolAbove/Below scripts
            \bet
            Lettres hébraïquesSymbolHebrew letters
            \beta
            Lettres grecquesSymbolGreek letters
            \Beta
            Lettres grecquesSymbolGreek letters
            \beth
            Lettres hébraïquesSymbolHebrew letters
            \bigcap
            Grands opérateursSymbolLarge operators
            \bigcup
            Grands opérateursSymbolLarge operators
            \bigodot
            Grands opérateursSymbolLarge operators
            \bigoplus
            Grands opérateursSymbolLarge operators
            \bigotimes
            Grands opérateursSymbolLarge operators
            \bigsqcup
            Grands opérateursSymbolLarge operators
            \biguplus
            Grands opérateursSymbolLarge operators
            \bigvee
            Grands opérateursSymbolLarge operators
            \bigwedge
            Grands opérateursSymbolLarge operators
            \binomial
            ÉquationsSymbolEquations
            \bot
            Notations logiquesSymbolLogic notation
            \bowtie
            Opérateurs relationnelsSymbolRelational operators
            \box
            SymbolesSymbolSymbols
            \boxdot
            Opérateurs binaires SymbolBinary operators
            \boxminus
            Opérateurs binaires SymbolBinary operators
            \boxplus
            Opérateurs binaires SymbolBinary operators
            \bra
            SéparateursSymbolDelimiters
            \break
            SymbolesSymbolSymbols
            \breve
            AccentuationSymbolAccents
            \bullet
            Opérateurs binaires SymbolBinary operators
            \cap
            Opérateurs binaires SymbolBinary operators
            \cbrt
            Racine carrée et radicauxSymbolSquare roots and radicals
            \cases
            SymbolesSymbolSymbols
            \cdot
            Opérateurs binaires SymbolBinary operators
            \cdots
            Symbol Dots
            \check
            AccentuationSymbolAccents
            \chi
            Lettres grecquesSymbolGreek letters
            \Chi
            Lettres grecquesSymbolGreek letters
            \circ
            Opérateurs binaires SymbolBinary operators
            \close
            SéparateursSymbolDelimiters
            \clubsuit
            SymbolesSymbolSymbols
            \coint
            IntégralesSymbolIntegrals
            \cong
            Opérateurs relationnelsSymbolRelational operators
            \coprod
            Opérateurs mathématiquesSymbolMath operators
            \cup
            Opérateurs binaires SymbolBinary operators
            \dalet
            Lettres hébraïquesSymbolHebrew letters
            \daleth
            Lettres hébraïquesSymbolHebrew letters
            \dashv
            Opérateurs relationnelsSymbolRelational operators
            \dd
            Lettres avec double barresSymbolDouble-struck letters
            \Dd
            Lettres avec double barresSymbolDouble-struck letters
            \ddddot
            AccentuationSymbolAccents
            \dddot
            AccentuationSymbolAccents
            \ddot
            AccentuationSymbolAccents
            \ddots
            Symbol Dots
            \defeq
            Opérateurs relationnelsSymbolRelational operators
            \degc
            SymbolesSymbolSymbols
            \degf
            SymbolesSymbolSymbols
            \degree
            SymbolesSymbolSymbols
            \delta
            Lettres grecquesSymbolGreek letters
            \Delta
            Lettres grecquesSymbolGreek letters
            \Deltaeq
            OperateursSymbolOperators
            \diamond
            Opérateurs binaires SymbolBinary operators
            \diamondsuit
            SymbolesSymbolSymbols
            \div
            Opérateurs binaires SymbolBinary operators
            \dot
            AccentuationSymbolAccents
            \doteq
            Opérateurs relationnelsSymbolRelational operators
            \dots
            Symbol Dots
            \doublea
            Lettres avec double barresSymbolDouble-struck letters
            \doubleA
            Lettres avec double barresSymbolDouble-struck letters
            \doubleb
            Lettres avec double barresSymbolDouble-struck letters
            \doubleB
            Lettres avec double barresSymbolDouble-struck letters
            \doublec
            Lettres avec double barresSymbolDouble-struck letters
            \doubleC
            Lettres avec double barresSymbolDouble-struck letters
            \doubled
            Lettres avec double barresSymbolDouble-struck letters
            \doubleD
            Lettres avec double barresSymbolDouble-struck letters
            \doublee
            Lettres avec double barresSymbolDouble-struck letters
            \doubleE
            Lettres avec double barresSymbolDouble-struck letters
            \doublef
            Lettres avec double barresSymbolDouble-struck letters
            \doubleF
            Lettres avec double barresSymbolDouble-struck letters
            \doubleg
            Lettres avec double barresSymbolDouble-struck letters
            \doubleG
            Lettres avec double barresSymbolDouble-struck letters
            \doubleh
            Lettres avec double barresSymbolDouble-struck letters
            \doubleH
            Lettres avec double barresSymbolDouble-struck letters
            \doublei
            Lettres avec double barresSymbolDouble-struck letters
            \doubleI
            Lettres avec double barresSymbolDouble-struck letters
            \doublej
            Lettres avec double barresSymbolDouble-struck letters
            \doubleJ
            Lettres avec double barresSymbolDouble-struck letters
            \doublek
            Lettres avec double barresSymbolDouble-struck letters
            \doubleK
            Lettres avec double barresSymbolDouble-struck letters
            \doublel
            Lettres avec double barresSymbolDouble-struck letters
            \doubleL
            Lettres avec double barresSymbolDouble-struck letters
            \doublem
            Lettres avec double barresSymbolDouble-struck letters
            \doubleM
            Lettres avec double barresSymbolDouble-struck letters
            \doublen
            Lettres avec double barresSymbolDouble-struck letters
            \doubleN
            Lettres avec double barresSymbolDouble-struck letters
            \doubleo
            Lettres avec double barresSymbolDouble-struck letters
            \doubleO
            Lettres avec double barresSymbolDouble-struck letters
            \doublep
            Lettres avec double barresSymbolDouble-struck letters
            \doubleP
            Lettres avec double barresSymbolDouble-struck letters
            \doubleq
            Lettres avec double barresSymbolDouble-struck letters
            \doubleQ
            Lettres avec double barresSymbolDouble-struck letters
            \doubler
            Lettres avec double barresSymbolDouble-struck letters
            \doubleR
            Lettres avec double barresSymbolDouble-struck letters
            \doubles
            Lettres avec double barresSymbolDouble-struck letters
            \doubleS
            Lettres avec double barresSymbolDouble-struck letters
            \doublet
            Lettres avec double barresSymbolDouble-struck letters
            \doubleT
            Lettres avec double barresSymbolDouble-struck letters
            \doubleu
            Lettres avec double barresSymbolDouble-struck letters
            \doubleU
            Lettres avec double barresSymbolDouble-struck letters
            \doublev
            Lettres avec double barresSymbolDouble-struck letters
            \doubleV
            Lettres avec double barresSymbolDouble-struck letters
            \doublew
            Lettres avec double barresSymbolDouble-struck letters
            \doubleW
            Lettres avec double barresSymbolDouble-struck letters
            \doublex
            Lettres avec double barresSymbolDouble-struck letters
            \doubleX
            Lettres avec double barresSymbolDouble-struck letters
            \doubley
            Lettres avec double barresSymbolDouble-struck letters
            \doubleY
            Lettres avec double barresSymbolDouble-struck letters
            \doublez
            Lettres avec double barresSymbolDouble-struck letters
            \doubleZ
            Lettres avec double barresSymbolDouble-struck letters
            \downarrow
            FlèchesSymbolArrows
            \Downarrow
            FlèchesSymbolArrows
            \dsmash
            FlèchesSymbolArrows
            \ee
            Lettres avec double barresSymbolDouble-struck letters
            \ell
            SymbolesSymbolSymbols
            \emptyset
            Ensemble de notationsSymbolSet notations
            \emsp Caractères d'espaceSpace characters
            \end
            SéparateursSymbolDelimiters
            \ensp Caractères d'espaceSpace characters
            \epsilon
            Lettres grecquesSymbolGreek letters
            \Epsilon
            Lettres grecquesSymbolGreek letters
            \eqarray
            SymbolesSymbolSymbols
            \equiv
            Opérateurs relationnelsSymbolRelational operators
            \eta
            Lettres grecquesSymbolGreek letters
            \Eta
            Lettres grecquesSymbolGreek letters
            \exists
            Notations logiquesSymbolLogic notations
            \forall
            Notations logiquesSymbolLogic notations
            \fraktura
            FrakturSymbolFraktur letters
            \frakturA
            FrakturSymbolFraktur letters
            \frakturb
            FrakturSymbolFraktur letters
            \frakturB
            FrakturSymbolFraktur letters
            \frakturc
            FrakturSymbolFraktur letters
            \frakturC
            FrakturSymbolFraktur letters
            \frakturd
            FrakturSymbolFraktur letters
            \frakturD
            FrakturSymbolFraktur letters
            \frakture
            FrakturSymbolFraktur letters
            \frakturE
            FrakturSymbolFraktur letters
            \frakturf
            FrakturSymbolFraktur letters
            \frakturF
            FrakturSymbolFraktur letters
            \frakturg
            FrakturSymbolFraktur letters
            \frakturG
            FrakturSymbolFraktur letters
            \frakturh
            FrakturSymbolFraktur letters
            \frakturH
            FrakturSymbolFraktur letters
            \frakturi
            FrakturSymbolFraktur letters
            \frakturI
            FrakturSymbolFraktur letters
            \frakturk
            FrakturSymbolFraktur letters
            \frakturK
            FrakturSymbolFraktur letters
            \frakturl
            FrakturSymbolFraktur letters
            \frakturL
            FrakturSymbolFraktur letters
            \frakturm
            FrakturSymbolFraktur letters
            \frakturM
            FrakturSymbolFraktur letters
            \frakturn
            FrakturSymbolFraktur letters
            \frakturN
            FrakturSymbolFraktur letters
            \frakturo
            FrakturSymbolFraktur letters
            \frakturO
            FrakturSymbolFraktur letters
            \frakturp
            FrakturSymbolFraktur letters
            \frakturP
            FrakturSymbolFraktur letters
            \frakturq
            FrakturSymbolFraktur letters
            \frakturQ
            FrakturSymbolFraktur letters
            \frakturr
            FrakturSymbolFraktur letters
            \frakturR
            FrakturSymbolFraktur letters
            \frakturs
            FrakturSymbolFraktur letters
            \frakturS
            FrakturSymbolFraktur letters
            \frakturt
            FrakturSymbolFraktur letters
            \frakturT
            FrakturSymbolFraktur letters
            \frakturu
            FrakturSymbolFraktur letters
            \frakturU
            FrakturSymbolFraktur letters
            \frakturv
            FrakturSymbolFraktur letters
            \frakturV
            FrakturSymbolFraktur letters
            \frakturw
            FrakturSymbolFraktur letters
            \frakturW
            FrakturSymbolFraktur letters
            \frakturx
            FrakturSymbolFraktur letters
            \frakturX
            FrakturSymbolFraktur letters
            \fraktury
            FrakturSymbolFraktur letters
            \frakturY
            FrakturSymbolFraktur letters
            \frakturz
            FrakturSymbolFraktur letters
            \frakturZ
            FrakturSymbolFraktur letters
            \frown
            Opérateurs relationnelsSymbolRelational operators
            \funcapply Opérateurs binaires Binary operators
            \G
            Lettres grecquesSymbolGreek letters
            \gamma
            Lettres grecquesSymbolGreek letters
            \Gamma
            Lettres grecquesSymbolGreek letters
            \ge
            Opérateurs relationnelsSymbolRelational operators
            \geq
            Opérateurs relationnelsSymbolRelational operators
            \gets
            FlèchesSymbolArrows
            \gg
            Opérateurs relationnelsSymbolRelational operators
            \gimel
            Lettres hébraïquesSymbolHebrew letters
            \grave
            AccentuationSymbolAccents
            \hairsp Caractères d'espaceSpace characters
            \hat
            AccentuationSymbolAccents
            \hbar
            SymbolesSymbolSymbols
            \heartsuit
            SymbolesSymbolSymbols
            \hookleftarrow
            FlèchesSymbolArrows
            \hookrightarrow
            FlèchesSymbolArrows
            \hphantom
            FlèchesSymbolArrows
            \hsmash
            FlèchesSymbolArrows
            \hvec
            AccentuationSymbolAccents
            \identitymatrix
            Symbol Matrices
            \ii
            Lettres avec double barresSymbolDouble-struck letters
            \iiint
            IntégralesSymbolIntegrals
            \iint
            IntégralesSymbolIntegrals
            \iiiint
            IntégralesSymbolIntegrals
            \Im
            SymbolesSymbolSymbols
            \imath
            SymbolesSymbolSymbols
            \in
            Opérateurs relationnelsSymbolRelational operators
            \inc
            SymbolesSymbolSymbols
            \infty
            SymbolesSymbolSymbols
            \int
            IntégralesSymbolIntegrals
            \integral
            IntégralesSymbolIntegrals
            \iota
            Lettres grecquesSymbolGreek letters
            \Iota
            Lettres grecquesSymbolGreek letters
            \itimes Opérateurs mathématiquesMath operators
            \j
            SymbolesSymbolSymbols
            \jj
            Lettres avec double barresSymbolDouble-struck letters
            \jmath
            SymbolesSymbolSymbols
            \kappa
            Lettres grecquesSymbolGreek letters
            \Kappa
            Lettres grecquesSymbolGreek letters
            \ket
            SéparateursSymbolDelimiters
            \lambda
            Lettres grecquesSymbolGreek letters
            \Lambda
            Lettres grecquesSymbolGreek letters
            \langle
            SéparateursSymbolDelimiters
            \lbbrack
            SéparateursSymbolDelimiters
            \lbrace
            SéparateursSymbolDelimiters
            \lbrack
            SéparateursSymbolDelimiters
            \lceil
            SéparateursSymbolDelimiters
            \ldiv
            Barres obliquesSymbolFraction slashes
            \ldivide
            Barres obliquesSymbolFraction slashes
            \ldots
            Symbol Dots
            \le
            Opérateurs relationnelsSymbolRelational operators
            \left
            SéparateursSymbolDelimiters
            \leftarrow
            FlèchesSymbolArrows
            \Leftarrow
            FlèchesSymbolArrows
            \leftharpoondown
            FlèchesSymbolArrows
            \leftharpoonup
            FlèchesSymbolArrows
            \leftrightarrow
            FlèchesSymbolArrows
            \Leftrightarrow
            FlèchesSymbolArrows
            \leq
            Opérateurs relationnelsSymbolRelational operators
            \lfloor
            SéparateursSymbolDelimiters
            \lhvec
            AccentuationSymbolAccents
            \limit
            LimitesSymbolLimits
            \ll
            Opérateurs relationnelsSymbolRelational operators
            \lmoust
            SéparateursSymbolDelimiters
            \Longleftarrow
            FlèchesSymbolArrows
            \Longleftrightarrow
            FlèchesSymbolArrows
            \Longrightarrow
            FlèchesSymbolArrows
            \lrhar
            FlèchesSymbolArrows
            \lvec
            AccentuationSymbolAccents
            \mapsto
            FlèchesSymbolArrows
            \matrix
            Symbol Matrices
            \medsp Caractères d'espaceSpace characters
            \mid
            Opérateurs relationnelsSymbolRelational operators
            \middle
            SymbolesSymbolSymbols
            \models
            Opérateurs relationnelsSymbolRelational operators
            \mp
            Opérateurs binaires SymbolBinary operators
            \mu
            Lettres grecquesSymbolGreek letters
            \Mu
            Lettres grecquesSymbolGreek letters
            \nabla
            SymbolesSymbolSymbols
            \naryand
            OpérateursSymbolOperators
            \nbsp Caractères d'espaceSpace characters
            \ne
            Opérateurs relationnelsSymbolRelational operators
            \nearrow
            FlèchesSymbolArrows
            \neq
            Opérateurs relationnelsSymbolRelational operators
            \ni
            Opérateurs relationnelsSymbolRelational operators
            \norm
            SéparateursSymbolDelimiters
            \notcontain
            Opérateurs relationnelsSymbolRelational operators
            \notelement
            Opérateurs relationnelsSymbolRelational operators
            \notin
            Opérateurs relationnelsSymbolRelational operators
            \nu
            Lettres grecquesSymbolGreek letters
            \Nu
            Lettres grecquesSymbolGreek letters
            \nwarrow
            FlèchesSymbolArrows
            \o
            Lettres grecquesSymbolGreek letters
            \O
            Lettres grecquesSymbolGreek letters
            \odot
            Opérateurs binaires SymbolBinary operators
            \of
            OpérateursSymbolOperators
            \oiiint
            IntégralesSymbolIntegrals
            \oiint
            IntégralesSymbolIntegrals
            \oint
            IntégralesSymbolIntegrals
            \omega
            Lettres grecquesSymbolGreek letters
            \Omega
            Lettres grecquesSymbolGreek letters
            \ominus
            Opérateurs binaires SymbolBinary operators
            \open
            SéparateursSymbolDelimiters
            \oplus
            Opérateurs binaires SymbolBinary operators
            \otimes
            Opérateurs binaires SymbolBinary operators
            \over
            SéparateursSymbolDelimiters
            \overbar
            AccentuationSymbolAccents
            \overbrace
            AccentuationSymbolAccents
            \overbracket
            AccentuationSymbolAccents
            \overline
            AccentuationSymbolAccents
            \overparen
            AccentuationSymbolAccents
            \overshell
            AccentuationSymbolAccents
            \parallel
            Notation de géométrie SymbolGeometry notation
            \partial
            SymbolesSymbolSymbols
            \pmatrix
            Symbol Matrices
            \perp
            Notation de géométrie SymbolGeometry notation
            \phantom
            SymbolesSymbolSymbols
            \phi
            Lettres grecquesSymbolGreek letters
            \Phi
            Lettres grecquesSymbolGreek letters
            \pi
            Lettres grecquesSymbolGreek letters
            \Pi
            Lettres grecquesSymbolGreek letters
            \pm
            Opérateurs binaires SymbolBinary operators
            \pppprime
            Nombres premiersSymbolPrimes
            \ppprime
            Nombres premiersSymbolPrimes
            \pprime
            Nombres premiersSymbolPrimes
            \prec
            Opérateurs relationnelsSymbolRelational operators
            \preceq
            Opérateurs relationnelsSymbolRelational operators
            \prime
            Nombres premiersSymbolPrimes
            \prod
            Opérateurs mathématiquesSymbolMath operators
            \propto
            Opérateurs relationnelsSymbolRelational operators
            \psi
            Lettres grecquesSymbolGreek letters
            \Psi
            Lettres grecquesSymbolGreek letters
            \qdrt
            Racine carrée et radicauxSymbolSquare roots and radicals
            \quadratic
            Racine carrée et radicauxSymbolSquare roots and radicals
            \rangle
            SéparateursSymbolDelimiters
            \Rangle
            SéparateursSymbolDelimiters
            \ratio
            Opérateurs relationnelsSymbolRelational operators
            \rbrace
            SéparateursSymbolDelimiters
            \rbrack
            SéparateursSymbolDelimiters
            \Rbrack
            SéparateursSymbolDelimiters
            \rceil
            SéparateursSymbolDelimiters
            \rddots
            Symbol Dots
            \Re
            SymbolesSymbolSymbols
            \rect
            SymbolesSymbolSymbols
            \rfloor
            SéparateursSymbolDelimiters
            \rho
            Lettres grecquesSymbolGreek letters
            \Rho
            Lettres grecquesSymbolGreek letters
            \rhvec
            AccentuationSymbolAccents
            \right
            SéparateursSymbolDelimiters
            \rightarrow
            FlèchesSymbolArrows
            \Rightarrow
            FlèchesSymbolArrows
            \rightharpoondown
            FlèchesSymbolArrows
            \rightharpoonup
            FlèchesSymbolArrows
            \rmoust
            SéparateursSymbolDelimiters
            \root
            SymbolesSymbolSymbols
            \scripta
            Symbol Scripts
            \scriptA
            Symbol Scripts
            \scriptb
            Symbol Scripts
            \scriptB
            Symbol Scripts
            \scriptc
            Symbol Scripts
            \scriptC
            Symbol Scripts
            \scriptd
            Symbol Scripts
            \scriptD
            Symbol Scripts
            \scripte
            Symbol Scripts
            \scriptE
            Symbol Scripts
            \scriptf
            Symbol Scripts
            \scriptF
            Symbol Scripts
            \scriptg
            Symbol Scripts
            \scriptG
            Symbol Scripts
            \scripth
            Symbol Scripts
            \scriptH
            Symbol Scripts
            \scripti
            Symbol Scripts
            \scriptI
            Symbol Scripts
            \scriptk
            Symbol Scripts
            \scriptK
            Symbol Scripts
            \scriptl
            Symbol Scripts
            \scriptL
            Symbol Scripts
            \scriptm
            Symbol Scripts
            \scriptM
            Symbol Scripts
            \scriptn
            Symbol Scripts
            \scriptN
            Symbol Scripts
            \scripto
            Symbol Scripts
            \scriptO
            Symbol Scripts
            \scriptp
            Symbol Scripts
            \scriptP
            Symbol Scripts
            \scriptq
            Symbol Scripts
            \scriptQ
            Symbol Scripts
            \scriptr
            Symbol Scripts
            \scriptR
            Symbol Scripts
            \scripts
            Symbol Scripts
            \scriptS
            Symbol Scripts
            \scriptt
            Symbol Scripts
            \scriptT
            Symbol Scripts
            \scriptu
            Symbol Scripts
            \scriptU
            Symbol Scripts
            \scriptv
            Symbol Scripts
            \scriptV
            Symbol Scripts
            \scriptw
            Symbol Scripts
            \scriptW
            Symbol Scripts
            \scriptx
            Symbol Scripts
            \scriptX
            Symbol Scripts
            \scripty
            Symbol Scripts
            \scriptY
            Symbol Scripts
            \scriptz
            Symbol Scripts
            \scriptZ
            Symbol Scripts
            \sdiv
            Barres obliquesSymbolFraction slashes
            \sdivide
            Barres obliquesSymbolFraction slashes
            \searrow
            FlèchesSymbolArrows
            \setminus
            Opérateurs binaires SymbolBinary operators
            \sigma
            Lettres grecquesSymbolGreek letters
            \Sigma
            Lettres grecquesSymbolGreek letters
            \sim
            Opérateurs relationnelsSymbolRelational operators
            \simeq
            Opérateurs relationnelsSymbolRelational operators
            \smash
            FlèchesSymbolArrows
            \smile
            Opérateurs relationnelsSymbolRelational operators
            \spadesuit
            SymbolesSymbolSymbols
            \sqcap
            Opérateurs binaires SymbolBinary operators
            \sqcup
            Opérateurs binaires SymbolBinary operators
            \sqrt
            Racine carrée et radicauxSymbolSquare roots and radicals
            \sqsubseteq
            Ensemble de notationsSymbolSet notation
            \sqsuperseteq
            Ensemble de notationsSymbolSet notation
            \star
            Opérateurs binaires SymbolBinary operators
            \subset
            Ensemble de notationsSymbolSet notation
            \subseteq
            Ensemble de notationsSymbolSet notation
            \succ
            Opérateurs relationnelsSymbolRelational operators
            \succeq
            Opérateurs relationnelsSymbolRelational operators
            \sum
            Opérateurs mathématiquesSymbolMath operators
            \superset
            Ensemble de notationsSymbolSet notation
            \superseteq
            Ensemble de notationsSymbolSet notation
            \swarrow
            FlèchesSymbolArrows
            \tau
            Lettres grecquesSymbolGreek letters
            \Tau
            Lettres grecquesSymbolGreek letters
            \therefore
            Opérateurs relationnelsSymbolRelational operators
            \theta
            Lettres grecquesSymbolGreek letters
            \Theta
            Lettres grecquesSymbolGreek letters
            \thicksp Caractères d'espaceSpace characters
            \thinsp Caractères d'espaceSpace characters
            \tilde
            AccentuationSymbolAccents
            \times
            Opérateurs binaires SymbolBinary operators
            \to
            FlèchesSymbolArrows
            \top
            Notations logiquesSymbolLogic notation
            \tvec
            FlèchesSymbolArrows
            \ubar
            AccentuationSymbolAccents
            \Ubar
            AccentuationSymbolAccents
            \underbar
            AccentuationSymbolAccents
            \underbrace
            AccentuationSymbolAccents
            \underbracket
            AccentuationSymbolAccents
            \underline
            AccentuationSymbolAccents
            \underparen
            AccentuationSymbolAccents
            \uparrow
            FlèchesSymbolArrows
            \Uparrow
            FlèchesSymbolArrows
            \updownarrow
            FlèchesSymbolArrows
            \Updownarrow
            FlèchesSymbolArrows
            \uplus
            Opérateurs binaires SymbolBinary operators
            \upsilon
            Lettres grecquesSymbolGreek letters
            \Upsilon
            Lettres grecquesSymbolGreek letters
            \varepsilon
            Lettres grecquesSymbolGreek letters
            \varphi
            Lettres grecquesSymbolGreek letters
            \varpi
            Lettres grecquesSymbolGreek letters
            \varrho
            Lettres grecquesSymbolGreek letters
            \varsigma
            Lettres grecquesSymbolGreek letters
            \vartheta
            Lettres grecquesSymbolGreek letters
            \vbar
            SéparateursSymbolDelimiters
            \vdash
            Opérateurs relationnelsSymbolRelational operators
            \vdots
            Symbol Dots
            \vec
            AccentuationSymbolAccents
            \vee
            Opérateurs binaires SymbolBinary operators
            \vert
            SéparateursSymbolDelimiters
            \Vert
            SéparateursSymbolDelimiters
            \Vmatrix
            Symbol Matrices
            \vphantom
            FlèchesSymbolArrows
            \vthicksp Caractères d'espaceSpace characters
            \wedge
            Opérateurs binaires SymbolBinary operators
            \wp
            SymbolesSymbolSymbols
            \wr
            Opérateurs binaires SymbolBinary operators
            \xi
            Lettres grecquesSymbolGreek letters
            \Xi
            Lettres grecquesSymbolGreek letters
            \zeta
            Lettres grecquesSymbolGreek letters
            \Zeta
            Lettres grecquesSymbolGreek letters
            \zwnj Caractères d'espaceSpace characters
            \zwsp Caractères d'espaceSpace characters
            ~=
            Opérateurs relationnelsIs congruent toRelational operators
            -+
            Opérateurs binaires Minus or plusBinary operators
            +-
            Opérateurs binaires Plus or minusBinary operators
            <<
            Opérateurs relationnels<<SymbolRelational operators
            <=
            Opérateurs relationnels<=Less than or equal toRelational operators
            ->
            Flèches->SymbolArrows
            >=
            Opérateurs relationnels>=Greater than or equal toRelational operators
            >>
            Opérateurs relationnels>>SymbolRelational operators
            -

            -

            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

            -

            Correction automatique de texte

            -

            Il est possible d'activer la correction automatique pour convertir en majuscule la première lettre des phrases. Par défaut, cette option est activée. Pour la désactiver, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> Correction automatique de texte et désactivez l'option Majuscule en début de phrase.

            +
            +
            +

            Recognized Functions

            +

            In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions.

            +

            To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button.

            +

            To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button.

            +

            To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button.

            +

            Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored.

            +

            Recognized Functions

            +

            AutoFormat As You Type

            +

            By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected.

            +

            The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate. By default, this option is disabled for Linux and Windows, and is enabled for macOS.

            +

            To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

            +

            AutoFormat As You Type

            +

            Text AutoCorrect

            +

            You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option.

            AutoCorrect

            -
            + \ 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 1e95e2230..47a14fcee 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -1,7 +1,7 @@  - Enregistrer / exporter / imprimer votre document + Enregistrer, exporter, imprimer votre document @@ -14,7 +14,7 @@
            -

            Enregistrer /exporter /imprimer votre document

            +

            Enregistrer, exporter, imprimer votre document

            Enregistrement

            Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés .

            Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels,

            @@ -29,7 +29,7 @@
            1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
            2. sélectionnez l'option Enregistrer sous...,
            3. -
            4. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT).
            5. +
            6. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT).
            @@ -38,14 +38,14 @@
            1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
            2. sélectionnez l'option Télécharger comme...,
            3. -
            4. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.
            5. +
            6. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.

            Enregistrer une copie

            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. sélectionnez l'option Enregistrer la copie sous...,
            3. -
            4. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB,
            5. +
            6. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB,DOCXF, OFORM.
            7. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer.
            diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..75cefb533 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,37 @@ + + + + Prise en charge des graphiques SmartArt par ONLYOFFICE Document Editor + + + + + + + +
            +
            + +
            +

            Prise en charge des graphiques SmartArt par ONLYOFFICE Document Editor

            +

            Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Document Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique:

            +

            Paramètres du paragraphe pour modifier les retraits et l'espacement, les enchaînements, les bordures et le remplissage, la police, les taquets et les marges intérieures. Veuillez consulter la section Mise en forme de paragraphe pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

            +

            Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, la taille, le style d'habillage, la position, les poids et les flèches, la zone de texte et le texte de remplacement.

            +

            + Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. +

            +

            Faites un clic droit sur la bordure du graphique SmartArt ou de ses éléments pour accéder aux options suivantes:

            +

            Menu SmartArt

            +

            L'option Style d'habillage permet de déterminer la façon de positionner l'objet par rapport au texte. L'option Style d'habillage ne devient disponible que pour le graphique SmartArt entier.

            +

            Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour des éléments du graphique SmartArt.

            +

            Insérer une légende pour étiqueter des éléments du graphique SmartArt pour faire un renvoi.

            +

            Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme.

            +

            Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes:

            +

            Menu SmartArt

            +

            Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas.

            +

            Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut.

            +

            Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe.

            +

            En tant que style pour modifier le style de mise en forme actuel.

            +
            + + \ 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 94b9cd577..a0c70cfab 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm @@ -16,85 +16,105 @@

            Utiliser le Publipostage

            Remarque : cette option n'est disponible que dans la version en ligne.

            -

            Dans Document Editor, 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.

            +

            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,

            -
              -
            1. Préparer une source de données et la charger dans le document principal
                -
              1. 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.

                -
              2. -
              3. 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.
              4. -
              5. 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.
              6. -
              -

              Une fois la source de données chargée, l'onglet Paramètres de publipostage sera disponible dans la barre latérale droite.

              -

              Onglet Paramètres de publipostage

              -
            2. -
            3. Vérifier ou modifier la liste des destinataires
                -
              1. 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é.

                Fenêtre Fusionner les destinataires

                -
              2. -
              3. 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és

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

                  +
                    +
                  • Préparer une source de données et la charger dans le document principal +
                      +
                    1. 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.
                    2. +
                    3. 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.
                    4. +
                    5. 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 Icône Fusionner dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'emplacement de la source de données: Depuis un fichier, À partir de l'URL ou À partir de l'espace de stockage. +

                      Mail Merge Options

                    6. -
                    7. - pour rechercher une certaine valeur et la remplacer par une autre, si nécessaire

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

                      +
                    8. Sélectionnez le fichier nécessaire ou collez l'adresse 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.

                      +

                      Onglet Paramètres de publipostage

                    9. -
                  -
                • -
                • 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.
                • -
              -
            4. -
            5. Insérer des champs de fusion et vérifier les résultats
                -
              1. 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.

                Section Fusionner les champs

                -
              2. -
              3. 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.

                Document principal avec champs insérés

                -
              4. -
              5. 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.

                Aperçu des résultats

                -
              6. -
              -
                -
              • 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.
              • -
              -
            6. -
            7. Spécifier les paramètres de fusion
                -
              1. 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 :

                Sélection du type de fusion

                -
                  -
                • 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 Mail de votre portail.

                  -
                • -
                -
              2. -
              3. 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. .

                  -
                • -
                -
              4. -
              5. 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.
                  • -
                  +
              +
            8. + Vérifier ou modifier la liste des destinataires
                +
              1. + 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é.

                Fenêtre Fusionner les destinataires

              2. -
              3. 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 :

                Fenêtre Envoyer par Email

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

                +
              4. + 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 :
                  +
                • Copier et Coller pour copier et coller les données copiées
                • +
                • Annuler et Rétablir pour annuler et rétablir les actions
                • +
                • Icône Trier dans l'ordre croissant et Icône Trier dans l'ordre décroissant - pour trier vos données dans une plage sélectionnée de cellules dans l'ordre croissant ou décroissant
                • +
                • icône Filtrer - pour activer le filtre pour la plage de cellules sélectionnée précédemment ou supprimer le filtre appliqué
                • +
                • + Icône Effacer les filtres - pour effacer tous les paramètres de filtre appliqués

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

                  +
                • +
                • + Icône Recherche - pour rechercher une certaine valeur et la remplacer par une autre, si nécessaire

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

                  +
                • +
              5. +
              6. 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.
              7. +
              +
            9. +
            10. + Insérer des champs de fusion et vérifier les résultats
                +
              1. + 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.

                Section Fusionner les champs

                +
              2. +
              3. + 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.

                Document principal avec champs insérés

                +
              4. +
              5. + 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.

                Aperçu des résultats

                +
              6. +
              +
                +
              • 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.
            11. -
            - -
      - +
    1. + Spécifier les paramètres de fusion
        +
      1. + 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 :

        Sélection du type de fusion

        +
          +
        • 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 Mail de votre portail.

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

          +
        • +
        +
      4. +
      5. + 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 :

          Fenêtre Envoyer par Email

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

          +
        • +
        +
      6. +
      +
    2. + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm index 683c0dbe5..83615b374 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm @@ -39,8 +39,8 @@

      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.

      +

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

      diff --git a/apps/documenteditor/main/resources/help/fr/images/acceptreject_dropdown.png b/apps/documenteditor/main/resources/help/fr/images/acceptreject_dropdown.png new file mode 100644 index 000000000..cd68e442c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/acceptreject_dropdown.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/arrows_formfilling.png b/apps/documenteditor/main/resources/help/fr/images/arrows_formfilling.png new file mode 100644 index 000000000..87d721971 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/arrows_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png b/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png index a44844604..5223e0391 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png and b/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkbox_checked.png b/apps/documenteditor/main/resources/help/fr/images/checkbox_checked.png new file mode 100644 index 000000000..165ea714b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkbox_checked.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkbox_icon.png b/apps/documenteditor/main/resources/help/fr/images/checkbox_icon.png new file mode 100644 index 000000000..8d6de681d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkbox_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkbox_inserted.png b/apps/documenteditor/main/resources/help/fr/images/checkbox_inserted.png new file mode 100644 index 000000000..381a3a53c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkbox_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkbox_settings.png b/apps/documenteditor/main/resources/help/fr/images/checkbox_settings.png new file mode 100644 index 000000000..db79f4f18 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkbox_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkbox_tip.png b/apps/documenteditor/main/resources/help/fr/images/checkbox_tip.png new file mode 100644 index 000000000..e066b61b5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkbox_tip.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/clear_fields_icon.png b/apps/documenteditor/main/resources/help/fr/images/clear_fields_icon.png new file mode 100644 index 000000000..4485112bc Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/clear_fields_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/clearall_formfilling.png b/apps/documenteditor/main/resources/help/fr/images/clearall_formfilling.png new file mode 100644 index 000000000..262bd3d83 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/clearall_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comb_of_characters.png b/apps/documenteditor/main/resources/help/fr/images/comb_of_characters.png new file mode 100644 index 000000000..0e681a9bd Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comb_of_characters.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_add_values.png b/apps/documenteditor/main/resources/help/fr/images/combo_add_values.png new file mode 100644 index 000000000..5ddf002fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_add_values.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_box_icon.png b/apps/documenteditor/main/resources/help/fr/images/combo_box_icon.png new file mode 100644 index 000000000..88111989f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_box_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_box_inserted.png b/apps/documenteditor/main/resources/help/fr/images/combo_box_inserted.png new file mode 100644 index 000000000..1e4a26d15 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_box_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_box_opened.png b/apps/documenteditor/main/resources/help/fr/images/combo_box_opened.png new file mode 100644 index 000000000..5bf9348b4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_box_opened.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_box_settings.png b/apps/documenteditor/main/resources/help/fr/images/combo_box_settings.png new file mode 100644 index 000000000..6b7e42cc9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_box_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_box_tip.png b/apps/documenteditor/main/resources/help/fr/images/combo_box_tip.png new file mode 100644 index 000000000..cca6c8a5e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_box_tip.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_delete_values.png b/apps/documenteditor/main/resources/help/fr/images/combo_delete_values.png new file mode 100644 index 000000000..46bacf19c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_delete_values.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_values_down.png b/apps/documenteditor/main/resources/help/fr/images/combo_values_down.png new file mode 100644 index 000000000..6df06fd92 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_values_down.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/combo_values_up.png b/apps/documenteditor/main/resources/help/fr/images/combo_values_up.png new file mode 100644 index 000000000..396643119 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/combo_values_up.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/darkmode_form.png b/apps/documenteditor/main/resources/help/fr/images/darkmode_form.png new file mode 100644 index 000000000..f9fe01421 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/darkmode_form.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/darkmode_oform.png b/apps/documenteditor/main/resources/help/fr/images/darkmode_oform.png new file mode 100644 index 000000000..ea3174385 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/darkmode_oform.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/downloadicon.png b/apps/documenteditor/main/resources/help/fr/images/downloadicon.png new file mode 100644 index 000000000..144ecea9f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/downloadicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/downloadpdf.png b/apps/documenteditor/main/resources/help/fr/images/downloadpdf.png new file mode 100644 index 000000000..844ced9c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/downloadpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropdown_list_icon.png b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_icon.png new file mode 100644 index 000000000..0ffb6ab70 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropdown_list_opened.png b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_opened.png new file mode 100644 index 000000000..d208d932f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_opened.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropdown_list_settings.png b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_settings.png new file mode 100644 index 000000000..dbe123dc2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/dropdown_list_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/editpoints_example.png b/apps/documenteditor/main/resources/help/fr/images/editpoints_example.png new file mode 100644 index 000000000..992d2bf74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/editpoints_example.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/favorites_icon.png b/apps/documenteditor/main/resources/help/fr/images/favorites_icon.png new file mode 100644 index 000000000..d3dee491d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/favorites_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/favorites_iconpdf.png b/apps/documenteditor/main/resources/help/fr/images/favorites_iconpdf.png new file mode 100644 index 000000000..5463fa7cf Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/favorites_iconpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/filelocationiconpdf.png b/apps/documenteditor/main/resources/help/fr/images/filelocationiconpdf.png new file mode 100644 index 000000000..9ba82bb62 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/filelocationiconpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/fill_form.png b/apps/documenteditor/main/resources/help/fr/images/fill_form.png new file mode 100644 index 000000000..4acf541fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/fill_form.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 e4668d7ba..f276acd3f 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/fittopage.png b/apps/documenteditor/main/resources/help/fr/images/fittopage.png new file mode 100644 index 000000000..931d323c4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/fittopage.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/fittowidth.png b/apps/documenteditor/main/resources/help/fr/images/fittowidth.png new file mode 100644 index 000000000..fac5e8e49 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/fittowidth.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/handtool.png b/apps/documenteditor/main/resources/help/fr/images/handtool.png new file mode 100644 index 000000000..092a6d734 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/handtool.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/highlight_settings.png b/apps/documenteditor/main/resources/help/fr/images/highlight_settings.png new file mode 100644 index 000000000..e951af12e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/highlight_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image_form_icon.png b/apps/documenteditor/main/resources/help/fr/images/image_form_icon.png new file mode 100644 index 000000000..56338c5d9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/image_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image_form_inserted.png b/apps/documenteditor/main/resources/help/fr/images/image_form_inserted.png new file mode 100644 index 000000000..e5653b5eb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/image_form_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image_form_settings.png b/apps/documenteditor/main/resources/help/fr/images/image_form_settings.png new file mode 100644 index 000000000..85b63bee4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/image_form_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/desktop_formstab.png b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_formstab.png new file mode 100644 index 000000000..7fee6fec7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_formstab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..c7ca5677e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/desktop_viewtab.png b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..159319dea Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/interface/desktop_viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/fr/images/interface/editorwindow.png index 70f7da431..065aa77be 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/editorwindow.png and b/apps/documenteditor/main/resources/help/fr/images/interface/editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/filetab.png b/apps/documenteditor/main/resources/help/fr/images/interface/filetab.png index 1adb5432c..e5883a79c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/formstab.png b/apps/documenteditor/main/resources/help/fr/images/interface/formstab.png index 8986090a0..84f47c0bb 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/formstab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/formstab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/hometab.png b/apps/documenteditor/main/resources/help/fr/images/interface/hometab.png index 88599f6f2..8012511a0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/hometab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/hometab.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 1f8dcd144..9edab4511 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 3cc7d1765..3e1e65db6 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 2d3339114..9e4e8b252 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 3398bf99d..12a70184f 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 6d7636a0a..6d6a34e4e 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/interface/viewtab.png b/apps/documenteditor/main/resources/help/fr/images/interface/viewtab.png new file mode 100644 index 000000000..2dd417317 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/interface/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/keytips1.png b/apps/documenteditor/main/resources/help/fr/images/keytips1.png new file mode 100644 index 000000000..a85383c20 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/keytips1.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/keytips2.png b/apps/documenteditor/main/resources/help/fr/images/keytips2.png new file mode 100644 index 000000000..fe7211e9b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/keytips2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/lock_form_icon.png b/apps/documenteditor/main/resources/help/fr/images/lock_form_icon.png new file mode 100644 index 000000000..405d344a4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/lock_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/mailmerge_options.png b/apps/documenteditor/main/resources/help/fr/images/mailmerge_options.png new file mode 100644 index 000000000..1906452bd Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/mailmerge_options.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/more_oform.png b/apps/documenteditor/main/resources/help/fr/images/more_oform.png new file mode 100644 index 000000000..dec463503 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/more_oform.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/morebutton.png b/apps/documenteditor/main/resources/help/fr/images/morebutton.png new file mode 100644 index 000000000..5afa7bdca Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/morebutton.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/moving_form_fields.png b/apps/documenteditor/main/resources/help/fr/images/moving_form_fields.png new file mode 100644 index 000000000..27143a718 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/moving_form_fields.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/navigationpanel_viewer.png b/apps/documenteditor/main/resources/help/fr/images/navigationpanel_viewer.png new file mode 100644 index 000000000..2b383c995 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/navigationpanel_viewer.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/next_formfilling.png b/apps/documenteditor/main/resources/help/fr/images/next_formfilling.png new file mode 100644 index 000000000..7beee17f4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/next_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/oform.png b/apps/documenteditor/main/resources/help/fr/images/oform.png new file mode 100644 index 000000000..af7c26525 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/oform.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pagescaling.png b/apps/documenteditor/main/resources/help/fr/images/pagescaling.png new file mode 100644 index 000000000..02375775f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pagescaling.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pagethumbnails.png b/apps/documenteditor/main/resources/help/fr/images/pagethumbnails.png new file mode 100644 index 000000000..e69b4a477 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pagethumbnails.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pagethumbnails_settings.png b/apps/documenteditor/main/resources/help/fr/images/pagethumbnails_settings.png new file mode 100644 index 000000000..451462149 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pagethumbnails_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pdfviewer.png b/apps/documenteditor/main/resources/help/fr/images/pdfviewer.png new file mode 100644 index 000000000..bcedcdb41 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pdfviewer.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/printiconpdf.png b/apps/documenteditor/main/resources/help/fr/images/printiconpdf.png new file mode 100644 index 000000000..621a85778 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/printiconpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/radio_button_checked.png b/apps/documenteditor/main/resources/help/fr/images/radio_button_checked.png new file mode 100644 index 000000000..c38dfcd35 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/radio_button_checked.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/radio_button_icon.png b/apps/documenteditor/main/resources/help/fr/images/radio_button_icon.png new file mode 100644 index 000000000..487d80034 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/radio_button_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/radio_button_inserted.png b/apps/documenteditor/main/resources/help/fr/images/radio_button_inserted.png new file mode 100644 index 000000000..e272dfd40 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/radio_button_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/radio_button_settings.png b/apps/documenteditor/main/resources/help/fr/images/radio_button_settings.png new file mode 100644 index 000000000..3a4be7569 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/radio_button_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/radio_button_tip.png b/apps/documenteditor/main/resources/help/fr/images/radio_button_tip.png new file mode 100644 index 000000000..d87ac6f91 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/radio_button_tip.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/save_form_icon.png b/apps/documenteditor/main/resources/help/fr/images/save_form_icon.png new file mode 100644 index 000000000..a4835d6f6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/save_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/selectiontool.png b/apps/documenteditor/main/resources/help/fr/images/selectiontool.png new file mode 100644 index 000000000..c48bceffd Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/selectiontool.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/setpassword.png b/apps/documenteditor/main/resources/help/fr/images/setpassword.png index df2028c76..05aafc089 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/setpassword.png and b/apps/documenteditor/main/resources/help/fr/images/setpassword.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/show_password.png b/apps/documenteditor/main/resources/help/fr/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/show_password.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick.png b/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick.png new file mode 100644 index 000000000..0f2c3ce40 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick2.png b/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick2.png new file mode 100644 index 000000000..e81186aac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/smartart_rightclick2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sortcomments.png b/apps/documenteditor/main/resources/help/fr/images/sortcomments.png new file mode 100644 index 000000000..a172dd594 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/sortcomments.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sortcommentsicon.png b/apps/documenteditor/main/resources/help/fr/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/sortcommentsicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/text_field_inserted.png b/apps/documenteditor/main/resources/help/fr/images/text_field_inserted.png index 70be71d79..b29d807a0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/text_field_inserted.png and b/apps/documenteditor/main/resources/help/fr/images/text_field_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/text_field_settings.png b/apps/documenteditor/main/resources/help/fr/images/text_field_settings.png index f9049af0b..5539e1cb1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/text_field_settings.png and b/apps/documenteditor/main/resources/help/fr/images/text_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/text_field_tip.png b/apps/documenteditor/main/resources/help/fr/images/text_field_tip.png index 683658f13..b362d4d10 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/text_field_tip.png and b/apps/documenteditor/main/resources/help/fr/images/text_field_tip.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/thumbnailsettingicon.png b/apps/documenteditor/main/resources/help/fr/images/thumbnailsettingicon.png new file mode 100644 index 000000000..8d659a664 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/thumbnailsettingicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/usericon.png b/apps/documenteditor/main/resources/help/fr/images/usericon.png new file mode 100644 index 000000000..01ad0f0c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/usericon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/usericonpdf.png b/apps/documenteditor/main/resources/help/fr/images/usericonpdf.png new file mode 100644 index 000000000..667410f4e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/usericonpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/view_form_active2.png b/apps/documenteditor/main/resources/help/fr/images/view_form_active2.png new file mode 100644 index 000000000..00e71ec77 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/view_form_active2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/view_form_icon.png b/apps/documenteditor/main/resources/help/fr/images/view_form_icon.png new file mode 100644 index 000000000..67432c986 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/view_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/viewsettings_darkmode.png b/apps/documenteditor/main/resources/help/fr/images/viewsettings_darkmode.png new file mode 100644 index 000000000..21042f0d8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/viewsettings_darkmode.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/viewsettingsiconpdf.png b/apps/documenteditor/main/resources/help/fr/images/viewsettingsiconpdf.png new file mode 100644 index 000000000..d033e501f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/viewsettingsiconpdf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/zoomadjusting.png b/apps/documenteditor/main/resources/help/fr/images/zoomadjusting.png new file mode 100644 index 000000000..78551bbee Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/zoomadjusting.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 8738b0a78..d7e847327 100644 --- a/apps/documenteditor/main/resources/help/fr/search/indexes.js +++ b/apps/documenteditor/main/resources/help/fr/search/indexes.js @@ -8,42 +8,42 @@ var indexes = { "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: Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. Activer l'affichage des commentaires - si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône de la barre latérale gauche. Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus dans le texte du document. Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. 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é. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. 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. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Document Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées 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. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre 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 toutes les modifications, 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: Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. Activer l'affichage des commentaires - si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône de la barre latérale gauche. Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus dans le texte du document. Afficher le suivi des modifications sert à sélectionner la façon d'affichage des modifications: Afficher par clic dans les ballons - les modifications s'affichent dans les ballons lorsque vous activez le suivi des modifications; Afficher lorsque le pointeur est maintenu sur l'infobulle - l'infobulle s'affiche lorsque vous faites glisser le pointeur sur la modification suivi. Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. 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é. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. L'option Activer le mode sombre pour les documents devient activé lorsque le thème de l'interface Sombre est choisi. Le cas échéant, cochez la case Activer le mode sombre pour les documents pour activez le mode sombre. Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur. 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. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Document Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées 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. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre 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 toutes les modifications, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Édition 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. Édition collaborative Document Editor permet de sélectionner l'un des deux modes de co-édition disponibles: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer , enregistrer vos modifications et accepter des 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 - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir du document : inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, remplir des formulaires ou réviser le document, ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications est sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. 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 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 Commentaires à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Le fragment du texte commenté sera mis en surbrillance dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: modifier le commentaire sélectionné en appuyant sur l'icône , supprimer le commentaire sélectionné en appuyant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône . si vous souhaitez gérér tous les commentaires à la fois, accédez au menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus. Ajouter les mentions 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és aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une 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. Édition collaborative Document Editor permet de sélectionner l'un des deux modes de co-édition disponibles: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer . Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Remarque: lorsque vous co-éditez un document en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Lorsqu'un document est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les passages de texte modifiés sont marqués avec des lignes pointillées de couleurs différentes. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir du document : inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, remplir des formulaires ou réviser le document, ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications est sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder au Chat et laisser un message pour les autres utilisateurs: 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 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 Commentaires à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Le fragment du texte commenté sera mis en surbrillance dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: trier les commentaires ajoutés en cliquant sur l'icône : par date: Plus récent ou Plus ancien. C'est 'ordre de tri par défaut. par auteur: Auteur de A à Z ou Auteur de Z à A par emplacement: Du haut ou Du bas. L'ordre habituel de tri des commentaires par l'emplacement dans un document est comme suit (de haut): commentaires au texte, commentaires aux notes de bas de page, commentaires aux notes de fin, commentaires aux en-têtes/pieds de page, commentaires au texte entier. par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. modifier le commentaire sélectionné en appuyant sur l'icône , supprimer le commentaire sélectionné en appuyant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône . si vous souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans le document. Ajouter des mentions Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions. Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk. Ajoutez une mention en tapant le signe @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Pour supprimer les commentaires, appuyez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils en haut, sélectionnez l'option convenable du menu: Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une 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. Pour savoir comment activer cette fonctionnalité sur version de bureau, veuillez consulter cette article. Si vous devez comparer et fusionner deux documents, vous pouvez utiliser la fonction de Comparaison de documents dans Document Editor. Il permet d’afficher les différences entre deux documents et de fusionner les documents en acceptant les modifications une par une ou toutes en même temps. Après avoir comparé et fusionné deux documents, le résultat sera stocké sur le portail en tant que nouvelle version du fichier original.. Si vous n’avez pas besoin de fusionner les documents qui sont comparés, vous pouvez rejeter toutes les modifications afin que le document d’origine reste inchangé. Choisissez un document à comparer Pour comparer deux documents, ouvrez le document d’origine et sélectionnez le deuxième à comparer : 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." + "body": "Comparer les documents Si vous devez comparer et fusionner deux documents, vous pouvez utiliser la fonction de Comparaison de documents dans Document Editor. Il permet d’afficher les différences entre deux documents et de fusionner les documents en acceptant les modifications une par une ou toutes en même temps. Après avoir comparé et fusionné deux documents, le résultat sera stocké sur le portail en tant que nouvelle version du fichier original.. Si vous n’avez pas besoin de fusionner les documents qui sont comparés, vous pouvez rejeter toutes les modifications afin que le document d’origine reste inchangé. Choisissez un document à comparer Pour comparer deux documents, ouvrez le document d’origine et sélectionnez le deuxième à comparer : 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": "La liste des raccourcis clavier pour exécuter certaines fonctions de Document Editor plus vite et facile à l'aide du clavier. 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. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. É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+_ ^ 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." + "body": "Raccourcis clavier pour les touches d'accès Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Document Editor sans l'aide de la souris. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état. Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès. Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet. Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes. Trouverez ci-dessous les raccourcis clavier les plus courants: Windows/Linux Mac OS 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. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. É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+_ ^ 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: le zoom, l'indicateur de numéro 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 l'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 Paramètres d'affichage: Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre 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 sert à masquer 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 (50% / 75% / 100% / 125% / 150% / 175% / 200%) 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. Indicateur de numéro 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'indicateur de numéro 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 l'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 Paramètres d'affichage: Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre 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 sert à masquer 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. Mode sombre – sert à activer ou désactiver le mode sombre si vous avez déjà choisi le thème de l'interface Sombre. Vous pouvez également activer le mode sombre dans Paramètres avancés sous l'onglet Fichier. 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 (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) 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. Indicateur de numéro 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/Password.htm", "title": "Protéger un document avec un mot de passe", - "body": "Vous pouvez protéger vos documents avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." + "body": "Vous pouvez protéger vos documents avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." }, { "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. Dans Document Editor, si vous êtes le relecteur, vous pouvez utiliser l'option Révision pour réviser le document, modifier des propositions, des phrases et d'autres éléments de la page, corriger l'orthographe et faire d'autres modifications 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. 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. Les options disponibles pour dans le menu contextuel: ON pour moi - le suivi des modifications est activé uniquement pour l'utilisateur actuel. L'option est activée pendant la session d'édition actuelle, c-à-d elle est désactivée lors de l'actualisation ou la réouverture du document. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas. OFF pour moi - le suivi des modifications est désactivé uniquement pour l'utilisateur actuel. L'option demeure désactivée pendant la session d'édition actuelle. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas. ON pour moi et tout le monde - le suivi des modifications est actif et demeure activé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera actif pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est désactivé par d'autres utilisateurs, ceux-ci passe en mode OFF pour moi et tout le monde. OFF pour moi et tout le monde - le suivi des modifications est désactivé et demeure désactivé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera désactivé pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est activé par d'autres utilisateurs, ceux-ci passe en mode ON pour moi et tout le monde. Un message d'alerte s'affiche pour tous les utilisateurs qui travaillent sur le même document. 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 la bulle. Les icônes permettant d'accepter et de rejeter la modification s'affichent aussi dans la même bulle. 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 bulle 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 bulle 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 et ballons - ce mode est sélectionné par défaut. Il permet à la fois d'afficher les modifications suggérées et de modifier le document. Les modifications sont mises en surbrillance dans le texte et s'affichent dans la bulle. Balisage uniquement - ce mode permet d'afficher les modifications proposées aussi que de modifier le document. Les modifications s'affichent uniquement dans le texte du document, les bulles sont masquées. 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 le cliquer sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter la modification en cours (dans ce cas, la modification sera acceptée et vous passerez à la modification suivante), ou cliquez sur le bouton Accepter dans la bulle de la modification. Pour accepter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter toutes les modifications. Pour rejeter la modification actuelle, vous pouvez: cliquez sur le bouton Rejeter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter la modification en cours (dans ce cas, la modification sera rejetée et vous passerez à la modification suivante), ou cliquez sur le bouton Rejeter de dans la bulle de la modification. Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter toutes les modifications. 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 la bulle de modification." + "body": "Lorsque quelqu'un partage avec vous un fichier disposant des autorisations de révision, vous devez utiliser la fonction Révision du document. Dans Document Editor, si vous êtes le relecteur, vous pouvez utiliser l'option Révision pour réviser le document, modifier des propositions, des phrases et d'autres éléments de la page, corriger l'orthographe et faire d'autres modifications 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. 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. Les options disponibles pour dans le menu contextuel: ON pour moi - le suivi des modifications est activé uniquement pour l'utilisateur actuel. L'option est activée pendant la session d'édition actuelle, c-à-d elle est désactivée lors de l'actualisation ou la réouverture du document. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas. OFF pour moi - le suivi des modifications est désactivé uniquement pour l'utilisateur actuel. L'option demeure désactivée pendant la session d'édition actuelle. L'activation et la désactivation du suivi des modifications par d'autres utilisateurs ne l'affecte pas. ON pour moi et tout le monde - le suivi des modifications est actif et demeure activé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera actif pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est désactivé par d'autres utilisateurs, ceux-ci passe en mode OFF pour moi et tout le monde. OFF pour moi et tout le monde - le suivi des modifications est désactivé et demeure désactivé lors de l'actualisation ou la réouverture du document (le suivi des modifications sera désactivé pour tous les utilisateurs après la mise à jour du document). Lorsque le suivi des modifications est activé par d'autres utilisateurs, ceux-ci passe en mode ON pour moi et tout le monde. Un message d'alerte s'affiche pour tous les utilisateurs qui travaillent sur le même document. 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 la bulle. Les icônes permettant d'accepter et de rejeter la modification s'affichent aussi dans la même bulle. 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 bulle 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 bulle 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 et ballons - ce mode est sélectionné par défaut. Il permet à la fois d'afficher les modifications suggérées et de modifier le document. Les modifications sont mises en surbrillance dans le texte et s'affichent dans la bulle. Balisage uniquement - ce mode permet d'afficher les modifications proposées aussi que de modifier le document. Les modifications s'affichent uniquement dans le texte du document, les bulles sont masquées. 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 le cliquer sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter la modification en cours (dans ce cas, la modification sera acceptée et vous passerez à la modification suivante), ou cliquez sur le bouton Accepter dans la bulle de la modification. Pour accepter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter toutes les modifications. Pour rejeter la modification actuelle, vous pouvez: cliquez sur le bouton Rejeter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter la modification en cours (dans ce cas, la modification sera rejetée et vous passerez à la modification suivante), ou cliquez sur le bouton Rejeter de dans la bulle de la modification. Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter toutes les modifications. Si vous souhaitez accepter ou rejeter une seule modification, faites un clic droit dessus et sélectionnez Accepter la modification ou Rejeter la modification dans le menu contextuel. 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 la bulle de modification." }, { "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 Document Editor, 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." + "body": "Pour rechercher des caractères, des mots ou des phrases utilisés dans le document, cliquez sur l'icône située sur la barre latérale gauche Document Editor ou appuyez sur la combinaison de touches Ctrl+F. La fenêtre Rechercher et remplacer s'affiche. 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. Document Editor prend en charge la recherche de caractères spéciaux. Pour rechercher un caractère spécial, saisissez-le dans le champ de recherche. La liste des caractères spéciaux qu'on peut utiliser dans une requête: Caractère spécial Description ^l Saut de ligne ^t Taquet de tabulation ^? Tout symbole ^# Tout chiffre ^$ Toute lettre ^n Saut de colonne ^e Note de fin ^f Note de bas de page ^g élément graphique ^m Saut de page ^~ Trait d'union insécable ^s Espace insécable ^^ échappement du caret lui-même ^w Tout espace ^+ Tiret cadratin ^= Tiret demi-cadratin ^y Tout tiret Les caractères qu'on peut utiliser pour remplacement: Caractère spécial Description ^l Saut de ligne ^t Taquet de tabulation ^n Saut de colonne ^m Saut de page ^~ Trait d'union insécable ^s Espace insécable ^+ Tiret cadratin ^= Tiret demi-cadratin" }, { "id": "HelpfulHints/SpellChecking.htm", @@ -53,13 +53,23 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des documents électroniques pris en charge", - "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Édition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + FB2 Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + + EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + + + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies + XML Extensible Markup Language (XML). Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données. + + Remarque: tous les formats n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes." + "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Édition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + FB2 Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + + EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + + + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies + XML Extensible Markup Language (XML). Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données. + + DOCXF Le format pour créer, modifier et collaborer sur un Modèle de formulaire + + + OFORM Le format pour remplir un formulaire. Les champs du formulaire sont à remplir mais les utilisateurs ne peuvent pas modifier la mise en forme ou les paramètres des éléments du formulaire.* + + + Remarque: le format OFORM est un format à remplir des formulaires. Alors, seul les champs d'un formulaire sont modifiables." + }, + { + "id": "HelpfulHints/Viewer.htm", + "title": "Lecteur de documents ONLYOFFICE", + "body": "Vous pouvez utiliser Lecteur de documents ONLYOFFICE pour ouvrir et parcourir des fichiers PDF, XPS et DjVu. Le lecteur de documents ONLYOFFICE permet de: consulter des fichiers PDF, XPS, DjVu, ajouter des annotations à l'aide de chat, parcourir des fichiers à l'aide du panneau de navigation et des vignettes de page, utiliser l'outil de sélection et l'outil Main, imprimer et télécharger des fichiers, utiliser des liens internes et externes, accéder aux paramètres avancés du fichier dans l'éditeur et consulter le descriptif du document en utilisant l'onglet Fichier ou le bouton Paramètres d'affichage, Emplacement (disponible uniquement dans la version en ligne) le dossier dans le module Documents où le fichier est stocké. Propriétaire (disponible uniquement dans la version en ligne) - le nom de l'utilisateur qui a créé le fichier. Chargé (disponible uniquement dans la version en ligne) - la date et l'heure quand le fichier a été téléchargé. Statistiques - le nombre de pages, paragraphes, mots, symboles, symboles avec des espaces. Taille de la page - la taille des pages dans le fichier Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois. Créé - la date et l'heure quand le fichier a été créé. Application - l'application dans laquelle on a créé le document. Auteur - la personne qui a créé le document. Producteur PDF - l'application qu'on a utilisé pour convertir le document en PDF. Version PDF - la version du fichier PDF: PDF marqué - affiche si le fichier PDF comporte des balises. Affichage rapide sur le Web - affiche si l'affichage rapide des pages web a été activé pour ce document. utiliser les modules complémentaires Les modules complémentaires disponibles dans la version du bureau: Traducteur, Send, Thésaurus. Les modules complémentaires disponibles dans la version en ligne: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thésaurus, Traducteur. L'interface du Lecteur de documents ONLYOFFICE: La barre d'outils supérieure fournit l'accès à deux onglets Fichier et Modules complémentaires et comporte les icônes suivantes: Imprimer permet d'imprimer le fichier. Télécharger permet de sauvegarder le fichier sur votre orrdinateur; 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 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. Ouvrir l'emplacement du fichier dans la version de bureau, sert à ouvrir le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. Marquer en tant que favori / Enlever des favoris (disponible uniquement dans la version en ligne) cliquez sur l'étoile vide pour ajouter le fichier aux favoris et le retrouver rapidement ou cliquez sur l'étoile remplie pour effacer le fichier des favoris. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez des favoris. Paramètres d'affichage permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur; Utilisateur affiche le nom d'utilisateur lorsque vous placer le curseur de votre souris sur l'icône. La Barre d'état au bas de la fenêtre du Lecteur de documents ONLYOFFICE contient l'indicateur du numéro de page et affiche certaines notifications des processus d'arrière plan. La barre d'état comporte aussi les outils suivants: Outil de sélection sert à sélectionner du texte dans un fichier. Outil Main sert à faire glisser et défiler la page. Ajuster à la page sert à redimensionner la page pour afficher une page entière sur l'écran. Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran. Outil zoom sert à zoomer et dézoomer sur une page. La barre latérale gauche comporte les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - permet d'ouvrir le panneau de Navigation pour parcourir la liste hiérarchique des titres avec des éléments de navigation imbriqués. Cliquez sur le titre pour passer directement sur la page nécessaire. Faites un clic droit sur la rubrique dans la liste et utilisez l'une des options disponibles dans le menu: Développer tout pour développer tous les niveaux de titres sur le panneau de navigation. Réduire tout pour réduire touts les niveaux de titres sauf le niveau 1 sur le panneau de Navigation. Développer jusqu'au niveau pour développer la liste hiérarchique des titres jusqu'au niveau sélectionné. Par ex., si vous sélectionnez le niveau 3, on va développer les niveaux 1, 2 et 3 mais le niveau 4 et tous niveaux inférieurs seront réduits. Pour développer et réduire chaque niveau de titres à part, utilisez la flèche à droit du titre. Pour fermer le panneau de Navigation, cliquez sur l'icône Navigation sur la barre latérale gauche encore une fois. - sert à afficher les vignettes des pages afin de parcourir rapidement un document. Cliquez sur sur le panneau Miniatures des pages pour accéder aux Paramètres des miniatures: Faites glisser le curseur pour définir la taille de la vignette, Par défaut, l'option Mettre en surbrillance la partie visible de la page est active pour indiquer sur la vignette la zone affichée maintenant sur l'écran. Cliquez sur la case à coché pour désactiver cette option. Pour fermer le panneau Miniatures des pages, cliquez sur l'icône Miniatures des pages sur la barre latérale gauche encore une fois. - permet de contacter notre équipe d'assistance technique, - (disponible uniquement dans la version en ligne) permet de visualiser les informations sur le programme." }, { "id": "ProgramInterface/FileTab.htm", "title": "Onglet Fichier", "body": "L'onglet Fichier dans Document Editor permet d'effectuer certaines opérations de base sur le fichier en cours. La fenêtre de l'onglet dans Document Editor en ligne: La fenêtre de l'onglet dans Document Editor de bureau: En utilisant cet onglet, vous pouvez: dans la version en ligne: enregistrer le fichier actuel (si l'option Enregistrement automatique est désactivée), enregistrer le document dans le format sélectionné sur le disque dur de l'ordinateur en utilisant Télécharger comme , enregistrer une copie du document dans le format sélectionné dans les documents du portail en utilisant Enregistrer la copie sous , imprimer ou renommer le fichier actuel. dans la version de bureau: enregistrer le fichier actuel en conservant le format et l'emplacement actuel à l'aide de l'option Enregistrer ou enregistrer le fichier actuel avec un nom, un emplacement ou un format différent à l'aide de l'option Enregistrer sous, imprimer le fichier actuel protéger le fichier avec un mot de passe, modifier ou supprimer le mot de passe; protéger un fichier avec une signature numérique (disponible dans la version de bureauuniquement) créer un nouveau document ou en ouvrir un récemment édité (disponible dans la version en ligne uniquement), voir le descriptif du document ou modifier les paramètres du fichier, gérer les droits d'accès (disponible dans la version en ligne uniquement), suivre l'historique des versions (disponible dans la version en ligne uniquement), accéder aux Paramètres avancés de l'éditeur, dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur." }, + { + "id": "ProgramInterface/FormsTab.htm", + "title": "Onglet Formulaires", + "body": "Remarque: cet ongle n'est disponible qu'avec des fichiers au format DOCXF. L'onglet Formulaires permet de créer des formulaires à remplir dans votre document, par ex. les projets de contrats ou les enquêtes. Ajoutez, mettez en forme et paramétrez votre texte et des champs de formulaire aussi complexe soient-ils. La fenêtre de l'onglet dans Document Editor en ligne: La fenêtre de l'onglet dans Document Editor de bureau: En utilisant cet onglet, vous pouvez: ajouter et modifier des champs texte des zones de liste déroulante, des listes déroulantes des cases à cocher des boutons radio, des champs image effacer tous les champs et paramétrer la surbrillance, naviguer entre les champs du formulaire en utilisant les boutons Champ précédent et Champ suivant, afficher un aperçu du formulaire final, enregistrer le formulaire en tant que formulaire à remplir au format OFORM." + }, { "id": "ProgramInterface/HomeTab.htm", "title": "Onglet Accueil", @@ -67,13 +77,13 @@ var indexes = }, { "id": "ProgramInterface/InsertTab.htm", - "title": "Onglet Insertion", - "body": "L'onglet Insertion dans Document Editor 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." + "title": "Onglet Insertion - ONLYOFFICE", + "body": "Onglet Insertion Qu'est-ce qu'un onglet Insertion? L'onglet Insertion dans Document Editor permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : Les fonctionnalités de l'onglet Insertion 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 dans Document Editor permet de modifier l'apparence du document: configurer les paramètres de la page et définir la mise en page 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: paramétrer les marges, l'orientation et la taillede 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 grouper des objets (des tableaux, des images, des graphiques, des formes), modifier le retour à la ligne et modifier les limites de renvoi à la ligne, ajouter un filigrane." + "title": "Onglet Mise en page - ONLYOFFICE", + "body": "Onglet Mise en page Qu'est-ce qu'un onglet Mise en page? L'onglet Mise en page dans Document Editor permet de modifier l'apparence du document: configurer les paramètres de la page et définir la mise en page des éléments visuels. Fenêtre de l'éditeur en ligne Document Editor: Fenêtre de l'éditeur de bureau Document Editor: Les fonctionnalités de l'onglet Mise en page En utilisant cet onglet, vous pouvez: paramétrer les marges, l'orientation et la taillede 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 grouper des objets (des tableaux, des images, des graphiques, des formes), modifier le retour à la ligne et modifier les limites de renvoi à la ligne, ajouter un filigrane." }, { "id": "ProgramInterface/PluginsTab.htm", @@ -83,7 +93,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface utilisateur de Document Editor", - "body": "Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Document Editor: La fenêtre principale 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 ONLYOFFICE, 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 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. Paramètres d'affichage - permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès (disponible dans la version en ligne uniquement) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Références, Collaboration, Protection, Module complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page et affiche certaines notifications (telles que Toutes les modifications sauvegardées, etc.). Cette barre permet de définir la langue du texte, enabling spell checking et d'activer la vérification orthographique, d'activer le mode suivi des modifications et de régler le zoom. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - permet d'accéder au panneau Navigation et de gérer des en-têtes, - (disponible dans la version en ligne seulement) 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 de plusieurs pages. 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é. La fenêtre principale de l'éditeur en ligne Document Editor: La fenêtre principale 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 ONLYOFFICE, 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 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. Paramètres d'affichage - permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès (disponible dans la version en ligne uniquement) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Références, Collaboration, Protection, Module complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page et affiche certaines notifications (telles que Toutes les modifications sauvegardées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.). Cette barre permet de définir la langue du texte, enabling spell checking et d'activer la vérification orthographique, d'activer le mode suivi des modifications et de régler le zoom. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - permet d'accéder au panneau Navigation et de gérer des en-têtes, - (disponible dans la version en ligne seulement) 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 de plusieurs pages. 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", @@ -95,6 +105,11 @@ var indexes = "title": "Onglet Collaboration", "body": "L'onglet Collaboration dans Document Editor permet d'organiser le travail collaboratif sur le document. Dans la version en ligne, vous pouvez partager le fichier, sélectionner un mode de co-édition, gérer les commentaires, suivre les modifications apportées par un réviseur, visualiser toutes les versions et révisions. En mode Commentaires vous pouvez ajouter et supprimer des commentaires, naviguer entre les modifications suivies, utilisez le chat intégré et afficher l'historique des versions. Dans la version de bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications . La fenêtre de l'onglet dans Document Editor en ligne: La fenêtre de l'onglet dans Document Editor de bureau: 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 et supprimer des commentaires sur un document, activer le 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 le panneau de Chat (disponible uniquement dans la version en ligne), suivre l'historique des versions (disponible dans la version en ligne uniquement)," }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Onglet Affichage", + "body": "L'onglet Affichage de Document Editor permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci. La fenêtre de l'onglet dans Document Editor en ligne: La fenêtre de l'onglet dans Document Editor de bureau: Les options d'affichage disponibles sous cet onglet: Navigation permet d'afficher et parcourir des titres dans votre document, Zoom permet de zoomer et dézoomer sur une page du document, Ajuster à la page permet de redimensionner la page pour afficher une page entière sur l'écran, Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran, Thème d'interface permet de modifier le thème d'interface en choisissant le thème Clair, Classique clair ou Sombre, L'option Document sombre devient actif lorsque vous activez le thème Sombre. Cliquez sur cette option pour rendre sombre encore l'espace de travail. Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles: Toujours afficher la barre d'outils - pour rendre visible la barre d'outils supérieure, Barre d'état pour rendre visible la barre d'état, Règles pour rendre visible les règles." + }, { "id": "UsageInstructions/AddBorders.htm", "title": "Ajouter des bordures", @@ -123,7 +138,7 @@ var indexes = { "id": "UsageInstructions/AddWatermark.htm", "title": "Ajouter un filigrane", - "body": "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. Pour ajouter un filigrane dans Document Editor: Basculez vers l’onglet Disposition de la barre d’outils supérieure. Cliquez sur l’icône Filigrane sur la barre d’outils supérieure et choisissez l’option Filigrane personnalisé du menu. Après cela, la fenêtre Paramètres du filigrane apparaîtra. Sélectionnez le type de filigrane que vous souhaitez insérer: Utilisez l’option de Filigrane de texte et ajustez les paramètres disponibles: Langue - Sélectionnez l’une des langues disponibles de la liste, Texte - Sélectionnez l’un des exemples de texte disponibles de la langue sélectionnée. Pour le français les textes de filigrane suivants sont disponibles : BROUILLON, CONFID, COPIE, DOCUMENT INTERNE, EXEMPLE, HAUTEMENT CONFIDENTIEL, IMPORTANT, NE PAS DIFFUSER, Police - Sélectionnez le nom et la taille de la police des listes déroulantes correspondantes. Utilisez les icônes à droite pour définir la couleur de la police ou appliquez l’un des styles de décoration de police: Gras, Italique, Souligné, Barré, Semi-transparent - Cochez cette case si vous souhaitez appliquer la transparence, Disposition - Sélectionnez l’option Diagonale ou Horizontale. Utilisez l’option Image en filigrane et ajustez les paramètres disponibles: Choisissez la source du fichier image en utilisant l’un des boutons: Depuis un fichier ou D’une URL. L’image sera affichée dans la fenêtre à droite, Échelle - sélectionnez la valeur d’échelle nécessaire parmi celles disponibles: Auto, 200%, 150%, 100%, 50%. Cliquez sur le bouton OK. Pour modifier le filigrane ajouté, ouvrez la fenêtre Paramètres du filigrane comme décrit ci-dessus, modifiez les paramètres nécessaires et cliquez sur OK. Pour supprimer le filigrane ajouté, cliquez sur l’icône de Filigrane dans l’onglet de Disposition de la barre d’outils supérieure et choisissez l’option Supprimer le filigrane du menu. Il est également possible d’utiliser l’option Aucun dans la fenêtre des Paramètres du filigrane." + "body": "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. Pour ajouter un filigrane dans Document Editor: Basculez vers l’onglet Mise en page de la barre d’outils supérieure. Cliquez sur l’icône Filigrane sur la barre d’outils supérieure et choisissez l’option Filigrane personnalisé du menu. Après cela, la fenêtre Paramètres du filigrane apparaîtra. Sélectionnez le type de filigrane que vous souhaitez insérer: Utilisez l’option de Filigrane de texte et ajustez les paramètres disponibles: Langue - sélectionnez la langue de votre filigrane. Document Editor prend en charge des langues suivantes de filigrane: Anglais, Français, Allemand, Italien, Japonais, Mandarin, Russe, Espagnol. Texte - Sélectionnez l’un des exemples de texte disponibles de la langue sélectionnée. Pour le français les textes de filigrane suivants sont disponibles : BROUILLON, CONFID, COPIE, DOCUMENT INTERNE, EXEMPLE, HAUTEMENT CONFIDENTIEL, IMPORTANT, NE PAS DIFFUSER, Police - Sélectionnez le nom et la taille de la police des listes déroulantes correspondantes. Utilisez les icônes à droite pour définir la couleur de la police ou appliquez l’un des styles de décoration de police: Gras, Italique, Souligné, Barré, Semi-transparent - Cochez cette case si vous souhaitez appliquer la transparence, Disposition - Sélectionnez l’option Diagonale ou Horizontale. Utilisez l’option Image en filigrane et ajustez les paramètres disponibles: Choisissez la source du fichier image en utilisant l’un des boutons: Depuis un fichier ou D’une URL. L’image sera affichée dans la fenêtre à droite, Échelle - sélectionnez la valeur d’échelle nécessaire parmi celles disponibles: Auto, 200%, 150%, 100%, 50%. Cliquez sur le bouton OK. Pour modifier le filigrane ajouté, ouvrez la fenêtre Paramètres du filigrane comme décrit ci-dessus, modifiez les paramètres nécessaires et cliquez sur OK. Pour supprimer le filigrane ajouté, cliquez sur l’icône de Filigrane dans l’onglet de Disposition de la barre d’outils supérieure et choisissez l’option Supprimer le filigrane du menu. Il est également possible d’utiliser l’option Aucun dans la fenêtre des Paramètres du filigrane." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -163,7 +178,12 @@ var indexes = { "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 Document Editor 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é et 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." + "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 Document Editor 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 Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict. Une fois le texte copié et 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/CreateFillableForms.htm", + "title": "Créer des formulaires à remplir", + "body": "ONLYOFFICE Document Editor permet de créer plus facilement des formulaires à remplir dans votre document, par ex. les projets de contrats ou les enquêtes. Modèle de formulaire fournit un ensemble d'outils pour créer des formulaires à remplir au format DOCXF. Sauvegardez le formulaire résultant au format DOCXF et vous aurez un modèle de formulaire modifiable que vous pouvez réviser ou travailler à plusieurs. Pour créer un formulaire à remplir et restreindre la modification du formulaire par d'autres utilisateurs, sauvegardez-le au format OFORM . Pour en savoir plus, veuillez consulter les instructions pour remplir un formulaire . Les formats DOCXF et OFORM sont de nouveaux formats ONLYOFFICE permettant de créer des modèles de formulaires et remplir les formulaires: Optez pour les versions ONLYOFFICE Document Editor en ligne ou de bureau pour utiliser pleinement tous les éléments et les options liées aux formulaires. Vous pouvez sauvegarder tout fichier DOCX existant au format DOCXF pour l'utiliser en tant que Modèle de formulaire. Passez à l'onglet Fichier, cliquez sur Télécharger comme... ou Enregistrer sous... sur le panneau latéral gauche et sélectionnez l'icône DOCXF. Vous pouvez maintenant utiliser toutes les fonctionnalités d'édition d'un formulaire. Ce ne sont pas seulement des champs de formulaire qu'on peut modifier dans un fichier DOCXF, il vous est toujours possible d'ajouter, de modifier et de mettre en forme du texte et utiliser d'autres fonctionnalités de Document Editor . Les formulaires à remplir peuvent être réalisés en utilisant des objets modifiables afin d'assurer une cohérence globale du document final et d'améliorer l'expérience de travail avec des formulaires interactifs. Actuellement, vous pouvez ajouter un champ texte, une zone de liste déroulante, une liste déroulante, une case à cocher, un bouton radio et définir les zones désignées aux images. Vous pouvez accéder à ces fonctionnalités à l'aide de l'onglet Formulaires qui n'est disponible qu'avec des fichiers DOCXF. Créer un champ texte Champs texte sont les champs de texte brut, aucun objet ne peut être ajouté. Pour ajouter un champ texte, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Champ texte . Un champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé: une clé à grouper les champs afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le nom de celle-là et appuyez sur Entrée, ensuite attribuez cette clé à chaque champ texte en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion. Espace réservé: saisissez le texte à afficher dans le champ de saisie. Le texte par défaut est Votre texte ici. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ texte. Taille de champ fixe: activez cette option pour fixer la taille du champ. Lors de l'activation de cette option, les options Ajustement automatique et Champ de saisie à plusieurs lignes deviennent aussi disponibles. Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. Limite de caractères: le nombre de caractères n'est pas limité par défaut. Activez cette option pour indiquer le nombre maximum de caractères dans le champ à droite. Peigne de caractères: configurer l'aspect général pour une présentation claire et équilibré. Laissez cette case décoché pour garder les paramètres par défaut ou cochez-là et configurez les paramètres suivants: Largeur de cellule: définissez la valeur appropriée ou utilisez les flèches à droite pour régler la largeur du champ texte ajouté. Le texte sera justifié selon les paramètres. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure du champ texte. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan au champ de texte. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Ajustement automatique: il est possible d'activer cette option lors l'activation de l'option Taille de champ fixe, cochez cette case pour ajuster automatiquement la police en fonction de la taille du champ. Champ de saisie à plusieurs lignes: il est possible d'activer cette option lors l'activation de l'option Taille de champ fixe, cochez cette case pour créer un champ à plusieurs lignes, sinon le champ va contenir une seule ligne de texte. Cliquez sur le champ texte ajouté et réglez le type, la taille et la couleur de la police, appliquez les styles de décoration et les styles de mise en forme. La mise en forme sera appliquée à l'ensemble du texte dans le champ. Créer une zone de liste déroulante Zone de liste déroulante comporte une liste déroulante avec un ensemble de choix modifiable. Pour ajouter une zone de liste déroulante, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Zone de liste déroulante . Le champ de formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé: une clé à grouper les zones de liste déroulante afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le nom de celle-là et appuyez sur Entrée, ensuite attribuez cette clé à chaque zone de liste déroulante. Choisissez la clé de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion. Espace réservé: saisissez le texte à afficher dans zone de liste déroulante. Le texte par défaut est Choisir un élément. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ du formulaire. Options de valeur: ajouter de nouvelles valeurs, supprimez-les , ou déplacez-les vers le haut et vers le bas de la liste. Taille de champ fixe: activez cette option pour fixer la taille du champ. Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure de la zone de liste déroulante. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan à la zone de liste déroulante. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Cliquez sur la flèche dans la partie droite de la Zone de liste déroulante ajoutée pour accéder à la liste d'éléments disponibles et choisir un élément approprié. Lorsque vous avez choisi un élément, vous pouvez modifier le texte affiché partiellement ou entièrement ou le remplacer du texte. Vous pouvez changer le style, la couleur et la taille de la police. Cliquez sur la zone de liste déroulante et suivez les instructions. La mise en forme sera appliquée à l'ensemble du texte dans le champ. Créer une liste déroulante Liste déroulante comporte une liste déroulante avec un ensemble de choix non modifiable. Pour ajouter une liste déroulante, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Liste déroulante . Le champ de formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé: une clé à grouper les listes déroulantes afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion. Espace réservé: saisissez le texte à afficher dans la liste déroulante. Le texte par défaut est Choisir un élément. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le champ du formulaire. Options de valeur: ajouter de nouvelles valeurs, supprimez-les , ou déplacez-les vers le haut et vers le bas de la liste. Taille de champ fixe: activez cette option pour fixer la taille du champ. Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure de la liste déroulante. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan à la liste déroulante. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Cliquez sur la flèche dans la partie droite de la Liste déroulante ajoutée pour accéder à la liste d'éléments disponibles et choisir un élément approprié. Créer une case à cocher Case à cocher fournit plusieurs options permettant à l'utilisateur de sélectionner autant de cases à cocher que nécessaire. Cases à cocher sont utilisées indépendamment, alors chaque case peut être coché et ou décoché. Pour insérer une case à cocher, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Case à cocher . Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé: une clé à grouper les cases à cocher afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur la case à cocher. Taille de champ fixe: activez cette option pour fixer la taille du champ. Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure de la case à cocher. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan à la case à cocher. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Cliquez sur la case pour la cocher. Créer un bouton radio Bouton radio fournit plusieurs options permettant à l'utilisateur de choisir une seule option parmi plusieurs possibles. Boutons radio sont utilisés en groupe, alors on ne peut pat choisir plusieurs boutons de la même groupe. Pour ajouter un bouton radio, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Bouton radio . Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé de groupe: pour créer un nouveau groupe de boutons radio, saisissez le nom du groupe et appuyez sur Entrée, ensuite attribuez le groupe approprié à chaque bouton radio. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur le bouton radio. Taille de champ fixe: activez cette option pour fixer la taille du champ. Un champ de taille fixe ressemble à une forme automatique. Vous pouvez définir le style d'habillage et ajuster son position. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure du bouton radio. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan au bouton radio. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Cliquez sur le bouton radio pour le choisir. Créer un champ image Images sont les champs du formulaire permettant d'insérer une image selon des limites définies, c-à-d, la position et la taille de l'image. Pour ajouter un champ d'image, positionnez le point d'insertion à la ligne du texte où vous souhaitez ajouter un champ, passez à l'onglet Formulaires de la barre d'outils supérieure, cliquez sur l'icône Image . Le champ du formulaire apparaîtra à la point d'insertion de la ligne de texte existante. Le menu Paramètres du formulaire s'affiche à droite. Clé: une clé à grouper les images afin de les remplir simultanément. Pour créer une nouvelle clé, saisissez le titre de celle-là et appuyez sur Entrée, ensuite attribuez cette clé aux champs du formulaire en choisissant de la liste déroulante. Message Champs connectés: 2/3/... s'affiche. Pour déconnecter les champs, cliquez sur Déconnexion. Espace réservé: saisissez le texte à afficher dans le champ d'image. Le texte par défaut est Cliquer pour télécharger l'image. Conseil: saisissez le texte à afficher quand l'utilisateur fait passer la souris sur la bordure inférieure de l'image. Mise à l'échelle: cliquez sur la liste déroulante et sélectionnez l'option de dimensionnement de l'image appropriée: Toujours, Jamais, lorsque L'image semble trop grande ou L'image semble trop petite. L'image sélectionnée sera redimensionnée dans le champ en fonction de l'option choisie. Verrouiller les proportions: cochez cette case pour maintenir le rapport d'aspect de l'image sans la déformer. Lors l'activation de cette option, faites glisser le curseur vertical ou horizontal pour positionner l'image à l'intérieur du champ ajouté. Si la case n'est pas cochée, les curseurs de positionnement ne sont pas activés. Sélectionnez une image: cliquez sur ce bouton pour télécharger une image Depuis un fichier, à partir d'une URL ou à partir de l'espace de stockage. Couleur de bordure: cliquez sur l'icône pour définir la couleur de bordure du champ avec l'image. Sélectionnez la couleur appropriée des bordures dans la palette. Le cas échéant, vous pouvez ajouter une couleur personnalisée. Couleur d'arrière-plan: cliquez sur l'icône pour ajouter la couleur d'arrière-plan au champ avec l'image. Sélectionnez la couleur appropriée de la palette Couleurs du thème, Couleurs standard ou ajoutez une nouvelle couleur personnalisée, le cas échéant. Pour remplacer une image, cliquez sur l'icône d'image au-dessus de la bordure de champ image et sélectionnez une autre image. Pour paramétrer l'image, accédez à l'onglet Paramètres de l'image sur la barre latérale droite. Pour en savoir plus, veuillez consulter les instructions sur paramètres d'image. Mettre le formulaire en surbrillance Vous pouvez mettre en surbrillance les champs du formulaire ajoutés avec une certaine couleur. Pour mettre les champs en surbrillance, accéder aux Paramètres de surbrillance sous l'onglet Formulaire de la barre d'outils supérieure, choisissez une couleur de la palette de Couleurs standard. Le cas échéant, vous pouvez ajouter une couleur personnalisée, pour supprimer la mise en surbrillance actuelle, utilisez l'option Pas de surbrillance. Les options de surbrillance activées seront appliquées à tous les champs du formulaire actuel. Remarque: La bordure du champ du formulaire n'est pas visible lorsque vous sélectionnez ce champ. Ces bordures sont non imprimables. Voir le formulaire Remarque: Les options de modification ne sont pas disponibles lorsque vous activez le mode Voir le formulaire. Cliquez sur le bouton Voir le formulaire sous l'onglet Formulaire de la barre d'outils supérieure, pour afficher un aperçu du formulaire sur un document. Pour quitter le mode d'aperçu, cliquer sur la même icône encore une fois. Déplacer les champs du formulaire Il est possible de déplacer les champs du formulaire vers un autre emplacement du document: cliquez sur le bouton à gauche de la bordure de contrôle et faites la glisser vers un autre emplacement sans relâcher le bouton de la souris. Vous pouvez également copier et coller les champs du formulaire: sélectionnez le champ approprié et appuyez sur le raccourci Ctrl+C/Ctrl+V. Rendre un champ de formulaire obligatoire Pour rendre un champ de formulaire obligatoire, activez l'option Requis. Les champs obligatoires auront une bordure rouge. On ne peut pas soumettre le formulaire jusqu'à ce que tous les champs obligatoires soient remplis. Verrouiller les champs du formulaire Pour empêcher toute la modification ultérieure des champs du formulaire, appuyez sur l'icône Verrou. La fonctionnalité de remplissage reste disponible. Effacer les champs du formulaire Pour effacer tous les champs ajoutés et supprimer toutes les valeurs, cliquez sur le bouton Effacer tous les champs sous l'onglet Formulaires de la barre d'outils supérieure. Naviguer, afficher et enregistrer un formulaire passez à l'onglet Formulaires de la barre d'outils supérieure. Naviguez entre les champs du formulaire en utilisant les boutons Champ précédent et Champ suivant de la barre d'outil supérieure. Une fois terminé, cliquez sur le bouton Enregistrer sous oform de la barre d'outils supérieure pour enregistrer le formulaire au format OFORM prêt à remplir. Vous pouvez sauvegarder autant de formulaires au format OFORM que vous le souhaitez. Supprimer les champs du formulaire Pour supprimer un champ du formulaire et garder tous son contenu, sélectionnez-le et cliquez sur l'icône Supprimer (assurez-vous que le champ n'est pas verrouillé) ou appuyez sur la touche Supprimer du clavier." }, { "id": "UsageInstructions/CreateLists.htm", @@ -172,14 +192,19 @@ var indexes = }, { "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 dans Document Editor. 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." + "title": "Comment faire une table des matières sur document Word", + "body": "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é. Structure des titres dans la table des matières Formater les titres Tout d'abord, formatez les titres dans votre document en utilisant l'un des styles prédéfinis dans Document Editor. 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", "title": "Appliquer les styles de police", "body": "Dans Document Editor, 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. 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. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Exposant Sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice Sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Pour accéder aux paramètres avancés de la police, cliquez avec 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 Paragraphe - Paramètres avancés ouverte passez à l'onglet Police. Ici vous pouvez utiliser les styles de décoration de police et les paramètres suivants : Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Position permet de définir la position des caractères (décalage vertical) dans la ligne. Augmentez la valeur par défaut pour déplacer les caractères vers le haut ou diminuez la valeur par défaut pour les déplacer vers le bas. Utilisez les touches fléchées ou entrez la valeur voulue dans la case.Tous les changements seront affichés dans le champ de prévisualisation ci-dessous." }, + { + "id": "UsageInstructions/FillingOutForm.htm", + "title": "Remplir un formulaire", + "body": "Un formulaire à remplir est le fichier au format OFORM. OFORM est un format de fichier destiné à remplir; à télécharger ou à imprimer des modèles de formulaires une fois que vous avez terminé de le remplir. Comment remplir un formulaire: Ouvrez le formulaire au format OFORM. Remplissez tous les champs obligatoires. La bordure des champs obligatoires est rouge. Utilisez ou dans la barre d'outils supérieure pour naviguer entre les champs ou cliquez sur le champ à remplir. Utilisez le bouton Effacer tous les champs pour vider tous les champs de saisie. Une fois tous les champs remplis, cliquez sur Enregistrer comme PDF pour sauvegarder le formulaire sur votre ordinateur en tant que fichier PDF. Cliquer sur dans le coin droit de la barre d'outils supérieure pour accéder aux options supplémentaires. Vous pouvez Imprimer, Télécharger en tant que docx ou Télécharger en tant que pdf. Il est même possible de modifier le Thème d'interface en choisissant Claire, Classique claire ou Sombre. Une fois le Thème d'interface sombre activé, l'option Mode sombre devient disponible. Zoom permet de mettre à l'échelle et de redimensionner la page en utilisant des options Ajuster à la page, Ajuster à la largeur et l'outil pour régler le niveau de Zoom: Ajuster à la page sert à redimensionner la page pour afficher une page entière sur l'écran. Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran. Outil Zoom sert à zoomer et dézoomer sur une page. Ouvrir l'emplacement de fichier lorsque vous avez besoin d'accéder le dossier où le fichier est stocké." + }, { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Définir le type de police, la taille et la couleur", @@ -198,7 +223,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insérer les formes automatiques", - "body": "Insérer une forme automatique Pour insérer une forme automatique à votre document dans Document Editor, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles : 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 du jeux de couleurs disponible 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 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. Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique. Pour modifier la largeur du ligne, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de ligne. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Pour modifier le type de contour, sélectionnez l'option voulue dans la liste déroulante correspondante (une ligne continue est appliquée par défaut, vous pouvez la remplacer par l'une des lignes pointillées disponibles). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner 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). En ligne 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. La section Rembourrage texte 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 dans Document Editor, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, 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. Imprimer la sélection sert à imprimer la partie sélectionnée du document. Accepter / Rejeter les modifications sert à accepter ou rejeter des modifications suivies dans un document partagé. Modifier les points sert à personnaliser ou modifier le contour d'une forme. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité. Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu. 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 du jeux de couleurs disponible 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 sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé. Radial - 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 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. Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique. Pour modifier la largeur du ligne, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de ligne. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Pour modifier le type de contour, sélectionnez l'option voulue dans la liste déroulante correspondante (une ligne continue est appliquée par défaut, vous pouvez la remplacer par l'une des lignes pointillées disponibles). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner 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). En ligne 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. La section Rembourrage texte 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", @@ -208,12 +233,12 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Insérer des graphiques", - "body": "Insérer un graphique Pour insérer un graphique dans Document Editor, placez le curseur à l'endroit où vous voulez insérer un graphique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: et pour copier et coller des données et pour annuler et rétablir une action pour insérer une fonction, et pour réduire et ajouter une décimale modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi pour modifier le type de graphique. Cliquez sur le bouton Sélection de données dans la fenêtre Éditeur du graphique. La fenêtre Données du graphique s'affiche. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique
      - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur le bouton Modifier le type de graphique dans la fenêtre Éditeur du graphique pour choisir le type et le style du graphique. Sélectionnez le graphique approprié dans des sections disponibles: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier. Lorsque vous choisissez Graphiques Combo, la fenêtre Type de graphique représente les séries du graphiques et permet de choisir les types de graphiques à combiner et de sélectionner la série de données à placer sur l'axe secondaire. paramétrer le graphique en cliquant sur Modifier le graphique dans la fenêtre Éditeur du graphique. La fenêtre Graphique - Paramètres avancés s'affiche. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Aucun pour ne pas afficher de légende, Bas pour afficher la légende et l'aligner au bas de la zone de tracé, Hautpour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À
      droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Déplacer et redimensionner des graphiques Une fois le graphique ajouté, on peut également 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 le graphique. 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 approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à 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 graphique, 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 de 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 ) 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é. 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). En ligne - 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'. Cet onglet contient les paramètres suivants qui varient selon le type d'habillage sélectionné: La section Horizontal vous permet de sélectionner l'un des trois types de positionnement 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." + "body": "Insérer un graphique Pour insérer un graphique dans Document Editor, placez le curseur à l'endroit où vous voulez insérer un graphique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Remarque: ONLYOFFICE Document Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier. lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: et pour copier et coller des données et pour annuler et rétablir une action pour insérer une fonction, et pour réduire et ajouter une décimale modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi pour modifier le type de graphique. Cliquez sur le bouton Sélection de données dans la fenêtre Éditeur du graphique. La fenêtre Données du graphique s'affiche. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur le bouton Modifier le type de graphique dans la fenêtre Éditeur du graphique pour choisir le type et le style du graphique. Sélectionnez le graphique approprié dans des sections disponibles: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier. Lorsque vous choisissez Graphiques Combo, la fenêtre Type de graphique représente les séries du graphiques et permet de choisir les types de graphiques à combiner et de sélectionner la série de données à placer sur l'axe secondaire. paramétrer le graphique en cliquant sur Modifier le graphique dans la fenêtre Éditeur du graphique. La fenêtre Graphique - Paramètres avancés s'affiche. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Aucun pour ne pas afficher de légende, Bas pour afficher la légende et l'aligner au bas de la zone de tracé, Hautpour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Déplacer et redimensionner des graphiques Une fois le graphique ajouté, on peut également 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 le graphique. 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 approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à 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 graphique, 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 de 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 ) 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é. 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). En ligne - 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'. Cet onglet contient les paramètres suivants qui varient selon le type d'habillage sélectionné: La section Horizontal vous permet de sélectionner l'un des trois types de positionnement 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": "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. ONLYOFFICE Document Editor permet d'ajouter les contrôles de contenu classiques, c'est à dire les contrôles qui sont entièrement rétrocompatible avec les éditeurs tiers tels que Microsoft Word. 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 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 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 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 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 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 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 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 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 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 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 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 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 article pour 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." + "body": "ONLYOFFICE Document Editor permet d'ajouter les contrôles de contenu traditionnels, c'est à dire les contrôles qui sont entièrement rétrocompatible avec les éditeurs alternatifs tels que Microsoft Word. Actuellement, ONLYOFFICE Document Editor prend en charge les contrôles de contenu traditionnels tels que Texte brut, Texte enrichi, Image, Zone de liste déroulante, Liste déroulante, Date, Case à cocher. Texte brut 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 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 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 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 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 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 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 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 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 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 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 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 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 article pour 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", @@ -248,7 +273,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer des images", - "body": "Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants: BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans votre document de texte, placez le curseur là où vous voulez insérer 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 Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image 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 Ligne 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). En ligne - 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." + "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 Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image 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 Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix: Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme. Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées. Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée. 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 Ligne 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). En ligne - 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", @@ -287,8 +312,8 @@ var indexes = }, { "id": "UsageInstructions/MathAutoCorrect.htm", - "title": "Fonctionnalités de correction automatique", - "body": "Les fonctionnalités de correction automatique ONLYOFFICE Document Editor fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus. Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique. La boîte de dialogue Correction automatique comprend quatre onglets: AutoMaths, Fonctions reconnues, Mise en forme automatique au cours de la frappe et Correction automatique de texte. 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 Correction automatique de texte Il est possible d'activer la correction automatique pour convertir en majuscule la première lettre des phrases. Par défaut, cette option est activée. Pour la désactiver, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> Correction automatique de texte et désactivez l'option Majuscule en début de phrase." + "title": "AutoCorrect Features", + "body": "The AutoCorrect features in ONLYOFFICE Document Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents, and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. Note: The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Document Editor. The full list of the supported codes can also be found on the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat As You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate. By default, this option is disabled for Linux and Windows, and is enabled for macOS. To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." }, { "id": "UsageInstructions/NonprintingCharacters.htm", @@ -322,8 +347,8 @@ var indexes = }, { "id": "UsageInstructions/SavePrintDownload.htm", - "title": "Enregistrer / exporter / imprimer votre document", - "body": "Enregistrer /exporter / imprimer votre document Enregistrement Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer le fichier dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer un fragment de texte en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." + "title": "Enregistrer, exporter, imprimer votre document", + "body": "Enregistrement Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB,DOCXF, OFORM. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer le fichier dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer un fragment de texte en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." }, { "id": "UsageInstructions/SectionBreaks.htm", @@ -350,6 +375,11 @@ var indexes = "title": "Lire un texte à haute voix", "body": "ONLYOFFICE Document Editor 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/SupportSmartArt.htm", + "title": "Prise en charge des graphiques SmartArt par ONLYOFFICE Document Editor", + "body": "Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Document Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique: Paramètres du paragraphe pour modifier les retraits et l'espacement, les enchaînements, les bordures et le remplissage, la police, les taquets et les marges intérieures. Veuillez consulter la section Mise en forme de paragraphe pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, la taille, le style d'habillage, la position, les poids et les flèches, la zone de texte et le texte de remplacement. Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Faites un clic droit sur la bordure du graphique SmartArt ou de ses éléments pour accéder aux options suivantes: L'option Style d'habillage permet de déterminer la façon de positionner l'objet par rapport au texte. L'option Style d'habillage ne devient disponible que pour le graphique SmartArt entier. Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour des éléments du graphique SmartArt. Insérer une légende pour étiqueter des éléments du graphique SmartArt pour faire un renvoi. Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme. Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes: Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas. Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut. Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe. En tant que style pour modifier le style de mise en forme actuel." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Remplacer un mot par synonyme", @@ -363,12 +393,12 @@ var indexes = { "id": "UsageInstructions/UseMailMerge.htm", "title": "Utiliser le Publipostage", - "body": "Remarque : cette option n'est disponible que dans la version en ligne. Dans Document Editor, 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." + "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 et sélectionnez l'emplacement de la source de données: Depuis un fichier, À partir de l'URL ou À partir de l'espace de stockage. Sélectionnez le fichier nécessaire ou collez l'adresse 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é dans Document Editor, 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." + "body": "Pour accéder aux informations détaillées sur le document actuellement édité dans Document Editor, 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 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." }, { "id": "UsageInstructions/Wordpress.htm", diff --git a/apps/documenteditor/main/resources/help/images/icons/favorites_icon.png b/apps/documenteditor/main/resources/help/images/icons/favorites_icon.png index 5463fa7cf..d3dee491d 100644 Binary files a/apps/documenteditor/main/resources/help/images/icons/favorites_icon.png and b/apps/documenteditor/main/resources/help/images/icons/favorites_icon.png differ diff --git a/apps/documenteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm index 648b639ac..f342f6387 100644 --- a/apps/documenteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm @@ -181,13 +181,13 @@ Zoom In Ctrl++ - ^ Ctrl+=,
      ⌘ Cmd+= + ^ Ctrl+= Zoom in the currently edited document. Zoom Out Ctrl+- - ^ Ctrl+-,
      ⌘ Cmd+- + ^ Ctrl+- Zoom out the currently edited document. diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/FileTab.htm index dc73142af..32e23912c 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/FileTab.htm @@ -17,7 +17,7 @@

      Scheda File

      La scheda File consente di eseguire alcune operazioni di base sul file corrente.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda File

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/HomeTab.htm index ced3b9e06..31aee1ca9 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/HomeTab.htm @@ -17,7 +17,7 @@

      Scheda Home

      La scheda Home si apre per impostazione predefinita quando si apre un documento. Permette di formattare caratteri e paragrafi. Qui sono anche disponibili alcune altre opzioni, come Stampa unione e Cambia combinazione colori.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Home

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/InsertTab.htm index 176b96845..9d6209f76 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/InsertTab.htm @@ -17,7 +17,7 @@

      Scheda Inserisci

      La scheda Inserisci consente di aggiungere alcuni elementi di formattazione della pagina, nonché oggetti visivi e commenti.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Inserisci

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/LayoutTab.htm index d1ff980d0..5569292b8 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/LayoutTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/LayoutTab.htm @@ -17,7 +17,7 @@

      Scheda Layout di Pagina

      La scheda Layout di Pagina consente di modificare l'aspetto del documento: impostare i parametri della pagina e definire la disposizione degli elementi visivi.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Layout di Pagina

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm index 617ecd4e7..cde9cf519 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm @@ -17,7 +17,7 @@

      Scheda Plugin

      La scheda Plugin consente di accedere a funzionalità di modifica avanzate utilizzando i componenti di terze parti disponibili. Qui puoi anche usare le macro per semplificare le operazioni di routine.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Plugin

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm index 6a3fd0d05..59c0df39f 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm @@ -15,7 +15,7 @@

      Presentazione dell'interfaccia utente dell'Editor di Documenti

      -

      L’editor di Documenti utilizza un'interfaccia a schede in cui i comandi di modifica sono raggruppati in schede in base alla funzionalità.

      +

      L’editor di Documenti utilizza un'interfaccia a schede in cui i comandi di modifica sono raggruppati in schede in base alla funzionalità.

      Finestra dell’Editor di Documenti Online:

      Finestra dell’Editor di Documenti Online

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/ReferencesTab.htm index 6e678c2fc..7b4222327 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/ReferencesTab.htm @@ -17,7 +17,7 @@

      Scheda Riferimenti

      La scheda Riferimenti consente di gestire diversi tipi di riferimenti: aggiungere e aggiornare un sommario, creare e modificare note a piè di pagina, inserire collegamenti ipertestuali.

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Riferimenti

      diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/ReviewTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/ReviewTab.htm index 7c1932c6f..ffa37754a 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/ReviewTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/ReviewTab.htm @@ -17,7 +17,7 @@

      Scheda Collaborazione

      La scheda Collaborazione consente di organizzare il lavoro collaborativo sul documento. Nella versione online è possibile condividere il file, selezionare una modalità di co-editing, gestire i commenti, tenere traccia delle modifiche apportate da un revisore, visualizzare tutte le versioni e le revisioni. Nella modalità di commento, è possibile aggiungere e rimuovere commenti, navigare tra le modifiche rilevate, utilizzare la chat e visualizzare la cronologia delle versioni. Nella versione desktop è possibile gestire i commenti e utilizzare la funzione Traccia cambiamenti..

      -

      Finestra dell’Editor di Documenti Online:

      +

      Finestra dell’Editor di Documenti Online:

      Scheda Collaborazione

      diff --git a/apps/documenteditor/main/resources/help/ru/Contents.json b/apps/documenteditor/main/resources/help/ru/Contents.json index 717546037..8fa3938b9 100644 --- a/apps/documenteditor/main/resources/help/ru/Contents.json +++ b/apps/documenteditor/main/resources/help/ru/Contents.json @@ -5,7 +5,9 @@ {"src": "ProgramInterface/InsertTab.htm", "name": "Вкладка Вставка"}, {"src": "ProgramInterface/LayoutTab.htm", "name": "Вкладка Макет" }, {"src": "ProgramInterface/ReferencesTab.htm", "name": "Вкладка Ссылки"}, - {"src": "ProgramInterface/ReviewTab.htm", "name": "Вкладка Совместная работа"}, + {"src": "ProgramInterface/FormsTab.htm", "name": "Вкладка Формы"}, + { "src": "ProgramInterface/ReviewTab.htm", "name": "Вкладка Совместная работа" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Вкладка Вид"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Вкладка Плагины" }, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Создание нового документа или открытие существующего", "headername": "Базовые операции" }, {"src":"UsageInstructions/CopyPasteUndoRedo.htm", "name": "Копирование/вставка текста, отмена/повтор действий"}, @@ -44,6 +46,7 @@ {"src":"UsageInstructions/InsertAutoshapes.htm", "name": "Вставка автофигур"}, {"src":"UsageInstructions/InsertCharts.htm", "name": "Вставка диаграмм" }, { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Вставка текстовых объектов" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Поддержка SmartArt" }, { "src": "UsageInstructions/AddCaption.htm", "name": "Добавление названий" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Вставка символов и знаков" }, {"src":"UsageInstructions/AlignArrangeObjects.htm", "name": "Выравнивание и упорядочивание объектов на странице" }, @@ -51,6 +54,8 @@ {"src": "UsageInstructions/InsertContentControls.htm", "name": "Вставка элементов управления содержимым" }, {"src": "UsageInstructions/CreateTableOfContents.htm","name": "Создание оглавления"}, {"src": "UsageInstructions/AddTableofFigures.htm", "name": "Вставка и форматирование списка иллюстраций" }, + { "src": "UsageInstructions/CreateFillableForms.htm", "name": "Создание заполняемых форм", "headername": "Заполняемые формы" }, + { "src": "UsageInstructions/FillingOutForm.htm", "name": "Заполнение формы" }, {"src":"UsageInstructions/UseMailMerge.htm", "name": "Использование слияния", "headername": "Слияние"}, { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, {"src":"HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование документа", "headername": "Совместное редактирование документов"}, @@ -59,7 +64,8 @@ {"src":"UsageInstructions/ViewDocInfo.htm", "name": "Просмотр сведений о документе", "headername": "Инструменты и настройки"}, {"src":"UsageInstructions/SavePrintDownload.htm", "name": "Сохранение/скачивание/печать документа" }, {"src":"HelpfulHints/AdvancedSettings.htm", "name": "Дополнительные параметры редактора документов" }, - {"src":"HelpfulHints/Navigation.htm", "name": "Параметры представления и инструменты навигации"}, + {"src": "HelpfulHints/Navigation.htm", "name": "Параметры представления и инструменты навигации" }, + {"src": "HelpfulHints/Viewer.htm", "name": "Просмотрщик документов ONLYOFFICE"}, {"src":"HelpfulHints/Search.htm", "name": "Функция поиска и замены"}, { "src": "HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии" }, {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Функции автозамены" }, diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index 62d7b1434..5fed7e6d6 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -24,6 +24,12 @@
    3. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты в тексте документа. Просмотреть такие комментарии можно только при нажатии на значок Комментарии
      на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии в тексте документа.
    4. +
    5. Отображение изменений при рецензировании используется для выбора способа отображения изменений: +
        +
      • Показывать при клике в выносках отображает изменение в выноске, когда вы нажимаете на отслеживаемое изменение;
      • +
      • Показывать при наведении в подсказках отображает всплывающую подсказку при наведении указателя мыши на отслеживаемое изменение.
      • +
      +
    6. Проверка орфографии - используется для включения/отключения опции проверки орфографии.
    7. Правописание - используется для автоматической замены слова или символа, введенного в поле Заменить: или выбранного из списка, на новое слово или символ, отображенные в поле На:.
    8. Альтернативный ввод - используется для включения/отключения иероглифов.
    9. @@ -49,7 +55,9 @@
      • Светлая цветовая гамма включает стандартные синий, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время.
      • Светлая классическая цветовая гамма включает стандартные синий, белый и светло-серый цвета.
      • -
      • Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время.
      • +
      • Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. +

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

        +
    10. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру страницы или По ширине.
    11. diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index 72a5f01e1..f722c3092 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -79,16 +79,28 @@
    12. нажмите кнопку Добавить.

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

    -

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

    в левом верхнем углу верхней панели инструментов.

    -

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

    .

    -

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

    +

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

    +

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

    +

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

      -
    • отредактируйте выбранный комментарий, нажав значок
      ,
    • -
    • удалите выбранный комментарий, нажав значок
      ,
    • -
    • закройте выбранное обсуждение, нажав на значок
      , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок
      . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда вы нажмете на значок
      ,
    • +
    • + отсортируйте добавленные комментарии, нажав на значок Значок Сортировка: +
        +
      • по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию.
      • +
      • по автору: По автору от А до Я или По автору от Я до А
      • +
      • по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу.
      • +
      • по группе: Все или выберите определенную группу из списка. +

        Сортировать комментарии

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

    Добавление упоминаний

    +

    Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу.

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

    Чтобы добавить упоминание, введите знак "+" или "@" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK.

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

    diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Comparison.htm index 3fa212540..251c4ca1b 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Comparison.htm @@ -15,8 +15,7 @@

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

    -

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

    -

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

    +

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

    После сравнения и объединения двух документов результат будет сохранен на портале как новая версия исходного файла.

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

    diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm index d2d98f9ff..45c2355ad 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm @@ -17,6 +17,20 @@

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

    +

    Подсказки для клавиш

    +

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

    +
      +
    1. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния.
    2. +
    3. + Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. +

      Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам.

      +

      Первичные подсказки для клавиш

      +

      Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки.

      +

      Дополнительные подсказки для клавиш

      +

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

      +
    4. +
    5. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш.
    6. +
    • Windows/Linux
    • -

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

      +

      Примечание*: формат OFORM — это формат заполнения формы. Поэтому только поля формы доступны для редактирования.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Viewer.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Viewer.htm new file mode 100644 index 000000000..02410066d --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Viewer.htm @@ -0,0 +1,104 @@ + + + + Просмотрщик документов ONLYOFFICE + + + + + + + +
      +
      + +
      +

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

      +

      Вы можете использовать Просмотрщик документов ONLYOFFICE для открытия и просмотра файлов PDF, XPS, DjVu.

      +

      Просмотрщик документов ONLYOFFICE позволяет:

      +
        +
      • просматривать файлы PDF, XPS, DjVu,
      • +
      • добавлять комментарии при помощи чата,
      • +
      • перемещаться между файлами при помощи навигационной панели, а также просматривать эскизы страниц,
      • +
      • использовать инструмент выделения и инструмент "Рука",
      • +
      • распечатывать и скачивать файлы,
      • +
      • использовать внутренние и внешние ссылки,
      • +
      • + получать доступ к дополнительным параметрам редактора и просмотреть информацию о документе при помощи вкладки Файл или кнопки Параметры вида: +
          +
        • Размещение (доступно только для онлайн-версии версии) - папка в модуле Документы, в которой хранится файл.
        • +
        • Владелец (доступно только для онлайн-версии версии) - имя пользователя, который создал файл.
        • +
        • Загружен (доступно только для онлайн-версии версии) - дата и время загрузки файла.
        • +
        • Статистика - количество страниц, абзацев, слов, символов, символов с пробелами.
        • +
        • Размер страницы — размеры страниц в файле.
        • +
        • Последнее изменение - дата и время последнего изменения файла.
        • +
        • Создан — дата и время создания документа.
        • +
        • Приложение - приложение, в котором был создан документ.
        • +
        • Автор - имя человека, создавшего файл.
        • +
        • Производитель PDF — приложение, используемое для преобразования документа в формат PDF.
        • +
        • Версия PDF - версия файла PDF.
        • +
        • PDF с тегами - показывает, содержит ли файл PDF теги.
        • +
        • Быстрый веб-просмотр - показывает, включен ли быстрый веб-просмотр для документа.
        • +
        +
      • +
      • использовать плагины +
          +
        • Плагины, доступные в десктопной версии: Переводчик, Send, Синонимы.
        • +
        • Плагины, доступные в онлайн-версии: Controls example, Get and paste html, Telegram, Типограф, Count word, Речь, Сининимы, Переводчик.
        • +
        +
      • +
      +

      Интерфейс Просмотрщика документов ONLYOFFICE:

      +

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

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

        Напечатать файл Напечатать позволяет распечатать файл;

        +

        Скачать файл Скачать позволяет скачать файл на ваш компьютер;

        +

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

        +

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

        +

        Избранное Добавить в избранное / Удалить из избранного чтобы легко и быстро найти файл, щелкните пустую звездочку. Этот файл будет добавлен в избранное. Щелкните заполненную звездочку, чтобы удалить файл из избранного. Добавленный файл — это ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из его исходного местоположения;

        +

        Параметры вида Параметры вида позволяет настроить Параметры представления и получить доступ к Дополнительным параметрам редактора;

        +

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

        +
      2. +
      3. В Строке состояния, расположенной в нижней части окна Просмотрщика документов ONLYOFFICE, указывается номер страницы и отображаются фоновые уведомления о состоянии. В строке находятся следующие инструменты: +

        Инструмент выделения Инструмент выделения позволяет выделять текст в файле.

        +

        Инструмент Рука Инструмент "Рука" позволяет перетаскивать и прокручивать страницу.

        +

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

        +

        По ширине По ширине позволяет изменить размер страницы, чтобы она соответствовала ширине экрана.

        +

        Масштаб Масштаб позволяет увеличивать и уменьшать масштаб страницы.

        +
      4. +
      5. + На Левой боковай панели находятся следующие значки: +
          +
        • Значок Поиск - позволяет использовать инструмент поиска и замены,
        • +
        • Значок Чата (доступно только в онлайн-версии) - позволяет открыть панель Чата,
        • +
        • + Значок Навигация - позволяет открыть панель Навигации, на которой отображается список всех заголовков с учетом соответствующих уровней вложенности. Щелкните на заголовок, чтобы перейти к странице, содержащую выбранный заголовок. +

          NavigationPanel +

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

          +
            +
          • Развернуть все - чтобы развернуть все уровни заголовков на панели Навигации.
          • +
          • Свернуть все - чтобы свернуть все уровни заголовков, кроме уровня 1, на панели Навигации.
          • +
          • Развернуть до уровня - чтобы развернуть структуру заголовков до выбранного уровня. Например, если выбрать уровень 3, то будут развернуты уровни 1, 2 и 3, а уровень 4 и все более низкие уровни будут свернуты.
          • +
          +

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

          +

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

          +
        • +
        • + Эскизы страниц - позволяет отображать эскизы страниц для быстрой навигаци по документу. Щелкните на значок Значок Настройки эскизов на панели Миниатюры страниц, чтобы получить доступ к Параметрам эскизов: +

          Параметры эскизов страниц

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

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

          +
        • +
        • Значок Обратная связь и поддержка - позволяет обратиться в службу технической поддержки,
        • +
        • Значок О программе - позволяет посмотреть информацию о программе.
        • +
        +
      6. +
      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm index dca381420..13de8c6fa 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm @@ -15,7 +15,7 @@

      Вкладка Файл

      -

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

      +

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

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

      Вкладка Файл

      diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FormsTab.htm new file mode 100644 index 000000000..2e515b99b --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FormsTab.htm @@ -0,0 +1,46 @@ + + + + Вкладка Формы + + + + + + + +
      +
      + +
      +

      Вкладка Формы

      +

      эта вкладка доступна только для файлов DOCXF.

      +

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

      +
      +

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

      +

      Вкладка Формы

      +
      +
      +

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

      +

      Вкладка Формы

      +
      +

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

      + +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm index 9d2ccfcb0..0feb9b88a 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm @@ -15,7 +15,7 @@

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

      -

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

      +

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

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

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

      diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index b2fd321ad..fe832821e 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -16,8 +16,7 @@

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

      -

      Что такое вкладка Вставка?

      -

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

      +

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

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

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

      @@ -26,7 +25,6 @@

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

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

      -

      Назначение вкладки Вставка

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

      • вставлять пустую страницу,
      • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm index fca45254d..7c899d837 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm @@ -16,8 +16,7 @@

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

        -

        Что такое вкладка Макет?

        -

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

        +

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

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

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

        @@ -26,7 +25,6 @@

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

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

        -

        Назначение вкладки Макет

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

        • настраивать поля, ориентацию, размер страницы,
        • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index 1a32ae940..3d3fcc542 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -37,10 +37,10 @@
        • Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения.
        -
      • На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Защита, Плагины. -

        Опции

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

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

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

      • -
      • В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, "Все изменения сохранены" и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб.
      • +
      • В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, "Все изменения сохранены", "Соединение потеряно", когда нет соединения, и редактор пытается переподключиться и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб.
      • На Левой боковой панели находятся следующие значки:
        • - позволяет использовать инструмент поиска и замены,
        • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm index 37a2f3b64..0655e45bb 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm @@ -15,7 +15,7 @@

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

          -

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

          +

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

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

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

          diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm index b722e4fd8..1b932ae50 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm @@ -15,7 +15,7 @@

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

          -

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

          +

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

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

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

          diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..543473708 --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm @@ -0,0 +1,45 @@ + + + + Вкладка Вид + + + + + + + +
          +
          + +
          +

          Вкладка Вид

          +

          + Вкладка Вид Редактора документов позволяет управлять тем, как выглядит ваш документ во время работы над ним. +

          +
          +

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

          +

          Вкладка Вид

          +
          +
          +

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

          +

          Вкладка Вид

          +
          +

          На этой вкладке доступны следующие параметры просмотра:

          +
            +
          • Навигация - позволяет отображать заголовки в документе и перемещаться по ним,
          • +
          • Масштаб - позволяет увеличивать и уменьшать масштаб документа,
          • +
          • По размеру страницы - позволяет изменить размер страницы, чтобы на экране отображалась вся страница,
          • +
          • По ширине - позволяет изменить размер страницы, чтобы она соответствовала ширине экрана,
          • +
          • Тема интерфейса - позволяет изменить тему интерфейса на Светлую, Классическую светлую или Темную,
          • +
          • Параметр Темный документ становится активным, когда включена Темная тема. Нажмите на нее, чтобы сделать рабочую область темной.
          • +
          +

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

          +
            +
          • Всегда показывать панель инструментов - чтобы верхняя панель инструментов всегда отображалась,
          • +
          • Строка состояния - чтобы строка состояния всегда отображалась,
          • +
          • Линейки - всегда отображать линейки.
          • +
          +
          + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddWatermark.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddWatermark.htm index adf915bfd..036297889 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddWatermark.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddWatermark.htm @@ -25,10 +25,10 @@
        • Используйте опцию Текстовая подложка и настройте доступные параметры:

          Окно Параметры подложки

            -
          • Язык - выберите из списка один из доступных языков,
          • +
          • Язык - выберите язык водяного знака. Доступны следующие языки: английский, французский, немецкий, итальянский, японский, китайский, русский, испанский.
          • Текст - выберите один из доступных примеров текста на выбранном языке. Для русского языка доступны следующие тексты подложки: ДЛЯ СЛУЖЕБНОГО ПОЛЬЗОВАНИЯ, ДСП, КОПИРОВАТЬ НЕ РАЗРЕШАЕТСЯ, КОПИЯ, ЛИЧНОЕ, ОБРАЗЕЦ, ОРИГИНАЛ, СЕКРЕТНО, СОВ. СЕКРЕТНО, СОВЕРШЕННО СЕКРЕТНО, СРОЧНО, ЧЕРНОВИК.
          • -
          • Шрифт - выберите название шрифта и его размер из соответствующих выпадающих списков. Используйте расположенные справа значки, чтобы задать цвет шрифта или применить один из стилей оформления шрифта: Полужирный, Курсив, Подчеркнутый, Зачеркнутый,
          • -
          • Полупрозрачный - установите эту галочку, если вы хотите применить прозрачность,
          • +
          • Шрифт - выберите название шрифта и его размер из соответствующих выпадающих списков. Используйте расположенные справа значки, чтобы задать цвет шрифта или применить один из стилей оформления шрифта: Полужирный, Курсив, Подчеркнутый, Зачеркнутый.
          • +
          • Полупрозрачный - установите эту галочку, если вы хотите применить прозрачность.
          • Расположение - выберите опцию По диагонали или По горизонтали.
        • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm index 667768c0b..b032db240 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm @@ -30,7 +30,8 @@

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

        Использование функции Специальная вставка

        -

        После вставки скопированного текста рядом со вставленным фрагментом текста появляется кнопка Специальная вставка

        . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки.

        +

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

        +

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

        При вставке текста абзаца или текста в автофигурах доступны следующие параметры:

        • Вставить - позволяет вставить скопированный текст, сохранив его исходное форматирование.
        • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateFillableForms.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateFillableForms.htm new file mode 100644 index 000000000..61a223c81 --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateFillableForms.htm @@ -0,0 +1,308 @@ + + + + Создание заполняемых форм + + + + + + + +
          +
          + +
          + +

          Создание заполняемых форм

          +

          Редактор Документов ONLYOFFICE позволяет с легкостью создавать заполняемые формы в ваших документах, таких как проекты соглашений или опросы.

          +

          Шаблон формы - это формат DOCXF, который предлагает ряд инструментов для создания заполняемых форм. Сохраните полученную форму как файл DOCXF, и у вас будет шаблон формы, который вы сможете совместно редактировать и просматривать. Чтобы сделать шаблон формы заполняемым и ограничить редактирование файла другими пользователями, сохраните его как файл OFORM. Чтобы узнать больше, пожалуйста, обратитесь к руководству по заполнению формы.

          +

          DOCXF и OFORM - это новые форматы ONLYOFFICE, которые позволяют создавать шаблоны форм и заполнять формы. Используйте онлайн или десктопную версию Редактора документов ONLYOFFICE, чтобы в полной мере использовать все возможности, связанные с формами.

          +

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

          +

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

          +

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

          +

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

          + +

          Создание нового Текстового поля

          +

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

          +
          +
          + Чтобы добавить текстовое поле, +
            +
          1. поместите курсор в то место, куда вы хотите поместить текстовое поле,
          2. +
          3. перейдите на вкладку Формы верхней панели инструментов,
          4. +
          5. + щелкните на значок текстовое поле иконка Текстовое поле. +
          6. +
          +

          текстовое поле

          +

          В указанном месте добавится текстовое поле, а на правой боковой панели откроется вкладка Параметры формы.

          +

          + параметры текстового поля +

            +
          • Ключ: ключ группировки полей для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому текстовому полю. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить.
          • +
          • Заполнитель: введите текст, который будет отображаться во вставленном текстовом поле. Значение «Введите ваш текст» установлено по умолчанию.
          • +
          • + Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на текстовое поле. +
            подсказка +
          • +
          • + Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Когда данная опция включена, также доступными становятся параметры Автоподбор и / или Многострочное поле.
            + Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. +
          • +
          • Максимальное число знаков: по умолчанию без ограничений; поставьте флажок и укажите максимальное количество символов в поле справа.
          • +
          • + Комбинировать символы: равномерно распределить текст внутри вставленного текстового поля и настроить его общий вид. Не устанавливайте флажок, чтобы сохранить настройки по умолчанию, или установите его, чтобы указать следующие параметры: +
              +
            • Ширина ячейки: введите необходимое значение или используйте стрелки справа, чтобы установить ширину вставляемого текстового поля. Текст внутри будет выровнен в соответствии с указанным значением.
            • +
            +
          • Цвет границ: щелкните на значок без заливки, чтобы выбрать цвет границ вставляемого текстового поля. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет.
          • +
          • Цвет фона: щелкните на значок без заливки чтобы выбрать цвет фона вставляемого текстового поля. Выберите подходящий цвет из палитры Цветов темыСтандартных цветов или создайте новый Пользовательский цвет.
          • +
          • Автоподбор: данный параметр можно включить только если выбран параметр Поле фиксированного размера. Установите флажок, чтобы размер шрифта автоматически соответствовал размеру поля.
          • +
          • Многострочное поле: данный параметр можно включить только если выбран параметр Поле фиксированного размера. Установите флажок, чтобы создать поле формы с несколькими строками, в противном случае текст будет занимать только одну строку.
          • +
          +

          +

          комбинировать символы

          +

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

          +
          +
          + + +

          Создание Поля со списком

          +

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

          +
          +
          + Чтобы добавить поле со списком, +
            +
          1. поместите курсор в то место, куда вы хотите поместить поле со списком,
          2. +
          3. перейдите на вкладку Формы верхней панели инструментов,
          4. +
          5. + щелкните на значок значок поле со списком Поле со списком. +
          6. +
          +

          поле со списком

          +

          В указанном месте добавится поле со списком, а на правой боковой панели откроется вкладка Параметры формы.

          +

          + параметры форм полей со списком +

            +
          • Ключ: ключ группировки полей со списком для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому полю со списком. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить.
          • +
          • Заполнитель: введите текст, который будет отображаться во вставленном поле со списком. По умолчанию установлено значение «Введите ваш текст».
          • +
          • + Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на поле со списком. +
            подсказка +
          • +
          • Параметры значений: добавьте добавить значение новые значения, удалите удалить значения их или переместите их вверх поднять значение и опустить значение вниз списка.
          • +
          • + Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера.
            + Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. +
          • +
          • Цвет границ: щелкните на значок без заливки, чтобы выбрать цвет границ вставляемого поля со списком. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет.
          • +
          • Цвет фона: щелкните на значок без заливки чтобы выбрать цвет фона вставляемого поля со списком. Выберите подходящий цвет из палитры Цветов темыСтандартных цветов или создайте новый Пользовательский цвет.
          • +
          +

          +

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

          +

          открытое поле со списком

          +
          +

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

          +
          + + +

          Создание Выпадающего списка

          +

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

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

          выпадающий список

          +

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

          +
            +
          • Ключ: ключ группировки выпадающих списков для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому выпадающему списку. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить.
          • +
          • Заполнитель: введите текст, который будет отображаться во вставленном выпадающем списке. По умолчанию установлено значение «Введите ваш текст».
          • +
          • + Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на выпадающий список. +
            подсказка +
          • +
          • Параметры значений: добавьте добавить значение новые значения, удалите удалить значения их или переместите их вверх поднять значение и опустить значение вниз списка.
          • +
          • + Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера.
            + Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. +
          • +
          • Цвет границ: щелкните на значок без заливки, чтобы выбрать цвет границ вставляемого поля выпадающего списка. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет.
          • +
          • Цвет фона: щелкните на значок без заливки чтобы выбрать цвет фона вставляемого поля выпадающего списка. Выберите подходящий цвет из палитры Цветов темыСтандартных цветов или создайте новый Пользовательский цвет.
          • +
          +

          +

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

          +

          открытый выпадающий список

          +
          +
          + + +

          Создание Флажков

          +

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

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

          поле флажка

          +

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

          +

          + параметры форм флажков +

            +
          • Ключ: ключ группировки флажков для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому флажку. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить.
          • +
          • + Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на флажок. +
            подсказка +
          • +
          • + Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера.
            + Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. +
          • +
          • Цвет границ: щелкните на значок без заливки, чтобы выбрать цвет границ вставляемого поля флажка. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет.
          • +
          • Цвет фона: щелкните на значок без заливки, чтобы выбрать цвет фона вставляемого поля флажка. Выберите подходящий цвет из палитры Цветов темыСтандартных цветов или создайте новый Пользовательский цвет.
          • +
          +

          +

          Чтобы установить флажок, щелкните по нему один раз.

          +

          выделенный флажок

          +
          +
          + + +

          Создание Переключателя

          +

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

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

          поле переключателя

          +

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

          +

          + параметры форм переключателя +

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

          +

          Чтобы включить переключатель, щелкните его один раз.

          +

          включенный переключатель

          +
          +
          + + +

          Создание Изображения

          +

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

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

          поле изображение

          +

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

          +

          + параметры форм изображения +

            +
          • Ключ: ключ группировки изображений для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому изображению. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить.
          • +
          • Заполнитель: введите текст, который будет отображаться во вставленном изображении. По умолчанию установлено значение «Нажмите, чтобы загрузить изображение».
          • +
          • + Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на нижнюю границу изображения. +
          • +
          • Когда масштабировать: откройте раскрывающееся меню и выберите соответствующий вариант изменения размера изображения: Всегда, Никогда, когда Изображение слишком большое или когда Изображение слишком маленькое. Выбранное изображение будет масштабироваться внутри поля соответствующим образом.
          • +
          • Сохранять пропорции: установите этот флажок, чтобы сохранить соотношение сторон изображения без искажения. Когда флажок установлен, используйте вертикальный и горизонтальный ползунки, чтобы расположить изображение внутри вставленного поля. Когда флажок снят, ползунки позиционирования неактивны.
          • +
          • Выбрать изображение: нажмите эту кнопку, чтобы загрузить изображение Из файла, По URL или Из хранилища.
          • +
          • Цвет границ: щелкните на значок без заливки, чтобы выбрать цвет границ вставляемого поля изображения. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет.
          • +
          • Цвет фона: щелкните на значок без заливки чтобы выбрать цвет фона вставляемого поля изображения. Выберите подходящий цвет из палитры Цветов темыСтандартных цветов или создайте новый Пользовательский цвет.
          • + +
          +

          +

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

          +

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

          +
          +
          + + +

          Цвет подсветки

          +

          Вы можете выделить вставленные поля формы определенным цветом.

          +
          +
          + Чтобы изменить цвет подсветки, +

          + параметры подсветки +

            +
          • на вкладке Формы верхней панели инструментов щелкните на Цвет подсветки,
          • +
          • выберите цвет из палитры Стандартных цветов. Вы также можете создать новый Пользовательский цвет,
          • +
          • чтобы удалить ранее измененный цвет подсветки, используйте опцию Без подсветки.
          • +
          +

          +

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

          +

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

          +
          +
          + +

          Просмотр форм

          +

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

          +

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

          +

          просмотр форм включен

          +

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

          + +

          Перемещение полей форм

          +

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

          +

          перемещение полей форм

          +

          Вы также можете копировать и вставлять поля формы: выберите нужное поле и используйте комбинации клавиш Ctrl + C / Ctrl + V.

          + +

          Создание обязательных полей

          +

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

          + +

          Блокировка полей форм

          +

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

          + +

          Очистка полей форм

          +

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

          + +

          Заполнение и отправка форм

          +

          панель заполнения форм

          +

          Перейдите на вкладку Формы верхней панели инструментов.

          +

          Перемещайтесь по полям формы с помощью кнопок Значок предыдущее поле Предыдущее поле и Значок следующее поле Следующее поле на верхней панели инструментов.

          +

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

          + +

          Удаление полей форм

          +

          Чтобы удалить поле формы и оставить все его содержимое, выберите его и щелкните значок значок удалить форму Удалить (убедитесь, что поле не заблокировано) или нажмите клавишу Delete на клавиатуре.

          +
          + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateTableOfContents.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateTableOfContents.htm index 3f32caa65..12fb86d22 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateTableOfContents.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateTableOfContents.htm @@ -1,10 +1,10 @@  - Как сделать оглавление в документах Word - ONLYOFFICE + Создание оглавления - + @@ -21,7 +21,7 @@

          Форматирование заголовков

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

            -
          1. Выделите текст, который требуется включить в содержание.
          2. +
          3. Выделите текст, который требуется включить в оглавление.
          4. Откройте меню стилей в правой части вкладки Главная на верхней панели инструментов.
          5. Щелкните по стилю, который хотите применить. По умолчанию можно использовать стили Заголовок 1 - Заголовок 9.

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

            @@ -49,7 +49,7 @@

            Вставка оглавления в документ

            Чтобы вставить в документ оглавление:

              -
            1. Установите курсор там, где требуется добавить содержание.
            2. +
            3. Установите курсор там, где требуется добавить оглавление.
            4. Перейдите на вкладку Ссылки верхней панели инструментов.
            5. Нажмите на значок
              Оглавление на верхней панели инструментов или
              нажмите на стрелку рядом с этим значком и выберите из меню нужный вариант макета. Можно выбрать макет, в котором отображаются заголовки, номера страниц и заполнители или только заголовки. @@ -62,8 +62,8 @@

              Для перемещения между заголовками нажмите клавишу Ctrl и щелкните по нужному заголовку в поле оглавления. Вы перейдете на соответствующую страницу.

              Изменение созданного оглавления

              Обновление оглавления

              -

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

              -

              Нажмите на стрелку рядом со значком

              Обновление на вкладке Ссылки верхней панели инструментов и выберите в меню нужную опцию:

              +

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

              +

              Нажмите на стрелку рядом со значком Значок Обновление Обновление на вкладке Ссылки верхней панели инструментов и выберите в меню нужную опцию:

              • Обновить целиком - чтобы добавить в оглавление заголовки, добавленные в документ, удалить те, которые были удалены из документа, обновить отредактированные (переименованные) заголовки, а также обновить номера страниц.
              • Обновить только номера страниц - чтобы обновить номера страниц, не применяя изменения к заголовкам.
              • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FillingOutForm.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FillingOutForm.htm new file mode 100644 index 000000000..ac57b8de7 --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FillingOutForm.htm @@ -0,0 +1,44 @@ + + + + Заполнение формы + + + + + + + +
                +
                + +
                +

                Заполнение формы

                +

                Заполняемая форма представляет собой файл OFORM. OFORM - это формат для заполнения форм-шаблонов, их скачивания или печати формы после ее заполнения.

                +

                Как заполнить форму:

                +
                  +
                1. + Откройте файл OFORM. +

                  oform

                  +

                2. +
                3. Заполните все необходимые поля. Границы обязательных полей окрашены в красный. Используйте Стрелка заполнения формы или Следующее поле заполнение форм на верхней панели инструментов для навигации между полями или щелкните поле, которое вы хотите заполнить. +
                4. Используйте кнопку Очистить все поля Очистить все заполнение формы, чтобы очистить все поля.
                5. +
                6. Заполнив все поля, нажмите кнопку Сохранить как PDF, чтобы сохранить форму на свой компьютер в виде файла PDF.
                7. +
                8. + Нажмите кнопку Кнопка еще в правом верхнем углу панели инструментов, чтобы открыть дополнительные параметры. Вы можете Распечатать, Скачать как docx или Скачать как pdf. +

                  Еще OFORM

                  +

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

                  +

                  Темный режим Формы

                  +

                  Масштаб позволяет масштабировать и изменять размер страницы с помощью параметров По размеру страницы, По ширине и Увеличить или Уменьшить:

                  +

                  Масштаб

                  +
                    +
                  • По размеру страницы позволяет изменить размер страницы, чтобы на экране отображалась вся страница.
                  • +
                  • По ширине позволяет изменить размер страницы, чтобы она соответствовала ширине экрана.
                  • +
                  • Масштаб позволяет увеличивать и уменьшать масштаб страницы.
                  • +
                  +

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

                  +
                9. +
                +
                + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FormattingPresets.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FormattingPresets.htm index 9bbe0453e..7fc023692 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FormattingPresets.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FormattingPresets.htm @@ -55,7 +55,7 @@

                Окно Создание нового стиля

                • Укажите название нового стиля в поле ввода текста.
                • -
                • Выберите из списка Стиль следующего абзаца нужный стиль для последующего абзаца. Также можно выбрать опцию Такой же, как создаваемый стиль.<
                • +
                • Выберите из списка Стиль следующего абзаца нужный стиль для последующего абзаца. Также можно выбрать опцию Такой же, как создаваемый стиль.
                • Нажмите кнопку OK.
                diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index 0668a3a9e..2adc5f82c 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -19,8 +19,8 @@

                Для добавления автофигуры в документ:

                1. перейдите на вкладку Вставка верхней панели инструментов,
                2. -
                3. щелкните по значку
                  Фигура на верхней панели инструментов,
                4. -
                5. выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии,
                6. +
                7. щелкните по значку Значок Фигура Фигура на верхней панели инструментов,
                8. +
                9. выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии,
                10. щелкните по нужной автофигуре внутри выбранной группы,
                11. установите курсор там, где требуется поместить автофигуру,
                12. @@ -30,12 +30,14 @@

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

                Перемещение и изменение размера автофигур

                -

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

                -

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

                . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки.

                -

                Для изменения местоположения автофигуры используйте значок

                , который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. - При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля "В тексте"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. - Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift.

                -

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

                и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                +

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

                +

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

                +

                + Для изменения местоположения автофигуры используйте значок Стрелка, который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. + При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля "В тексте"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. + Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. +

                +

                Чтобы повернуть автофигуру, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

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

                @@ -43,12 +45,28 @@

                Изменение параметров автофигуры

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

                  -
                • Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор.
                • -
                • Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице.
                • +
                • Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор.
                • +
                • Напечатать выделенное - используется для печати только выбранной части документа.
                • +
                • Принять / Отклонить изменения - используется для принятия или отклонения отслеживаемых изменений в общем документе.
                • +
                • Изменить точки - используется для редактирования формы или изменения кривизны автофигуры. +
                    +
                  1. Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры.
                  2. +
                  3. + После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. +

                    Редактировать Точки

                    +
                  4. +
                  5. + Пока опорные точки активны, вы можете добавлять и удалять их. +

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

                    +

                    Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке.

                    +
                  6. +
                  +
                • +
                • Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице.
                • Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице.
                • -
                • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля "В тексте". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию.
                • -
                • Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз.
                • -
                • Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'.
                • +
                • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля "В тексте". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение границы обтекания
                • +
                • Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз.
                • +
                • Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'.

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

                справа. Здесь можно изменить следующие свойства:

                @@ -65,7 +83,7 @@
              • Стиль - выберите Линейный или Радиальный:
                  -
                • Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните Направление или же задайте точное значение угла градиента в поле Угол.
                • +
                • Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол.
                • Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям.
              • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm index 860bec8fe..e381404c7 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm @@ -96,6 +96,7 @@
              • Пользовательская комбинация
              +

              Примечание: Редактор документов ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм.

            6. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm index dd1e3a13d..01b865c85 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm @@ -15,9 +15,7 @@

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

              -

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

              -

              Редактор документов ONLYOFFICE позволяет вставлять классические элементы управления содержимым, т.е. они обратно совместимы со сторонними текстовыми редакторами, такими как Microsoft Word.

              -

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

              +

              Редактор документов ONLYOFFICE позволяет вставлять классические элементы управления содержимым, т.е. они обратно совместимы со сторонними текстовыми редакторами, такими как Microsoft Word.

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

              • Обычный текст - это объект, содержащий текст, который можно форматировать. Элементы управления содержимым "Обычный текст" могут содержать не более одного абзаца.
              • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index 2a5a27444..5514d141a 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -56,8 +56,9 @@
              • Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера.

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

              -

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

              +

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

                +
              • При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре.
              • При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены.
              • При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства.
              diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm index 5537473d7..5e4b5eb2f 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm @@ -2547,8 +2547,10 @@

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

              Распознанные функции

              Автоформат при вводе

              -

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

              +

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

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

              +

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

              +

              Чтобы включить или отключить предустановки автоматического форматирования, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка правописания -> Параметры автозамены -> Автоформат при вводе.

              Автоформат при вводе

              Автозамена текста

              Вы можете настроить редактор на автоматическое использование заглавной буквы в каждом предложении. Данная опция включена по умолчанию. Чтобы отключить эту функцию, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Автозамена текста и снимите флажок с Делать первые буквы предложений прописными.

              diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 73959ec06..c5fe23967 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -1,7 +1,7 @@  - Сохранение / скачивание / печать документа + Сохранение, скачивание, печать документа @@ -14,7 +14,7 @@
              -

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

              +

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

              Сохранение

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

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

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

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

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

              1. нажмите на вкладку Файл на верхней панели инструментов,
              2. выберите опцию Сохранить копию как...,
              3. -
              4. выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.
              5. +
              6. выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.
              7. выберите местоположение файла на портале и нажмите Сохранить.
              diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..325c895d4 --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,36 @@ + + + + Поддержка SmartArt в редакторе документов ONLYOFFICE + + + + + + + +
              +
              + +
              +

              Поддержка SmartArt в редакторе документов ONLYOFFICE

              +

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

              +

              Параметры абзаца - для редактирования отступов и интервалов, положения на странице, границ и заливки, шрифтов, табуляций и внутренних полей. Обратитесь к разделу Форматирование абзаца для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt.

              +

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

              +

              + Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. +

              +

              Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования:

              +

              Меню SmartArt

              +

              Стиль оптекания - для определения способа расположения объекта относительно текста. Параметр Стиль обтекания доступен после щелчка по границе графического объекта SmartArt.

              +

              Вставить название - для добавления возможности ссылаться на графический объект SmartArt в документе.

              +

              Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры.

              + +

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

              +

              Меню SmartArt

              +

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

              +

              Направление текста - выбрать направление направления текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх.

              +

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

              +
              + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm index 92edf1b1b..83a4ef066 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm @@ -17,19 +17,21 @@

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

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

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

              -

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

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

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

                    +
                  2. Источник данных, используемый для слияния, должен быть электронной таблицей в формате .xlsx, сохраненной на вашем портале. Откройте существующую электронную таблицу или создайте новую и убедитесь, что она соответствует следующим требованиям.
                  3. +
                  4. Таблица должна содержать строку заголовков с названиями столбцов, так как значения в первой ячейке каждого столбца определяют поля слияния (то есть переменные, которые можно вставить в текст). Каждый столбец должен содержать набор конкретных значений для переменной. Каждая строка в таблице должна соответствовать отдельной записи (то есть ряду значений, относящихся к определенному получателю). В ходе слияния для каждой записи будет создана копия основного документа, и каждое поле слияния, вставленное в основной текст, будет заменено фактическим значением из соответствующего столбца. Если вы собираетесь отправлять результаты по электронной почте, таблица также должна содержать столбец с адресами электронной почты получателей.
                  5. +
                  6. + Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние Значок Слияние на вкладке Главная верхней панели инструментов и выберите источник данных: Из файла, По URL или Из хранилища. +

                    Настройки слияния

                    +
                  7. +
                  8. + Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK. +

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

                    +

                    Вкладка Параметры слияния

                  9. -
                  10. Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние
                    на вкладке Главная верхней панели инструментов.
                  11. -
                  12. Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK.
                  -

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

                  -

                  Вкладка Параметры слияния

                  -
                • Проверьте или измените список получателей
                  1. Нажмите на кнопку Изменить список получателей наверху правой боковой панели, чтобы открыть окно Получатели слияния, в котором отображается содержание выбранного источника данных. @@ -113,7 +115,7 @@
                • -
              +
        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/images/acceptreject_dropdown.png b/apps/documenteditor/main/resources/help/ru/images/acceptreject_dropdown.png new file mode 100644 index 000000000..38576fdd1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/acceptreject_dropdown.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/arrows_formfilling.png b/apps/documenteditor/main/resources/help/ru/images/arrows_formfilling.png new file mode 100644 index 000000000..4c5a5a642 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/arrows_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/autoformatasyoutype.png b/apps/documenteditor/main/resources/help/ru/images/autoformatasyoutype.png index 8244c3fbc..ecd37536d 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/autoformatasyoutype.png and b/apps/documenteditor/main/resources/help/ru/images/autoformatasyoutype.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/checkbox_settings.png b/apps/documenteditor/main/resources/help/ru/images/checkbox_settings.png index 0c8cab98e..c6062253a 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/checkbox_settings.png and b/apps/documenteditor/main/resources/help/ru/images/checkbox_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/clearall_formfilling.png b/apps/documenteditor/main/resources/help/ru/images/clearall_formfilling.png new file mode 100644 index 000000000..31dc841fd Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/clearall_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/combo_box_settings.png b/apps/documenteditor/main/resources/help/ru/images/combo_box_settings.png index 0e46138eb..c71144580 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/combo_box_settings.png and b/apps/documenteditor/main/resources/help/ru/images/combo_box_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/darkmode_oform.png b/apps/documenteditor/main/resources/help/ru/images/darkmode_oform.png new file mode 100644 index 000000000..e7ae1b5da Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/darkmode_oform.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/downloadicon.png b/apps/documenteditor/main/resources/help/ru/images/downloadicon.png new file mode 100644 index 000000000..144ecea9f Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/downloadicon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/dropdown_list_settings.png b/apps/documenteditor/main/resources/help/ru/images/dropdown_list_settings.png index 20a373cf0..709948603 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/dropdown_list_settings.png and b/apps/documenteditor/main/resources/help/ru/images/dropdown_list_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/editpoints_example.png b/apps/documenteditor/main/resources/help/ru/images/editpoints_example.png new file mode 100644 index 000000000..992d2bf74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/editpoints_example.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/favorites_icon.png b/apps/documenteditor/main/resources/help/ru/images/favorites_icon.png new file mode 100644 index 000000000..d3dee491d Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/favorites_icon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/fill_form.png b/apps/documenteditor/main/resources/help/ru/images/fill_form.png index 0634fc909..0d27ba6f4 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/fill_form.png and b/apps/documenteditor/main/resources/help/ru/images/fill_form.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/fill_gradient.png b/apps/documenteditor/main/resources/help/ru/images/fill_gradient.png index 74f02345e..9f2a8d7d3 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/fill_gradient.png and b/apps/documenteditor/main/resources/help/ru/images/fill_gradient.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/footnotes_settings.png b/apps/documenteditor/main/resources/help/ru/images/footnotes_settings.png index 6c479f614..e7de43de5 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/footnotes_settings.png and b/apps/documenteditor/main/resources/help/ru/images/footnotes_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/handtool.png b/apps/documenteditor/main/resources/help/ru/images/handtool.png new file mode 100644 index 000000000..092a6d734 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/handtool.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_form_settings.png b/apps/documenteditor/main/resources/help/ru/images/image_form_settings.png index a8cfa16ae..c13f7bfd8 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/image_form_settings.png and b/apps/documenteditor/main/resources/help/ru/images/image_form_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png index fd0d95adc..1223a25f7 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png index 9e2d0b694..d4e8e7546 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_formstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_formstab.png new file mode 100644 index 000000000..ef2578965 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_formstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png index 213eb42a5..2615a87f4 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png index 36474f758..70914a16a 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png index 776687430..6a80d88fe 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png index 5357d76f3..16af4e253 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/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png index 7e35c88ff..0d445e53c 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png index e03eb3e82..232262436 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png index 96cf7eabb..633ff834a 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_viewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..9b308d48b Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png index 29878bc48..6cd28a875 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png b/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png index bb912895c..685f32603 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/formstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/formstab.png index 0f78df73f..48b627497 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/formstab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/formstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png b/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png index b6a61c690..6137c7288 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png index e4a181fce..c5e0dc8f8 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png index d12b2e72f..9a81fdbe0 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png index e8d450a61..f0e3dbe40 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png b/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png index eeea0dab6..3a9b09d24 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png index ca001c42b..f08065771 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/viewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/viewtab.png new file mode 100644 index 000000000..57ee81ae6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/keytips1.png b/apps/documenteditor/main/resources/help/ru/images/keytips1.png new file mode 100644 index 000000000..91a07ef07 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/keytips1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/keytips2.png b/apps/documenteditor/main/resources/help/ru/images/keytips2.png new file mode 100644 index 000000000..fd5bf1756 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/keytips2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/mailmerge_options.png b/apps/documenteditor/main/resources/help/ru/images/mailmerge_options.png new file mode 100644 index 000000000..110085830 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/mailmerge_options.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/more_oform.png b/apps/documenteditor/main/resources/help/ru/images/more_oform.png new file mode 100644 index 000000000..2d1154bf5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/more_oform.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/morebutton.png b/apps/documenteditor/main/resources/help/ru/images/morebutton.png new file mode 100644 index 000000000..8d3940d8e Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/morebutton.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/moving_form_fields.png b/apps/documenteditor/main/resources/help/ru/images/moving_form_fields.png index 80ba593fc..3f52dd6f6 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/moving_form_fields.png and b/apps/documenteditor/main/resources/help/ru/images/moving_form_fields.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/navigationpanel.png b/apps/documenteditor/main/resources/help/ru/images/navigationpanel.png index 36c3da088..08153e0d7 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/navigationpanel.png and b/apps/documenteditor/main/resources/help/ru/images/navigationpanel.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/navigationpanel_viewer.png b/apps/documenteditor/main/resources/help/ru/images/navigationpanel_viewer.png new file mode 100644 index 000000000..64c820d8c Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/navigationpanel_viewer.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/next_formfilling.png b/apps/documenteditor/main/resources/help/ru/images/next_formfilling.png new file mode 100644 index 000000000..2e3d641a2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/next_formfilling.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/oform.png b/apps/documenteditor/main/resources/help/ru/images/oform.png new file mode 100644 index 000000000..c7251ebb8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/oform.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/pagescaling.png b/apps/documenteditor/main/resources/help/ru/images/pagescaling.png new file mode 100644 index 000000000..a2a87a71a Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/pagescaling.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/pagethumbnails.png b/apps/documenteditor/main/resources/help/ru/images/pagethumbnails.png new file mode 100644 index 000000000..e69b4a477 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/pagethumbnails.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/pagethumbnails_settings.png b/apps/documenteditor/main/resources/help/ru/images/pagethumbnails_settings.png new file mode 100644 index 000000000..c74a8d7ca Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/pagethumbnails_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/pdfviewer.png b/apps/documenteditor/main/resources/help/ru/images/pdfviewer.png new file mode 100644 index 000000000..5f9cd0fba Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/pdfviewer.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/radio_button_settings.png b/apps/documenteditor/main/resources/help/ru/images/radio_button_settings.png index 214116384..7891b6741 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/radio_button_settings.png and b/apps/documenteditor/main/resources/help/ru/images/radio_button_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/resolvedicon.png b/apps/documenteditor/main/resources/help/ru/images/resolvedicon.png new file mode 100644 index 000000000..da7c2dcb4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/resolvedicon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/resolveicon.png b/apps/documenteditor/main/resources/help/ru/images/resolveicon.png new file mode 100644 index 000000000..7aac056a2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/resolveicon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/save_form_icon.png b/apps/documenteditor/main/resources/help/ru/images/save_form_icon.png new file mode 100644 index 000000000..ca50b00ad Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/save_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/selectiontool.png b/apps/documenteditor/main/resources/help/ru/images/selectiontool.png new file mode 100644 index 000000000..c48bceffd Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/selectiontool.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/setpassword.png b/apps/documenteditor/main/resources/help/ru/images/setpassword.png index 8d73551c0..7c0ed0ff2 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/setpassword.png and b/apps/documenteditor/main/resources/help/ru/images/setpassword.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/show_password.png b/apps/documenteditor/main/resources/help/ru/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/show_password.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick.png b/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick.png new file mode 100644 index 000000000..9fef49662 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick2.png b/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick2.png new file mode 100644 index 000000000..2864cb90d Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/smartart_rightclick2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/sortcomments.png b/apps/documenteditor/main/resources/help/ru/images/sortcomments.png new file mode 100644 index 000000000..2fb2b1327 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/sortcomments.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/sortcommentsicon.png b/apps/documenteditor/main/resources/help/ru/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/sortcommentsicon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/text_field_settings.png b/apps/documenteditor/main/resources/help/ru/images/text_field_settings.png index e8f506d7f..0eef8a6f2 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/text_field_settings.png and b/apps/documenteditor/main/resources/help/ru/images/text_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/toccustomize.png b/apps/documenteditor/main/resources/help/ru/images/toccustomize.png index b2cc9d3a2..c37923ac4 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/toccustomize.png and b/apps/documenteditor/main/resources/help/ru/images/toccustomize.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/usericon.png b/apps/documenteditor/main/resources/help/ru/images/usericon.png new file mode 100644 index 000000000..01ad0f0c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/usericon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/view_form_active2.png b/apps/documenteditor/main/resources/help/ru/images/view_form_active2.png new file mode 100644 index 000000000..cd090cf98 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/view_form_active2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/viewsettings_darkmode.png b/apps/documenteditor/main/resources/help/ru/images/viewsettings_darkmode.png new file mode 100644 index 000000000..b510daf1b Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/viewsettings_darkmode.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/zoomadjusting.png b/apps/documenteditor/main/resources/help/ru/images/zoomadjusting.png new file mode 100644 index 000000000..50474b87d Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/zoomadjusting.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 5fd7978cd..5a67eae6e 100644 --- a/apps/documenteditor/main/resources/help/ru/search/indexes.js +++ b/apps/documenteditor/main/resources/help/ru/search/indexes.js @@ -5,75 +5,85 @@ var indexes = "title": "О редакторе документов", "body": "Редактор документов - это онлайн- приложение, которое позволяет просматривать и редактировать документы непосредственно в браузере . Используя онлайн- редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE." }, + { + "id": "HelpfulHints/AdvancedSettings.htm", + "title": "Дополнительные параметры редактора документов", + "body": "Вы можете изменить дополнительные параметры редактора документов. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты в тексте документа. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии в тексте документа. Отображение изменений при рецензировании используется для выбора способа отображения изменений: Показывать при клике в выносках отображает изменение в выноске, когда вы нажимаете на отслеживаемое изменение; Показывать при наведении в подсказках отображает всплывающую подсказку при наведении указателя мыши на отслеживаемое изменение. Проверка орфографии - используется для включения/отключения опции проверки орфографии. Правописание - используется для автоматической замены слова или символа, введенного в поле Заменить: или выбранного из списка, на новое слово или символ, отображенные в поле На:. Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на странице. Совместимость - используется чтобы сделать файлы совместимыми с более старыми версиями MS Word при сохранении как DOCX. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Отображать изменения при совместной работе - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования: При выборе опции Никакие изменения, внесенные за время текущей сессии, подсвечиваться не будут. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок Сохранить . Эта опция доступна только в том случае, если выбран Строгий режим совместного редактирования. Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. Светлая цветовая гамма включает стандартные синий, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Светлая классическая цветовая гамма включает стандартные синий, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Примечание: Помимо доступных тем интерфейса Светлая, Светлая классическая и Темная, в редакторах ONLYOFFICE теперь можно использовать собственную цветовую тему. Чтобы узнать, как это сделать, пожалуйста, следуйте данному руководству. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру страницы или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе документов: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе документов есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию. Настройки макросов - используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в документе; Показывать уведомление, чтобы получать уведомления о макросах в документе; Включить все, чтобы автоматически запускать все макросы в документе. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование документа", - "body": "В редакторе документов вы можете работать над документом совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемому документу визуальная индикация фрагментов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей документа комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда документ редактируют одновременно несколько пользователей в Строгом режиме, редактируемые фрагменты текста помечаются пунктирными линиями разных цветов. При наведении курсора мыши на один из редактируемых фрагментов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования текста. Количество пользователей, которые в данный момент работают над текущим документом, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр, комментирование, заполнение форм или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы вы могли проверить, что конкретно изменилось. Можно указать, какие изменения требуется подсвечивать во время совместного редактирования: для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры..., а затем укажите, отображать ли все или последние изменения, внесенные при совместной работе. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок . При выборе опции Никакие изменения, внесенные во время текущей сессии, подсвечиваться не будут. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите фрагмент текста, в котором, по вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши по выделенному фрагменту текста и выберите в контекстном меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели Комментарии слева. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как вы нажмете на значок в левом верхнем углу верхней панели инструментов. Фрагмент текста, который вы прокомментировали, будет подсвечен в документе. Для просмотра комментария щелкните по этому фрагменту. Если требуется отключить эту функцию, для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае прокомментированные фрагменты будут подсвечиваться, только когда вы нажмете на значок . Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда вы нажмете на значок , если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в документе. Добавление упоминаний При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в документе, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В редакторе документов вы можете работать над документом совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемому документу визуальная индикация фрагментов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей документа комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда документ редактируют одновременно несколько пользователей в Строгом режиме, редактируемые фрагменты текста помечаются пунктирными линиями разных цветов. При наведении курсора мыши на один из редактируемых фрагментов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования текста. Количество пользователей, которые в данный момент работают над текущим документом, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр, комментирование, заполнение форм или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы вы могли проверить, что конкретно изменилось. Можно указать, какие изменения требуется подсвечивать во время совместного редактирования: для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры..., а затем укажите, отображать ли все или последние изменения, внесенные при совместной работе. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок . При выборе опции Никакие изменения, внесенные во время текущей сессии, подсвечиваться не будут. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите фрагмент текста, в котором, по вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши по выделенному фрагменту текста и выберите в контекстном меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели Комментарии слева. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как вы нажмете на значок в левом верхнем углу верхней панели инструментов. Фрагмент текста, который вы прокомментировали, будет подсвечен в документе. Для просмотра комментария щелкните по этому фрагменту. Если требуется отключить эту функцию, для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае прокомментированные фрагменты будут подсвечиваться, только когда вы нажмете на значок . Вы можете управлять добавленными комментариями, используя значки в выноске комментария или на панели Комментарии слева: отсортируйте добавленные комментарии, нажав на значок : по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию. по автору: По автору от А до Я или По автору от Я до А по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу. по группе: Все или выберите определенную группу из списка. отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда вы нажмете на значок , если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в документе. Добавление упоминаний Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу. При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в документе, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/Comparison.htm", "title": "Сравнение документов", - "body": "Примечание: эта возможность доступна только в платной онлайн-версии, начиная с версии 5.5 Сервера документов. Если вам требуется сравнить и объединить два документа, вы можете использовать функцию сравнения документов. Она позволяет отобразить различия между двумя документами и объединить документы путем принятия изменений - каждого в отдельности или всех сразу. После сравнения и объединения двух документов результат будет сохранен на портале как новая версия исходного файла. Если объединять сравниваемые документы не требуется, вы можете отклонить все изменения, чтобы исходный документ остался неизмененным. Выбор документа для сравнения Чтобы сравнить два документа, откройте исходный документ, который требуется сравнить, и выберите второй документ для сравнения: перейдите на вкладку Совместная работа на верхней панели инструментов и нажмите на кнопку Сравнить, выберите одну из следующих опций для загрузки документа: при выборе опции Документ из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл в формате .docx на жестком диске компьютера и нажмите кнопку Открыть. при выборе опции Документ с URL-адреса откроется окно, в котором вы можете ввести ссылку на файл, сохраненный в стороннем веб-хранилище (например, Nextcloud), если у вас есть соответствующие права доступа. Ссылка должна быть прямой ссылкой на скачивание файла. Когда ссылка будет указана, нажмите кнопку OK. Примечание: Прямая ссылка позволяет напрямую скачать файл, не открывая его в браузере. Например, для получения прямой ссылки в Nextcloud найдите нужный документ в списке файлов, выберите в меню файла пункт Подробно. На панели с подробными сведениями о файле нажмите на значок Копировать прямую ссылку (работает только для пользователей с правами доступа к этому файлу или каталогу) справа от имени файла. Чтобы узнать, как получить прямую ссылку на скачивание файла в другом стороннем веб-хранилище, обратитесь к документации по соответствующему стороннему сервису. при выборе опции Документ из хранилища откроется окно Выбрать источник данных. В нем отображается список всех документов в формате .docx, сохраненных на портале, к которым у вас есть соответствующие права доступа. Для перехода по разделам модуля Документы используйте меню в левой части окна. Выберите нужный документ .docx и нажмите кнопку OK. После выбора второго документа для сравнения запускается процесс сравнения и документ приобретает вид рецензируемого. Все изменения выделяются цветом, и вы можете просматривать изменения, переходить от одного к другому, принимать или отклонять их по отдельности или все сразу. Также можно изменить режим отображения и посмотреть, как выглядит документ до сравнения, в процессе сравнения или как он будет выглядеть после сравнения, если принять все изменения. Выбор режима отображения изменений Нажмите кнопку Отображение на верхней панели инструментов и выберите из списка один из доступных режимов: Изменения - этот режим выбран по умолчанию. Он используется, чтобы отобразить документ в процессе сравнения. Этот режим позволяет и просматривать изменения, и редактировать документ. Измененный документ - этот режим используется, чтобы отобразить документ после сравнения, как если бы все изменения были приняты. Эта опция не позволяет в действительности принять все изменения, а только дает возможность увидеть, как будет выглядеть документ после того, как вы примете все изменения. В этом режиме документ нельзя редактировать. Исходный документ - этот режим используется, чтобы отобразить документ до сравнения, как если бы все изменения были отклонены. Эта опция не позволяет в действительности отклонить все изменения, а только дает возможность просмотреть документ без изменений. В этом режиме документ нельзя редактировать. Принятие и отклонение изменений Используйте кнопки К предыдущему и К следующему на верхней панели инструментов для навигации по изменениям. Чтобы принять выделенное в данный момент изменение, можно сделать следующее: нажмите кнопку Принять на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять текущее изменение (в этом случае изменение будет принято, и вы перейдете к следующему изменению) или нажмите кнопку Принять во всплывающем окне с изменением. Чтобы быстро принять все изменения, нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять все изменения. Чтобы отклонить текущее изменение, можно сделать следующее: нажмите кнопку Отклонить на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить текущее изменение (в этом случае изменение будет отклонено, и вы перейдете к следующему доступному изменению) или нажмите кнопку Отклонить во всплывающем окне с изменением. Чтобы быстро отклонить все изменения, нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить все изменения. Дополнительные сведения о функции сравнения Принцип сравнения Сравнение документов ведется по словам. Если слово содержит изменение хотя бы на один символ (например, если символ был удален или заменен), в результате отличие будет отображено как изменение всего слова целиком, а не символа. Приведенное ниже изображение иллюстрирует случай, когда исходный файл содержит слово 'Символы', а документ для сравнения содержит слово 'Символ'. Авторство документа При запуске процесса сравнения документов второй документ для сравнения загружается и сравнивается с текущим. Если загруженный документ содержит данные, которые отсутствуют в исходном документе, они будут помечены как добавленные рецензентом. Если исходный документ содержит данные, которые отсутствуют в загруженном документе, они будут помечены как удаленные рецензентом. Если авторы исходного и загруженного документа совпадают, то рецензентом будет тот же пользователь. Его имя отображается во всплывающем окне с изменением. Если авторы двух файлов - разные пользователи, то автор второго файла, загруженного для сравнения, будет автором добавленных или удаленных изменений. Наличие рецензирования в сравниваемом документе Если исходный документ содержит изменения, внесенные в режиме рецензирования, то в результате сравнения документа они будут приняты. При выборе второго файла для сравнения вы увидите соответствующее предупреждение. В этом случае при выборе режима отображения Исходный документ документ не будет содержать изменений." + "body": "Если вам требуется сравнить и объединить два документа, вы можете использовать функцию сравнения Редакторе документов. Она позволяет отобразить различия между двумя документами и объединить документы путем принятия изменений - каждого в отдельности или всех сразу. После сравнения и объединения двух документов результат будет сохранен на портале как новая версия исходного файла. Если объединять сравниваемые документы не требуется, вы можете отклонить все изменения, чтобы исходный документ остался неизмененным. Выбор документа для сравнения Чтобы сравнить два документа, откройте исходный документ, который требуется сравнить, и выберите второй документ для сравнения: перейдите на вкладку Совместная работа на верхней панели инструментов и нажмите на кнопку Сравнить, выберите одну из следующих опций для загрузки документа: при выборе опции Документ из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл в формате .docx на жестком диске компьютера и нажмите кнопку Открыть. при выборе опции Документ с URL-адреса откроется окно, в котором вы можете ввести ссылку на файл, сохраненный в стороннем веб-хранилище (например, Nextcloud), если у вас есть соответствующие права доступа. Ссылка должна быть прямой ссылкой на скачивание файла. Когда ссылка будет указана, нажмите кнопку OK. Примечание: Прямая ссылка позволяет напрямую скачать файл, не открывая его в браузере. Например, для получения прямой ссылки в Nextcloud найдите нужный документ в списке файлов, выберите в меню файла пункт Подробно. На панели с подробными сведениями о файле нажмите на значок Копировать прямую ссылку (работает только для пользователей с правами доступа к этому файлу или каталогу) справа от имени файла. Чтобы узнать, как получить прямую ссылку на скачивание файла в другом стороннем веб-хранилище, обратитесь к документации по соответствующему стороннему сервису. при выборе опции Документ из хранилища откроется окно Выбрать источник данных. В нем отображается список всех документов в формате .docx, сохраненных на портале, к которым у вас есть соответствующие права доступа. Для перехода по разделам модуля Документы используйте меню в левой части окна. Выберите нужный документ .docx и нажмите кнопку OK. После выбора второго документа для сравнения запускается процесс сравнения и документ приобретает вид рецензируемого. Все изменения выделяются цветом, и вы можете просматривать изменения, переходить от одного к другому, принимать или отклонять их по отдельности или все сразу. Также можно изменить режим отображения и посмотреть, как выглядит документ до сравнения, в процессе сравнения или как он будет выглядеть после сравнения, если принять все изменения. Выбор режима отображения изменений Нажмите кнопку Отображение на верхней панели инструментов и выберите из списка один из доступных режимов: Изменения - этот режим выбран по умолчанию. Он используется, чтобы отобразить документ в процессе сравнения. Этот режим позволяет и просматривать изменения, и редактировать документ. Измененный документ - этот режим используется, чтобы отобразить документ после сравнения, как если бы все изменения были приняты. Эта опция не позволяет в действительности принять все изменения, а только дает возможность увидеть, как будет выглядеть документ после того, как вы примете все изменения. В этом режиме документ нельзя редактировать. Исходный документ - этот режим используется, чтобы отобразить документ до сравнения, как если бы все изменения были отклонены. Эта опция не позволяет в действительности отклонить все изменения, а только дает возможность просмотреть документ без изменений. В этом режиме документ нельзя редактировать. Принятие и отклонение изменений Используйте кнопки К предыдущему и К следующему на верхней панели инструментов для навигации по изменениям. Чтобы принять выделенное в данный момент изменение, можно сделать следующее: нажмите кнопку Принять на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять текущее изменение (в этом случае изменение будет принято, и вы перейдете к следующему изменению) или нажмите кнопку Принять во всплывающем окне с изменением. Чтобы быстро принять все изменения, нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять все изменения. Чтобы отклонить текущее изменение, можно сделать следующее: нажмите кнопку Отклонить на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить текущее изменение (в этом случае изменение будет отклонено, и вы перейдете к следующему доступному изменению) или нажмите кнопку Отклонить во всплывающем окне с изменением. Чтобы быстро отклонить все изменения, нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить все изменения. Дополнительные сведения о функции сравнения Принцип сравнения Сравнение документов ведется по словам. Если слово содержит изменение хотя бы на один символ (например, если символ был удален или заменен), в результате отличие будет отображено как изменение всего слова целиком, а не символа. Приведенное ниже изображение иллюстрирует случай, когда исходный файл содержит слово 'Символы', а документ для сравнения содержит слово 'Символ'. Авторство документа При запуске процесса сравнения документов второй документ для сравнения загружается и сравнивается с текущим. Если загруженный документ содержит данные, которые отсутствуют в исходном документе, они будут помечены как добавленные рецензентом. Если исходный документ содержит данные, которые отсутствуют в загруженном документе, они будут помечены как удаленные рецензентом. Если авторы исходного и загруженного документа совпадают, то рецензентом будет тот же пользователь. Его имя отображается во всплывающем окне с изменением. Если авторы двух файлов - разные пользователи, то автор второго файла, загруженного для сравнения, будет автором добавленных или удаленных изменений. Наличие рецензирования в сравниваемом документе Если исходный документ содержит изменения, внесенные в режиме рецензирования, то в результате сравнения документа они будут приняты. При выборе второго файла для сравнения вы увидите соответствующее предупреждение. В этом случае при выборе режима отображения Исходный документ документ не будет содержать изменений." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Windows/Linux Mac OS Работа с документом Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Повторить последнее действие 'Найти' ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Повторить действие Найти, которое было выполнено до нажатия этого сочетания клавиш. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить документ Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать документа Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать документ на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран. Меню Справка F1 F1 Открыть меню Справка редактора документов. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W ⌘ Cmd+W Закрыть выбранный документ в десктопных редакторах . Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Сбросить масштаб Ctrl+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущего документа до значения по умолчанию 100%. Навигация Перейти в начало строки Home Home Установить курсор в начале редактируемой строки. Перейти в начало документа Ctrl+Home ^ Ctrl+Home Установить курсор в самом начале редактируемого документа. Перейти в конец строки End End Установить курсор в конце редактируемой строки. Перейти в конец документа Ctrl+End ^ Ctrl+End Установить курсор в самом конце редактируемого документа. Перейти в начало предыдущей страницы Alt+Ctrl+Page Up Установить курсор в самом начале страницы, которая идет перед редактируемой страницей. Перейти в начало следующей страницы Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Установить курсор в самом начале страницы, которая идет после редактируемой страницы. Прокрутить вниз Page Down Page Down, ⌥ Option+Fn+↑ Прокрутить документ примерно на одну видимую область страницы вниз. Прокрутить вверх Page Up Page Up, ⌥ Option+Fn+↓ Прокрутить документ примерно на одну видимую область страницы вверх. Следующая страница Alt+Page Down ⌥ Option+Page Down Перейти на следующую страницу редактируемого документа. Предыдущая страница Alt+Page Up ⌥ Option+Page Up Перейти на предыдущую страницу редактируемого документа. Увеличить Ctrl++ ^ Ctrl++, ⌘ Cmd++ Увеличить масштаб редактируемого документа. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемого документа. Перейти на один символ влево ← ← Переместить курсор на один символ влево. Перейти на один символ вправо → → Переместить курсор на один символ вправо. Перейти в начало слова или на одно слово влево Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Переместить курсор на одно слово вправо. Перейти на одну строку вверх ↑ ↑ Переместить курсор на одну строку вверх. Перейти на одну строку вниз ↓ ↓ Переместить курсор на одну строку вниз. Перейти между элементами управления ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Написание Закончить абзац ↵ Enter ↵ Return Завершить текущий абзац и начать новый. Добавить разрыв строки ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Сделать перевод строки, не начиная новый абзац. Удалить ← Backspace, Delete ← Backspace, Delete Удалить один символ слева (Backspace) или справа (Delete) от курсора. Удалить слово слева от курсора Ctrl+Backspace ^ Ctrl+Backspace, ⌘ Cmd+Backspace Удалить одно слово слева от курсора. Удалить слово справа от курсора Ctrl+Delete ^ Ctrl+Delete, ⌘ Cmd+Delete Удалить одно слово справа от курсора. Создать неразрываемый пробел Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Создать между символами пробел, который нельзя использовать для начала новой строки. Создать неразрываемый дефис Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Создать между символами дефис, который нельзя использовать для начала новой строки. Отмена и повтор Отменить Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Shift+Z Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X, ⇧ Shift+Delete Удалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы. Вставить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу. Копировать форматирование Ctrl+⇧ Shift+C ⌘ Cmd+⇧ Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе. Применить форматирование Ctrl+⇧ Shift+V ⌘ Cmd+⇧ Shift+V Применить ранее скопированное форматирование к тексту редактируемого документа. Выделение текста Выделить все Ctrl+A ⌘ Cmd+A Выделить весь текст документа вместе с таблицами и изображениями. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделить текст посимвольно. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа ⇧ Shift+→ ⇧ Shift+→ Выделить один символ справа от позиции курсора. Выделить один символ слева ⇧ Shift+← ⇧ Shift+← Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+⇧ Shift+→ Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+⇧ Shift+← Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше ⇧ Shift+↑ ⇧ Shift+↑ Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже ⇧ Shift+↓ ⇧ Shift+↓ Выделить одну строку ниже (курсор находится в начале строки). Выделить страницу вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Выделить часть страницы с позиции курсора до верхней части экрана. Выделить страницу вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Выделить часть страницы с позиции курсора до нижней части экрана. Оформление текста Полужирный шрифт Ctrl+B ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность. Курсив Ctrl+I ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Зачеркнутый шрифт Ctrl+5 ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам. Подстрочные знаки Ctrl+. ^ Ctrl+⇧ Shift+>, ⌘ Cmd+⇧ Shift+> Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+, ^ Ctrl+⇧ Shift+<, ⌘ Cmd+⇧ Shift+< Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Стиль Заголовок 1 Alt+1 ⌥ Option+^ Ctrl+1 Применить к выделенному фрагменту текста стиль Заголовок 1. Стиль Заголовок 2 Alt+2 ⌥ Option+^ Ctrl+2 Применить к выделенному фрагменту текста стиль Заголовок 2. Стиль Заголовок 3 Alt+3 ⌥ Option+^ Ctrl+3 Применить к выделенному фрагменту текста стиль Заголовок 3. Маркированный список Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] ⌘ Cmd+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ ⌘ Cmd+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру/левому краю Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Переключать абзац между выравниванием по центру и по левому краю. Выровнять по ширине/левому краю Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Переключать абзац между выравниванием по ширине и по левому краю. Выровнять по правому краю/левому краю Ctrl+R ^ Ctrl+R Переключать абзац между выравниванием по правому краю и по левому краю. Применение форматирования подстрочного текста (с автоматической установкой интервалов) Ctrl+= Применить форматирование подстрочного текста к выделенному фрагменту текста. Применение форматирования надстрочного текста (с автоматической установкой интервалов) Ctrl+⇧ Shift++ Применить форматирование надстрочного текста к выделенному фрагменту текста. Вставка разрыва страницы Ctrl+↵ Enter ^ Ctrl+↵ Return Вставить разрыв страницы в текущей позиции курсора. Увеличить отступ Ctrl+M ^ Ctrl+M Увеличить отступ абзаца слева на одну позицию табуляции. Уменьшить отступ Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Уменьшить отступ абзаца слева на одну позицию табуляции. Добавить номер страницы Ctrl+⇧ Shift+P ^ Ctrl+⇧ Shift+P Добавить номер текущей страницы в текущей позиции курсора. Непечатаемые символы Ctrl+⇧ Shift+Num8 Показать или скрыть непечатаемые символы. Удалить один символ слева ← Backspace ← Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Delete Удалить один символ справа от курсора. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке ↹ Tab ↹ Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке ↓ ↓ Перейти к следующей строке таблицы. Перейти к предыдущей строке ↑ ↑ Перейти к предыдущей строке таблицы. Начать новый абзац ↵ Enter ↵ Return Начать новый абзац внутри ячейки. Добавить новую строку ↹ Tab в правой нижней ячейке таблицы. ↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Вставка специальных символов Вставка формулы Alt+= Вставить формулу в текущей позиции курсора. Вставка длинного тире Alt+Ctrl+Num- Вставить длинное тире ‘—’ в текущем документе справа от позиции курсора. Вставка неразрывного дефиса Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Вставить неразрывный дефис ‘-’ в текущем документе справа от позиции курсора. Вставка неразрывного пробела Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Вставить неразрывный пробел ‘o’ в текущем документе справа от позиции курсора." + "body": "Подсказки для клавиш Используйте сочетания клавиш для более быстрого и удобного доступа к функциям Редактора документов без использования мыши. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния. Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам. Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки. Затем нажмите букву, соответствующую элементу, который вы хотите использовать. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш. Windows/Linux Mac OS Работа с документом Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Повторить последнее действие 'Найти' ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Повторить действие Найти, которое было выполнено до нажатия этого сочетания клавиш. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить документ Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать документа Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать документ на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран. Меню Справка F1 F1 Открыть меню Справка редактора документов. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W ⌘ Cmd+W Закрыть выбранный документ в десктопных редакторах . Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Сбросить масштаб Ctrl+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущего документа до значения по умолчанию 100%. Навигация Перейти в начало строки Home Home Установить курсор в начале редактируемой строки. Перейти в начало документа Ctrl+Home ^ Ctrl+Home Установить курсор в самом начале редактируемого документа. Перейти в конец строки End End Установить курсор в конце редактируемой строки. Перейти в конец документа Ctrl+End ^ Ctrl+End Установить курсор в самом конце редактируемого документа. Перейти в начало предыдущей страницы Alt+Ctrl+Page Up Установить курсор в самом начале страницы, которая идет перед редактируемой страницей. Перейти в начало следующей страницы Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Установить курсор в самом начале страницы, которая идет после редактируемой страницы. Прокрутить вниз Page Down Page Down, ⌥ Option+Fn+↑ Прокрутить документ примерно на одну видимую область страницы вниз. Прокрутить вверх Page Up Page Up, ⌥ Option+Fn+↓ Прокрутить документ примерно на одну видимую область страницы вверх. Следующая страница Alt+Page Down ⌥ Option+Page Down Перейти на следующую страницу редактируемого документа. Предыдущая страница Alt+Page Up ⌥ Option+Page Up Перейти на предыдущую страницу редактируемого документа. Увеличить Ctrl++ ^ Ctrl++, ⌘ Cmd++ Увеличить масштаб редактируемого документа. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемого документа. Перейти на один символ влево ← ← Переместить курсор на один символ влево. Перейти на один символ вправо → → Переместить курсор на один символ вправо. Перейти в начало слова или на одно слово влево Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Переместить курсор на одно слово вправо. Перейти на одну строку вверх ↑ ↑ Переместить курсор на одну строку вверх. Перейти на одну строку вниз ↓ ↓ Переместить курсор на одну строку вниз. Перейти между элементами управления ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Написание Закончить абзац ↵ Enter ↵ Return Завершить текущий абзац и начать новый. Добавить разрыв строки ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Сделать перевод строки, не начиная новый абзац. Удалить ← Backspace, Delete ← Backspace, Delete Удалить один символ слева (Backspace) или справа (Delete) от курсора. Удалить слово слева от курсора Ctrl+Backspace ^ Ctrl+Backspace, ⌘ Cmd+Backspace Удалить одно слово слева от курсора. Удалить слово справа от курсора Ctrl+Delete ^ Ctrl+Delete, ⌘ Cmd+Delete Удалить одно слово справа от курсора. Создать неразрываемый пробел Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Создать между символами пробел, который нельзя использовать для начала новой строки. Создать неразрываемый дефис Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Создать между символами дефис, который нельзя использовать для начала новой строки. Отмена и повтор Отменить Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Shift+Z Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X, ⇧ Shift+Delete Удалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы. Вставить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу. Копировать форматирование Ctrl+⇧ Shift+C ⌘ Cmd+⇧ Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе. Применить форматирование Ctrl+⇧ Shift+V ⌘ Cmd+⇧ Shift+V Применить ранее скопированное форматирование к тексту редактируемого документа. Выделение текста Выделить все Ctrl+A ⌘ Cmd+A Выделить весь текст документа вместе с таблицами и изображениями. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделить текст посимвольно. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа ⇧ Shift+→ ⇧ Shift+→ Выделить один символ справа от позиции курсора. Выделить один символ слева ⇧ Shift+← ⇧ Shift+← Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+⇧ Shift+→ Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+⇧ Shift+← Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше ⇧ Shift+↑ ⇧ Shift+↑ Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже ⇧ Shift+↓ ⇧ Shift+↓ Выделить одну строку ниже (курсор находится в начале строки). Выделить страницу вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Выделить часть страницы с позиции курсора до верхней части экрана. Выделить страницу вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Выделить часть страницы с позиции курсора до нижней части экрана. Оформление текста Полужирный шрифт Ctrl+B ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность. Курсив Ctrl+I ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Зачеркнутый шрифт Ctrl+5 ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам. Подстрочные знаки Ctrl+. ^ Ctrl+⇧ Shift+>, ⌘ Cmd+⇧ Shift+> Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+, ^ Ctrl+⇧ Shift+<, ⌘ Cmd+⇧ Shift+< Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Стиль Заголовок 1 Alt+1 ⌥ Option+^ Ctrl+1 Применить к выделенному фрагменту текста стиль Заголовок 1. Стиль Заголовок 2 Alt+2 ⌥ Option+^ Ctrl+2 Применить к выделенному фрагменту текста стиль Заголовок 2. Стиль Заголовок 3 Alt+3 ⌥ Option+^ Ctrl+3 Применить к выделенному фрагменту текста стиль Заголовок 3. Маркированный список Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] ⌘ Cmd+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ ⌘ Cmd+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру/левому краю Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Переключать абзац между выравниванием по центру и по левому краю. Выровнять по ширине/левому краю Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Переключать абзац между выравниванием по ширине и по левому краю. Выровнять по правому краю/левому краю Ctrl+R ^ Ctrl+R Переключать абзац между выравниванием по правому краю и по левому краю. Применение форматирования подстрочного текста (с автоматической установкой интервалов) Ctrl+= Применить форматирование подстрочного текста к выделенному фрагменту текста. Применение форматирования надстрочного текста (с автоматической установкой интервалов) Ctrl+⇧ Shift++ Применить форматирование надстрочного текста к выделенному фрагменту текста. Вставка разрыва страницы Ctrl+↵ Enter ^ Ctrl+↵ Return Вставить разрыв страницы в текущей позиции курсора. Увеличить отступ Ctrl+M ^ Ctrl+M Увеличить отступ абзаца слева на одну позицию табуляции. Уменьшить отступ Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Уменьшить отступ абзаца слева на одну позицию табуляции. Добавить номер страницы Ctrl+⇧ Shift+P ^ Ctrl+⇧ Shift+P Добавить номер текущей страницы в текущей позиции курсора. Непечатаемые символы Ctrl+⇧ Shift+Num8 Показать или скрыть непечатаемые символы. Удалить один символ слева ← Backspace ← Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Delete Удалить один символ справа от курсора. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке ↹ Tab ↹ Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке ↓ ↓ Перейти к следующей строке таблицы. Перейти к предыдущей строке ↑ ↑ Перейти к предыдущей строке таблицы. Начать новый абзац ↵ Enter ↵ Return Начать новый абзац внутри ячейки. Добавить новую строку ↹ Tab в правой нижней ячейке таблицы. ↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Вставка специальных символов Вставка формулы Alt+= Вставить формулу в текущей позиции курсора. Вставка длинного тире Alt+Ctrl+Num- Вставить длинное тире ‘—’ в текущем документе справа от позиции курсора. Вставка неразрывного дефиса Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Вставить неразрывный дефис ‘-’ в текущем документе справа от позиции курсора. Вставка неразрывного пробела Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Вставить неразрывный пробел ‘o’ в текущем документе справа от позиции курсора." }, { "id": "HelpfulHints/Navigation.htm", "title": "Параметры представления и инструменты навигации", - "body": "В редакторе документов доступен ряд инструментов, позволяющих облегчить просмотр и навигацию по документу: масштаб, указатель номера страницы и другие. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с документом, нажмите значок Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку состояния - скрывает самую нижнюю панель, на которой находится Указатель номера страницы и кнопки Масштаба. Чтобы отобразить скрытую строку состояния, щелкните по этой опции еще раз. Скрыть линейки - скрывает линейки, которые используются для выравнивания текста, графики, таблиц, и других элементов в документе, установки полей, позиций табуляции и отступов абзацев. Чтобы отобразить скрытые линейки, щелкните по этой опции еще раз. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект или фрагмент текста и щелкните по значку вкладки, которая в данный момент активирована (чтобы свернуть правую боковую панель, щелкните по этому значку еще раз). Когда открыта панель Комментарии или Чат , левую боковую панель можно настроить путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по документу используйте следующие инструменты: Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего документа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или используйте кнопки Увеличить или Уменьшить . Нажмите значок По ширине , чтобы ширина страницы документа соответствовала видимой части рабочей области. Чтобы вся страница целиком помещалась в видимой части рабочей области, нажмите значок По размеру страницы . Параметры масштаба доступны также из выпадающего списка Параметры представления , что может быть полезно в том случае, если Вы решили скрыть строку состояния. Указатель номера страницы показывает текущую страницу в составе всех страниц текущего документа (страница 'n' из 'nn'). Щелкните по этой надписи, чтобы открыть окно, в котором Вы можете ввести номер нужной страницы и быстро перейти на нее." + "body": "В редакторе документов доступен ряд инструментов, позволяющих облегчить просмотр и навигацию по документу: масштаб, указатель номера страницы и другие. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с документом, нажмите значок Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку состояния - скрывает самую нижнюю панель, на которой находится Указатель номера страницы и кнопки Масштаба. Чтобы отобразить скрытую строку состояния, щелкните по этой опции еще раз. Скрыть линейки - скрывает линейки, которые используются для выравнивания текста, графики, таблиц, и других элементов в документе, установки полей, позиций табуляции и отступов абзацев. Чтобы отобразить скрытые линейки, щелкните по этой опции еще раз. Темный режим – включает или отключает темный режим, если вы выбрали Темную тему интерфейса. Вы также можете включить темный режим с помощью Дополнительных параметров в меню вкладки Файл. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект или фрагмент текста и щелкните по значку вкладки, которая в данный момент активирована (чтобы свернуть правую боковую панель, щелкните по этому значку еще раз). Когда открыта панель Комментарии или Чат , левую боковую панель можно настроить путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по документу используйте следующие инструменты: Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего документа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или используйте кнопки Увеличить или Уменьшить . Нажмите значок По ширине , чтобы ширина страницы документа соответствовала видимой части рабочей области. Чтобы вся страница целиком помещалась в видимой части рабочей области, нажмите значок По размеру страницы . Параметры масштаба доступны также из выпадающего списка Параметры представления , что может быть полезно в том случае, если Вы решили скрыть строку состояния. Указатель номера страницы показывает текущую страницу в составе всех страниц текущего документа (страница 'n' из 'nn'). Щелкните по этой надписи, чтобы открыть окно, в котором Вы можете ввести номер нужной страницы и быстро перейти на нее." }, { "id": "HelpfulHints/Password.htm", "title": "Защита документов с помощью пароля", - "body": "Вы можете защитить свои документы при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." + "body": "Вы можете защитить свои документы при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Нажмите , чтобы показать или скрыть пароль. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." }, { "id": "HelpfulHints/Review.htm", "title": "Рецензирование документа", - "body": "Когда кто-то предоставляет вам доступ к файлу с правами на рецензирование, используйте функцию Рецензирования документа. Если вы рецензент, то вы можете использовать опцию Рецензирование для проверки документа, изменения предложений, фраз, других элементов страницы, исправления опечаток и выполнения других действий, не редактируя документ непосредственно. Все ваши исправления будут зафиксированы и показаны тому, кто отправил вам документ. Если вы отправляете файл на рецензию, вам потребуется отобразить все внесенные исправления, просмотреть их и принять или отклонить. Включение функции отслеживания изменений Чтобы увидеть изменения, предложенные рецензентом, включите опцию Отслеживание изменений одним из следующих способов: нажмите кнопку в правом нижнем углу строки состояния или перейдите на вкладку Совместная работа на верхней панели инструментов и нажмите на кнопку Отслеживание изменений. Примечание: рецензенту нет необходимости включать опцию Отслеживание изменений. Она включена по умолчанию, и ее нельзя отключить, если к документу предоставлен доступ с правами только на рецензирование. в открывшемся всплывающем меню доступны следующие опции: ВКЛ. для меня - отслеживание изменений включено только для текущего пользователя. Опция остается включенной для текущего сеанса редактирования, т.е. будет отключена при перезагрузке или повторном открытии документа. Переключение режима отслеживания изменений другими пользователями никак не повлияет. ОТКЛ. для меня - отслеживание изменений отключено только для текущего пользователя. Опция остается отключенной для текущего сеанса редактирования. Переключение режима отслеживания изменений другими пользователями никак не повлияет. ВКЛ. для меня и для всех - отслеживание изменений включено и останется при перезагрузке или повторном открытии документа (при перезагрузке документа отслеживание будет включено для всех пользователей). Когда другой пользователь отключает режим отслеживания изменений, он будет переключен на ОТКЛ. для меня и для всех у всех пользователей. ОТКЛ. для меня и для всех - отслеживание изменений отключено и останется при перезагрузке или повторном открытии документа (при перезагрузке документа отслеживание будет отключено у всех пользователей). Когда другой пользователь отключает режим отслеживания изменений, он будет переключен на ВКЛ. для меня и для всех у всех пользователей. Соответствующее оповещение будет показано каждому соавтору. Просмотр изменений Изменения, внесенные пользователем, выделены определенным цветом в тексте документа. Если щелкнуть по измененному тексту, открывается выноска, в которой отображено имя пользователя, дата и время внесения изменения и описание изменения. В выноске также находятся значки, которые используются, чтобы принять или отклонить текущее изменение. Если перетащить фрагмент текста в другое место в документе, текст в новой позиции будет подчеркнут двойной линией. Текст в исходной позиции будет зачеркнут двойной линией. Это будет считаться одним изменением. Нажмите на дважды зачеркнутый текст в исходной позиции и используйте стрелку в выноске с изменением, чтобы перейти к новому местоположению текста. Нажмите на дважды подчеркнутый текст в новой позиции и используйте стрелку в выноске с изменением, чтобы перейти к исходному местоположению текста. Выбор режима отображения изменений Нажмите кнопку Отображение на верхней панели инструментов и выберите из списка один из доступных режимов: Исправления и выноски - эта опция выбрана по умолчанию. Она позволяет и просматривать предложенные изменения, и редактировать документ. Изменения выделяются в тексте документа и отображаются в выносках. Только исправления - этот режим используется как для просмотра предлагаемых изменений, так и для редактирования документа. Изменения отображаются только в тексте документа, выноски скрыты. Измененный документ - этот режим используется, чтобы отобразить все изменения, как если бы они были приняты. Эта опция не позволяет в действительности принять все изменения, а только дает возможность увидеть, как будет выглядеть документ после того, как вы примете все изменения. В этом режиме документ нельзя редактировать. Исходный документ - этот режим используется, чтобы отобразить все изменения, как если бы они были отклонены. Эта опция не позволяет в действительности отклонить все изменения, а только дает возможность просмотреть документ без изменений. В этом режиме документ нельзя редактировать. Принятие и отклонение изменений Используйте кнопки К предыдущему и К следующему на верхней панели инструментов для навигации по изменениям. Чтобы принять выделенное в данный момент изменение, можно сделать следующее: нажмите кнопку Принять на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять текущее изменение (в этом случае изменение будет принято, и вы перейдете к следующему изменению) или нажмите кнопку Принять в выноске с изменением. Чтобы быстро принять все изменения, нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять все изменения. Чтобы отклонить текущее изменение, можно сделать следующее: нажмите кнопку Отклонить на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить текущее изменение (в этом случае изменение будет отклонено, и вы перейдете к следующему доступному изменению) или нажмите кнопку Отклонить в выноске с изменением. Чтобы быстро отклонить все изменения, нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить все изменения. Примечание: если вы рецензируете документ, опции Принять и Отклонить для вас недоступны. Вы можете удалить свои изменения с помощью значка внутри всплывающего окна с изменением." + "body": "Когда кто-то предоставляет вам доступ к файлу с правами на рецензирование, используйте функцию Рецензирования документа. Если вы рецензент, то вы можете использовать опцию Рецензирование для проверки документа, изменения предложений, фраз, других элементов страницы, исправления опечаток и выполнения других действий, не редактируя документ непосредственно. Все ваши исправления будут зафиксированы и показаны тому, кто отправил вам документ. Если вы отправляете файл на рецензию, вам потребуется отобразить все внесенные исправления, просмотреть их и принять или отклонить. Включение функции отслеживания изменений Чтобы увидеть изменения, предложенные рецензентом, включите опцию Отслеживание изменений одним из следующих способов: нажмите кнопку в правом нижнем углу строки состояния или перейдите на вкладку Совместная работа на верхней панели инструментов и нажмите на кнопку Отслеживание изменений. Примечание: рецензенту нет необходимости включать опцию Отслеживание изменений. Она включена по умолчанию, и ее нельзя отключить, если к документу предоставлен доступ с правами только на рецензирование. в открывшемся всплывающем меню доступны следующие опции: ВКЛ. для меня - отслеживание изменений включено только для текущего пользователя. Опция остается включенной для текущего сеанса редактирования, т.е. будет отключена при перезагрузке или повторном открытии документа. Переключение режима отслеживания изменений другими пользователями никак не повлияет. ОТКЛ. для меня - отслеживание изменений отключено только для текущего пользователя. Опция остается отключенной для текущего сеанса редактирования. Переключение режима отслеживания изменений другими пользователями никак не повлияет. ВКЛ. для меня и для всех - отслеживание изменений включено и останется при перезагрузке или повторном открытии документа (при перезагрузке документа отслеживание будет включено для всех пользователей). Когда другой пользователь отключает режим отслеживания изменений, он будет переключен на ОТКЛ. для меня и для всех у всех пользователей. ОТКЛ. для меня и для всех - отслеживание изменений отключено и останется при перезагрузке или повторном открытии документа (при перезагрузке документа отслеживание будет отключено у всех пользователей). Когда другой пользователь отключает режим отслеживания изменений, он будет переключен на ВКЛ. для меня и для всех у всех пользователей. Соответствующее оповещение будет показано каждому соавтору. Просмотр изменений Изменения, внесенные пользователем, выделены определенным цветом в тексте документа. Если щелкнуть по измененному тексту, открывается выноска, в которой отображено имя пользователя, дата и время внесения изменения и описание изменения. В выноске также находятся значки, которые используются, чтобы принять или отклонить текущее изменение. Если перетащить фрагмент текста в другое место в документе, текст в новой позиции будет подчеркнут двойной линией. Текст в исходной позиции будет зачеркнут двойной линией. Это будет считаться одним изменением. Нажмите на дважды зачеркнутый текст в исходной позиции и используйте стрелку в выноске с изменением, чтобы перейти к новому местоположению текста. Нажмите на дважды подчеркнутый текст в новой позиции и используйте стрелку в выноске с изменением, чтобы перейти к исходному местоположению текста. Выбор режима отображения изменений Нажмите кнопку Отображение на верхней панели инструментов и выберите из списка один из доступных режимов: Исправления и выноски - эта опция выбрана по умолчанию. Она позволяет и просматривать предложенные изменения, и редактировать документ. Изменения выделяются в тексте документа и отображаются в выносках. Только исправления - этот режим используется как для просмотра предлагаемых изменений, так и для редактирования документа. Изменения отображаются только в тексте документа, выноски скрыты. Измененный документ - этот режим используется, чтобы отобразить все изменения, как если бы они были приняты. Эта опция не позволяет в действительности принять все изменения, а только дает возможность увидеть, как будет выглядеть документ после того, как вы примете все изменения. В этом режиме документ нельзя редактировать. Исходный документ - этот режим используется, чтобы отобразить все изменения, как если бы они были отклонены. Эта опция не позволяет в действительности отклонить все изменения, а только дает возможность просмотреть документ без изменений. В этом режиме документ нельзя редактировать. Принятие и отклонение изменений Используйте кнопки К предыдущему и К следующему на верхней панели инструментов для навигации по изменениям. Чтобы принять выделенное в данный момент изменение, можно сделать следующее: нажмите кнопку Принять на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять текущее изменение (в этом случае изменение будет принято, и вы перейдете к следующему изменению) или нажмите кнопку Принять в выноске с изменением. Чтобы быстро принять все изменения, нажмите направленную вниз стрелку под кнопкой Принять и выберите опцию Принять все изменения. Чтобы отклонить текущее изменение, можно сделать следующее: нажмите кнопку Отклонить на верхней панели инструментов или нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить текущее изменение (в этом случае изменение будет отклонено, и вы перейдете к следующему доступному изменению) или нажмите кнопку Отклонить в выноске с изменением. Чтобы быстро отклонить все изменения, нажмите направленную вниз стрелку под кнопкой Отклонить и выберите опцию Отклонить все изменения. Если вам нужно принять или отклонить одно изменение, щелкните по нему правой кнопкой мыши и в контекстном меню выберите пункт Принять изменение или Отклонить изменение. Примечание: если вы рецензируете документ, опции Принять и Отклонить для вас недоступны. Вы можете удалить свои изменения с помощью значка внутри всплывающего окна с изменением." }, { "id": "HelpfulHints/Search.htm", "title": "Функция поиска и замены", - "body": "Чтобы найти нужные символы, слова или фразы, использованные в документе, который Вы в данный момент редактируете, нажмите на значок , расположенный на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз. Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз. Нажмите на одну из кнопок со стрелками в нижнем правом углу окна. Поиск будет выполняться или по направлению к началу документа (если нажата кнопка ), или по направлению к концу документа (если нажата кнопка ), начиная с текущей позиции. Примечание: при включенном параметре Выделить результаты используйте эти кнопки для навигации по подсвеченным результатам. Первое вхождение искомых символов в выбранном направлении будет подсвечено на странице. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые Вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." - }, - { - "id": "HelpfulHints/SupportedFormats.htm", - "title": "Поддерживаемые форматы электронных документов", - "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + DOTX Word Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + FB2 Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + OTT OpenDocument Document Template Формат текстовых файлов OpenDocument для шаблонов текстовых документов. Шаблон OTT содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + HTML HyperText Markup Language Основной язык разметки веб-страниц + + + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + + + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий + XML Расширяемый язык разметки (XML). Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных + + Все форматы работают без Chromium и доступны на всех платформах." - }, - { - "id": "HelpfulHints/AdvancedSettings.htm", - "title": "Дополнительные параметры редактора документов", - "body": "Вы можете изменить дополнительные параметры редактора документов. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты в тексте документа. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии в тексте документа. Проверка орфографии - используется для включения/отключения опции проверки орфографии. Правописание - используется для автоматической замены слова или символа, введенного в поле Заменить: или выбранного из списка, на новое слово или символ, отображенные в поле На:. Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на странице. Совместимость - используется чтобы сделать файлы совместимыми с более старыми версиями MS Word при сохранении как DOCX. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Отображать изменения при совместной работе - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования: При выборе опции Никакие изменения, внесенные за время текущей сессии, подсвечиваться не будут. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок Сохранить . Эта опция доступна только в том случае, если выбран Строгий режим совместного редактирования. Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. Светлая цветовая гамма включает стандартные синий, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Светлая классическая цветовая гамма включает стандартные синий, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру страницы или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе документов: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе документов есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию. Настройки макросов - используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в документе; Показывать уведомление, чтобы получать уведомления о макросах в документе; Включить все, чтобы автоматически запускать все макросы в документе. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Чтобы найти нужные символы, слова или фразы, использованные в документе, который Вы в данный момент редактируете, нажмите на значок , расположенный на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз. Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз. Нажмите на одну из кнопок со стрелками в нижнем правом углу окна. Поиск будет выполняться или по направлению к началу документа (если нажата кнопка ), или по направлению к концу документа (если нажата кнопка ), начиная с текущей позиции. Примечание: при включенном параметре Выделить результаты используйте эти кнопки для навигации по подсвеченным результатам. Первое вхождение искомых символов в выбранном направлении будет подсвечено на странице. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые Вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены. Редактор документов поддерживает поиск специальных символов. Чтобы найти специальный символ, введите его в поле поиска. Список специальных символов, которые можно использовать в поиске Специальный символ Описание ^l Разрыв строки ^t Позиция табуляции ^? Любой символ ^# Любая цифра ^$ Любая буква ^n Разрыв колонки ^e Концевая сноска ^f Сноска ^g Графический элемент ^m Разрыв страницы ^~ Неразрывный дефис ^s Неразрывный пробел ^^ Символ Крышечка ^w Любой пробел ^+ Тире ^= Дефис ^y Любая черточка Специальные символы, которые также можно использовать для замены: Специальный символ Описание ^l Разрыв строки ^t Позиция табуляции ^n Разрыв колонки ^m Разрыв страницы ^~ Неразрывный дефис ^s Неразрывный пробел ^+ Тире ^= Дефис" }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Проверка орфографии", "body": "В редакторе документов можно проверять правописание текста на определенном языке и исправлять ошибки в ходе редактирования. В десктопной версии также доступна возможность добавлять слова в пользовательский словарь, общий для всех трех редакторов. Прежде всего выберите язык документа. Нажмите на значок Задать язык документа в строке состояния. В окне, которое появится, выберите нужный язык и нажмите кнопку OK. Выбранный язык будет применен ко всему документу. Чтобы выбрать какой-то другой язык для любого фрагмента текста в этом документе, выделите мышью нужную часть теста и используйте меню , которое находится в строке состояния. Для включения функции проверки орфографии можно сделать следующее: нажмите на значок Проверка орфографии в строке состояния или откройте вкладку Файл верхней панели инструментов, выберите опцию Дополнительные параметры..., поставьте галочку рядом с опцией Включить проверку орфографии и нажмите кнопку Применить. Слова, написанные с ошибками, будут подчеркнуты красной чертой. Щелкните правой кнопкой мыши по нужному слову, чтобы вызвать меню, и: выберите одно из предложенных похожих слов, которые написаны правильно, чтобы заменить слово с ошибкой на предложенное слово. Если найдено слишком много вариантов, в меню появляется пункт Больше вариантов...; используйте опцию Пропустить, чтобы пропустить только это слово и убрать подчеркивание или Пропустить все, чтобы пропустить все идентичные слова, повторяющиеся в тексте; если текущее слово отсутствует в словаре, добавьте его в пользовательский словарь. В следующий раз это слово не будет расцениваться как ошибка. Эта возможность доступна в десктопной версии. выберите другой язык для этого слова. Для отключения функции проверки орфографии можно сделать следующее: нажмите на значок Проверка орфографии в строке состояния или откройте вкладку Файл верхней панели инструментов, выберите опцию Дополнительные параметры..., уберите галочку рядом с опцией Включить проверку орфографии и нажмите кнопку Применить." }, + { + "id": "HelpfulHints/SupportedFormats.htm", + "title": "Поддерживаемые форматы электронных документов", + "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + DOTX Word Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + FB2 Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + OTT OpenDocument Document Template Формат текстовых файлов OpenDocument для шаблонов текстовых документов. Шаблон OTT содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + HTML HyperText Markup Language Основной язык разметки веб-страниц + + + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + + + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий + XML Расширяемый язык разметки (XML). Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных + + DOCXF Формат для создания, редактирования и совместной работы над Шаблоном формы. + + + OFORM Формат для заполнения Формы. Поля формы являются заполняемыми, но пользователи не могут изменять форматирование или настройки элементов формы. +* + Примечание*: формат OFORM — это формат заполнения формы. Поэтому только поля формы доступны для редактирования." + }, + { + "id": "HelpfulHints/Viewer.htm", + "title": "Просмотрщик документов ONLYOFFICE", + "body": "Вы можете использовать Просмотрщик документов ONLYOFFICE для открытия и просмотра файлов PDF, XPS, DjVu. Просмотрщик документов ONLYOFFICE позволяет: просматривать файлы PDF, XPS, DjVu, добавлять комментарии при помощи чата, перемещаться между файлами при помощи навигационной панели, а также просматривать эскизы страниц, использовать инструмент выделения и инструмент \"Рука\", распечатывать и скачивать файлы, использовать внутренние и внешние ссылки, получать доступ к дополнительным параметрам редактора и просмотреть информацию о документе при помощи вкладки Файл или кнопки Параметры вида: Размещение (доступно только для онлайн-версии версии) - папка в модуле Документы, в которой хранится файл. Владелец (доступно только для онлайн-версии версии) - имя пользователя, который создал файл. Загружен (доступно только для онлайн-версии версии) - дата и время загрузки файла. Статистика - количество страниц, абзацев, слов, символов, символов с пробелами. Размер страницы — размеры страниц в файле. Последнее изменение - дата и время последнего изменения файла. Создан — дата и время создания документа. Приложение - приложение, в котором был создан документ. Автор - имя человека, создавшего файл. Производитель PDF — приложение, используемое для преобразования документа в формат PDF. Версия PDF - версия файла PDF. PDF с тегами - показывает, содержит ли файл PDF теги. Быстрый веб-просмотр - показывает, включен ли быстрый веб-просмотр для документа. использовать плагины Плагины, доступные в десктопной версии: Переводчик, Send, Синонимы. Плагины, доступные в онлайн-версии: Controls example, Get and paste html, Telegram, Типограф, Count word, Речь, Сининимы, Переводчик. Интерфейс Просмотрщика документов ONLYOFFICE: Верхняя панель инструментов предоставляет доступ к вкладкам Файл и Плагины, а также к следующим занчкам: Напечатать позволяет распечатать файл; Скачать позволяет скачать файл на ваш компьютер; Управление правами доступа к документу (доступно только для онлайн-версии версии) позволяет непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр, комментирование, заполнение форм или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Открыть расположение файла в десктопной версии позволяет в окне Проводника открыть папку, в которой хранится файл. В онлайн-версии позволяет открыть в новой вкладке браузера папку модуля Документы, в которой хранится файл; Добавить в избранное / Удалить из избранного чтобы легко и быстро найти файл, щелкните пустую звездочку. Этот файл будет добавлен в избранное. Щелкните заполненную звездочку, чтобы удалить файл из избранного. Добавленный файл — это ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из его исходного местоположения; Параметры вида позволяет настроить Параметры представления и получить доступ к Дополнительным параметрам редактора; Пользователь отображает имя пользователя при наведении на него курсора мыши. В Строке состояния, расположенной в нижней части окна Просмотрщика документов ONLYOFFICE, указывается номер страницы и отображаются фоновые уведомления о состоянии. В строке находятся следующие инструменты: Инструмент выделения позволяет выделять текст в файле. Инструмент \"Рука\" позволяет перетаскивать и прокручивать страницу. По размеру страницы позволяет изменить размер страницы, чтобы на экране отображалась вся страница. По ширине позволяет изменить размер страницы, чтобы она соответствовала ширине экрана. Масштаб позволяет увеличивать и уменьшать масштаб страницы. На Левой боковай панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, (доступно только в онлайн-версии) - позволяет открыть панель Чата, - позволяет открыть панель Навигации, на которой отображается список всех заголовков с учетом соответствующих уровней вложенности. Щелкните на заголовок, чтобы перейти к странице, содержащую выбранный заголовок. Щелкните правой кнопкой мыши по заголовку в списке и используйте один из доступных пунктов меню: Развернуть все - чтобы развернуть все уровни заголовков на панели Навигации. Свернуть все - чтобы свернуть все уровни заголовков, кроме уровня 1, на панели Навигации. Развернуть до уровня - чтобы развернуть структуру заголовков до выбранного уровня. Например, если выбрать уровень 3, то будут развернуты уровни 1, 2 и 3, а уровень 4 и все более низкие уровни будут свернуты. Чтобы вручную развернуть или свернуть определенные уровни заголовков, используйте стрелки слева от заголовков. Чтобы закрыть панель Навигации, еще раз нажмите на значок Навигация на левой боковой панели. - позволяет отображать эскизы страниц для быстрой навигаци по документу. Щелкните на значок на панели Миниатюры страниц, чтобы получить доступ к Параметрам эскизов: Перетащите ползунок, чтобы изменить размер эскиза, Чтобы указать область, которая в данный момент находится на экране, активируйте опцию Выделить видимую часть страницы. Данная опция включена по умолчанию. Чтобы отключить ее, щелкните еще раз. Чтобы закрыть панель Эскизов страниц, еще раз нажмите на значок Эскизы страниц на левой боковой панели. - позволяет обратиться в службу технической поддержки, - позволяет посмотреть информацию о программе." + }, { "id": "ProgramInterface/FileTab.htm", "title": "Вкладка Файл", - "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль; защитить файл с помощью цифровой подписи (доступно только в десктопной версии); создать новый документ или открыть недавно отредактированный (доступно только в онлайн-версии), просмотреть общие сведения о документе или изменить некоторые свойства файла, управлять правами доступа (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." + "body": "Вкладка Файл Редактора документов позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль; защитить файл с помощью цифровой подписи (доступно только в десктопной версии); создать новый документ или открыть недавно отредактированный (доступно только в онлайн-версии), просмотреть общие сведения о документе или изменить некоторые свойства файла, управлять правами доступа (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." + }, + { + "id": "ProgramInterface/FormsTab.htm", + "title": "Вкладка Формы", + "body": "эта вкладка доступна только для файлов DOCXF. Вкладка Формы Редактора документов позволяет создавать в документах заполняемые формы, например проекты договоров или опросы. Добавляйте и редактируйте текст и поля формы, чтобы создать заполняемую форму любой сложности. Окно онлайн-редактора документов:: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: Вставлять и редактировать текстовые поля, поля со списком, выпадающие списки, флажки, переключатели, изображения, очистить все поля и выделить настройки, перемещаться по полям формы с помощью кнопок Предыдущее поле и Следующее поле, просмотреть полученные формы в вашем документе, сохранить форму как заполняемый файл OFORM." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Вкладка Главная", - "body": "Вкладка Главная открывается по умолчанию при открытии документа. Она позволяет форматировать шрифт и абзацы. Здесь также доступны некоторые другие опции, такие как cлияние и цветовые схемы. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер и цвет шрифта, применять стили оформления шрифта, выбирать цвет фона для абзаца, создавать маркированные и нумерованные списки, изменять отступы абзацев, задавать междустрочный интервал в абзацах, выравнивать текст в абзаце, отображать и скрывать непечатаемые символы, копировать и очищать форматирование текста, изменять цветовую схему, использовать функцию слияния (доступно только в онлайн-версии), управлять стилями." + "body": "Вкладка Главная Редактора документов открывается по умолчанию при открытии документа. Она позволяет форматировать шрифт и абзацы. Здесь также доступны некоторые другие опции, такие как cлияние и цветовые схемы. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер и цвет шрифта, применять стили оформления шрифта, выбирать цвет фона для абзаца, создавать маркированные и нумерованные списки, изменять отступы абзацев, задавать междустрочный интервал в абзацах, выравнивать текст в абзаце, отображать и скрывать непечатаемые символы, копировать и очищать форматирование текста, изменять цветовую схему, использовать функцию слияния (доступно только в онлайн-версии), управлять стилями." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять элементы форматирования страницы, а также визуальные объекты и комментарии. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: вставлять пустую страницу, вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставлять таблицы, изображения, диаграммы, фигуры, вставлять гиперссылки, комментарии, вставлять колонтитулы и номера страниц, дату и время, вставлять текстовые поля и объекты Text Art, уравнения, символы, буквицы, элементы управления содержимым." + "body": "Что такое вкладка Вставка? Вкладка Вставка Редактора документов позволяет добавлять элементы форматирования страницы, а также визуальные объекты и комментарии. Окно онлайн-редактора документов: Окно десктопного редактора документов: Назначение вкладки Вставка С помощью этой вкладки вы можете выполнить следующие действия: вставлять пустую страницу, вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставлять таблицы, изображения, диаграммы, фигуры, вставлять гиперссылки, комментарии, вставлять колонтитулы и номера страниц, дату и время, вставлять текстовые поля и объекты Text Art, уравнения, символы, буквицы, элементы управления содержимым." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Вкладка Макет", - "body": "Вкладка Макет позволяет изменить внешний вид документа: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, добавлять колонки, вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставить нумерацию строк выравнивать и располагать в определенном порядке объекты (таблицы, изображения, диаграммы, фигуры), изменять стиль обтекания и редактировать границу обтекания, добавлять подложку." + "body": "Вкладка Макет Редактора документов позволяет изменить внешний вид документа: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, добавлять колонки, вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставить нумерацию строк выравнивать и располагать в определенном порядке объекты (таблицы, изображения, диаграммы, фигуры), изменять стиль обтекания и редактировать границу обтекания, добавлять подложку." }, { "id": "ProgramInterface/PluginsTab.htm", @@ -83,17 +93,22 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора документов", - "body": "В редакторе документов используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора документов: Окно десктопного редактора документов: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев - позволяет перейти в панель Навигации для управления заголовками (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении в тексте определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки позволяют выравнивать текст и другие элементы в документе, настраивать поля, позиции табуляции и отступы абзацев. В Рабочей области вы можете просматривать содержимое документа, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать вверх и вниз многостраничные документы. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе документов используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора документов: Окно десктопного редактора документов: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Формы (доступно только для файлов DOCXF) Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, \"Все изменения сохранены\", \"Соединение потеряно\", когда нет соединения, и редактор пытается переподключиться и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев - позволяет перейти в панель Навигации для управления заголовками (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении в тексте определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки позволяют выравнивать текст и другие элементы в документе, настраивать поля, позиции табуляции и отступы абзацев. В Рабочей области вы можете просматривать содержимое документа, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать вверх и вниз многостраничные документы. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." }, { "id": "ProgramInterface/ReferencesTab.htm", "title": "Вкладка Ссылки", - "body": "Вкладка Ссылки позволяет управлять различными типами ссылок: добавлять и обновлять оглавление, создавать и редактировать сноски, вставлять гиперссылки. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: создавать и автоматически обновлять оглавление, вставлять сноски и концевые сноски, вставлять гиперссылки, добавлять закладки, добавлять названия. вставлять перекрестные ссылки. добавлять a список иллюстраций." + "body": "Вкладка Ссылки Редактора документов позволяет управлять различными типами ссылок: добавлять и обновлять оглавление, создавать и редактировать сноски, вставлять гиперссылки. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: создавать и автоматически обновлять оглавление, вставлять сноски и концевые сноски, вставлять гиперссылки, добавлять закладки, добавлять названия. вставлять перекрестные ссылки. добавлять a список иллюстраций." }, { "id": "ProgramInterface/ReviewTab.htm", "title": "Вкладка Совместная работа", - "body": "Вкладка Совместная работа позволяет организовать совместную работу над документом. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями, отслеживать изменения, внесенные рецензентом, просматривать все версии и ревизии. В режиме комментирования вы можете добавлять и удалять комментарии, перемещаться между изменениями рецензирования, использовать чат и просматривать историю версий. В десктопной версии можно управлять комментариями и использовать функцию отслеживания изменений. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять или удалять комментарии к документу, включать функцию отслеживания изменений, выбирать режим отображения изменений, управлять предложенными изменениями, загружать документ для сравнения (доступно только в онлайн-версии), открывать панель Чата (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии)." + "body": "Вкладка Совместная работа Редактора документов позволяет организовать совместную работу над документом. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями, отслеживать изменения, внесенные рецензентом, просматривать все версии и ревизии. В режиме комментирования вы можете добавлять и удалять комментарии, перемещаться между изменениями рецензирования, использовать чат и просматривать историю версий. В десктопной версии можно управлять комментариями и использовать функцию отслеживания изменений. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять или удалять комментарии к документу, включать функцию отслеживания изменений, выбирать режим отображения изменений, управлять предложенными изменениями, загружать документ для сравнения (доступно только в онлайн-версии), открывать панель Чата (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии)." + }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Вкладка Вид", + "body": "Вкладка Вид Редактора документов позволяет управлять тем, как выглядит ваш документ во время работы над ним. Окно онлайн-редактора документов: Окно десктопного редактора документов: На этой вкладке доступны следующие параметры просмотра: Навигация - позволяет отображать заголовки в документе и перемещаться по ним, Масштаб - позволяет увеличивать и уменьшать масштаб документа, По размеру страницы - позволяет изменить размер страницы, чтобы на экране отображалась вся страница, По ширине - позволяет изменить размер страницы, чтобы она соответствовала ширине экрана, Тема интерфейса - позволяет изменить тему интерфейса на Светлую, Классическую светлую или Темную, Параметр Темный документ становится активным, когда включена Темная тема. Нажмите на нее, чтобы сделать рабочую область темной. Следующие параметры позволяют настроить отображение или скрытие элементов. Отметьте галочкой элементы, чтобы сделать их видимыми: Всегда показывать панель инструментов - чтобы верхняя панель инструментов всегда отображалась, Строка состояния - чтобы строка состояния всегда отображалась, Линейки - всегда отображать линейки." }, { "id": "UsageInstructions/AddBorders.htm", @@ -123,7 +138,7 @@ var indexes = { "id": "UsageInstructions/AddWatermark.htm", "title": "Добавление подложки", - "body": "Подложка - это текст или изображение, расположенные под слоем основного текста. Текстовые подложки позволяют указать статус документа (например, секретно, черновик и т.д.), графические подложки позволяют добавить изображение, например логотип компании. Для добавления подложки в документ: Перейдите на вкладку Макет на верхней панели инструментов. Нажмите на значок Подложка на верхней панели инструментов и выберите пункт меню Настраиваемая подложка. Откроется окно Параметры подложки. Выберите тип подложки, которую требуется вставить: Используйте опцию Текстовая подложка и настройте доступные параметры: Язык - выберите из списка один из доступных языков, Текст - выберите один из доступных примеров текста на выбранном языке. Для русского языка доступны следующие тексты подложки: ДЛЯ СЛУЖЕБНОГО ПОЛЬЗОВАНИЯ, ДСП, КОПИРОВАТЬ НЕ РАЗРЕШАЕТСЯ, КОПИЯ, ЛИЧНОЕ, ОБРАЗЕЦ, ОРИГИНАЛ, СЕКРЕТНО, СОВ. СЕКРЕТНО, СОВЕРШЕННО СЕКРЕТНО, СРОЧНО, ЧЕРНОВИК. Шрифт - выберите название шрифта и его размер из соответствующих выпадающих списков. Используйте расположенные справа значки, чтобы задать цвет шрифта или применить один из стилей оформления шрифта: Полужирный, Курсив, Подчеркнутый, Зачеркнутый, Полупрозрачный - установите эту галочку, если вы хотите применить прозрачность, Расположение - выберите опцию По диагонали или По горизонтали. Используйте опцию Графическая подложка и настройте доступные параметры: Выберите источник графического файла, используя одну из кнопок: Из файла, Из хранилища или По URL - изображение будет отображено в окне предварительного просмотра справа, Масштаб - выберите нужное значение масштаба из доступных: Авто, 500%, 200%, 150%, 100%, 50%. Нажмите кнопку OK. Чтобы отредактировать добавленную подложку, откройте окно Параметры подложки как описано выше, измените нужные параметры и нажмите кнопку OK. Чтобы удалить добавленную подложку, нажмите значок Подложка на вкладке Макет верхней панели инструментов и выберите в меню опцию Удалить подложку. Также можно использовать опцию Нет в окне Параметры подложки." + "body": "Подложка - это текст или изображение, расположенные под слоем основного текста. Текстовые подложки позволяют указать статус документа (например, секретно, черновик и т.д.), графические подложки позволяют добавить изображение, например логотип компании. Для добавления подложки в документ: Перейдите на вкладку Макет на верхней панели инструментов. Нажмите на значок Подложка на верхней панели инструментов и выберите пункт меню Настраиваемая подложка. Откроется окно Параметры подложки. Выберите тип подложки, которую требуется вставить: Используйте опцию Текстовая подложка и настройте доступные параметры: Язык - выберите язык водяного знака. Доступны следующие языки: английский, французский, немецкий, итальянский, японский, китайский, русский, испанский. Текст - выберите один из доступных примеров текста на выбранном языке. Для русского языка доступны следующие тексты подложки: ДЛЯ СЛУЖЕБНОГО ПОЛЬЗОВАНИЯ, ДСП, КОПИРОВАТЬ НЕ РАЗРЕШАЕТСЯ, КОПИЯ, ЛИЧНОЕ, ОБРАЗЕЦ, ОРИГИНАЛ, СЕКРЕТНО, СОВ. СЕКРЕТНО, СОВЕРШЕННО СЕКРЕТНО, СРОЧНО, ЧЕРНОВИК. Шрифт - выберите название шрифта и его размер из соответствующих выпадающих списков. Используйте расположенные справа значки, чтобы задать цвет шрифта или применить один из стилей оформления шрифта: Полужирный, Курсив, Подчеркнутый, Зачеркнутый. Полупрозрачный - установите эту галочку, если вы хотите применить прозрачность. Расположение - выберите опцию По диагонали или По горизонтали. Используйте опцию Графическая подложка и настройте доступные параметры: Выберите источник графического файла, используя одну из кнопок: Из файла, Из хранилища или По URL - изображение будет отображено в окне предварительного просмотра справа, Масштаб - выберите нужное значение масштаба из доступных: Авто, 500%, 200%, 150%, 100%, 50%. Нажмите кнопку OK. Чтобы отредактировать добавленную подложку, откройте окно Параметры подложки как описано выше, измените нужные параметры и нажмите кнопку OK. Чтобы удалить добавленную подложку, нажмите значок Подложка на вкладке Макет верхней панели инструментов и выберите в меню опцию Удалить подложку. Также можно использовать опцию Нет в окне Параметры подложки." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -163,7 +178,12 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Копирование/вставка текста, отмена/повтор действий", - "body": "Использование основных операций с буфером обмена Для выполнения операций вырезания, копирования и вставки фрагментов текста и вставленных объектов (автофигур, рисунков, диаграмм) в текущем документе используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа. Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа. Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа. В онлайн-версии для копирования данных из другого документа или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того чтобы вырезать и вставлять текст в рамках одного и того же документа, можно просто выделить нужный фрагмент текста и перетащить его мышкой в нужное место. Использование функции Специальная вставка После вставки скопированного текста рядом со вставленным фрагментом текста появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке текста абзаца или текста в автофигурах доступны следующие параметры: Вставить - позволяет вставить скопированный текст, сохранив его исходное форматирование. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке скопированной таблицы в существующую таблицу доступны следующие параметры: Заменить содержимое ячеек - позволяет заменить текущее содержимое таблицы вставленными данными. Эта опция выбрана по умолчанию. Вставить как вложенную таблицу - позволяет вставить скопированную таблицу как вложенную таблицу в выделенную ячейку существующей таблицы. Сохранить только текст - позволяет вставить содержимое таблицы как текстовые значения, разделенные символом табуляции. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в шапке редактора или сочетания клавиш: Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить в левой части шапки редактора или сочетание клавиш Ctrl+Z. Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить в левой части шапки редактора или сочетание клавиш Ctrl+Y. Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие." + "body": "Использование основных операций с буфером обмена Для выполнения операций вырезания, копирования и вставки фрагментов текста и вставленных объектов (автофигур, рисунков, диаграмм) в текущем документе используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа. Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа. Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа. В онлайн-версии для копирования данных из другого документа или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того чтобы вырезать и вставлять текст в рамках одного и того же документа, можно просто выделить нужный фрагмент текста и перетащить его мышкой в нужное место. Использование функции Специальная вставка Примечание: Во время совсестной работы, Специальная вставка доступна только в Строгом режиме редактирования. После вставки скопированного текста рядом со вставленным фрагментом текста появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке текста абзаца или текста в автофигурах доступны следующие параметры: Вставить - позволяет вставить скопированный текст, сохранив его исходное форматирование. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке скопированной таблицы в существующую таблицу доступны следующие параметры: Заменить содержимое ячеек - позволяет заменить текущее содержимое таблицы вставленными данными. Эта опция выбрана по умолчанию. Вставить как вложенную таблицу - позволяет вставить скопированную таблицу как вложенную таблицу в выделенную ячейку существующей таблицы. Сохранить только текст - позволяет вставить содержимое таблицы как текстовые значения, разделенные символом табуляции. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в шапке редактора или сочетания клавиш: Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить в левой части шапки редактора или сочетание клавиш Ctrl+Z. Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить в левой части шапки редактора или сочетание клавиш Ctrl+Y. Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие." + }, + { + "id": "UsageInstructions/CreateFillableForms.htm", + "title": "Создание заполняемых форм", + "body": "Редактор Документов ONLYOFFICE позволяет с легкостью создавать заполняемые формы в ваших документах, таких как проекты соглашений или опросы. Шаблон формы - это формат DOCXF, который предлагает ряд инструментов для создания заполняемых форм. Сохраните полученную форму как файл DOCXF, и у вас будет шаблон формы, который вы сможете совместно редактировать и просматривать. Чтобы сделать шаблон формы заполняемым и ограничить редактирование файла другими пользователями, сохраните его как файл OFORM. Чтобы узнать больше, пожалуйста, обратитесь к руководству по заполнению формы. DOCXF и OFORM - это новые форматы ONLYOFFICE, которые позволяют создавать шаблоны форм и заполнять формы. Используйте онлайн или десктопную версию Редактора документов ONLYOFFICE, чтобы в полной мере использовать все возможности, связанные с формами. Вы также можете сохранить любой существующий файл DOCX как DOCXF, чтобы использовать его в качестве шаблона формы. Перейдите на вкладку Файл, нажмите кнопку Загрузить как... или Сохранить как... в меню слева и выберите значок DOCXF. Теперь вы можете использовать все доступные функции редактирования формы для создания формы. В файле DOCXF можно редактировать не только поля формы, но и добавлять, редактировать и форматировать текст или использовать другие функции Редактора документов. Создание заполняемых форм возможно с помощью редактируемых пользователем объектов, которые обеспечивают общую согласованность итоговых документов и расширенное взаимодействие с формами. На данный момент вы можете создавать редактируемые текстовые поля, поля со списками, выпадающие списки, флажки, переключатели и добавлять специальные области для изображений. Все эти функции находятся на вкладке Формы и доступны только для файлов DOCXF. Создание нового Текстового поля Текстовые поля - это редактируемое текстовое поле, текст внутри которого не может быть отформатирован, и никакие другие объекты не могут быть добавлены. Чтобы добавить текстовое поле, поместите курсор в то место, куда вы хотите поместить текстовое поле, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Текстовое поле. В указанном месте добавится текстовое поле, а на правой боковой панели откроется вкладка Параметры формы. Ключ: ключ группировки полей для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому текстовому полю. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить. Заполнитель: введите текст, который будет отображаться во вставленном текстовом поле. Значение «Введите ваш текст» установлено по умолчанию. Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на текстовое поле. Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Когда данная опция включена, также доступными становятся параметры Автоподбор и / или Многострочное поле. Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. Максимальное число знаков: по умолчанию без ограничений; поставьте флажок и укажите максимальное количество символов в поле справа. Комбинировать символы: равномерно распределить текст внутри вставленного текстового поля и настроить его общий вид. Не устанавливайте флажок, чтобы сохранить настройки по умолчанию, или установите его, чтобы указать следующие параметры: Ширина ячейки: введите необходимое значение или используйте стрелки справа, чтобы установить ширину вставляемого текстового поля. Текст внутри будет выровнен в соответствии с указанным значением. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого текстового поля. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок чтобы выбрать цвет фона вставляемого текстового поля. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Автоподбор: данный параметр можно включить только если выбран параметр Поле фиксированного размера. Установите флажок, чтобы размер шрифта автоматически соответствовал размеру поля. Многострочное поле: данный параметр можно включить только если выбран параметр Поле фиксированного размера. Установите флажок, чтобы создать поле формы с несколькими строками, в противном случае текст будет занимать только одну строку. Щелкните текстовое поле и отредактируйте тип, размер и цвет шрифта, примените стили оформления и стили форматирования. Создание Поля со списком Поля со списком содержат раскрывающийся список с набором вариантов, которые могут редактировать пользователи. Чтобы добавить поле со списком, поместите курсор в то место, куда вы хотите поместить поле со списком, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Поле со списком. В указанном месте добавится поле со списком, а на правой боковой панели откроется вкладка Параметры формы. Ключ: ключ группировки полей со списком для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому полю со списком. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить. Заполнитель: введите текст, который будет отображаться во вставленном поле со списком. По умолчанию установлено значение «Введите ваш текст». Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на поле со списком. Параметры значений: добавьте новые значения, удалите их или переместите их вверх и вниз списка. Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого поля со списком. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок чтобы выбрать цвет фона вставляемого поля со списком. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Чтобы открыть список элементов и выбрать нужный, нажмите кнопку со стрелкой справа от добавленного Поля со списком. После выбора необходимого элемента вы можете полностью или частично отредактировать отображаемый текст, заменив его своим. Вы можете изменить оформление, цвет и размер шрифта. Для этого щелкните по полю со списком и следуйте данному руководству. Форматирование будет применено ко всему тексту внутри поля. Создание Выпадающего списка Выпадающие списки содержат список с набором вариантов, которые пользователи не могут редактировать. Чтобы вставить поле выпадающего списка, поместите курсор в то место, куда вы хотите поместить выпадающий список, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Выпадающий список. В указанном месте добавится выпадающий список, а на правой боковой панели откроется вкладка Параметры формы. Ключ: ключ группировки выпадающих списков для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому выпадающему списку. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить. Заполнитель: введите текст, который будет отображаться во вставленном выпадающем списке. По умолчанию установлено значение «Введите ваш текст». Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на выпадающий список. Параметры значений: добавьте новые значения, удалите их или переместите их вверх и вниз списка. Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого поля выпадающего списка. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок чтобы выбрать цвет фона вставляемого поля выпадающего списка. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Чтобы открыть список элементов и выбрать нужный, нажмите кнопку со стрелкой справа от добавленного Выпадающего списка. После выбора необходимого элемента вы можете полностью или частично отредактировать отображаемый текст, заменив его своим. Создание Флажков Флажки используются для предоставления пользователям множества опций, из которых можно выбрать любое количество. Поля для флажков вставляются индивидуально, следовательно, их можно устанавливать или снимать независимо друг от друга. Чтобы вставить поле флажка, поместите курсор в то место, куда вы хотите поместить флажок, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Флажок. В указанном месте добавится поле флажка, а на правой боковой панели откроется вкладка Параметры формы. Ключ: ключ группировки флажков для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому флажку. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить. Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на флажок. Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого поля флажка. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок , чтобы выбрать цвет фона вставляемого поля флажка. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Чтобы установить флажок, щелкните по нему один раз. Создание Переключателя Переключатели используются, чтобы предоставить пользователям множество вариантов, из которых можно выбрать только один. Переключатели можно сгруппировать, чтобы не было выбора нескольких кнопок в одной группе. Чтобы вставить поле переключателя, поместите курсор в то место, куда вы хотите поместить поле переключателя, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Переключатель. В указанном месте добавится поле переключателя, а на правой боковой панели откроется вкладка Параметры формы. Ключ группы: создайте новую группу переключателей, введите имя группы в поле и нажмите клавишу Enter, затем присвойте нужную группу каждому переключателю. Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на переключатель. Поле фиксированного размера: установите флажок, чтобы создать поле фиксированного размера. Поле фиксированного размера выглядит как автофигура. Вы можете установить для него стиль обтекания, а также отрегулировать его положение. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого поля переключателя. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок чтобы выбрать цвет фона вставляемого поля переключателя. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Чтобы включить переключатель, щелкните его один раз. Создание Изображения Изображения - это поля формы, которые используются для вставки изображения с установленными вами ограничениями, т.е. местоположением изображения или его размером. Чтобы вставить поле изображения, поместите курсор в то место, куда вы хотите поместить поле изображения, перейдите на вкладку Формы верхней панели инструментов, щелкните на значок Изображение. В указанном месте добавится поле изображения, а на правой боковой панели откроется вкладка Параметры формы. Ключ: ключ группировки изображений для одновременного заполнения. Чтобы создать новый ключ, введите его название в поле и нажмите клавишу Enter, затем при помощи раскрывающегося списка присвойте необходимый ключ каждому изображению. Будет отображено сообщение Подключенные поля: 2/3.... Чтобы отключить поля, нажмите кнопку Отключить. Заполнитель: введите текст, который будет отображаться во вставленном изображении. По умолчанию установлено значение «Нажмите, чтобы загрузить изображение». Подсказка: введите текст, который будет отображаться в виде подсказки при наведении курсора на нижнюю границу изображения. Когда масштабировать: откройте раскрывающееся меню и выберите соответствующий вариант изменения размера изображения: Всегда, Никогда, когда Изображение слишком большое или когда Изображение слишком маленькое. Выбранное изображение будет масштабироваться внутри поля соответствующим образом. Сохранять пропорции: установите этот флажок, чтобы сохранить соотношение сторон изображения без искажения. Когда флажок установлен, используйте вертикальный и горизонтальный ползунки, чтобы расположить изображение внутри вставленного поля. Когда флажок снят, ползунки позиционирования неактивны. Выбрать изображение: нажмите эту кнопку, чтобы загрузить изображение Из файла, По URL или Из хранилища. Цвет границ: щелкните на значок , чтобы выбрать цвет границ вставляемого поля изображения. Выберите подходящий цвет из палитры. При необходимости вы можете создать новый Пользовательский цвет. Цвет фона: щелкните на значок чтобы выбрать цвет фона вставляемого поля изображения. Выберите подходящий цвет из палитры Цветов темы, Стандартных цветов или создайте новый Пользовательский цвет. Чтобы заменить изображение, щелкните значок изображения  над границей поля формы и выберите другое. Чтобы настроить параметры изображения, откройте вкладку Параметры изображения на правой боковой панели. Чтобы узнать больше, пожалуйста, прочтите руководство по изменению параметров изображения. Цвет подсветки Вы можете выделить вставленные поля формы определенным цветом. Чтобы изменить цвет подсветки, на вкладке Формы верхней панели инструментов щелкните на Цвет подсветки, выберите цвет из палитры Стандартных цветов. Вы также можете создать новый Пользовательский цвет, чтобы удалить ранее измененный цвет подсветки, используйте опцию Без подсветки. Выбранные параметры цвета подсветки будут применены ко всем полям формы в документе. Примечание: Граница поля формы видна только тогда, когда поле выбрано. Границы не отображаются на печатной версии. Просмотр форм Примечание: После входа в режим Просмотра формы все возможности редактирования станут недоступны. Нажмите кнопку Просмотреть форму на вкладке Формы верхней панели инструментов, чтобы увидеть, как все вставленные формы будут отображаться в вашем документе. Чтобы выйти из режима просмотра, снова щелкните тот же значок. Перемещение полей форм Поля формы можно переместить в другое место в документе: нажмите кнопку слева от границы элемента управления, чтобы выбрать поле, и перетащите его в другое место в тексте не отпуская кнопку мыши. Вы также можете копировать и вставлять поля формы: выберите нужное поле и используйте комбинации клавиш Ctrl + C / Ctrl + V. Создание обязательных полей Чтобы сделать поле обязательным для заполнения, установите флажок напротив опции Обязательно. Границы обязательного поля будут окрашены в красный. Блокировка полей форм Чтобы предотвратить дальнейшее редактирование вставленного поля формы, щелкните значок Заблокировать. Заполнение полей остается доступным. Очистка полей форм Чтобы очистить все вставленные поля и удалить все значения, на верхней панели инструментов щелкните кнопку Очистить все поля. Заполнение и отправка форм Перейдите на вкладку Формы верхней панели инструментов. Перемещайтесь по полям формы с помощью кнопок Предыдущее поле и Следующее поле на верхней панели инструментов. Нажмите кнопку Сохранить как заполняемый документ OFORM на верхней панели инструментов, чтобы сохранить форму в расширением OFORM для дальнейшего заполнения. Вы можете сохранить любое количество файлов OFORM. Удаление полей форм Чтобы удалить поле формы и оставить все его содержимое, выберите его и щелкните значок Удалить (убедитесь, что поле не заблокировано) или нажмите клавишу Delete на клавиатуре." }, { "id": "UsageInstructions/CreateLists.htm", @@ -172,14 +192,19 @@ var indexes = }, { "id": "UsageInstructions/CreateTableOfContents.htm", - "title": "Создание оглавления", - "body": "В оглавлении содержится список всех глав (разделов и т.д.) документа и отображаются номера страниц, на которых начинается каждая глава. Это позволяет легко перемещаться по многостраничному документу, быстро переходя к нужной части текста. Оглавление генерируется автоматически на основе заголовков документа, отформатированных с помощью встроенных стилей. Это позволяет легко обновлять созданное оглавление без необходимости редактировать заголовки и изменять номера страниц вручную при изменении текста документа. Определение структуры заголовков Форматирование заголовков Прежде всего отформатируйте заголовки в документе с помощью одного из предустановленных стилей. Для этого: Выделите текст, который требуется включить в оглавление. Откройте меню стилей в правой части вкладки Главная на верхней панели инструментов. Щелкните по стилю, который хотите применить. По умолчанию можно использовать стили Заголовок 1 - Заголовок 9. Примечание: если вы хотите использовать другие стили (например, Название, Подзаголовок и другие) для форматирования заголовков, которые будут включены в оглавление, сначала потребуется изменить настройки оглавления (обратитесь к соответствующему разделу ниже). Для получения дополнительной информации о доступных стилях форматирования можно обратиться к этой странице. Управление заголовками Когда заголовки будут отформатированы, можно нажать на значок Навигация на левой боковой панели, чтобы открыть панель, на которой отображается список всех заголовков с учетом соответствующих уровней вложенности. С помощью этой панели можно легко перемещаться между заголовками в тексте документа, а также управлять структурой заголовков. Щелкните правой кнопкой мыши по заголовку в списке и используйте один из доступных пунктов меню: Повысить уровень - чтобы перенести выбранный заголовок на более высокий уровень в иерархической структуре, например, изменить Заголовок 2 на Заголовок 1. Понизить уровень - чтобы перенести выбранный заголовок на более низкий уровень в иерархической структуре, например, изменить Заголовок 1 на Заголовок 2. Новый заголовок перед - чтобы добавить новый пустой заголовок такого же уровня перед выбранным заголовком. Новый заголовок после - чтобы добавить новый пустой заголовок такого же уровня после выбранного заголовка. Новый подзаголовок - чтобы добавить новый пустой подзаголовок (то есть заголовок более низкого уровня) после выбранного заголовка. После того, как заголовок или подзаголовок будет добавлен, щелкните по добавленному пустому заголовку в списке и введите свой текст. Это можно сделать и в тексте документа, и непосредственно на панели Навигации. Выделить содержимое - чтобы выделить в документе текст, относящийся к выбранному заголовку (включая текст, относящийся ко всем подзаголовкам этого заголовка). Развернуть все - чтобы развернуть все уровни заголовков на панели Навигации. Свернуть все - чтобы свернуть все уровни заголовков, кроме уровня 1, на панели Навигации. Развернуть до уровня - чтобы развернуть структуру заголовков до выбранного уровня. Например, если выбрать уровень 3, то будут развернуты уровни 1, 2 и 3, а уровень 4 и все более низкие уровни будут свернуты. Чтобы вручную развернуть или свернуть определенные уровни заголовков, используйте стрелки слева от заголовков. Чтобы закрыть панель Навигации, нажмите на значок Навигация на левой боковой панели еще раз. Вставка оглавления в документ Чтобы вставить в документ оглавление: Установите курсор там, где требуется добавить оглавление. Перейдите на вкладку Ссылки верхней панели инструментов. Нажмите на значок Оглавление на верхней панели инструментов или нажмите на стрелку рядом с этим значком и выберите из меню нужный вариант макета. Можно выбрать оглавление, в котором отображаются заголовки, номера страниц и заполнители или только заголовки. Примечание: внешний вид оглавления можно изменить позже, используя настройки оглавления. Оглавление будет добавлено в текущей позиции курсора. Чтобы изменить местоположение оглавления, можно выделить поле оглавления (элемент управления содержимым) и просто перетащить его на нужное место. Для этого нажмите на кнопку в левом верхнем углу поля оглавления и перетащите его, не отпуская кнопку мыши. Для перемещения между заголовками нажмите клавишу Ctrl и щелкните по нужному заголовку в поле оглавления. Вы перейдете на соответствующую страницу. Изменение созданного оглавления Обновление оглавления После того, как оглавление будет создано, вы можете продолжить редактирование текста, добавляя новые главы, изменяя их порядок, удаляя какие-то абзацы или дополняя текст, относящийся к заголовку, так что номера страниц, соответствующие предыдущему или следующему разделу могут измениться. В этом случае используйте опцию Обновление, чтобы автоматически применить все изменения к оглавлению. Нажмите на стрелку рядом со значком Обновление на вкладке Ссылки верхней панели инструментов и выберите в меню нужную опцию: Обновить целиком - чтобы добавить в оглавление заголовки, добавленные в документ, удалить те, которые были удалены из документа, обновить отредактированные (переименованные) заголовки, а также обновить номера страниц. Обновить только номера страниц - чтобы обновить номера страниц, не применяя изменения к заголовкам. Можно выделить оглавление в тексте документа и нажать на значок Обновление в верхней части поля оглавления, чтобы показать указанные выше опции. Можно также щелкнуть правой кнопкой мыши по оглавлению и использовать соответствующие команды контекстного меню. Изменение настроек оглавления Чтобы открыть настройки оглавления, можно действовать одним из следующих способов: Нажмите на стрелку рядом со значком Оглавление на верхней панели инструментов и выберите в меню опцию Настройки. Выделите оглавление в тексте документа, нажмите на стрелку рядом с заголовком поля оглавления и выберите в меню опцию Настройки. Щелкните правой кнопкой мыши по оглавлению и используйте команду контекстного меню Параметры оглавления. Откроется новое окно, в котором можно настроить следующие параметры: Показать номера страниц - эта опция позволяет выбрать, надо ли отображать номера страниц или нет. Номера страниц по правом краю - эта опция позволяет выбрать, надо ли выравнивать номера страниц по правому краю или нет. Заполнитель - эта опция позволяет выбрать тип используемого заполнителя. Заполнитель - это строка символов (точек или дефисов), заполняющая пространство между заголовком и соответствующим номером страницы. Можно также выбрать опцию Нет, если вы не хотите использовать заполнители. Форматировать оглавление как ссылки - эта опция отмечена по умолчанию. Если убрать галочку, нельзя будет переходить к нужной главе, нажав клавишу Ctrl и щелкнув по соответствующему заголовку. Собрать оглавление, используя - в этом разделе можно указать нужное количество уровней структуры, а также стили по умолчанию, которые будут использоваться для создания оглавления. Выберите нужный переключатель: Уровни структуры - когда выбрана эта опция, вы сможете изменить количество иерархических уровней, используемых в оглавлении. Используйте стрелки в поле Уровни, чтобы уменьшить или увеличить число уровней (доступны значения от 1 до 9). Например, если выбрать значение 3, заголовки уровней 4 - 9 не будут включены в оглавление. Выделенные стили - когда выбрана эта опция, можно указать дополнительные стили, которые будут использоваться для создания оглавления, и назначить каждому из них соответствующий уровень структуры. Укажите нужное значение уровня в поле справа от стиля. После сохранения настроек вы сможете использовать этот стиль при создании оглавления. Стили - эта опция позволяет выбрать нужное оформление оглавления. Выберите нужный стиль из выпадающего списка. В поле предварительного просмотра выше отображается то, как должно выглядеть оглавление. Доступны следующие четыре стиля по умолчанию: Простой, Стандартный, Современный, Классический. Опция Текущий используется, если вы применили к стилю оглавления пользовательские настройки. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Настройка стиля оглавления После применения в окне настроек Оглавления одного из стилей оглавления по умолчанию этот стиль можно дополнительно изменить, чтобы текст в поле оглавления выглядел так, как вам нужно. Выделите текст в поле оглавления, например, нажав на кнопку в левом верхнем углу поля оглавления. Отформатируйте элементы оглавления, изменив тип, размер, цвет шрифта или применив стили оформления шрифта. Последовательно обновите стили для элементов всех уровней. Чтобы обновить стиль, щелкните правой кнопкой мыши по отформатированному элементу, выберите в контекстном меню пункт Форматирование как стиль и используйте опцию Обновить стиль toc N (стиль toc 2 соответствует элементам с уровнем 2, стиль toc 3 соответствует элементам с уровнем 3 и так далее). Обновите оглавление. Удаление оглавления Чтобы удалить оглавление из документа: Нажмите на стрелку рядом со значком Оглавление на верхней панели инструментов и выберите в меню опцию Удалить оглавление, или нажмите стрелку рядом с заголовком поля оглавления и используйте опцию Удалить оглавление." + "title": "Как сделать оглавление в документах Word - ONLYOFFICE", + "body": "Оглавление В оглавлении содержится список всех глав (разделов и т.д.) документа и отображаются номера страниц, на которых начинается каждая глава. Это позволяет легко перемещаться по многостраничному документу, быстро переходя к нужной части текста. Содержание генерируется автоматически на основе заголовков документа, отформатированных с помощью встроенных стилей. Это позволяет легко обновлять созданное содержание без необходимости редактировать заголовки и изменять номера страниц вручную при изменении текста документа. Структура заголовков оглавления Форматирование заголовков Прежде всего отформатируйте заголовки в документе с помощью одного из предустановленных стилей. Для этого: Выделите текст, который требуется включить в содержание. Откройте меню стилей в правой части вкладки Главная на верхней панели инструментов. Щелкните по стилю, который хотите применить. По умолчанию можно использовать стили Заголовок 1 - Заголовок 9. Примечание: если вы хотите использовать другие стили (например, Название, Подзаголовок и другие) для форматирования заголовков, которые будут включены в оглавление, сначала потребуется изменить настройки оглавления (обратитесь к соответствующему разделу ниже). Для получения дополнительной информации о доступных стилях форматирования можно обратиться к этой странице. Управление заголовками Когда заголовки будут отформатированы, можно нажать на значок Навигация на левой боковой панели, чтобы открыть панель, на которой отображается список всех заголовков с учетом соответствующих уровней вложенности. С помощью этой панели можно легко перемещаться между заголовками в тексте документа, а также управлять структурой заголовков. Щелкните правой кнопкой мыши по заголовку в списке и используйте один из доступных пунктов меню: Повысить уровень - чтобы перенести выбранный заголовок на более высокий уровень в иерархической структуре, например, изменить Заголовок 2 на Заголовок 1. Понизить уровень - чтобы перенести выбранный заголовок на более низкий уровень в иерархической структуре, например, изменить Заголовок 1 на Заголовок 2. Новый заголовок перед - чтобы добавить новый пустой заголовок такого же уровня перед выбранным заголовком. Новый заголовок после - чтобы добавить новый пустой заголовок такого же уровня после выбранного заголовка. Новый подзаголовок - чтобы добавить новый пустой подзаголовок (то есть заголовок более низкого уровня) после выбранного заголовка. После того, как заголовок или подзаголовок будет добавлен, щелкните по добавленному пустому заголовку в списке и введите свой текст. Это можно сделать и в тексте документа, и непосредственно на панели Навигации. Выделить содержимое - чтобы выделить в документе текст, относящийся к выбранному заголовку (включая текст, относящийся ко всем подзаголовкам этого заголовка). Развернуть все - чтобы развернуть все уровни заголовков на панели Навигации. Свернуть все - чтобы свернуть все уровни заголовков, кроме уровня 1, на панели Навигации. Развернуть до уровня - чтобы развернуть структуру заголовков до выбранного уровня. Например, если выбрать уровень 3, то будут развернуты уровни 1, 2 и 3, а уровень 4 и все более низкие уровни будут свернуты. Чтобы вручную развернуть или свернуть определенные уровни заголовков, используйте стрелки слева от заголовков. Чтобы закрыть панель Навигации, нажмите на значок Навигация на левой боковой панели еще раз. Вставка оглавления в документ Чтобы вставить в документ оглавление: Установите курсор там, где требуется добавить содержание. Перейдите на вкладку Ссылки верхней панели инструментов. Нажмите на значок Оглавление на верхней панели инструментов или нажмите на стрелку рядом с этим значком и выберите из меню нужный вариант макета. Можно выбрать макет, в котором отображаются заголовки, номера страниц и заполнители или только заголовки. Примечание: внешний вид оглавления можно изменить позже, используя настройки. Оглавление будет добавлено в текущей позиции курсора. Чтобы изменить его местоположение, можно выделить поле оглавления (элемент управления содержимым) и просто перетащить его на нужное место. Для этого нажмите на кнопку в левом верхнем углу поля оглавления и перетащите его, не отпуская кнопку мыши. Для перемещения между заголовками нажмите клавишу Ctrl и щелкните по нужному заголовку в поле оглавления. Вы перейдете на соответствующую страницу. Изменение созданного оглавления Обновление оглавления После того, как содержание будет создано, вы можете продолжить редактирование текста, добавляя новые главы, изменяя их порядок, удаляя какие-то абзацы или дополняя текст, относящийся к заголовку, так что номера страниц, соответствующие предыдущему или следующему разделу могут измениться. В этом случае используйте опцию Обновление, чтобы автоматически применить все изменения. Нажмите на стрелку рядом со значком Обновление на вкладке Ссылки верхней панели инструментов и выберите в меню нужную опцию: Обновить целиком - чтобы добавить в оглавление заголовки, добавленные в документ, удалить те, которые были удалены из документа, обновить отредактированные (переименованные) заголовки, а также обновить номера страниц. Обновить только номера страниц - чтобы обновить номера страниц, не применяя изменения к заголовкам. Можно выделить оглавление в тексте документа и нажать на значок Обновление в верхней части поля оглавления, чтобы показать указанные выше опции. Можно также щелкнуть правой кнопкой мыши по оглавлению и использовать соответствующие команды контекстного меню. Изменение настроек оглавления Чтобы открыть настройки оглавления, можно действовать одним из следующих способов: Нажмите на стрелку рядом со значком Оглавление на верхней панели инструментов и выберите в меню опцию Настройки. Выделите оглавление в тексте документа, нажмите на стрелку рядом с заголовком поля оглавления и выберите в меню опцию Настройки. Щелкните правой кнопкой мыши по оглавлению и используйте команду контекстного меню Параметры оглавления. Откроется новое окно, в котором можно настроить следующие параметры: Показать номера страниц - эта опция позволяет выбрать, надо ли отображать номера страниц или нет. Номера страниц по правом краю - эта опция позволяет выбрать, надо ли выравнивать номера страниц по правому краю или нет. Заполнитель - эта опция позволяет выбрать тип используемого заполнителя. Заполнитель - это строка символов (точек или дефисов), заполняющая пространство между заголовком и соответствующим номером страницы. Можно также выбрать опцию Нет, если вы не хотите использовать заполнители. Форматировать оглавление как ссылки - эта опция отмечена по умолчанию. Если убрать галочку, нельзя будет переходить к нужной главе, нажав клавишу Ctrl и щелкнув по соответствующему заголовку. Собрать оглавление, используя - в этом разделе можно указать нужное количество уровней структуры, а также стили по умолчанию, которые будут использоваться для создания оглавления. Выберите нужный переключатель: Уровни структуры - когда выбрана эта опция, вы сможете изменить количество используемых иерархических уровней. Используйте стрелки в поле Уровни, чтобы уменьшить или увеличить число уровней (доступны значения от 1 до 9). Например, если выбрать значение 3, заголовки уровней 4 - 9 не будут включены в оглавление. Выделенные стили - когда выбрана эта опция, можно указать дополнительные стили, которые будут использоваться для создания оглавления, и назначить каждому из них соответствующий уровень структуры. Укажите нужное значение уровня в поле справа от стиля. После сохранения настроек вы сможете использовать этот стиль при создании оглавления. Стили - эта опция позволяет выбрать нужное оформление. Выберите нужный стиль из выпадающего списка. В поле предварительного просмотра выше отображается то, как должно выглядеть оглавление. Доступны следующие четыре стиля по умолчанию: Простой, Стандартный, Современный, Классический. Опция Текущий используется, если вы применили к стилю пользовательские настройки. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Настройка стиля оглавления После применения в окне настроек Оглавления одного из стилей по умолчанию этот стиль можно дополнительно изменить, чтобы текст в поле оглавления выглядел так, как вам нужно. Выделите текст в поле оглавления, например, нажав на кнопку в левом верхнем углу поля оглавления. Отформатируйте элементы, изменив тип, размер, цвет шрифта или применив стили оформления шрифта. Последовательно обновите стили для элементов всех уровней. Чтобы обновить стиль, щелкните правой кнопкой мыши по отформатированному элементу, выберите в контекстном меню пункт Форматирование как стиль и используйте опцию Обновить стиль toc N (стиль toc 2 соответствует элементам с уровнем 2, стиль toc 3 соответствует элементам с уровнем 3 и так далее). Обновите оглавление. Удаление оглавления Чтобы удалить оглавление из документа: Нажмите на стрелку рядом со значком Оглавление на верхней панели инструментов и выберите в меню опцию Удалить оглавление, или нажмите стрелку рядом с заголовком поля оглавления и используйте опцию Удалить оглавление." }, { "id": "UsageInstructions/DecorationStyles.htm", "title": "Применение стилей оформления шрифта", "body": "Вы можете применять различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Полужирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Для получения доступа к дополнительным настройкам шрифта щелкните правой кнопкой мыши и выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно Абзац - дополнительные параметры, в котором необходимо переключиться на вкладку Шрифт. Здесь можно применить следующие стили оформления и настройки шрифта: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Положение - используется, чтобы задать положение символов в строке (смещение по вертикали). Увеличьте значение, заданное по умолчанию, чтобы сместить символы вверх, или уменьшите значение, заданное по умолчанию, чтобы сместить символы вниз. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра." }, + { + "id": "UsageInstructions/FillingOutForm.htm", + "title": "Заполнение формы", + "body": "Заполняемая форма представляет собой файл OFORM. OFORM - это формат для заполнения форм-шаблонов, их скачивания или печати формы после ее заполнения. Как заполнить форму: Откройте файл OFORM. Заполните все необходимые поля. Границы обязательных полей окрашены в красный. Используйте или на верхней панели инструментов для навигации между полями или щелкните поле, которое вы хотите заполнить. Используйте кнопку Очистить все поля , чтобы очистить все поля. Заполнив все поля, нажмите кнопку Сохранить как PDF, чтобы сохранить форму на свой компьютер в виде файла PDF. Нажмите кнопку в правом верхнем углу панели инструментов, чтобы открыть дополнительные параметры. Вы можете Распечатать, Скачать как docx или Скачать как pdf. Вы также можете изменить тему Интерфейса формы, выбрав один из доступных вариантов: Светлая, Классическая светлая или Темная. При выборе Темной темы интерфейса, становится доступным Темный режим. Масштаб позволяет масштабировать и изменять размер страницы с помощью параметров По размеру страницы, По ширине и Увеличить или Уменьшить: По размеру страницы позволяет изменить размер страницы, чтобы на экране отображалась вся страница. По ширине позволяет изменить размер страницы, чтобы она соответствовала ширине экрана. Масштаб позволяет увеличивать и уменьшать масштаб страницы. Когда вам нужно просмотреть папку, в которой хранится форма, нажмите Открыть расположение файла." + }, { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Настройка типа, размера и цвета шрифта", @@ -193,7 +218,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка автофигур", - "body": "Вставка автофигуры Для добавления автофигуры в документ: перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на странице выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). К автофигуре также можно добавить подпись. Для получения дополнительной информации о работе с подписями к автофигурам вы можете обратиться к этой статье. Перемещение и изменение размера автофигур Для изменения размера автофигуры перетаскивайте маленькие квадраты , расположенные по краям автофигуры. Чтобы сохранить исходные пропорции выбранной автофигуры при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Для изменения местоположения автофигуры используйте значок , который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы повернуть автофигуру, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров автофигуры Чтобы выровнять или расположить автофигуры в определенном порядке, используйте контекстное меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'. Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по фигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес, или Из хранилища, выбрав нужное изображение, сохраненное на портале. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Стиль обтекания - используйте этот раздел, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительных параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина - используйте одну из этих опций, чтобы изменить ширину автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно ширины левого поля, поля (то есть расстояния между левым и правым полями), ширины страницы или ширины правого поля. Высота - используйте одну из этих опций, чтобы изменить высоту автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно поля (то есть расстояния между верхним и нижним полями), высоты нижнего поля, высоты страницы или высоты верхнего поля. Если установлен флажок Сохранять пропорции, ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения автофигуры относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - автофигура считается частью текста, как отдельный символ, поэтому при перемещении текста фигура тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, автофигуру можно перемещать независимо от текста и и точно задавать положение фигуры на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает автофигуру. По контуру - текст обтекает реальные контуры автофигуры. Сквозное - текст обтекает вокруг контуров автофигуры и заполняет незамкнутое свободное место внутри фигуры. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже автофигуры. Перед текстом - автофигура перекрывает текст. За текстом - текст перекрывает автофигуру. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли автофигура перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две автофигуры, если перетащить их близко друг к другу на странице. Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура." + "body": "Вставка автофигуры Для добавления автофигуры в документ: перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на странице выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). К автофигуре также можно добавить подпись. Для получения дополнительной информации о работе с подписями к автофигурам вы можете обратиться к этой статье. Перемещение и изменение размера автофигур Для изменения размера автофигуры перетаскивайте маленькие квадраты , расположенные по краям автофигуры. Чтобы сохранить исходные пропорции выбранной автофигуры при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Для изменения местоположения автофигуры используйте значок , который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы повернуть автофигуру, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров автофигуры Чтобы выровнять или расположить автофигуры в определенном порядке, используйте контекстное меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Напечатать выделенное - используется для печати только выбранной части документа. Принять / Отклонить изменения - используется для принятия или отклонения отслеживаемых изменений в общем документе. Изменить точки - используется для редактирования формы или изменения кривизны автофигуры. Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры. После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. Пока опорные точки активны, вы можете добавлять и удалять их. Чтобы добавить точку к фигуре, удерживайте Ctrl и щелкните место, где вы хотите добавить опорную точку. Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке. Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'. Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по фигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес, или Из хранилища, выбрав нужное изображение, сохраненное на портале. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Стиль обтекания - используйте этот раздел, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительных параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина - используйте одну из этих опций, чтобы изменить ширину автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно ширины левого поля, поля (то есть расстояния между левым и правым полями), ширины страницы или ширины правого поля. Высота - используйте одну из этих опций, чтобы изменить высоту автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно поля (то есть расстояния между верхним и нижним полями), высоты нижнего поля, высоты страницы или высоты верхнего поля. Если установлен флажок Сохранять пропорции, ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения автофигуры относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - автофигура считается частью текста, как отдельный символ, поэтому при перемещении текста фигура тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, автофигуру можно перемещать независимо от текста и и точно задавать положение фигуры на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает автофигуру. По контуру - текст обтекает реальные контуры автофигуры. Сквозное - текст обтекает вокруг контуров автофигуры и заполняет незамкнутое свободное место внутри фигуры. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже автофигуры. Перед текстом - автофигура перекрывает текст. За текстом - текст перекрывает автофигуру. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли автофигура перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две автофигуры, если перетащить их близко друг к другу на странице. Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура." }, { "id": "UsageInstructions/InsertBookmarks.htm", @@ -203,12 +228,12 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Вставка диаграмм", - "body": "Вставка диаграммы Для вставки диаграммы в документ: установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках для выбора диаграммы другого типа. Нажмите кнопку Выбрать данные, расположенную в окне Редактора диаграмм. Откроется окно Данные диаграммы. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории. В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. измените параметры диаграммы, нажав на кнопку Изменить тип диаграммы в окне Редактор диаграмм, чтобы выбрать тип и стиль диаграммы. Выберите диаграмму из доступных разделов: гистограмма, график, круговая, линейчатая, с областями, биржевая, точечная, комбинированные. Когда вы выбираете Комбинированные диаграммы, в окне Тип диаграммы расположены ряды диаграмм, для которых можно выбрать типы диаграмм и данные для размещения на вторичной оси. измените параметры диаграммы, нажав кнопку Редактировать диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - Дополнительные настройки. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 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": "Вставка диаграммы Для вставки диаграммы в документ: установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация Примечание: Редактор документов ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках для выбора диаграммы другого типа. Нажмите кнопку Выбрать данные, расположенную в окне Редактора диаграмм. Откроется окно Данные диаграммы. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории. В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. измените параметры диаграммы, нажав на кнопку Изменить тип диаграммы в окне Редактор диаграмм, чтобы выбрать тип и стиль диаграммы. Выберите диаграмму из доступных разделов: гистограмма, график, круговая, линейчатая, с областями, биржевая, точечная, комбинированные. Когда вы выбираете Комбинированные диаграммы, в окне Тип диаграммы расположены ряды диаграмм, для которых можно выбрать типы диаграмм и данные для размещения на вторичной оси. измените параметры диаграммы, нажав кнопку Редактировать диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - Дополнительные настройки. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 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", "title": "Вставка элементов управления содержимым", - "body": "Элементы управления содержимым - это объекты, содержащие различные типы контента, например, текст, изображения и так далее. В зависимости от выбранного типа элемента управления содержимым, вы можете создать форму с полями ввода, которую могут заполнять другие пользователи, или защитить некоторые части документа от редактирования или удаления и так далее. Редактор документов ONLYOFFICE позволяет вставлять классические элементы управления содержимым, т.е. они обратно совместимы со сторонними текстовыми редакторами, такими как Microsoft Word. Примечание: возможность добавления новых элементов управления содержимым доступна только в платной версии. В бесплатной версии Community можно редактировать существующие элементы управления содержимым, а также копировать и вставлять их. В настоящее время можно добавить следующие типы элементов управления содержимым: Обычный текст, Форматированный текст, Рисунок, Поле со списком, Выпадающий список, Дата, Флажок. Обычный текст - это объект, содержащий текст, который можно форматировать. Элементы управления содержимым \"Обычный текст\" могут содержать не более одного абзаца. Форматированный текст - это объект, содержащий текст, который можно форматировать. Элементы управления содержимым \"Форматированный текст\" могут содержать несколько абзацев, списки и объекты (изображения, фигуры, таблицы и так далее). Рисунок - это объект, содержащий отдельное изображение. Поле со списком - это объект, содержащий выпадающий список с рядом вариантов для выбора. Он позволяет выбрать из списка одно из предварительно заданных значений и при необходимости отредактировать выбранное значение. Выпадающий список - это объект, содержащий выпадающий список с рядом вариантов для выбора. Он позволяет выбрать из списка одно из предварительно заданных значений. выбранное значение нельзя отредактировать. Дата - это объект, содержащий календарь, из которого можно выбрать дату. Флажок - это объект, позволяющий отобразить два состояния: флажок выбран и флажок снят. Добавление элементов управления содержимым Создание нового элемента управления содержимым \"Обычный текст\" установите курсор в строке текста там, где требуется добавить элемент управления, или выделите фрагмент текста, который должен стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Обычный текст. Элемент управления будет вставлен в позиции курсора в строке существующего текста. Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Элементы управления содержимым \"Обычный текст\" не позволяют добавлять разрывы строки и не могут содержать другие объекты, такие как изображения, таблицы и так далее. Создание нового элемента управления содержимым \"Форматированный текст\" установите курсор в конце абзаца, после которого требуется добавить элемент управления, или выделите один или несколько существующих абзацев, которые должны стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Форматированный текст. Элемент управления содержимым \"Форматированный текст\" будет вставлен в новом абзаце. Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Элементы управления содержимым \"Форматированный текст\" позволяют добавлять разрывы строки, то есть могут содержать несколько абзацев, а также какие-либо объекты, такие как изображения, таблицы, другие элементы управления содержимым и так далее. Создание нового элемента управления содержимым \"Рисунок\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Изображение - элемент управления будет вставлен в позиции курсора. нажмите на значок в кнопке, расположенной над границей элемента управления, - откроется стандартное окно выбора файла. Выберите изображение, сохраненное на компьютере, и нажмите кнопку Открыть. Выбранное изображение будет отображено внутри элемента управления содержимым. Чтобы заменить изображение, нажмите на значок в кнопке, расположенной над границей элемента управления и выберите другое изображение. Создание нового элемента управления содержимым \"Поле со списком\" или \"Выпадающий список\" Элементы управления содержимым Поле со списком и Выпадающий список содержат выпадающий список с рядом вариантов для выбора. Их можно создавать почти одним и тем же образом. Основное различие между ними заключается в том, что выбранное значение в выпадающем списке нельзя отредактировать, тогда как выбранное значение в поле со списком можно заменить на ваше собственное. установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Поле со списком или Выпадающий список - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Поле со списком или Выпадающий список, в зависимости от выбранного типа элемента управления содержимым. для добавления нового пункта списка нажмите кнопку Добавить и заполните доступные поля в открывшемся окне: укажите нужный текст в поле Отображаемое имя, например, Да, Нет, Другое. Этот текст будет отображаться в элементе управления содержимым в документе. по умолчанию текст в поле Значение соответствует введенному в поле Отображаемое имя. Если вы хотите отредактировать текст в поле Значение, обратите внимание на то, что веденное значение должно быть уникальным для каждого элемента. нажмите кнопку OK. можно редактировать или удалять пункты списка, используя кнопки Редактировать или Удалить справа, или изменять порядок элементов с помощью кнопок Вверх и Вниз. когда все нужные варианты выбора будут заданы, нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Вы можете нажать на кнопку со стрелкой справа, чтобы открыть список значений и выбрать нужное. Когда нужный элемент будет выбран из Поля со списком, можно отредактировать значение, заменив его на свое собственное полностью или частично. В Выпадающем списке нельзя отредактировать выбранное значение. Создание нового элемента управления содержимым \"Дата\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Дата - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Формат даты. выберите нужный Язык и нужный формат даты в списке Отображать дату следующим образом. нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Вы можете нажать на кнопку со стрелкой в правой части добавленного элемента управления содержимым Дата, чтобы открыть календарь и выбрать нужную дату. Создание нового элемента управления содержимым \"Флажок\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Флажок - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Флажок. нажмите на кнопку Символ установленного флажка, чтобы задать нужный символ для выбранного флажка, или Символ снятого флажка, чтобы выбрать, как должен выглядеть снятый флажок. Откроется окно Символ. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. когда символы будут заданы, нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Добавленный флажок отображается в режиме снятого флажка. Если щелкнуть по добавленному флажку, он будет отмечен символом, выбранным в списке Символ установленного флажка. Примечание: Граница элемента управления содержимым видна только при выделении элемента управления. Границы не отображаются в печатной версии. Перемещение элементов управления содержимым Элементы управления можно перемещать на другое место в документе: нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, и перетащите его, не отпуская кнопку мыши, на другое место в тексте документа. Элементы управления содержимым можно также копировать и вставлять: выделите нужный элемент управления и используйте сочетания клавиш Ctrl+C/Ctrl+V. Редактирование содержимого элементов управления \"Обычный текст\" и \"Форматированный текст\" Текст внутри элемента управления содержимым \"Обычный текст\" и \"Форматированный текст\" можно отформатировать с помощью значков на верхней панели инструментов: вы можете изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования. Для изменения свойств текста можно также использовать окно Абзац - Дополнительные параметры, доступное из контекстного меню или с правой боковой панели. Текст в элементах управления \"Форматированный текст\" можно форматировать, как обычный текст документа, то есть вы можете задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции. Изменение настроек элементов управления содержимым Независимо от того, какой тип элемента управления содержимым выбран, вы можете изменить настройки элемента управления в разделах Общие и Блокировка окна Параметры элемента управления содержимым. Чтобы открыть настройки элемента управления содержимым, можно действовать следующим образом: Выделите нужный элемент управления содержимым, нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Параметры элемента управления. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Параметры элемента управления содержимым. Откроется новое окно. На вкладке Общие можно настроить следующие параметры: Укажите Заголовок, Заполнитель или Тег элемента управления содержимым в соответствующих полях. Заголовок будет отображаться при выделении элемента управления в документе. Заполнитель - это основной текст, отображаемый внутри элемента управления содержимым. Теги используются для идентификации элементов управления, чтобы можно было ссылаться на них в коде. Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле. Нажмите кнопку Применить ко всем, чтобы применить указанные настройки из раздела Вид ко всем элементам управления в документе. На вкладке Блокировка можно защитить элемент управления содержимым от удаления или редактирования, используя следующие параметры: Элемент управления содержимым нельзя удалить - отметьте эту опцию, чтобы защитить элемент управления содержимым от удаления. Содержимое нельзя редактировать - отметьте эту опцию, чтобы защитить содержимое элемента управления от редактирования. Для определенных типов элементов управления содержимым также доступна третья вкладка, которая содержит настройки, специфичные только для выбранного типа элементов управления: Поле со списком, Выпадающий список, Дата, Флажок. Эти настройки описаны выше в разделах о добавлении соответствующих элементов управления содержимым. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Также доступна возможность выделения элементов управления определенным цветом. Для того, чтобы выделить элементы цветом: Нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов, Выберите в меню опцию Параметры выделения, Выберите нужный цвет на одной из доступных палитр: Цвета темы, Стандартные цвета или задайте Пользовательский цвет. Чтобы убрать ранее примененное выделение цветом, используйте опцию Без выделения. Выбранные параметры выделения будут применены ко всем элементам управления в документе. Удаление элементов управления содержимым Чтобы удалить элемент управления и оставить все его содержимое, щелкните по элементу управления содержимым, чтобы выделить его, затем действуйте одним из следующих способов: Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Удалить элемент управления содержимым. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Удалить элемент управления содержимым. Чтобы удалить элемент управления и все его содержимое, выделите нужный элемент управления и нажмите клавишу Delete на клавиатуре." + "body": "Редактор документов ONLYOFFICE позволяет вставлять классические элементы управления содержимым, т.е. они обратно совместимы со сторонними текстовыми редакторами, такими как Microsoft Word. В настоящее время можно добавить следующие типы элементов управления содержимым: Обычный текст, Форматированный текст, Рисунок, Поле со списком, Выпадающий список, Дата, Флажок. Обычный текст - это объект, содержащий текст, который можно форматировать. Элементы управления содержимым \"Обычный текст\" могут содержать не более одного абзаца. Форматированный текст - это объект, содержащий текст, который можно форматировать. Элементы управления содержимым \"Форматированный текст\" могут содержать несколько абзацев, списки и объекты (изображения, фигуры, таблицы и так далее). Рисунок - это объект, содержащий отдельное изображение. Поле со списком - это объект, содержащий выпадающий список с рядом вариантов для выбора. Он позволяет выбрать из списка одно из предварительно заданных значений и при необходимости отредактировать выбранное значение. Выпадающий список - это объект, содержащий выпадающий список с рядом вариантов для выбора. Он позволяет выбрать из списка одно из предварительно заданных значений. выбранное значение нельзя отредактировать. Дата - это объект, содержащий календарь, из которого можно выбрать дату. Флажок - это объект, позволяющий отобразить два состояния: флажок выбран и флажок снят. Добавление элементов управления содержимым Создание нового элемента управления содержимым \"Обычный текст\" установите курсор в строке текста там, где требуется добавить элемент управления, или выделите фрагмент текста, который должен стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Обычный текст. Элемент управления будет вставлен в позиции курсора в строке существующего текста. Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Элементы управления содержимым \"Обычный текст\" не позволяют добавлять разрывы строки и не могут содержать другие объекты, такие как изображения, таблицы и так далее. Создание нового элемента управления содержимым \"Форматированный текст\" установите курсор в конце абзаца, после которого требуется добавить элемент управления, или выделите один или несколько существующих абзацев, которые должны стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Форматированный текст. Элемент управления содержимым \"Форматированный текст\" будет вставлен в новом абзаце. Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Элементы управления содержимым \"Форматированный текст\" позволяют добавлять разрывы строки, то есть могут содержать несколько абзацев, а также какие-либо объекты, такие как изображения, таблицы, другие элементы управления содержимым и так далее. Создание нового элемента управления содержимым \"Рисунок\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Изображение - элемент управления будет вставлен в позиции курсора. нажмите на значок в кнопке, расположенной над границей элемента управления, - откроется стандартное окно выбора файла. Выберите изображение, сохраненное на компьютере, и нажмите кнопку Открыть. Выбранное изображение будет отображено внутри элемента управления содержимым. Чтобы заменить изображение, нажмите на значок в кнопке, расположенной над границей элемента управления и выберите другое изображение. Создание нового элемента управления содержимым \"Поле со списком\" или \"Выпадающий список\" Элементы управления содержимым Поле со списком и Выпадающий список содержат выпадающий список с рядом вариантов для выбора. Их можно создавать почти одним и тем же образом. Основное различие между ними заключается в том, что выбранное значение в выпадающем списке нельзя отредактировать, тогда как выбранное значение в поле со списком можно заменить на ваше собственное. установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Поле со списком или Выпадающий список - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Поле со списком или Выпадающий список, в зависимости от выбранного типа элемента управления содержимым. для добавления нового пункта списка нажмите кнопку Добавить и заполните доступные поля в открывшемся окне: укажите нужный текст в поле Отображаемое имя, например, Да, Нет, Другое. Этот текст будет отображаться в элементе управления содержимым в документе. по умолчанию текст в поле Значение соответствует введенному в поле Отображаемое имя. Если вы хотите отредактировать текст в поле Значение, обратите внимание на то, что веденное значение должно быть уникальным для каждого элемента. нажмите кнопку OK. можно редактировать или удалять пункты списка, используя кнопки Редактировать или Удалить справа, или изменять порядок элементов с помощью кнопок Вверх и Вниз. когда все нужные варианты выбора будут заданы, нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Вы можете нажать на кнопку со стрелкой справа, чтобы открыть список значений и выбрать нужное. Когда нужный элемент будет выбран из Поля со списком, можно отредактировать значение, заменив его на свое собственное полностью или частично. В Выпадающем списке нельзя отредактировать выбранное значение. Создание нового элемента управления содержимым \"Дата\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Дата - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Формат даты. выберите нужный Язык и нужный формат даты в списке Отображать дату следующим образом. нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Вы можете нажать на кнопку со стрелкой в правой части добавленного элемента управления содержимым Дата, чтобы открыть календарь и выбрать нужную дату. Создание нового элемента управления содержимым \"Флажок\" установите курсор в строке текста там, где требуется добавить элемент управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Флажок - элемент управления будет вставлен в позиции курсора. щелкните по добавленному элементу управления правой кнопкой мыши и выберите в контекстном меню пункт Параметры элемента управления содержимым. в открывшемся окне Параметры элемента управления содержимым перейдите на вкладку Флажок. нажмите на кнопку Символ установленного флажка, чтобы задать нужный символ для выбранного флажка, или Символ снятого флажка, чтобы выбрать, как должен выглядеть снятый флажок. Откроется окно Символ. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. когда символы будут заданы, нажмите кнопку OK, чтобы сохранить изменения и закрыть окно. Добавленный флажок отображается в режиме снятого флажка. Если щелкнуть по добавленному флажку, он будет отмечен символом, выбранным в списке Символ установленного флажка. Примечание: Граница элемента управления содержимым видна только при выделении элемента управления. Границы не отображаются в печатной версии. Перемещение элементов управления содержимым Элементы управления можно перемещать на другое место в документе: нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, и перетащите его, не отпуская кнопку мыши, на другое место в тексте документа. Элементы управления содержимым можно также копировать и вставлять: выделите нужный элемент управления и используйте сочетания клавиш Ctrl+C/Ctrl+V. Редактирование содержимого элементов управления \"Обычный текст\" и \"Форматированный текст\" Текст внутри элемента управления содержимым \"Обычный текст\" и \"Форматированный текст\" можно отформатировать с помощью значков на верхней панели инструментов: вы можете изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования. Для изменения свойств текста можно также использовать окно Абзац - Дополнительные параметры, доступное из контекстного меню или с правой боковой панели. Текст в элементах управления \"Форматированный текст\" можно форматировать, как обычный текст документа, то есть вы можете задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции. Изменение настроек элементов управления содержимым Независимо от того, какой тип элемента управления содержимым выбран, вы можете изменить настройки элемента управления в разделах Общие и Блокировка окна Параметры элемента управления содержимым. Чтобы открыть настройки элемента управления содержимым, можно действовать следующим образом: Выделите нужный элемент управления содержимым, нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Параметры элемента управления. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Параметры элемента управления содержимым. Откроется новое окно. На вкладке Общие можно настроить следующие параметры: Укажите Заголовок, Заполнитель или Тег элемента управления содержимым в соответствующих полях. Заголовок будет отображаться при выделении элемента управления в документе. Заполнитель - это основной текст, отображаемый внутри элемента управления содержимым. Теги используются для идентификации элементов управления, чтобы можно было ссылаться на них в коде. Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле. Нажмите кнопку Применить ко всем, чтобы применить указанные настройки из раздела Вид ко всем элементам управления в документе. На вкладке Блокировка можно защитить элемент управления содержимым от удаления или редактирования, используя следующие параметры: Элемент управления содержимым нельзя удалить - отметьте эту опцию, чтобы защитить элемент управления содержимым от удаления. Содержимое нельзя редактировать - отметьте эту опцию, чтобы защитить содержимое элемента управления от редактирования. Для определенных типов элементов управления содержимым также доступна третья вкладка, которая содержит настройки, специфичные только для выбранного типа элементов управления: Поле со списком, Выпадающий список, Дата, Флажок. Эти настройки описаны выше в разделах о добавлении соответствующих элементов управления содержимым. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Также доступна возможность выделения элементов управления определенным цветом. Для того, чтобы выделить элементы цветом: Нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов, Выберите в меню опцию Параметры выделения, Выберите нужный цвет на одной из доступных палитр: Цвета темы, Стандартные цвета или задайте Пользовательский цвет. Чтобы убрать ранее примененное выделение цветом, используйте опцию Без выделения. Выбранные параметры выделения будут применены ко всем элементам управления в документе. Удаление элементов управления содержимым Чтобы удалить элемент управления и оставить все его содержимое, щелкните по элементу управления содержимым, чтобы выделить его, затем действуйте одним из следующих способов: Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Удалить элемент управления содержимым. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Удалить элемент управления содержимым. Чтобы удалить элемент управления и все его содержимое, выделите нужный элемент управления и нажмите клавишу Delete на клавиатуре." }, { "id": "UsageInstructions/InsertCrossReference.htm", @@ -248,7 +273,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. К изображению также можно добавить подпись. Для получения дополнительной информации о работе с подписями к изображениям вы можете обратиться к этой статье. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла, Из хранилища или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения. Реальный размер - используется для смены текущего размера изображения на реальный размер. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительных параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." + "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. К изображению также можно добавить подпись. Для получения дополнительной информации о работе с подписями к изображениям вы можете обратиться к этой статье. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Обрезать, Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре. При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла, Из хранилища или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения. Реальный размер - используется для смены текущего размера изображения на реальный размер. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительных параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." }, { "id": "UsageInstructions/InsertLineNumbers.htm", @@ -283,7 +308,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/NonprintingCharacters.htm", @@ -307,8 +332,8 @@ var indexes = }, { "id": "UsageInstructions/SavePrintDownload.htm", - "title": "Сохранение / скачивание / печать документа", - "body": "Сохранение По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Также можно выбрать вариант Шаблон документа DOTX или OTT. Скачивание Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Сохранение копии Чтобы в онлайн-версии сохранить копию документа на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущий документ, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать документа без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенный фрагмент текста с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши и выберите опцию Напечатать выделенное). В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." + "title": "Сохранение, скачивание, печать документа", + "body": "Сохранение По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. Также можно выбрать вариант Шаблон документа DOTX или OTT. Скачивание Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. Сохранение копии Чтобы в онлайн-версии сохранить копию документа на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM. выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущий документ, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать документа без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенный фрагмент текста с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши и выберите опцию Напечатать выделенное). В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." }, { "id": "UsageInstructions/SectionBreaks.htm", @@ -330,10 +355,15 @@ var indexes = "title": "Установка позиций табуляции", "body": "В онлайн-редакторе документов можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Для установки позиций табуляции можно использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области. Доступны следующие три типа табуляции: По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Для настройки позиций табуляции можно также использовать окно свойств абзаца. Щелкните правой кнопкой мыши, выберите в контекстном меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели. В открывшемся окне Абзац - дополнительные параметры переключитесь на вкладку Табуляция. Можно задать следующие параметры: Позиция табуляции По умолчанию имеет значение 1.25 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Если ранее Вы добавили какие-то позиции табуляции при помощи линейки, все эти позиции тоже будут отображены в списке. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите опцию По левому краю, По центру или По правому краю из выпадающего списка и нажмите на кнопку Задать. Заполнитель - позволяет выбрать символ, который используется для создания заполнителя для каждой из позиций табуляции. Заполнитель - это строка символов (точек или дефисов), заполняющая пространство между позициями табуляции. Выделите нужную позицию табуляции в списке, выберите тип заполнителя из выпадающего списка и нажмите на кнопку Задать. Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Поддержка SmartArt в редакторе документов ONLYOFFICE", + "body": "Графика SmartArt используется для создания визуального представления иерархической структуры при помощи выбора наиболее подходящего макета. Редактор документов ONLYOFFICE поддерживает графические объекты SmartArt, добавленную с помощью сторонних редакторов. Вы можете открыть файл, содержащий SmartArt, и редактировать его как графический объект с помощью доступных инструментов. Если выделить графический объект SmartArt или его элемент, на правой боковой панели станут доступны следующие вкладки: Параметры абзаца - для редактирования отступов и интервалов, положения на странице, границ и заливки, шрифтов, табуляций и внутренних полей. Обратитесь к разделу Форматирование абзаца для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt. Параметры фигуры - для редактирования фигур, используемых в макете. Вы можете изменять размер формы, редактировать заливку, контур, толщину, стиль обтекания, положение, линии и стрелки, текстовое поле и альтернативный текст. Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования: Стиль оптекания - для определения способа расположения объекта относительно текста. Параметр Стиль обтекания доступен после щелчка по границе графического объекта SmartArt. Вставить название - для добавления возможности ссылаться на графический объект SmartArt в документе. Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры. Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста: Выравнивание по вертикали - для выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю. Направление текста - выбрать направление направления текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх. Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца." + }, { "id": "UsageInstructions/UseMailMerge.htm", "title": "Использование слияния", - "body": "Примечание: эта возможность доступна только в онлайн-версии. Функция слияния используется для создания набора документов, в которых сочетается общее содержание, взятое из текстового документа, и ряд индивидуальных компонентов (переменных, таких как имена, приветствия и т.д.), взятых из электронной таблицы (например, из списка клиентов). Это может быть полезно, если вам надо создать множество персонализированных писем и отправить их получателям. Чтобы начать работу с функцией Слияние, Подготовьте источник данных и загрузите его в основной документ Источник данных, используемый для слияния, должен быть электронной таблицей в формате .xlsx, сохраненной на вашем портале. Откройте существующую электронную таблицу или создайте новую и убедитесь, что она соответствует следующим требованиям. Таблица должна содержать строку заголовков с названиями столбцов, так как значения в первой ячейке каждого столбца определяют поля слияния (то есть переменные, которые можно вставить в текст). Каждый столбец должен содержать набор конкретных значений для переменной. Каждая строка в таблице должна соответствовать отдельной записи (то есть ряду значений, относящихся к определенному получателю). В ходе слияния для каждой записи будет создана копия основного документа, и каждое поле слияния, вставленное в основной текст, будет заменено фактическим значением из соответствующего столбца. Если вы собираетесь отправлять результаты по электронной почте, таблица также должна содержать столбец с адресами электронной почты получателей. Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние на вкладке Главная верхней панели инструментов. Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK. Когда источник данных будет загружен, на правой боковой панели станет доступна вкладка Параметры слияния. Проверьте или измените список получателей Нажмите на кнопку Изменить список получателей наверху правой боковой панели, чтобы открыть окно Получатели слияния, в котором отображается содержание выбранного источника данных. Здесь можно добавить новую информацию, изменить или удалить существующие данные, если это необходимо. Чтобы облегчить работу с данными, можно использовать значки в верхней части окна: и - чтобы копировать и вставлять скопированные данные и - чтобы отменять и повторять отмененные действия и - чтобы сортировать данные внутри выделенного диапазона ячеек в порядке возрастания или убывания - чтобы включить фильтр для предварительно выделенного диапазона ячеек или чтобы удалить примененный фильтр - чтобы очистить все примененные параметры фильтра Примечание: для получения дополнительной информации по использованию фильтра можно обратиться к разделу Сортировка и фильтрация данных в справке по Редактору таблиц. - чтобы найти определенное значение и заменить его на другое, если это необходимо Примечание: для получения дополнительной информации по использованию средства поиска и замены можно обратиться к разделу Функция поиска и замены в справке по Редактору таблиц. После того как все необходимые изменения будут внесены, нажмите кнопку Сохранить и выйти. Чтобы сбросить изменения, нажмите кнопку Закрыть. Вставьте поля слияния и проверьте результаты Установите курсор в тексте основного документа там, куда требуется вставить поле слияния, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите нужное поле из списка. Доступные поля соответствуют данным в первой ячейке каждого столбца выбранного источника данных. Добавьте все поля, которые вам нужны, в любом месте документа. Включите переключатель Выделить поля слияния на правой боковой панели, чтобы вставленные поля стали заметнее в тексте документа. Включите переключатель Просмотр результатов на правой боковой панели, чтобы просмотреть текст документа с полями слияния, замененными на фактические значения из источника данных. Используйте кнопки со стрелками, чтобы просмотреть версии документа, созданного в результате слияния, для каждой записи. Чтобы удалить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью и нажмите клавишу Delete на клавиатуре. Чтобы заменить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите новое поле из списка. Задайте параметры слияния Выберите тип слияния. Вы можете запустить рассылку или сохранить результат как файл в формате PDF или Docx, чтобы в дальнейшем можно было распечатать или отредактировать его. Выберите нужную опцию из списка Слияние в: PDF - для создания единого документа в формате PDF, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем его можно было распечатать Docx - для создания единого документа в формате Docx, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем можно было отредактировать отдельные копии Email - для отправки результатов получателям по электронной почте Примечание: адреса электронной почты получателей должны быть указаны в загруженном источнике данных, а у вас должна быть хотя бы одна подключенная учетная запись электронной почты в модуле Почта на портале. Выберите записи, к которым надо применить слияние: Все записи (эта опция выбрана по умолчанию) - чтобы создать объединенные документы для всех записей из загруженного источника данных Текущая запись - чтобы создать объединенный документ для записи, отображенной в данный момент С ... По - чтобы создать объединенные документы для диапазона записей (в этом случае необходимо указать два значения: номер первой записи и последней записи в требуемом диапазоне) Примечание: максимально допустимое количество получателей - 100. Если в источнике данных более 100 получателей, выполните слияние поэтапно: укажите значения от 1 до 100, дождитесь завершения слияния, и повторите операцию, указав значения от 101 до N и т.д. Завершите слияние Если вы решили сохранить результаты слияния как файл, нажмите кнопку Скачать, чтобы сохранить файл на компьютере. Загруженный файл вы найдете в папке Загрузки, выбранной по умолчанию. нажмите кнопку Сохранить, чтобы сохранить файл на портале. В открывшемся окне Папка для сохранения можно изменить имя файла и задать папку, в которую надо его сохранить. Можно также установить флажок Открыть объединенный документ в новой вкладке, чтобы проверить результат сразу после слияния. Наконец нажмите кнопку Сохранить в окне выбора папки. Если вы выбрали опцию Email, на правой боковой панели будет доступна кнопка Слияние. После нажатия на нее откроется окно Отправить по электронной почте: В списке От кого выберите учетную запись электронной почты, которую вы хотите использовать для отправки писем, если у вас есть несколько подключенных учетных записей в модуле Почта. В списке Кому выберите поле слияния, соответствующее адресам электронной почты получателей, если оно не было выбрано автоматически. Введите тему сообщения в поле Тема. Выберите из списка формат: HTML, Прикрепить как DOCX или Прикрепить как PDF. При выборе одной из двух последних опций необходимо также задать Имя файла для вложений и ввести Сообщение (текст письма, которое будет отправлено получателям). Нажмите на кнопку Отправить. Когда рассылка завершится, вы получите оповещение на адрес электронной почты, указанный в поле От кого." + "body": "Примечание: эта возможность доступна только в онлайн-версии. Функция слияния используется для создания набора документов, в которых сочетается общее содержание, взятое из текстового документа, и ряд индивидуальных компонентов (переменных, таких как имена, приветствия и т.д.), взятых из электронной таблицы (например, из списка клиентов). Это может быть полезно, если вам надо создать множество персонализированных писем и отправить их получателям. Подготовьте источник данных и загрузите его в основной документ Источник данных, используемый для слияния, должен быть электронной таблицей в формате .xlsx, сохраненной на вашем портале. Откройте существующую электронную таблицу или создайте новую и убедитесь, что она соответствует следующим требованиям. Таблица должна содержать строку заголовков с названиями столбцов, так как значения в первой ячейке каждого столбца определяют поля слияния (то есть переменные, которые можно вставить в текст). Каждый столбец должен содержать набор конкретных значений для переменной. Каждая строка в таблице должна соответствовать отдельной записи (то есть ряду значений, относящихся к определенному получателю). В ходе слияния для каждой записи будет создана копия основного документа, и каждое поле слияния, вставленное в основной текст, будет заменено фактическим значением из соответствующего столбца. Если вы собираетесь отправлять результаты по электронной почте, таблица также должна содержать столбец с адресами электронной почты получателей. Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние на вкладке Главная верхней панели инструментов и выберите источник данных: Из файла, По URL или Из хранилища. Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK. Когда источник данных будет загружен, на правой боковой панели станет доступна вкладка Параметры слияния. Проверьте или измените список получателей Нажмите на кнопку Изменить список получателей наверху правой боковой панели, чтобы открыть окно Получатели слияния, в котором отображается содержание выбранного источника данных. Здесь можно добавить новую информацию, изменить или удалить существующие данные, если это необходимо. Чтобы облегчить работу с данными, можно использовать значки в верхней части окна: и - чтобы копировать и вставлять скопированные данные и - чтобы отменять и повторять отмененные действия и - чтобы сортировать данные внутри выделенного диапазона ячеек в порядке возрастания или убывания - чтобы включить фильтр для предварительно выделенного диапазона ячеек или чтобы удалить примененный фильтр - чтобы очистить все примененные параметры фильтра Примечание: для получения дополнительной информации по использованию фильтра можно обратиться к разделу Сортировка и фильтрация данных в справке по Редактору таблиц. - чтобы найти определенное значение и заменить его на другое, если это необходимо Примечание: для получения дополнительной информации по использованию средства поиска и замены можно обратиться к разделу Функция поиска и замены в справке по Редактору таблиц. После того как все необходимые изменения будут внесены, нажмите кнопку Сохранить и выйти. Чтобы сбросить изменения, нажмите кнопку Закрыть. Вставьте поля слияния и проверьте результаты Установите курсор в тексте основного документа там, куда требуется вставить поле слияния, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите нужное поле из списка. Доступные поля соответствуют данным в первой ячейке каждого столбца выбранного источника данных. Добавьте все поля, которые вам нужны, в любом месте документа. Включите переключатель Выделить поля слияния на правой боковой панели, чтобы вставленные поля стали заметнее в тексте документа. Включите переключатель Просмотр результатов на правой боковой панели, чтобы просмотреть текст документа с полями слияния, замененными на фактические значения из источника данных. Используйте кнопки со стрелками, чтобы просмотреть версии документа, созданного в результате слияния, для каждой записи. Чтобы удалить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью и нажмите клавишу Delete на клавиатуре. Чтобы заменить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите новое поле из списка. Задайте параметры слияния Выберите тип слияния. Вы можете запустить рассылку или сохранить результат как файл в формате PDF или Docx, чтобы в дальнейшем можно было распечатать или отредактировать его. Выберите нужную опцию из списка Слияние в: PDF - для создания единого документа в формате PDF, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем его можно было распечатать Docx - для создания единого документа в формате Docx, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем можно было отредактировать отдельные копии Email - для отправки результатов получателям по электронной почте Примечание: адреса электронной почты получателей должны быть указаны в загруженном источнике данных, а у вас должна быть хотя бы одна подключенная учетная запись электронной почты в модуле Почта на портале. Выберите записи, к которым надо применить слияние: Все записи (эта опция выбрана по умолчанию) - чтобы создать объединенные документы для всех записей из загруженного источника данных Текущая запись - чтобы создать объединенный документ для записи, отображенной в данный момент С ... По - чтобы создать объединенные документы для диапазона записей (в этом случае необходимо указать два значения: номер первой записи и последней записи в требуемом диапазоне) Примечание: максимально допустимое количество получателей - 100. Если в источнике данных более 100 получателей, выполните слияние поэтапно: укажите значения от 1 до 100, дождитесь завершения слияния, и повторите операцию, указав значения от 101 до N и т.д. Завершите слияние Если вы решили сохранить результаты слияния как файл, нажмите кнопку Скачать, чтобы сохранить файл на компьютере. Загруженный файл вы найдете в папке Загрузки, выбранной по умолчанию. нажмите кнопку Сохранить, чтобы сохранить файл на портале. В открывшемся окне Папка для сохранения можно изменить имя файла и задать папку, в которую надо его сохранить. Можно также установить флажок Открыть объединенный документ в новой вкладке, чтобы проверить результат сразу после слияния. Наконец нажмите кнопку Сохранить в окне выбора папки. Если вы выбрали опцию Email, на правой боковой панели будет доступна кнопка Слияние. После нажатия на нее откроется окно Отправить по электронной почте: В списке От кого выберите учетную запись электронной почты, которую вы хотите использовать для отправки писем, если у вас есть несколько подключенных учетных записей в модуле Почта. В списке Кому выберите поле слияния, соответствующее адресам электронной почты получателей, если оно не было выбрано автоматически. Введите тему сообщения в поле Тема. Выберите из списка формат: HTML, Прикрепить как DOCX или Прикрепить как PDF. При выборе одной из двух последних опций необходимо также задать Имя файла для вложений и ввести Сообщение (текст письма, которое будет отправлено получателям). Нажмите на кнопку Отправить. Когда рассылка завершится, вы получите оповещение на адрес электронной почты, указанный в поле От кого." }, { "id": "UsageInstructions/ViewDocInfo.htm", diff --git a/apps/documenteditor/main/resources/img/blank.svg b/apps/documenteditor/main/resources/img/blank.svg index af4a89b89..46e6049d0 100644 --- a/apps/documenteditor/main/resources/img/blank.svg +++ b/apps/documenteditor/main/resources/img/blank.svg @@ -1,5 +1,5 @@ - + - + diff --git a/apps/documenteditor/main/resources/img/file-template.svg b/apps/documenteditor/main/resources/img/file-template.svg index e54f5de97..a0ea6ca5f 100644 --- a/apps/documenteditor/main/resources/img/file-template.svg +++ b/apps/documenteditor/main/resources/img/file-template.svg @@ -1,5 +1,5 @@ - + @@ -11,5 +11,5 @@ - + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/img/recent-file.svg b/apps/documenteditor/main/resources/img/recent-file.svg index d4743ea76..c5f03d573 100644 --- a/apps/documenteditor/main/resources/img/recent-file.svg +++ b/apps/documenteditor/main/resources/img/recent-file.svg @@ -1,9 +1,9 @@ - + - + diff --git a/apps/documenteditor/main/resources/img/toolbar/1.25x/add-text.png b/apps/documenteditor/main/resources/img/toolbar/1.25x/add-text.png new file mode 100644 index 000000000..0585a12d0 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.25x/add-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/add-text.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/add-text.png new file mode 100644 index 000000000..220136a9b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/add-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.75x/add-text.png b/apps/documenteditor/main/resources/img/toolbar/1.75x/add-text.png new file mode 100644 index 000000000..03ee0fc03 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.75x/add-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/add-text.png b/apps/documenteditor/main/resources/img/toolbar/1x/add-text.png new file mode 100644 index 000000000..4e9d0a355 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/add-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/add-text.png b/apps/documenteditor/main/resources/img/toolbar/2x/add-text.png new file mode 100644 index 000000000..cc1f30fd4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/add-text.png differ diff --git a/apps/documenteditor/main/resources/less/filemenu.less b/apps/documenteditor/main/resources/less/filemenu.less index 25d9a7e25..650055751 100644 --- a/apps/documenteditor/main/resources/less/filemenu.less +++ b/apps/documenteditor/main/resources/less/filemenu.less @@ -100,8 +100,58 @@ height: 125px; cursor: pointer; - svg&:hover { - opacity:0.85; + .svg-format- { + &docx { + background: ~"url('@{common-image-const-path}/doc-formats/docx.svg') no-repeat center"; + } + &pdf { + background: ~"url('@{common-image-const-path}/doc-formats/pdf.svg') no-repeat center"; + } + &odt { + background: ~"url('@{common-image-const-path}/doc-formats/odt.svg') no-repeat center"; + } + &txt { + background: ~"url('@{common-image-const-path}/doc-formats/txt.svg') no-repeat center"; + } + &dotx { + background: ~"url('@{common-image-const-path}/doc-formats/dotx.svg') no-repeat center"; + } + &pdfa { + background: ~"url('@{common-image-const-path}/doc-formats/pdfa.svg') no-repeat center"; + } + &ott { + background: ~"url('@{common-image-const-path}/doc-formats/ott.svg') no-repeat center"; + } + &rtf { + background: ~"url('@{common-image-const-path}/doc-formats/rtf.svg') no-repeat center"; + } + &docm { + background: ~"url('@{common-image-const-path}/doc-formats/docm.svg') no-repeat center"; + } + &docxf { + background: ~"url('@{common-image-const-path}/doc-formats/docxf.svg') no-repeat center"; + } + &oform { + background: ~"url('@{common-image-const-path}/doc-formats/oform.svg') no-repeat center"; + } + &html { + background: ~"url('@{common-image-const-path}/doc-formats/html.svg') no-repeat center"; + } + &fb2 { + background: ~"url('@{common-image-const-path}/doc-formats/fb2.svg') no-repeat center"; + } + &epub { + background: ~"url('@{common-image-const-path}/doc-formats/epub.svg') no-repeat center"; + } + } + + div { + display: block; + height: 100%; + width: 100%; + &:hover { + opacity: 0.85; + } } } @@ -110,6 +160,21 @@ width: 96px; height: 96px; cursor: pointer; + + .svg-format-blank { + background: ~"url(@{app-image-const-path}/blank.svg) no-repeat center" ; + } + .svg-file-template{ + background: ~"url(@{app-image-const-path}/file-template.svg) no-repeat center" ; + } + + div { + display: block; + height: 100%; + width: 100%; + } + + } #panel-settings, @@ -269,12 +334,16 @@ .recent-icon { float: left; + display: inline-block; width: 25px; height: 25px; margin-top: 1px; - svg { + div { width: 100%; height: 100%; + .svg-file-recent { + background: ~"url(@{app-image-const-path}/recent-file.svg) no-repeat top"; + } } } diff --git a/apps/documenteditor/main/resources/less/navigation.less b/apps/documenteditor/main/resources/less/navigation.less index 475a4e7ea..9fd80ddb9 100644 --- a/apps/documenteditor/main/resources/less/navigation.less +++ b/apps/documenteditor/main/resources/less/navigation.less @@ -5,17 +5,23 @@ #navigation-header { position: absolute; - height: 38px; + height: 45px; left: 0; top: 0; width: 100%; - .font-weight-bold(); - padding: 10px 12px; + padding: 12px; + overflow: hidden; border-bottom: @scaled-one-px-value-ie solid @border-toolbar-ie; border-bottom: @scaled-one-px-value solid @border-toolbar; + label { + font-size: 12px; + .font-weight-bold(); + margin-top: 2px; + } } #navigation-list { + padding-top: 45px; height: 100%; overflow: hidden; font-size: 12px; @@ -30,15 +36,35 @@ } } } + .tree-item { + min-height: 25px; + .name { + padding: 5px 0; + } + } + } + &.small{ + font-size: 10px; + } + &.medium{ + font-size: 12px; + .name { + padding: 4px 0; + } + } + &.large{ + font-size: 14px; } - .name.not-header { font-style: italic; } - .name { + &.wrap .name{ white-space: pre-wrap; - word-break: break-all; + } + + .name { + word-break: break-word; max-height: 350px; } } diff --git a/apps/documenteditor/main/resources/less/statusbar.less b/apps/documenteditor/main/resources/less/statusbar.less index a20d7e158..b59016d5d 100644 --- a/apps/documenteditor/main/resources/less/statusbar.less +++ b/apps/documenteditor/main/resources/less/statusbar.less @@ -4,15 +4,11 @@ .status-label { position: relative; - top: 1px; } #label-pages, #label-zoom { cursor: pointer; } - #label-pages, #label-action { - margin-top: 2px; - } #users-icon,#status-users-count { display: inline-block; @@ -41,11 +37,20 @@ .status-group { display: table-cell; white-space: nowrap; - padding-top: 3px; vertical-align: top; &.dropup { position: static; } + + .status-label.margin-top-large { + margin-top: 6px; + } + + button.margin-top-small, + .margin-top-small > button, + .margin-top-small > .btn-group { + margin-top: 3px; + } } .separator { @@ -53,7 +58,6 @@ &.short { height: 25px; - margin-top: -2px; } &.space { @@ -70,7 +74,8 @@ .cnt-zoom { display: inline-block; - + vertical-align: middle; + margin-top: 4px; .dropdown-menu { min-width: 80px; margin-left: -4px; diff --git a/apps/documenteditor/mobile/locale/az.json b/apps/documenteditor/mobile/locale/az.json index e60226d78..87e44b940 100644 --- a/apps/documenteditor/mobile/locale/az.json +++ b/apps/documenteditor/mobile/locale/az.json @@ -397,7 +397,9 @@ "unknownErrorText": "Naməlum xəta.", "uploadImageExtMessage": "Naməlum təsvir formatı.", "uploadImageFileCountMessage": "Heç bir təsvir yüklənməyib.", - "uploadImageSizeMessage": "Təsvir çox böyükdür. Maksimum ölçü 25 MB-dır." + "uploadImageSizeMessage": "Təsvir çox böyükdür. Maksimum ölçü 25 MB-dır.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Məlumat yüklənir...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "Bu faylı redaktə etmək icazəniz yoxdur.", "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Qorunan Fayl", @@ -643,11 +646,18 @@ "txtScheme7": "Bərabər", "txtScheme8": "Axın", "txtScheme9": "Emalatxana", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Saxlanmamış dəyişiklikləriniz var. Avtomatik saxlanmanı gözləmək üçün \"Bu Səhifədə Qalın\" üzərinə klikləyin. Bütün saxlanmamış dəyişiklikləri ləğv etmək üçün \"Bu səhifədən Çıxın\" hissəsinin üzərinə klikləyin.", diff --git a/apps/documenteditor/mobile/locale/be.json b/apps/documenteditor/mobile/locale/be.json index bf8883a9f..7fcf1ce31 100644 --- a/apps/documenteditor/mobile/locale/be.json +++ b/apps/documenteditor/mobile/locale/be.json @@ -394,6 +394,8 @@ "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
        opening price, max price, min price, closing price.", "errorUserDrop": "The file can't be accessed right now.", "errorViewerDisconnect": "Connection is lost. You can still view the document,
        but you won't be able to download or print it until the connection is restored and the page is reloaded.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.", "openErrorText": "An error has occurred while opening the file", "saveErrorText": "An error has occurred while saving the file", "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit this file." + "warnProcessRightsChange": "You don't have permission to edit this file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Абаронены файл", @@ -638,16 +641,23 @@ "textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?", "textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?", "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", + "textFastWV": "Fast Web View", "textFindAndReplaceAll": "Find and Replace All", + "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "txtDownloadTxt": "Download TXT", "txtIncorrectPwd": "Password is incorrect", "txtProtected": "Once you enter the password and open the file, the current password will be reset", "txtScheme22": "New Office", - "textFeedback": "Feedback & Support", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveTitleText": "Вы выходзіце з праграмы", diff --git a/apps/documenteditor/mobile/locale/bg.json b/apps/documenteditor/mobile/locale/bg.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/bg.json +++ b/apps/documenteditor/mobile/locale/bg.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/ca.json b/apps/documenteditor/mobile/locale/ca.json index 0dec8c3c7..365dd6327 100644 --- a/apps/documenteditor/mobile/locale/ca.json +++ b/apps/documenteditor/mobile/locale/ca.json @@ -334,8 +334,8 @@ "textTotalRow": "Fila de total", "textTu": "dt.", "textType": "Tipus", + "textWe": "dc.", "textWrap": "Ajustament", - "textWe": "We", "textTableOfCont": "TOC", "textPageNumbers": "Page Numbers", "textSimple": "Simple", @@ -397,7 +397,9 @@ "unknownErrorText": "Error desconegut.", "uploadImageExtMessage": "Format d'imatge desconegut.", "uploadImageFileCountMessage": "No s'ha carregat cap imatge.", - "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB." + "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "S'estan carregant les dades...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Has arribat al límit d'usuari per a %1 editors. Contacta amb el teu administrador per a més informació.", "warnNoLicense": "Has arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacta amb l'equip de vendes %1 per a les condicions d'una actualització personal.", "warnNoLicenseUsers": "Has arribat al límit d'usuaris per a %1 editors. Contacta amb l'equip de vendes de %1 per obtenir les condicions de millora personals dels teus serveis.", - "warnProcessRightsChange": "No tens permís per editar aquest fitxer." + "warnProcessRightsChange": "No tens permís per editar aquest fitxer.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "El fitxer està protegit", @@ -570,6 +573,7 @@ "textEnableAll": "Habilita-ho tot", "textEnableAllMacrosWithoutNotification": "Habilita totes les macros sense notificació", "textEncoding": "Codificació", + "textFastWV": "Vista Web Ràpida", "textFind": "Cerca", "textFindAndReplace": "Cerca i substitueix", "textFindAndReplaceAll": "Cerca i substitueix-ho tot", @@ -588,6 +592,7 @@ "textMargins": "Marges", "textMarginsH": "Els marges superior i inferior són massa alts per a una alçada de pàgina determinada", "textMarginsW": "Els marges esquerre i dret són massa amples per a una amplada de pàgina determinada", + "textNo": "No", "textNoCharacters": "Caràcters que no es poden imprimir", "textNoTextFound": "No s'ha trobat el text", "textOk": "D'acord", @@ -595,7 +600,10 @@ "textOrientation": "Orientació", "textOwner": "Propietari", "textPages": "Pàgines", + "textPageSize": "Mida Pàgina", "textParagraphs": "Paràgrafs", + "textPdfTagged": "PDF Etiquetat", + "textPdfVer": "Versió PDF", "textPoint": "Punt", "textPortrait": "Orientació vertical", "textPrint": "Imprimeix", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Unitat de mesura", "textUploaded": "S'ha carregat", "textWords": "Paraules", + "textYes": "Sí", "txtDownloadTxt": "Baixa TXT", "txtIncorrectPwd": "La contrasenya no és correcta", "txtOk": "D'acord", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Tens canvis sense desar. Fes clic a \"Mantingueu-vos en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixar aquesta pàgina\" per descartar tots els canvis no desats.", diff --git a/apps/documenteditor/mobile/locale/cs.json b/apps/documenteditor/mobile/locale/cs.json index 55a84acb0..519778770 100644 --- a/apps/documenteditor/mobile/locale/cs.json +++ b/apps/documenteditor/mobile/locale/cs.json @@ -397,7 +397,9 @@ "unknownErrorText": "Neznámá chyba.", "uploadImageExtMessage": "Neznámý formát obrázku.", "uploadImageFileCountMessage": "Nenahrány žádné obrázky.", - "uploadImageSizeMessage": "Obrázek je příliš velký. Maximální velikost je 25 MB." + "uploadImageSizeMessage": "Obrázek je příliš velký. Maximální velikost je 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Načítání dat...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Došlo dosažení limitu %1 editorů v režimu spolupráce na úpravách. Ohledně podrobností se obraťte na svého správce.", "warnNoLicense": "Došlo k dosažení limitu souběžného připojení %1 editorů. Tento dokument bude otevřen pouze pro náhled. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", "warnNoLicenseUsers": "Došlo k dosažení limitu %1 editorů. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", - "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Zabezpečený soubor", @@ -570,6 +573,7 @@ "textEnableAll": "Zapnout vše", "textEnableAllMacrosWithoutNotification": "Povolit všechna makra bez notifikací", "textEncoding": "Kódování", + "textFastWV": "Rychlé zobrazení stránky", "textFind": "Najít", "textFindAndReplace": "Najít a nahradit", "textFindAndReplaceAll": "Najít a nahradit vše", @@ -588,6 +592,7 @@ "textMargins": "Okraje", "textMarginsH": "Horní a spodní okraj je příliš velký vzhledem k dané výšce stránky", "textMarginsW": "Okraje vlevo a vpravo jsou příliš velké vzhledem k šířce stránky", + "textNo": "Ne", "textNoCharacters": "Netisknutelné znaky", "textNoTextFound": "Text nebyl nalezen", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "Orientace", "textOwner": "Vlastník", "textPages": "Stránky", + "textPageSize": "Velikost stránky", "textParagraphs": "Odstavce", + "textPdfTagged": "Označené PDF", + "textPdfVer": "Verze PDF", "textPoint": "Bod", "textPortrait": "Na výšku", "textPrint": "Tisk", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Měřit v jednotkách", "textUploaded": "Nahráno", "textWords": "Slova", + "textYes": "Ano", "txtDownloadTxt": "Stáhnout TXT", "txtIncorrectPwd": "Heslo je chybné", "txtOk": "OK", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "V tomto dokumentu máte neuložené změny. Klikněte na 'Zůstat na této stránce'. Klikněte na 'Opustit tuto stránku' pro zahození neuložených změn.", diff --git a/apps/documenteditor/mobile/locale/da.json b/apps/documenteditor/mobile/locale/da.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/da.json +++ b/apps/documenteditor/mobile/locale/da.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json index 4c0ad5f90..8139f39d5 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -397,7 +397,9 @@ "unknownErrorText": "Unbekannter Fehler.", "uploadImageExtMessage": "Unbekanntes Bildformat.", "uploadImageFileCountMessage": "Keine Bilder hochgeladen.", - "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten." + "uploadImageSizeMessage": "Die maximal zulässige Bildgröße von 25 MB ist überschritten.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Daten werden geladen...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", "warnNoLicense": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", - "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten." + "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Geschützte Datei", @@ -643,11 +646,18 @@ "txtScheme7": "Kapital", "txtScheme8": "Fluss", "txtScheme9": "Gießerei", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF-Ersteller" }, "Toolbar": { "dlgLeaveMsgText": "Sie haben nicht gespeicherte Änderungen. Klicken Sie auf \"Auf dieser Seite bleiben\" und warten Sie, bis die Datei automatisch gespeichert wird. Klicken Sie auf \"Die Seite verlassen\", um nicht gespeicherte Änderungen zu verwerfen.", diff --git a/apps/documenteditor/mobile/locale/el.json b/apps/documenteditor/mobile/locale/el.json index a64efce61..71598ffee 100644 --- a/apps/documenteditor/mobile/locale/el.json +++ b/apps/documenteditor/mobile/locale/el.json @@ -397,7 +397,9 @@ "unknownErrorText": "Άγνωστο σφάλμα.", "uploadImageExtMessage": "Άγνωστη μορφή εικόνας.", "uploadImageFileCountMessage": "Δεν μεταφορτώθηκαν εικόνες.", - "uploadImageSizeMessage": "Η εικόνα είναι πολύ μεγάλη. Το μέγιστο μέγεθος είναι 25MB." + "uploadImageSizeMessage": "Η εικόνα είναι πολύ μεγάλη. Το μέγιστο μέγεθος είναι 25MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Φόρτωση δεδομένων...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
        Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
        Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου." + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας αυτού του αρχείου.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Προστατευμένο Αρχείο", @@ -643,11 +646,18 @@ "txtScheme7": "Μετοχή", "txtScheme8": "Ροή", "txtScheme9": "Χυτήριο", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Έχετε μη αποθηκευμένες αλλαγές. Πατήστε 'Παραμονή στη Σελίδα' για να περιμένετε την αυτόματη αποθήκευση. Πατήστε 'Έξοδος από τη Σελίδα' για να απορρίψετε όλες τις μη αποθηκευμένες αλλαγές.", diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json index e80ba9648..964d969d6 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -224,7 +224,7 @@ "textBefore": "Before", "textBehind": "Behind Text", "textBorder": "Border", - "textBringToForeground": "Bring to foreground", + "textBringToForeground": "Bring to Foreground", "textBullets": "Bullets", "textBulletsAndNumbers": "Bullets & Numbers", "textCellMargins": "Cell Margins", @@ -292,7 +292,14 @@ "textPageBreakBefore": "Page Break Before", "textPageNumbering": "Page Numbering", "textParagraph": "Paragraph", - "textParagraphStyles": "Paragraph Styles", + "textCreateTextStyle": "Create new text style", + "textDone": "Done", + "textTitle": "Title", + "textEnterTitleNewStyle": "Enter title of a new style", + "textNextParagraphStyle": "Next paragraph style", + "textSameCreatedNewStyle": "Same as created new style", + "del_textParagraphStyles": "Paragraph Styles", + "textParagraphStyle": "Paragraph Style", "textPictureFromLibrary": "Picture from Library", "textPictureFromURL": "Picture from URL", "textPt": "pt", @@ -387,6 +394,8 @@ "errorUserDrop": "The file can't be accessed right now.", "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", "errorViewerDisconnect": "Connection is lost. You can still view the document,
        but you won't be able to download or print it until the connection is restored and the page is reloaded.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab.", "notcriticalErrorTitle": "Warning", "openErrorText": "An error has occurred while opening the file", "saveErrorText": "An error has occurred while saving the file", @@ -530,7 +539,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit this file." + "warnProcessRightsChange": "You don't have permission to edit this file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -570,6 +580,7 @@ "textEnableAll": "Enable All", "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", "textEncoding": "Encoding", + "textFastWV": "Fast Web View", "textFind": "Find", "textFindAndReplace": "Find and Replace", "textFindAndReplaceAll": "Find and Replace All", @@ -586,9 +597,14 @@ "textLoading": "Loading...", "textLocation": "Location", "textMacrosSettings": "Macros Settings", + "textDirection": "Direction", + "textLeftToRight": "Left To Right", + "textRightToLeft": "Right To Left", + "textRestartApplication": "Please restart the application for the changes to take effect", "textMargins": "Margins", "textMarginsH": "Top and bottom margins are too high for a given page height", "textMarginsW": "Left and right margins are too wide for a given page width", + "textNo": "No", "textNoCharacters": "Nonprinting Characters", "textNoTextFound": "Text not found", "textOk": "Ok", @@ -596,7 +612,11 @@ "textOrientation": "Orientation", "textOwner": "Owner", "textPages": "Pages", + "textPageSize": "Page Size", "textParagraphs": "Paragraphs", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textPdfProducer": "PDF Producer", "textPoint": "Point", "textPortrait": "Portrait", "textPrint": "Print", @@ -618,6 +638,7 @@ "textUnitOfMeasurement": "Unit Of Measurement", "textUploaded": "Uploaded", "textWords": "Words", + "textYes": "Yes", "txtDownloadTxt": "Download TXT", "txtIncorrectPwd": "Password is incorrect", "txtOk": "Ok", diff --git a/apps/documenteditor/mobile/locale/es.json b/apps/documenteditor/mobile/locale/es.json index c9078153c..e6f3fd0b6 100644 --- a/apps/documenteditor/mobile/locale/es.json +++ b/apps/documenteditor/mobile/locale/es.json @@ -397,7 +397,9 @@ "unknownErrorText": "Error desconocido.", "uploadImageExtMessage": "Formato de imagen desconocido.", "uploadImageFileCountMessage": "No hay imágenes subidas.", - "uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB." + "uploadImageSizeMessage": "La imagen es demasiado grande. El tamaño máximo es de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Cargando datos...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con su administrador para saber más.", "warnNoLicense": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.", "warnNoLicenseUsers": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.", - "warnProcessRightsChange": "No tiene permiso para editar este archivo." + "warnProcessRightsChange": "No tiene permiso para editar este archivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Archivo protegido", @@ -570,6 +573,7 @@ "textEnableAll": "Habilitar todo", "textEnableAllMacrosWithoutNotification": "Habilitar todas las macros sin notificación", "textEncoding": "Codificación", + "textFastWV": "Vista rápida de la web", "textFind": "Buscar", "textFindAndReplace": "Buscar y reemplazar", "textFindAndReplaceAll": "Buscar y reemplazar todo", @@ -588,6 +592,7 @@ "textMargins": "Márgenes", "textMarginsH": "Márgenes superior e inferior son demasiado altos para una altura de página determinada ", "textMarginsW": "Los márgenes izquierdo y derecho son demasiado amplios para un ancho de página determinado", + "textNo": "No", "textNoCharacters": "Caracteres no imprimibles", "textNoTextFound": "Texto no encontrado", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "Orientación ", "textOwner": "Propietario", "textPages": "Páginas", + "textPageSize": "Tamaño de la página", "textParagraphs": "Párrafos", + "textPdfTagged": "PDF etiquetado", + "textPdfVer": "Versión PDF", "textPoint": "Punto", "textPortrait": "Vertical", "textPrint": "Imprimir", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Unidad de medida", "textUploaded": "Cargado", "textWords": "Palabras", + "textYes": "Sí", "txtDownloadTxt": "Descargar TXT", "txtIncorrectPwd": "La contraseña es incorrecta", "txtOk": "OK", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "Productor PDF" }, "Toolbar": { "dlgLeaveMsgText": "Tiene cambios sin guardar. Haga clic en \"Permanecer en esta página\" para esperar a que se guarde automáticamente. Haga clic en \"Salir de esta página\" para descartar todos los cambios no guardados.", diff --git a/apps/documenteditor/mobile/locale/fi.json b/apps/documenteditor/mobile/locale/fi.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/fi.json +++ b/apps/documenteditor/mobile/locale/fi.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json index cc2b96cff..25829e47c 100644 --- a/apps/documenteditor/mobile/locale/fr.json +++ b/apps/documenteditor/mobile/locale/fr.json @@ -397,7 +397,9 @@ "unknownErrorText": "Erreur inconnue.", "uploadImageExtMessage": "Format d'image inconnu.", "uploadImageFileCountMessage": "Aucune image chargée.", - "uploadImageSizeMessage": "L'image est trop grande. La taille limite est de 25 Mo." + "uploadImageSizeMessage": "L'image est trop grande. La taille limite est de 25 Mo.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Chargement des données en cours...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Pour en savoir plus, contactez votre administrateur.", "warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert en lecture seule. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", "warnNoLicenseUsers": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", - "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Fichier protégé", @@ -570,6 +573,7 @@ "textEnableAll": "Activer tout", "textEnableAllMacrosWithoutNotification": "Activer toutes les macros sans notification", "textEncoding": "Codage ", + "textFastWV": "Affichage rapide sur le Web", "textFind": "Rechercher", "textFindAndReplace": "Rechercher et remplacer", "textFindAndReplaceAll": "Rechercher et remplacer tout", @@ -588,6 +592,7 @@ "textMargins": "Marges", "textMarginsH": "Les marges supérieure et inférieure sont trop élevés pour une hauteur de page donnée", "textMarginsW": "Les marges gauche et droite sont trop larges pour une largeur de page donnée", + "textNo": "Non", "textNoCharacters": "Caractères non imprimables", "textNoTextFound": "Le texte est introuvable", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "Orientation", "textOwner": "Propriétaire", "textPages": "Pages", + "textPageSize": "Taille de la page", "textParagraphs": "Paragraphes", + "textPdfTagged": "PDF marqué", + "textPdfVer": "Version PDF", "textPoint": "Point", "textPortrait": "Portrait", "textPrint": "Imprimer", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Unité de mesure", "textUploaded": "Chargé", "textWords": "Mots", + "textYes": "Oui", "txtDownloadTxt": "Télécharger le TXT", "txtIncorrectPwd": "Mot de passe incorrect", "txtOk": "Ok", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "Producteur PDF" }, "Toolbar": { "dlgLeaveMsgText": "Vous avez des modifications non enregistrées dans ce document. Cliquez sur Rester sur cette page et attendez l'enregistrement automatique. Cliquez sur Quitter cette page pour annuler toutes les modifications non enregistrées.", diff --git a/apps/documenteditor/mobile/locale/gl.json b/apps/documenteditor/mobile/locale/gl.json index 13d98227b..65b9eed8b 100644 --- a/apps/documenteditor/mobile/locale/gl.json +++ b/apps/documenteditor/mobile/locale/gl.json @@ -397,7 +397,9 @@ "unknownErrorText": "Erro descoñecido.", "uploadImageExtMessage": "Formato de imaxe descoñecido.", "uploadImageFileCountMessage": "Non hai imaxes subidas.", - "uploadImageSizeMessage": "A imaxe é demasiado grande. O tamaño máximo é de 25 MB." + "uploadImageSizeMessage": "A imaxe é demasiado grande. O tamaño máximo é de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Cargando datos...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Alcanzou o límite de usuarios para os editores de %1. Por favor, contacte co se uadministrador para recibir máis información.", "warnNoLicense": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase para as úa visualización. Póñase en contacto co equipo de vendas de %1 para coñecer as condicións de actualización persoal.", "warnNoLicenseUsers": "Alcanzou o límite de usuarios para os editores de %1.
        Contacte co equipo de vendas de %1 para coñecer os termos de actualización persoal.", - "warnProcessRightsChange": "Non ten permiso para editar este ficheiro." + "warnProcessRightsChange": "Non ten permiso para editar este ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Ficheiro protexido", @@ -643,11 +646,18 @@ "txtScheme7": "Equidade", "txtScheme8": "Fluxo", "txtScheme9": "Fundición", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Ten cambios sen gardar. Prema en \"Permanecer nesta páxina\" para esperar a que se garde automaticamente. Prema en \"Saír desta páxina\" para descartar todos os cambios non gardados.", diff --git a/apps/documenteditor/mobile/locale/hu.json b/apps/documenteditor/mobile/locale/hu.json index c3aed9719..2e800f3a2 100644 --- a/apps/documenteditor/mobile/locale/hu.json +++ b/apps/documenteditor/mobile/locale/hu.json @@ -41,6 +41,7 @@ "textLocation": "Hely", "textNextPage": "Következő oldal", "textOddPage": "Páratlan oldal", + "textOk": "OK", "textOther": "Egyéb", "textPageBreak": "Oldaltörés", "textPageNumber": "Oldalszám", @@ -57,7 +58,6 @@ "textTable": "Táblázat", "textTableSize": "Táblázat mérete", "txtNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", - "textOk": "Ok", "textTableContents": "Table of Contents", "textWithPageNumbers": "With Page Numbers", "textWithBlueLinks": "With Blue Links" @@ -161,13 +161,13 @@ "textUsers": "Felhasználók", "textWidow": "Özvegy sor" }, + "HighlightColorPalette": { + "textNoFill": "Nincs kitöltés" + }, "ThemeColorPalette": { "textCustomColors": "Egyéni színek", "textStandartColors": "Alapértelmezett színek", "textThemeColors": "Téma színek" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -213,6 +213,8 @@ "textAlign": "Rendez", "textAllCaps": "Minden nagybetű", "textAllowOverlap": "Átfedés engedélyezése", + "textApril": "Április", + "textAugust": "Augusztus", "textAuto": "Automatikus", "textAutomatic": "Automatikus", "textBack": "Vissza", @@ -220,7 +222,7 @@ "textBandedColumn": "Sávos oszlop", "textBandedRow": "Sávos sor", "textBefore": "Előtt", - "textBehind": "Mögött", + "textBehind": "Szöveg mögött", "textBorder": "Szegély", "textBringToForeground": "Előtérbe hoz", "textBullets": "Pontok", @@ -231,6 +233,8 @@ "textColor": "Szín", "textContinueFromPreviousSection": "Folytatás az előző szakasztól", "textCustomColor": "Egyéni szín", + "textDecember": "December", + "textDesign": "Dizájn", "textDifferentFirstPage": "Eltérő első oldal", "textDifferentOddAndEvenPages": "Páros és páratlan oldalak eltérőek", "textDisplay": "Megjelenít", @@ -238,7 +242,9 @@ "textDoubleStrikethrough": "Duplán áthúzott", "textEditLink": "Hivatkozás szerkesztése", "textEffects": "Effektek", + "textEmpty": "Üres", "textEmptyImgUrl": "Meg kell adni a kép hivatkozását.", + "textFebruary": "Február", "textFill": "Kitölt", "textFirstColumn": "Első oszlop", "textFirstLine": "Első sor", @@ -247,14 +253,18 @@ "textFontColors": "Betűszínek", "textFonts": "Betűtípusok", "textFooter": "Lábléc", + "textFr": "Fr", "textHeader": "Fejléc", "textHeaderRow": "Fejléc sor", "textHighlightColor": "Kiemelő szín", "textHyperlink": "Hiperhivatkozás", "textImage": "Kép", "textImageURL": "Kép URL", - "textInFront": "Előtt", - "textInline": "Sorban", + "textInFront": "Szöveg előtt", + "textInline": "Szöveggel egy sorban", + "textJanuary": "Január ", + "textJuly": "Július ", + "textJune": "Június", "textKeepLinesTogether": "Sorok egyben tartása", "textKeepWithNext": "Együtt a következővel", "textLastColumn": "Utolsó oszlop", @@ -263,13 +273,19 @@ "textLink": "Hivatkozás", "textLinkSettings": "Hivatkozás beállítások", "textLinkToPrevious": "Korábbira hivatkozás", + "textMarch": "Március", + "textMay": "Május", + "textMo": "Hó", "textMoveBackward": "Hátra mozgat", "textMoveForward": "Előre mozgat", "textMoveWithText": "Szöveggel mozgat", "textNone": "Egyik sem", "textNoStyles": "Nincsenek stílusok az ilyen típusú diagramokhoz.", "textNotUrl": "Ennek a mezőnek URL formátumúnak kell lennie, pl.: „http://www.pelda.hu”", + "textNovember": "November", "textNumbers": "Számok", + "textOctober": "Október", + "textOk": "OK", "textOpacity": "Áttetszőség", "textOptions": "Beállítások", "textOrphanControl": "Árva sor", @@ -290,9 +306,11 @@ "textReplace": "Cserél", "textReplaceImage": "Kép cseréje", "textResizeToFitContent": "Átméretez, hogy illeszkedjen a tartalom", + "textSa": "Szo", "textScreenTip": "Képernyőtipp", "textSelectObjectToEdit": "Szerkeszteni kívánt objektumot kiválasztása", "textSendToBackground": "Háttérbe küld", + "textSeptember": "Szeptember", "textSettings": "Beállítások", "textShape": "Alakzat", "textSize": "Méret", @@ -303,39 +321,21 @@ "textStrikethrough": "Áthúzott", "textStyle": "Stílus", "textStyleOptions": "Stílusbeállítások", + "textSu": "Vas", "textSubscript": "Alsó index", "textSuperscript": "Felső index", "textTable": "Táblázat", "textTableOptions": "Táblázat beállítások", "textText": "Szöveg", + "textTh": "Csüt", "textThrough": "Keresztül", "textTight": "Szűken", "textTopAndBottom": "Felül - alul", "textTotalRow": "Összes sor", + "textTu": "Ke", "textType": "Típus", + "textWe": "Sze", "textWrap": "Tördel", - "textApril": "April", - "textAugust": "August", - "textDecember": "December", - "textDesign": "Design", - "textEmpty": "Empty", - "textFebruary": "February", - "textFr": "Fr", - "textJanuary": "January", - "textJuly": "July", - "textJune": "June", - "textMarch": "March", - "textMay": "May", - "textMo": "Mo", - "textNovember": "November", - "textOctober": "October", - "textOk": "Ok", - "textSa": "Sa", - "textSeptember": "September", - "textSu": "Su", - "textTh": "Th", - "textTu": "Tu", - "textWe": "We", "textTableOfCont": "TOC", "textPageNumbers": "Page Numbers", "textSimple": "Simple", @@ -397,7 +397,9 @@ "unknownErrorText": "Ismeretlen hiba.", "uploadImageExtMessage": "Ismeretlen képformátum.", "uploadImageFileCountMessage": "Nincs kép feltöltve.", - "uploadImageSizeMessage": "A kép túl nagy. A maximális méret 25 MB." + "uploadImageSizeMessage": "A kép túl nagy. A maximális méret 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Adatok betöltése...", @@ -514,8 +516,11 @@ "textHasMacros": "A fájl automatikus makrókat tartalmaz.
        Szeretne makrókat futtatni?", "textNo": "Nem", "textNoLicenseTitle": "Elérte a licenckorlátot", + "textNoTextFound": "A szöveg nem található", "textPaidFeature": "Fizetett funkció", "textRemember": "Választás megjegyzése", + "textReplaceSkipped": "A csere megtörtént. {0} események kihagyásra kerültek.", + "textReplaceSuccess": "A keresés megtörtént. Helyettesített események: {0}", "textYes": "Igen", "titleLicenseExp": "Lejárt licenc", "titleServerVersion": "Szerkesztő frissítve", @@ -528,9 +533,7 @@ "warnNoLicense": "Elérte a(z) %1 szerkesztővel való egyidejű kapcsolódási korlátot. Ez a dokumentum csak megtekintésre nyílik meg. Lépjen kapcsolatba a(z) %1 értékesítési csapattal a személyes frissítés feltételekért.", "warnNoLicenseUsers": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználói korlátját. Vegye fel a kapcsolatot a(z) %1 értékesítési csapattal a személyes frissítési feltételekért.", "warnProcessRightsChange": "Nincs engedélye a fájl szerkesztésére.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Védett fájl", @@ -570,6 +573,7 @@ "textEnableAll": "Összes engedélyezése", "textEnableAllMacrosWithoutNotification": "Engedélyezze az összes makrót értesítés nélkül", "textEncoding": "Kódolás", + "textFastWV": "Gyors Web Nézet", "textFind": "Keresés", "textFindAndReplace": "Keresés és csere", "textFindAndReplaceAll": "Összes keresése és cseréje", @@ -588,6 +592,7 @@ "textMargins": "Margók", "textMarginsH": "A felső és alsó margók túl magasak az adott oldalmagassághoz", "textMarginsW": "A bal és a jobb margó túl széles egy adott oldalszélességhez", + "textNo": "Nem", "textNoCharacters": "Nem nyomtatható karakterek", "textNoTextFound": "A szöveg nem található", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "Tájolás", "textOwner": "Tulajdonos", "textPages": "Oldalak", + "textPageSize": "Lap méret", "textParagraphs": "Bekezdések", + "textPdfTagged": "Címkézett PDF", + "textPdfVer": "PDF Verzió", "textPoint": "Pont", "textPortrait": "Portré", "textPrint": "Nyomtatás", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Mértékegység", "textUploaded": "Feltöltve", "textWords": "Szavak", + "textYes": "Igen", "txtDownloadTxt": "TXT letöltése", "txtIncorrectPwd": "Érvénytelen jelszó", "txtOk": "OK", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Nem mentett módosításai vannak. Kattintson a „Maradj ezen az oldalon” gombra az automatikus mentés megvárásához. Kattintson a \"Hagyja el ezt az oldalt\" gombra az összes nem mentett módosítás elvetéséhez.", diff --git a/apps/documenteditor/mobile/locale/id.json b/apps/documenteditor/mobile/locale/id.json new file mode 100644 index 000000000..9353166c8 --- /dev/null +++ b/apps/documenteditor/mobile/locale/id.json @@ -0,0 +1,668 @@ +{ + "About": { + "textAbout": "Tentang", + "textAddress": "Alamat", + "textBack": "Kembali", + "textEmail": "Email", + "textPoweredBy": "Didukung oleh", + "textTel": "Tel", + "textVersion": "Versi" + }, + "Add": { + "notcriticalErrorTitle": "Peringatan", + "textAddLink": "Tambah tautan", + "textAddress": "Alamat", + "textBack": "Kembali", + "textBelowText": "Di bawah teks", + "textBottomOfPage": "Bawah halaman", + "textBreak": "Break", + "textCancel": "Batalkan", + "textCenterBottom": "Tengah Bawah", + "textCenterTop": "Tengah Atas", + "textColumnBreak": "Break Kolom", + "textColumns": "Kolom", + "textComment": "Komentar", + "textContinuousPage": "Halaman Bersambung", + "textCurrentPosition": "Posisi Saat Ini", + "textDisplay": "Tampilan", + "textEmptyImgUrl": "Anda harus menentukan URL gambar.", + "textEvenPage": "Halaman Genap", + "textFootnote": "Footnote", + "textFormat": "Format", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textInsert": "Sisipkan", + "textInsertFootnote": "Sisipkan Footnote", + "textInsertImage": "Sisipkan Gambar", + "textLeftBottom": "Bawah Kiri", + "textLeftTop": "Kiri Atas", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLocation": "Lokasi", + "textNextPage": "Halaman Selanjutnya", + "textOddPage": "Halaman Ganjil", + "textOk": "OK", + "textOther": "Lainnya", + "textPageBreak": "Break Halaman", + "textPageNumber": "Nomor halaman", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textPosition": "Posisi", + "textRightBottom": "Kanan Bawah", + "textRightTop": "Kanan Atas", + "textRows": "Baris", + "textScreenTip": "Tip Layar", + "textSectionBreak": "Break Sesi", + "textShape": "Warna Latar", + "textStartAt": "Dimulai pada", + "textTable": "Tabel", + "textTableSize": "Ukuran Tabel", + "txtNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "textTableContents": "Table of Contents", + "textWithPageNumbers": "With Page Numbers", + "textWithBlueLinks": "With Blue Links" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Peringatan", + "textAccept": "Terima", + "textAcceptAllChanges": "Terima semua perubahan", + "textAddComment": "Tambahkan komentar", + "textAddReply": "Tambahkan Balasan", + "textAllChangesAcceptedPreview": "Semua perubahan diterima (Preview)", + "textAllChangesEditing": "Semua perubahan (Editing)", + "textAllChangesRejectedPreview": "Semua perubahan ditolak (Preview)", + "textAtLeast": "sekurang-kurangnya", + "textAuto": "Otomatis", + "textBack": "Kembali", + "textBaseline": "Baseline", + "textBold": "Tebal", + "textBreakBefore": "Jeda halaman sebelum", + "textCancel": "Batalkan", + "textCaps": "Huruf kapital semua", + "textCenter": "Sejajar tengah", + "textChart": "Bagan", + "textCollaboration": "Kolaborasi", + "textColor": "Warna Huruf", + "textComments": "Komentar", + "textContextual": "Jangan menambahkan interval diantara paragraf dengan style yang sama", + "textDelete": "Hapus", + "textDeleteComment": "Hapus Komentar", + "textDeleted": "Dihapus:", + "textDeleteReply": "Hapus Reply", + "textDisplayMode": "Mode Tampilan", + "textDone": "Selesai", + "textDStrikeout": "Strikeout ganda", + "textEdit": "Sunting", + "textEditComment": "Edit Komentar", + "textEditReply": "Edit Reply", + "textEditUser": "User yang sedang edit file:", + "textEquation": "Persamaan", + "textExact": "persis", + "textFinal": "Final", + "textFirstLine": "Baris Pertama", + "textFormatted": "Diformat", + "textHighlight": "Warna Sorot", + "textImage": "Gambar", + "textIndentLeft": "Indent kiri", + "textIndentRight": "Indent kanan", + "textInserted": "Disisipkan:", + "textItalic": "Miring", + "textJustify": "Rata ", + "textKeepLines": "Pertahankan garis bersama", + "textKeepNext": "Satukan dengan berikutnya", + "textLeft": "Sejajar kiri", + "textLineSpacing": "Spasi Antar Baris: ", + "textMarkup": "Markup", + "textMessageDeleteComment": "Apakah Anda ingin menghapus komentar ini?", + "textMessageDeleteReply": "Apakah Anda ingin menghapus reply ini?", + "textMultiple": "banyak", + "textNoBreakBefore": "Tanpa break halaman sebelum", + "textNoChanges": "Tidak ada perubahan.", + "textNoComments": "Dokumen ini tidak memiliki komentar", + "textNoContextual": "Tambah jarak diantara", + "textNoKeepLines": "Jangan satukan garis", + "textNoKeepNext": "Jangan satukan dengan berikutnya", + "textNot": "Tidak ", + "textNoWidow": "Tanpa kontrol widow", + "textNum": "Ganti penomoran", + "textOk": "OK", + "textOriginal": "Original", + "textParaDeleted": "Paragraf Dihapus", + "textParaFormatted": "Paragraf Diformat", + "textParaInserted": "Paragraf Disisipkan", + "textParaMoveFromDown": "Dipindahkan Kebawah:", + "textParaMoveFromUp": "Dipindahkan Keatas:", + "textParaMoveTo": "Dipindahkan", + "textPosition": "Posisi", + "textReject": "Tolak", + "textRejectAllChanges": "Tolak Semua Perubahan", + "textReopen": "Buka lagi", + "textResolve": "Selesaikan", + "textReview": "Ulasan", + "textReviewChange": "Review Perubahan", + "textRight": "Rata kanan", + "textShape": "Warna Latar", + "textShd": "Warna latar", + "textSmallCaps": "Huruf Ukuran Kecil", + "textSpacing": "Spasi", + "textSpacingAfter": "Spacing setelah", + "textSpacingBefore": "Spacing sebelum", + "textStrikeout": "Strikeout", + "textSubScript": "Subskrip", + "textSuperScript": "Superskrip", + "textTableChanged": "Pengaturan Tabel Diganti", + "textTableRowsAdd": "Baris Tabel Ditambahkan", + "textTableRowsDel": "Baris Tabel Dihapus", + "textTabs": "Ganti tab", + "textTrackChanges": "Lacak Perubahan", + "textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "textUnderline": "Garis bawah", + "textUsers": "Pengguna", + "textWidow": "Kontrol widow" + }, + "HighlightColorPalette": { + "textNoFill": "Tanpa Isi" + }, + "ThemeColorPalette": { + "textCustomColors": "Custom Warna", + "textStandartColors": "Warna Standar", + "textThemeColors": "Warna Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Tindakan copy, cut dan paste menggunakan menu konteks hanya akan dilakukan dalam file saat ini.", + "menuAddComment": "Tambahkan komentar", + "menuAddLink": "Tambah tautan", + "menuCancel": "Batalkan", + "menuContinueNumbering": "Lanjut penomoran", + "menuDelete": "Hapus", + "menuDeleteTable": "Hapus Tabel", + "menuEdit": "Sunting", + "menuJoinList": "Gabung ke list sebelumnya", + "menuMerge": "Merge", + "menuMore": "Lainnya", + "menuOpenLink": "Buka Link", + "menuReview": "Ulasan", + "menuReviewChange": "Review Perubahan", + "menuSeparateList": "Pisahkan list", + "menuSplit": "Split", + "menuStartNewList": "Mulai list baru", + "menuStartNumberingFrom": "Atur nilai penomoran", + "menuViewComment": "Tampilkan Komentar", + "textCancel": "Batalkan", + "textColumns": "Kolom", + "textCopyCutPasteActions": "Salin, Potong dan Tempel", + "textDoNotShowAgain": "Jangan tampilkan lagi", + "textNumberingValue": "Penomoran Nilai", + "textOk": "OK", + "textRows": "Baris", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only" + }, + "Edit": { + "notcriticalErrorTitle": "Peringatan", + "textActualSize": "Ukuran Sebenarnya", + "textAddCustomColor": "Tambah warna kustom", + "textAdditional": "Tambahan", + "textAdditionalFormatting": "Pemformatan tambahan", + "textAddress": "Alamat", + "textAdvanced": "Tingkat tinggi", + "textAdvancedSettings": "Pengaturan Lanjut", + "textAfter": "Setelah", + "textAlign": "Ratakan", + "textAllCaps": "Huruf kapital semua", + "textAllowOverlap": "Ijinkan menumpuk", + "textApril": "April", + "textAugust": "Agustus", + "textAuto": "Otomatis", + "textAutomatic": "Otomatis", + "textBack": "Kembali", + "textBackground": "Background", + "textBandedColumn": "Kolom Berpita", + "textBandedRow": "Baris Berpita", + "textBefore": "Sebelum", + "textBehind": "Di belakang", + "textBorder": "Pembatas", + "textBringToForeground": "Tampilkan di Halaman Muka", + "textBullets": "Butir", + "textBulletsAndNumbers": "Butir & Angka", + "textCellMargins": "Margin Sel", + "textChart": "Bagan", + "textClose": "Tutup", + "textColor": "Warna", + "textContinueFromPreviousSection": "Lanjut dari sesi sebelumnya", + "textCustomColor": "Custom Warna", + "textDecember": "Desember", + "textDesign": "Desain", + "textDifferentFirstPage": "Halaman pertama yang berbeda", + "textDifferentOddAndEvenPages": "Halaman ganjil dan genap yang berbeda", + "textDisplay": "Tampilan", + "textDistanceFromText": "Jarak dari teks", + "textDoubleStrikethrough": "Garis coret ganda", + "textEditLink": "Edit Link", + "textEffects": "Efek", + "textEmpty": "Kosong", + "textEmptyImgUrl": "Anda harus menentukan URL gambar.", + "textFebruary": "Februari", + "textFill": "Isian", + "textFirstColumn": "Kolom Pertama", + "textFirstLine": "Garis Pertama", + "textFlow": "Alur", + "textFontColor": "Warna Huruf", + "textFontColors": "Warna Font", + "textFonts": "Font", + "textFooter": "Footer", + "textFr": "Jum", + "textHeader": "Header", + "textHeaderRow": "Baris Header", + "textHighlightColor": "Warna Sorot", + "textHyperlink": "Hyperlink", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textInFront": "Di depan", + "textInline": "Berderet", + "textJanuary": "Januari", + "textJuly": "Juli", + "textJune": "Juni", + "textKeepLinesTogether": "Tetap satukan garis", + "textKeepWithNext": "Satukan dengan berikutnya", + "textLastColumn": "Kolom Terakhir", + "textLetterSpacing": "Letter Spacing", + "textLineSpacing": "Spasi Antar Baris", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLinkToPrevious": "Tautkan dengan Sebelumnya", + "textMarch": "Maret", + "textMay": "Mei", + "textMo": "Sen", + "textMoveBackward": "Pindah Kebelakang", + "textMoveForward": "Majukan", + "textMoveWithText": "Pindah bersama teks", + "textNone": "tidak ada", + "textNoStyles": "Tanpa style untuk tipe grafik ini.", + "textNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "textNovember": "November", + "textNumbers": "Nomor", + "textOctober": "Oktober", + "textOk": "OK", + "textOpacity": "Opasitas", + "textOptions": "Pilihan", + "textOrphanControl": "Kontrol Orphan", + "textPageBreakBefore": "Jeda halaman sebelum", + "textPageNumbering": "Penomoran Halaman", + "textParagraph": "Paragraf", + "textParagraphStyles": "Style Paragraf", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textPt": "pt", + "textRemoveChart": "Hilangkan Grafik", + "textRemoveImage": "Hilangkan Gambar", + "textRemoveLink": "Hilangkan Link", + "textRemoveShape": "Hilangkan Bentuk", + "textRemoveTable": "Hilangkan Tabel", + "textReorder": "Reorder", + "textRepeatAsHeaderRow": "Ulangi sebagai Baris Header", + "textReplace": "Ganti", + "textReplaceImage": "Ganti Gambar", + "textResizeToFitContent": "Ubah Ukuran untuk Cocok ke Konten", + "textSa": "Sab", + "textScreenTip": "Tip Layar", + "textSelectObjectToEdit": "Pilih objek untuk diedit", + "textSendToBackground": "Jalankan di Background", + "textSeptember": "September", + "textSettings": "Pengaturan", + "textShape": "Warna Latar", + "textSize": "Ukuran", + "textSmallCaps": "Huruf Ukuran Kecil", + "textSpaceBetweenParagraphs": "Spasi Antara Paragraf", + "textSquare": "Persegi", + "textStartAt": "Dimulai pada", + "textStrikethrough": "Coret ganda", + "textStyle": "Model", + "textStyleOptions": "Opsi Style", + "textSu": "Min", + "textSubscript": "Subskrip", + "textSuperscript": "Superskrip", + "textTable": "Tabel", + "textTableOptions": "Opsi Tabel", + "textText": "Teks", + "textTh": "Ka", + "textThrough": "Tembus", + "textTight": "Ketat", + "textTopAndBottom": "Atas dan bawah", + "textTotalRow": "Total Baris", + "textTu": "Sel", + "textType": "Ketik", + "textWe": "Rab", + "textWrap": "Wrap", + "textTableOfCont": "TOC", + "textPageNumbers": "Page Numbers", + "textSimple": "Simple", + "textRightAlign": "Right Align", + "textLeader": "Leader", + "textStructure": "Structure", + "textRefresh": "Refresh", + "textLevels": "Levels", + "textRemoveTableContent": "Remove table of content", + "textCurrent": "Current", + "textOnline": "Online", + "textClassic": "Classic", + "textDistinctive": "Distinctive", + "textCentered": "Centered", + "textFormal": "Formal", + "textStandard": "Standard", + "textModern": "Modern", + "textCancel": "Cancel", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only", + "textStyles": "Styles", + "textAmountOfLevels": "Amount of Levels" + }, + "Error": { + "convertationTimeoutText": "Waktu konversi habis.", + "criticalErrorExtText": "Tekan 'OK' untuk kembali ke list dokumen.", + "criticalErrorTitle": "Kesalahan", + "downloadErrorText": "Unduhan gagal.", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
        Silakan hubungi admin Anda.", + "errorBadImageUrl": "URL Gambar salah", + "errorConnectToServer": "Tidak bisa menyimpan doc ini. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
        Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "errorDatabaseConnection": "Eror eksternal.
        Koneksi database bermasalah. Silakan hubungi support.", + "errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", + "errorDataRange": "Rentang data salah.", + "errorDefaultMessage": "Kode kesalahan: %1", + "errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
        Download dokumen untuk menyimpan file copy backup di lokal.", + "errorFilePassProtect": "Password file diproteksi dan tidak bisa dibuka.", + "errorFileSizeExceed": "Ukuran file melampaui limit server Anda.
        Silakan, hubungi admin.", + "errorKeyEncrypt": "Deskriptor kunci tidak dikenal", + "errorKeyExpire": "Deskriptor kunci tidak berfungsi", + "errorLoadingFont": "Font tidak bisa dimuat.
        Silakan kontak admin Server Dokumen Anda.", + "errorMailMergeLoadFile": "Loading gagal", + "errorMailMergeSaveFile": "Merge gagal.", + "errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
        harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
        Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "errorUserDrop": "File tidak bisa diakses sekarang.", + "errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", + "errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
        tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "notcriticalErrorTitle": "Peringatan", + "openErrorText": "Eror ketika membuka file", + "saveErrorText": "Eror ketika menyimpan file.", + "scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "splitDividerErrorText": "Jumlah baris harus merupakan pembagi dari %1", + "splitMaxColsErrorText": "Jumlah kolom harus kurang dari %1", + "splitMaxRowsErrorText": "Jumlah baris harus kurang dari %1", + "unknownErrorText": "Kesalahan tidak diketahui.", + "uploadImageExtMessage": "Format gambar tidak dikenal.", + "uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", + "uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." + }, + "LongActions": { + "applyChangesTextText": "Memuat data...", + "applyChangesTitleText": "Memuat Data", + "downloadMergeText": "Downloading...", + "downloadMergeTitle": "Mengunduh", + "downloadTextText": "Mengunduh dokumen...", + "downloadTitleText": "Mengunduh Dokumen", + "loadFontsTextText": "Memuat data...", + "loadFontsTitleText": "Memuat Data", + "loadFontTextText": "Memuat data...", + "loadFontTitleText": "Memuat Data", + "loadImagesTextText": "Memuat gambar...", + "loadImagesTitleText": "Memuat Gambar", + "loadImageTextText": "Memuat gambar...", + "loadImageTitleText": "Memuat Gambar", + "loadingDocumentTextText": "Memuat dokumen...", + "loadingDocumentTitleText": "Memuat dokumen", + "mailMergeLoadFileText": "Loading Sumber Data...", + "mailMergeLoadFileTitle": "Loading Sumber Data...", + "openTextText": "Membuka Dokumen...", + "openTitleText": "Membuka Dokumen", + "printTextText": "Mencetak dokumen...", + "printTitleText": "Mencetak Dokumen", + "savePreparingText": "Bersiap untuk menyimpan", + "savePreparingTitle": "Bersiap untuk menyimpan. Silahkan menunggu...", + "saveTextText": "Menyimpan dokumen...", + "saveTitleText": "Menyimpan Dokumen", + "sendMergeText": "Mengirim Merge...", + "sendMergeTitle": "Mengirim Merge", + "textLoadingDocument": "Memuat dokumen", + "txtEditingMode": "Atur mode editing...", + "uploadImageTextText": "Mengunggah gambar...", + "uploadImageTitleText": "Mengunggah Gambar", + "waitText": "Silahkan menunggu" + }, + "Main": { + "criticalErrorTitle": "Kesalahan", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
        Silakan hubungi admin Anda.", + "errorOpensource": "Menggunakan versi Komunitas gratis, Anda bisa membuka dokumen hanya untuk dilihat. Untuk mengakses editor web mobile, diperlukan lisensi komersial.", + "errorProcessSaveResult": "Gagal menyimpan.", + "errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", + "leavePageText": "Anda memiliki perubahan yang belum tersimpan. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "notcriticalErrorTitle": "Peringatan", + "SDK": { + " -Section ": " -Sesi ", + "above": "Di atas", + "below": "di bawah", + "Caption": "Caption", + "Choose an item": "Pilih satu barang", + "Click to load image": "Klik untuk memuat gambar", + "Current Document": "Dokumen Saat Ini", + "Diagram Title": "Judul Grafik", + "endnote text": "Teks Endnote", + "Enter a date": "Masukkan tanggal", + "Error! Bookmark not defined": "Kesalahan! Bookmark tidak terdefinisikan.", + "Error! Main Document Only": "Kesalahan! Hanya Dokumen Utama.", + "Error! No text of specified style in document": "Kesalahan! Tidak ada teks dengan style sesuai spesifikasi di dokumen.", + "Error! Not a valid bookmark self-reference": "Kesalahan! Bukan bookmark self-reference yang valid.", + "Even Page ": "Halaman Genap ", + "First Page ": "Halaman Pertama ", + "Footer": "Footer", + "footnote text": "Teks Footnote", + "Header": "Header", + "Heading 1": "Heading 1", + "Heading 2": "Heading 2", + "Heading 3": "Heading 3", + "Heading 4": "Heading 4", + "Heading 5": "Heading 5", + "Heading 6": "Heading 6", + "Heading 7": "Heading 7", + "Heading 8": "Heading 8", + "Heading 9": "Heading 9", + "Hyperlink": "Hyperlink", + "Index Too Large": "Index Terlalu Besar", + "Intense Quote": "Quote Intens", + "Is Not In Table": "Tidak Ada di Tabel", + "List Paragraph": "List Paragraf", + "Missing Argument": "Argumen Tidak Ditemukan", + "Missing Operator": "Operator Tidak Ditemukan", + "No Spacing": "Tanpa Spacing", + "No table of contents entries found": "Tidak ada heading di dokumen. Terapkan style heading ke teks agar bisa terlihat di daftar isi.", + "No table of figures entries found": "Tidak ada daftar gambar yang ditemukan.", + "None": "Tidak ada", + "Normal": "Normal", + "Number Too Large To Format": "Nomor Terlalu Besar untuk Diformat", + "Odd Page ": "Halaman Ganjil ", + "Quote": "Kutip", + "Same as Previous": "Sama seperti Sebelumnya", + "Series": "Seri", + "Subtitle": "Subtitle", + "Syntax Error": "Syntax Error", + "Table Index Cannot be Zero": "Index Tabel Tidak Boleh Nol", + "Table of Contents": "Daftar Isi", + "table of figures": "Daftar gambar", + "The Formula Not In Table": "Formula Tidak Ada di Tabel", + "Title": "Judul", + "TOC Heading": "Heading TOC", + "Type equation here": "Tulis persamaan disini", + "Undefined Bookmark": "Bookmark Tidak Terdefinisi", + "Unexpected End of Formula": "Akhir Formula Tidak Terduga", + "X Axis": "XAS Sumbu X", + "Y Axis": "Sumbu Y", + "Your text here": "Teks Anda di sini", + "Zero Divide": "Pembagi Nol" + }, + "textAnonymous": "Anonim", + "textBuyNow": "Kunjungi website", + "textClose": "Tutup", + "textContactUs": "Hubungi sales", + "textCustomLoader": "Maaf, Anda tidak diizinkan untuk mengganti loader. Hubungi departemen sales kami untuk mendapatkan harga.", + "textGuest": "Tamu", + "textHasMacros": "File berisi macros otomatis.
        Apakah Anda ingin menjalankan macros?", + "textNo": "Tidak", + "textNoLicenseTitle": "Batas lisensi sudah tercapai", + "textNoTextFound": "Teks tidak ditemukan", + "textPaidFeature": "Fitur berbayar", + "textRemember": "Ingat pilihan saya", + "textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", + "textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti :", + "textYes": "Ya", + "titleLicenseExp": "Lisensi kadaluwarsa", + "titleServerVersion": "Editor mengupdate", + "titleUpdateVersion": "Versi telah diubah", + "warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnLicenseExp": "Lisensi Anda sudah kadaluwarsa. Silakan update dan muat ulang halaman.", + "warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa. Anda tidak memiliki akses untuk editing dokumen secara keseluruhan. Silakan hubungi admin Anda.", + "warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui. Anda memiliki akses terbatas untuk edit dokumen.
        Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnProcessRightsChange": "Anda tidak memiliki izin edit file ini.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + }, + "Settings": { + "advDRMOptions": "File yang Diproteksi", + "advDRMPassword": "Kata Sandi", + "advTxtOptions": "Pilih Opsi TXT", + "closeButtonText": "Tutup File", + "notcriticalErrorTitle": "Peringatan", + "textAbout": "Tentang", + "textApplication": "Aplikasi", + "textApplicationSettings": "Pengaturan Aplikasi", + "textAuthor": "Penyusun", + "textBack": "Kembali", + "textBottom": "Bawah", + "textCancel": "Batalkan", + "textCaseSensitive": "Harus sama persis", + "textCentimeter": "Sentimeter", + "textChooseEncoding": "Pilih Encoding", + "textChooseTxtOptions": "Pilih Opsi TXT", + "textCollaboration": "Kolaborasi", + "textColorSchemes": "Skema Warna", + "textComment": "Komentar", + "textComments": "Komentar", + "textCommentsDisplay": "Display Komentar", + "textCreated": "Dibuat", + "textCustomSize": "Custom Ukuran", + "textDisableAll": "Nonaktifkan Semua", + "textDisableAllMacrosWithNotification": "Nonaktifkan semua macros dengan notifikasi", + "textDisableAllMacrosWithoutNotification": "Nonaktifkan semua macros tanpa notifikasi", + "textDocumentInfo": "Info Dokumen", + "textDocumentSettings": "Pengaturan Dokumen", + "textDocumentTitle": "Judul Dokumen", + "textDone": "Selesai", + "textDownload": "Unduh", + "textDownloadAs": "Unduh sebagai", + "textDownloadRtf": "Jika Anda lanjut simpan dengan format ini, beberapa format lain mungkin akan terhapus. Apakah Anda ingin melanjutkan?", + "textDownloadTxt": "Jika Anda lanjut simpan dengan format ini, semua fitur kecuali teks akan hilang. Apakah Anda ingin melanjutkan?", + "textEnableAll": "Aktifkan Semua", + "textEnableAllMacrosWithoutNotification": "Aktifkan semua macros tanpa notifikasi", + "textEncoding": "Enkoding", + "textFind": "Cari", + "textFindAndReplace": "Cari dan Ganti", + "textFindAndReplaceAll": "Temukan dan Ganti Semua", + "textFormat": "Format", + "textHelp": "Bantuan", + "textHiddenTableBorders": "Pembatas Tabel Disembunyikan", + "textHighlightResults": "Sorot hasil", + "textInch": "Inci", + "textLandscape": "Landscape", + "textLastModified": "Terakhir Dimodifikasi", + "textLastModifiedBy": "Terakhir Dimodifikasi Oleh", + "textLeft": "Kiri", + "textLoading": "Memuat...", + "textLocation": "Lokasi", + "textMacrosSettings": "Pengaturan Macros", + "textMargins": "Margin", + "textMarginsH": "Margin atas dan bawah terlalu jauh untuk halaman setinggi ini", + "textMarginsW": "Margin kiri dan kanan terlalu besar dengan lebar halaman yang ada", + "textNo": "Tidak", + "textNoCharacters": "Karakter Tidak Dicetak", + "textNoTextFound": "Teks tidak ditemukan", + "textOk": "OK", + "textOpenFile": "Masukkan kata sandi untuk buka file", + "textOrientation": "Orientasi", + "textOwner": "Pemilik", + "textPages": "Halaman", + "textPageSize": "Ukuran Halaman", + "textParagraphs": "Paragraf", + "textPoint": "Titik", + "textPortrait": "Portrait", + "textPrint": "Cetak", + "textReaderMode": "Mode Pembaca", + "textReplace": "Ganti", + "textReplaceAll": "Ganti Semua", + "textResolvedComments": "Selesaikan Komentar", + "textRight": "Kanan", + "textSearch": "Cari", + "textSettings": "Pengaturan", + "textShowNotification": "Tampilkan Notifikasi", + "textSpaces": "Spasi", + "textSpellcheck": "Periksa Ejaan", + "textStatistic": "Statistik", + "textSubject": "Judul", + "textSymbols": "Simbol", + "textTitle": "Judul", + "textTop": "Atas", + "textUnitOfMeasurement": "Satuan Ukuran", + "textUploaded": "Diunggah", + "textWords": "Kata", + "textYes": "Ya", + "txtDownloadTxt": "Download TXT", + "txtIncorrectPwd": "Password salah", + "txtOk": "OK", + "txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", + "txtScheme1": "Office", + "txtScheme10": "Median", + "txtScheme11": "Metro", + "txtScheme12": "Modul", + "txtScheme13": "Mewah", + "txtScheme14": "Jendela Oriel", + "txtScheme15": "Origin", + "txtScheme16": "Kertas", + "txtScheme17": "Titik balik matahari", + "txtScheme18": "Teknik", + "txtScheme19": "Trek", + "txtScheme2": "Grayscale", + "txtScheme20": "Urban", + "txtScheme21": "Semangat", + "txtScheme22": "Office Baru", + "txtScheme3": "Puncak", + "txtScheme4": "Aspek", + "txtScheme5": "Kewargaan", + "txtScheme6": "Himpunan", + "txtScheme7": "Margin Sisa", + "txtScheme8": "Alur", + "txtScheme9": "Cetakan", + "textFastWV": "Fast Web View", + "textFeedback": "Feedback & Support", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textNavigation": "Navigation", + "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", + "textBeginningDocument": "Beginning of document", + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" + }, + "Toolbar": { + "dlgLeaveMsgText": "Anda memiliki perubahan yang belum tersimpan. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "dlgLeaveTitleText": "Anda meninggalkan aplikasi", + "leaveButtonText": "Tinggalkan Halaman Ini", + "stayButtonText": "Tetap di halaman ini" + } +} \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/it.json b/apps/documenteditor/mobile/locale/it.json index b7a90ec30..0862c2453 100644 --- a/apps/documenteditor/mobile/locale/it.json +++ b/apps/documenteditor/mobile/locale/it.json @@ -397,7 +397,9 @@ "unknownErrorText": "Errore sconosciuto.", "uploadImageExtMessage": "Formato d'immagine sconosciuto.", "uploadImageFileCountMessage": "Nessuna immagine caricata.", - "uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB." + "uploadImageSizeMessage": "L'immagine è troppo grande. La dimensione massima è 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Caricamento di dati...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il tuo amministratore per maggior informazioni.", "warnNoLicense": "Hai raggiunto il limite delle connessioni simultanee agli editor %1. Questo documento sarà aperto solo in modalità di visualizzazione. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", "warnNoLicenseUsers": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", - "warnProcessRightsChange": "Non hai il permesso di modificare questo file." + "warnProcessRightsChange": "Non hai il permesso di modificare questo file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "File protetto", @@ -643,11 +646,18 @@ "txtScheme7": "Equità", "txtScheme8": "Flusso", "txtScheme9": "Fonderia", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "Produttore PDF" }, "Toolbar": { "dlgLeaveMsgText": "Hai dei cambiamenti non salvati. Premi 'Rimanere sulla pagina' per attendere il salvataggio automatico. Premi 'Lasciare la pagina' per eliminare tutte le modifiche non salvate.", diff --git a/apps/documenteditor/mobile/locale/ja.json b/apps/documenteditor/mobile/locale/ja.json index 5b88b1cec..2d44b48de 100644 --- a/apps/documenteditor/mobile/locale/ja.json +++ b/apps/documenteditor/mobile/locale/ja.json @@ -261,7 +261,7 @@ "textImage": "イメージ", "textImageURL": "イメージURL", "textInFront": "テキストの前に", - "textInline": "インライン", + "textInline": "テキストに沿って", "textJanuary": "1月", "textJuly": "7月", "textJune": "6月", @@ -397,7 +397,9 @@ "unknownErrorText": "不明なエラー", "uploadImageExtMessage": "不明なイメージの形式", "uploadImageFileCountMessage": "アップロードしたイメージがない", - "uploadImageSizeMessage": "イメージのサイズの上限が超えさせました。サイズの上限が25MB。" + "uploadImageSizeMessage": "イメージのサイズの上限が超えさせました。サイズの上限が25MB。", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "データの読み込み中...", @@ -518,6 +520,7 @@ "textPaidFeature": "有料機能", "textRemember": "選択を覚える", "textReplaceSkipped": "置換が完了しました。{0}つスキップされました。", + "textReplaceSuccess": "検索が完了しました。{0}つが置換されました。", "textYes": "はい", "titleLicenseExp": "ライセンスの有効期限が切れています", "titleServerVersion": "編集者が更新された", @@ -530,7 +533,7 @@ "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnProcessRightsChange": "ファイルを編集する権限がありません!", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "保護されたファイル", @@ -570,6 +573,7 @@ "textEnableAll": "全てを有効にする", "textEnableAllMacrosWithoutNotification": "警告を表示してないすべてのマクロを有効にする", "textEncoding": "エンコード", + "textFastWV": "Web表示用に最適化", "textFind": "検索する", "textFindAndReplace": "検索して置換する", "textFindAndReplaceAll": "全てを 検索して置換する", @@ -588,6 +592,7 @@ "textMargins": "余白", "textMarginsH": "このフィールドは、「http://www.example.com」の形式のURLである必要があります。", "textMarginsW": "右左の余白がこのページの幅に広すぎる。", + "textNo": "いいえ", "textNoCharacters": "印刷されない文字", "textNoTextFound": "テキストが見つかりませんでした", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "向き", "textOwner": "所有者", "textPages": "ページ", + "textPageSize": "ページのサイズ", "textParagraphs": "段落", + "textPdfTagged": "タグ付きPDF", + "textPdfVer": "PDFバージョン", "textPoint": "ポイント", "textPortrait": "縦長の向き", "textPrint": "印刷", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "測定の単位", "textUploaded": "アップロードした", "textWords": "文字数", + "textYes": "はい", "txtDownloadTxt": "TXTをダウンロード", "txtIncorrectPwd": "パスワードが間違い", "txtOk": "OK", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "保存されていない変更があります。自動保存を待つように「このページから移動しない」をクリックしてください。保存されていない変更を破棄ように「このページから移動する」をクリックしてください。", diff --git a/apps/documenteditor/mobile/locale/ko.json b/apps/documenteditor/mobile/locale/ko.json index 46fd4da58..0be5ed6d5 100644 --- a/apps/documenteditor/mobile/locale/ko.json +++ b/apps/documenteditor/mobile/locale/ko.json @@ -41,6 +41,7 @@ "textLocation": "위치", "textNextPage": "다음 페이지", "textOddPage": "홀수 페이지", + "textOk": "확인", "textOther": "기타", "textPageBreak": "페이지 나누기", "textPageNumber": "페이지 번호", @@ -57,7 +58,6 @@ "textTable": "표", "textTableSize": "표 크기", "txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", - "textOk": "Ok", "textTableContents": "Table of Contents", "textWithPageNumbers": "With Page Numbers", "textWithBlueLinks": "With Blue Links" @@ -161,13 +161,13 @@ "textUsers": "사용자", "textWidow": "개별 제어" }, + "HighlightColorPalette": { + "textNoFill": "채우기 없음" + }, "ThemeColorPalette": { "textCustomColors": "사용자 정의 색상", "textStandartColors": "표준 색상", "textThemeColors": "테마 색" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -213,6 +213,8 @@ "textAlign": "맞춤", "textAllCaps": "모든 대문자", "textAllowOverlap": "오버랩 허용", + "textApril": "4월", + "textAugust": "8월", "textAuto": "자동", "textAutomatic": "자동", "textBack": "뒤로", @@ -220,7 +222,7 @@ "textBandedColumn": "줄무늬 열", "textBandedRow": "줄무늬 행", "textBefore": "이전", - "textBehind": "뒤에", + "textBehind": "텍스트 뒤", "textBorder": "테두리", "textBringToForeground": "앞으로 가져오기", "textBullets": "글 머리 기호", @@ -231,6 +233,8 @@ "textColor": "색상", "textContinueFromPreviousSection": "이전 섹션에서 계속하기", "textCustomColor": "사용자 정의 색상", + "textDecember": "12월", + "textDesign": "디자인", "textDifferentFirstPage": "첫 페이지를 다르게 지정", "textDifferentOddAndEvenPages": "홀수 및 짝수 페이지 다르게 지정", "textDisplay": "표시", @@ -238,7 +242,9 @@ "textDoubleStrikethrough": "이중 취소선", "textEditLink": "링크 편집", "textEffects": "효과", + "textEmpty": "비우기", "textEmptyImgUrl": "이미지 URL을 지정해야합니다.", + "textFebruary": "2월", "textFill": "채우기", "textFirstColumn": "첫째 열", "textFirstLine": "첫째 줄", @@ -247,14 +253,18 @@ "textFontColors": "글꼴 색", "textFonts": "글꼴", "textFooter": "꼬리말", + "textFr": "Fr", "textHeader": "머리글", "textHeaderRow": "머리글 행", "textHighlightColor": "텍스트 강조 색", "textHyperlink": "하이퍼 링크", "textImage": "이미지", "textImageURL": "이미지 URL", - "textInFront": "텍스트 앞", - "textInline": "인라인", + "textInFront": "텍스트 앞에", + "textInline": "텍스트에 맞춰", + "textJanuary": "1월", + "textJuly": "7월", + "textJune": "6월", "textKeepLinesTogether": "현재 단락을 나누지 않음", "textKeepWithNext": "현재 단락과 다음 단락을 항상 같은 페이지에 배치", "textLastColumn": "마지막 열", @@ -263,13 +273,19 @@ "textLink": "링크", "textLinkSettings": "링크 설정", "textLinkToPrevious": "이전 링크", + "textMarch": "3월", + "textMay": "5월", + "textMo": "월", "textMoveBackward": "맨 뒤로 보내기", "textMoveForward": "맨 앞으로 가져오기", "textMoveWithText": "텍스트와 함께 이동", "textNone": "없음", "textNoStyles": "이 유형의 차트에 해당하는 스타일이 없습니다.", "textNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", + "textNovember": "11월", "textNumbers": "숫자", + "textOctober": "10월", + "textOk": "확인", "textOpacity": "투명도", "textOptions": "옵션", "textOrphanControl": "단락의 첫 줄이나 마지막 줄 분리 방지", @@ -290,9 +306,11 @@ "textReplace": "바꾸기", "textReplaceImage": "이미지 바꾸기", "textResizeToFitContent": "내용에 맞게 크기 조정", + "textSa": "토", "textScreenTip": "화면 팁", "textSelectObjectToEdit": "편집하기 위해 개체를 선택하십시오", "textSendToBackground": "맨 뒤로 보내기", + "textSeptember": "9월", "textSettings": "설정", "textShape": "도형", "textSize": "크기", @@ -303,39 +321,21 @@ "textStrikethrough": "취소선", "textStyle": "스타일", "textStyleOptions": "스타일 옵션", + "textSu": "일", "textSubscript": "아래 첨자", "textSuperscript": "위 첨자", "textTable": "표", "textTableOptions": "표 옵션", "textText": "텍스트", + "textTh": "목", "textThrough": "통과", "textTight": "Tight", "textTopAndBottom": "상단 및 하단", "textTotalRow": "합계", + "textTu": "화", "textType": "유형", + "textWe": "수요일", "textWrap": "줄 바꾸기", - "textApril": "April", - "textAugust": "August", - "textDecember": "December", - "textDesign": "Design", - "textEmpty": "Empty", - "textFebruary": "February", - "textFr": "Fr", - "textJanuary": "January", - "textJuly": "July", - "textJune": "June", - "textMarch": "March", - "textMay": "May", - "textMo": "Mo", - "textNovember": "November", - "textOctober": "October", - "textOk": "Ok", - "textSa": "Sa", - "textSeptember": "September", - "textSu": "Su", - "textTh": "Th", - "textTu": "Tu", - "textWe": "We", "textTableOfCont": "TOC", "textPageNumbers": "Page Numbers", "textSimple": "Simple", @@ -397,7 +397,9 @@ "unknownErrorText": "알 수 없는 오류.", "uploadImageExtMessage": "알 수없는 이미지 형식입니다.", "uploadImageFileCountMessage": "이미지가 업로드되지 않았습니다.", - "uploadImageSizeMessage": "이미지 크기 제한을 초과했습니다." + "uploadImageSizeMessage": "이미지 크기 제한을 초과했습니다.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "데이터로드 중 ...", @@ -514,8 +516,11 @@ "textHasMacros": "파일에 자동 매크로가 포함되어 있습니다.
        매크로를 실행 하시겠습니까?", "textNo": "아니오", "textNoLicenseTitle": "라이센스 수를 제한했습니다.", + "textNoTextFound": "텍스트를 찾을 수 없습니다", "textPaidFeature": "유료 기능", "textRemember": "선택사항을 저장", + "textReplaceSkipped": "대체가 이루어졌습니다. {0} 건은 건너 뛰었습니다.", + "textReplaceSuccess": "검색이 완료되었습니다. 발생 횟수가 대체되었습니다 : {0}", "textYes": "확인", "titleLicenseExp": "라이센스 만료", "titleServerVersion": "편집기가 업데이트되었습니다.", @@ -528,9 +533,7 @@ "warnNoLicense": "% 1 편집 연결 수 제한에 도달했습니다. 이 문서는 보기 모드로 열립니다. 개인적인 업그레이드 사항은 % 1 영업팀에 연락하십시오.", "warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다.
        더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.", "warnProcessRightsChange": "파일을 편집 할 권한이 없습니다.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "보호 된 파일", @@ -570,6 +573,7 @@ "textEnableAll": "모두 활성화", "textEnableAllMacrosWithoutNotification": "알림 없이 모든 매크로 시작", "textEncoding": "인코딩", + "textFastWV": "패스트 웹 뷰", "textFind": "찾기", "textFindAndReplace": "찾기 및 바꾸기", "textFindAndReplaceAll": "모두 바꾸기", @@ -588,6 +592,7 @@ "textMargins": "여백", "textMarginsH": "주어진 페이지 높이에 대해 위쪽 및 아래쪽 여백이 너무 높습니다.", "textMarginsW": "왼쪽 및 오른쪽 여백이 주어진 페이지 폭에 비해 너무 넓습니다.", + "textNo": "아니오", "textNoCharacters": "인쇄되지 않는 문자", "textNoTextFound": "텍스트를 찾을 수 없습니다", "textOk": "확인", @@ -595,7 +600,10 @@ "textOrientation": "방향", "textOwner": "소유자", "textPages": "페이지", + "textPageSize": "페이지 크기", "textParagraphs": "단락", + "textPdfTagged": "태그드 PDF", + "textPdfVer": "PDF 버전", "textPoint": "Point", "textPortrait": "세로", "textPrint": "인쇄", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "측정 단위", "textUploaded": "업로드 되었습니다", "textWords": "단어", + "textYes": "예", "txtDownloadTxt": "TXT 다운로드", "txtIncorrectPwd": "잘못된 비밀번호", "txtOk": "확인", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "저장하지 않은 변경 사항이 있습니다. 자동 저장이 완료될 때까지 기다리려면 \"이 페이지에 머물기\"를 클릭하십시오. \"이 페이지에서 나가기\"를 클릭하면 저장되지 않은 모든 변경 사항이 삭제됩니다.", diff --git a/apps/documenteditor/mobile/locale/lo.json b/apps/documenteditor/mobile/locale/lo.json index 97fde94a6..780b73c5f 100644 --- a/apps/documenteditor/mobile/locale/lo.json +++ b/apps/documenteditor/mobile/locale/lo.json @@ -1,341 +1,341 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", - "textEmail": "Email", - "textPoweredBy": "Powered By", - "textTel": "Tel", - "textVersion": "Version" + "textAbout": "ກ່ຽວກັບ", + "textAddress": "ທີ່ຢູ່", + "textBack": "ກັບຄືນ", + "textEmail": "ອີເມລ", + "textPoweredBy": "ສ້າງໂດຍ", + "textTel": "ໂທ", + "textVersion": "ລຸ້ນ" }, "Add": { - "notcriticalErrorTitle": "Warning", - "textAddLink": "Add link", - "textAddress": "Address", - "textBack": "Back", - "textBelowText": "Below text", - "textBottomOfPage": "Bottom of page", - "textBreak": "Break", - "textCancel": "Cancel", - "textCenterBottom": "Center Bottom", - "textCenterTop": "Center Top", - "textColumnBreak": "Column Break", - "textColumns": "Columns", - "textComment": "Comment", - "textContinuousPage": "Continuous Page", - "textCurrentPosition": "Current Position", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify image URL.", - "textEvenPage": "Even Page", - "textFootnote": "Footnote", - "textFormat": "Format", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertFootnote": "Insert Footnote", - "textInsertImage": "Insert Image", - "textLeftBottom": "Left Bottom", - "textLeftTop": "Left Top", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLocation": "Location", - "textNextPage": "Next Page", - "textOddPage": "Odd Page", - "textOther": "Other", - "textPageBreak": "Page Break", - "textPageNumber": "Page Number", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPosition": "Position", - "textRightBottom": "Right Bottom", - "textRightTop": "Right Top", - "textRows": "Rows", - "textScreenTip": "Screen Tip", - "textSectionBreak": "Section Break", - "textShape": "Shape", - "textStartAt": "Start At", - "textTable": "Table", - "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok", + "notcriticalErrorTitle": "ເຕືອນ", + "textAddLink": "ເພີ່ມລິ້ງ", + "textAddress": "ທີ່ຢູ່", + "textBack": "ກັບຄືນ", + "textBelowText": "ລຸ່ມໂຕໜັງສື", + "textBottomOfPage": "ທາງລຸ່ມສຸດຂອງໜ້າເຈ້ຍ", + "textBreak": "ແຍກ", + "textCancel": "ຍົກເລີກ", + "textCenterBottom": "ດ້ານລຸ່ມທາງກາງ", + "textCenterTop": "ທາງກາງດ້ານເທິງ", + "textColumnBreak": "ແຕກຖັນ", + "textColumns": "ຖັນ", + "textComment": "ຄໍາເຫັນ", + "textContinuousPage": "ການຕໍ່ໜ້າເອກະສານ", + "textCurrentPosition": "ສະຖານະພາບ ປັດຈຸບັນ", + "textDisplay": "ສະແດງຜົນ", + "textEmptyImgUrl": "ທ່ານຕ້ອງບອກທີຢູ່ຮູບ URL", + "textEvenPage": "ໜ້າງານ", + "textFootnote": "ໂນດສ່ວນທ້າຍເອກະສານ", + "textFormat": "ປະເພດ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textInsert": "ເພີ່ມ", + "textInsertFootnote": "ເພີ່ມຕີນເອກະສານ", + "textInsertImage": "ເພີ່ມຮູບພາບ", + "textLeftBottom": "ລຸ່ມຊ້າຍ", + "textLeftTop": "ຊ້າຍເທິງ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLocation": "ສະຖານທີ", + "textNextPage": "ໜ້າຕໍ່ໄປ", + "textOddPage": "ໜ້າເຈ້ຍເລກຄີກ", + "textOk": "ຕົກລົງ", + "textOther": "ອື່ນໆ", + "textPageBreak": "ແຍກໜ້າເອກະສານ", + "textPageNumber": "ເລກໜ້າ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", + "textPosition": "ຕໍາແໜ່ງ", + "textRightBottom": "ຂວາລຸ່ມ", + "textRightTop": "ຂວາເທິງ", + "textRows": "ແຖວ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textSectionBreak": "ແຍກມາດຕາ", + "textShape": "ຮູບຮ່າງ", + "textStartAt": "ເລີ່ມຈາກ", + "textTable": "ຕາຕະລາງ", + "textTableSize": "ຂະໜາດຕາຕະລາງ", + "txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", "textTableContents": "Table of Contents", "textWithPageNumbers": "With Page Numbers", "textWithBlueLinks": "With Blue Links" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAccept": "Accept", - "textAcceptAllChanges": "Accept all changes", - "textAddComment": "Add comment", - "textAddReply": "Add reply", - "textAllChangesAcceptedPreview": "All changes accepted (Preview)", - "textAllChangesEditing": "All changes (Editing)", - "textAllChangesRejectedPreview": "All changes rejected (Preview)", - "textAtLeast": "at least", - "textAuto": "auto", - "textBack": "Back", - "textBaseline": "Baseline", - "textBold": "Bold", - "textBreakBefore": "Page break before", - "textCancel": "Cancel", - "textCaps": "All caps", - "textCenter": "Align center", - "textChart": "Chart", - "textCollaboration": "Collaboration", - "textColor": "Font color", - "textComments": "Comments", - "textContextual": "Don't add intervals between paragraphs of the same style", - "textDelete": "Delete", - "textDeleteComment": "Delete Comment", - "textDeleted": "Deleted:", - "textDeleteReply": "Delete Reply", - "textDisplayMode": "Display Mode", - "textDone": "Done", - "textDStrikeout": "Double strikeout", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textEquation": "Equation", - "textExact": "exactly", - "textFinal": "Final", - "textFirstLine": "First line", - "textFormatted": "Formatted", - "textHighlight": "Highlight color", - "textImage": "Image", - "textIndentLeft": "Indent left", - "textIndentRight": "Indent right", - "textInserted": "Inserted:", - "textItalic": "Italic", - "textJustify": "Align justified ", - "textKeepLines": "Keep lines together", - "textKeepNext": "Keep with next", - "textLeft": "Align left", - "textLineSpacing": "Line Spacing: ", - "textMarkup": "Markup", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textMultiple": "multiple", - "textNoBreakBefore": "No page break before", - "textNoChanges": "There are no changes.", - "textNoComments": "This document doesn't contain comments", - "textNoContextual": "Add interval between paragraphs of the same style", - "textNoKeepLines": "Don't keep lines together", - "textNoKeepNext": "Don't keep with next", - "textNot": "Not ", - "textNoWidow": "No widow control", - "textNum": "Change numbering", - "textOriginal": "Original", - "textParaDeleted": "Paragraph Deleted", - "textParaFormatted": "Paragraph Formatted", - "textParaInserted": "Paragraph Inserted", - "textParaMoveFromDown": "Moved Down:", - "textParaMoveFromUp": "Moved Up:", - "textParaMoveTo": "Moved:", - "textPosition": "Position", - "textReject": "Reject", - "textRejectAllChanges": "Reject All Changes", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textReview": "Review", - "textReviewChange": "Review Change", - "textRight": "Align right", - "textShape": "Shape", - "textShd": "Background color", - "textSmallCaps": "Small caps", - "textSpacing": "Spacing", - "textSpacingAfter": "Spacing after", - "textSpacingBefore": "Spacing before", - "textStrikeout": "Strikeout", - "textSubScript": "Subscript", - "textSuperScript": "Superscript", - "textTableChanged": "Table Settings Changed", - "textTableRowsAdd": "Table Rows Added", - "textTableRowsDel": "Table Rows Deleted", - "textTabs": "Change tabs", - "textTrackChanges": "Track Changes", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUnderline": "Underline", - "textUsers": "Users", - "textWidow": "Widow control", - "textOk": "Ok" - }, - "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "notcriticalErrorTitle": "ເຕືອນ", + "textAccept": "ຍອມຮັບ", + "textAcceptAllChanges": "ຍອມຮັບການປ່ຽນແປງທັງໝົດ", + "textAddComment": "ເພີ່ມຄຳເຫັນ", + "textAddReply": "ເພີ່ມຄຳຕອບກັບ", + "textAllChangesAcceptedPreview": "ຍອມຮັບການປ່ຽນແປງທັງໝົດ(ເບິ່ງຕົວຢ່າງ)", + "textAllChangesEditing": "ການປ່ຽນແປງທັງໝົດ(ດັດແກ້)", + "textAllChangesRejectedPreview": "ປະຕິເສດການປ່ຽນແປງທັງໝົດ(ເບິ່ງຕົວຢ່າງ)", + "textAtLeast": "ຢ່າງນ້ອຍ", + "textAuto": "ອັດຕະໂນມັດ", + "textBack": "ກັບຄືນ", + "textBaseline": "ເສັ້ນພື້ນ", + "textBold": "ແບບໂຕໜາ", + "textBreakBefore": "ແຍກໜ້າເອກະສານກ່ອນໜ້າ", + "textCancel": "ຍົກເລີກ", + "textCaps": "ໂຕໃຫຍ່ທັງໝົດ", + "textCenter": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", + "textChart": "ແຜນຮູບວາດ", + "textCollaboration": "ຮ່ວມກັນ", + "textColor": "ສີຂອງຕົວອັກສອນ", + "textComments": "ຄໍາເຫັນ", + "textContextual": "ຫ້າມຍະຫວ່າງຍໍ່ໜ້າທີ່ມີຮູບແບບດ່ຽວກັນ", + "textDelete": "ລົບ", + "textDeleteComment": "ລົບຄໍາເຫັນ", + "textDeleted": "ລຶບ:", + "textDeleteReply": "ລົບການຕອບກັບ", + "textDisplayMode": "ໂຫມດການສະແດງຜົນ", + "textDone": "ສໍາເລັດ", + "textDStrikeout": "ຂິດຂ້າ ສອງຄັ້ງ", + "textEdit": "ແກ້ໄຂ", + "textEditComment": "ແກ້ໄຂຄໍາເຫັນ", + "textEditReply": "ແກ້ໄຂການຕອບກັບ", + "textEditUser": "ຜູ້ໃຊ້ທີ່ກໍາລັງແກ້ໄຂເອກະສານ:", + "textEquation": "ສົມຜົນ", + "textExact": "ແນ່ນອນ", + "textFinal": "ສຸດທ້າຍ", + "textFirstLine": "ເສັ້ນທໍາອິດ", + "textFormatted": "ຈັດຮູບແບບ", + "textHighlight": "ທາສີໄຮໄລ້", + "textImage": "ຮູບພາບ", + "textIndentLeft": "ຢັບມາຊ້າຍ", + "textIndentRight": "ຢັບມາຂວາ", + "textInserted": "ເພີ່ມ:", + "textItalic": "ໂຕໜັງສືອ່ຽງ", + "textJustify": "ຈັດຕຳແໜ່ງຕິດຂອບ", + "textKeepLines": "ໃຫ້ເສັ້ນເຂົ້ານໍາກັນ", + "textKeepNext": "ເກັບໄວ້ຕໍ່ໄປ", + "textLeft": "ຈັດຕຳແໜ່ງຕິດຊ້າຍ", + "textLineSpacing": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ:", + "textMarkup": "ໝາຍ", + "textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", + "textMessageDeleteReply": "ທ່ານຕ້ອງການລົບແທ້ບໍ?", + "textMultiple": "ຕົວຄູນ", + "textNoBreakBefore": "ບໍ່ໄດ້ຂັ້ນໜ້າກ່ອນໜ້ານີ້", + "textNoChanges": "ບໍ່ມີການປ່ຽນແປງ", + "textNoComments": "ເອກະສານບໍ່ມີຄໍາເຫັນ", + "textNoContextual": "ຕື່ມໄລຍະຫ່າງລະຫວ່າງຫຍໍ້ໜ້າທີ່ມີລັກສະນະດຽວກັນ", + "textNoKeepLines": "ບໍ່ຕ້ອງສ້າງເສັ້ນຮ່ວມກັນ", + "textNoKeepNext": "ບໍ່ຕ້ອງເກັບໄວ້ຕໍ່ ", + "textNot": "ບໍ່", + "textNoWidow": "ບໍ່ມີການຄອບຄຸມໜ້າຕ່າງ", + "textNum": "ປ່ຽນຕົວເລກ ", + "textOk": "ຕົກລົງ", + "textOriginal": "ສະບັບດັ້ງເດີມ", + "textParaDeleted": "ລຶບຫຍໍ້ໜ້າແລ້ວ", + "textParaFormatted": "ວັກທີ່ຈັດຮູບແບບ", + "textParaInserted": "ຫຍໍ້ໜ້າໃສ່ແລ້ວ", + "textParaMoveFromDown": "ຍ້າຍລົງ:", + "textParaMoveFromUp": "ຍ້າຍຂຶ້ນ:", + "textParaMoveTo": "ຍ້າຍ:", + "textPosition": "ຕໍາແໜ່ງ", + "textReject": "ປະຕິເສດ", + "textRejectAllChanges": "ປະຕິເສດການປ່ຽນແປງທັງໝົດ", + "textReopen": "ເປີດຄືນ", + "textResolve": "ແກ້ໄຂ", + "textReview": "ກວດຄືນ", + "textReviewChange": "ເບີ່ງການປ່ຽນແປງ", + "textRight": "ຈັດຕຳແໜ່ງຕິດຂວາ", + "textShape": "ຮູບຮ່າງ", + "textShd": "ສີພື້ນຫຼັງ", + "textSmallCaps": "ໂຕອັກສອນນ້ອຍ", + "textSpacing": "ການຈັດໄລຍະຫ່າງ", + "textSpacingAfter": "ໄລະຫ່າງກ່ອນ", + "textSpacingBefore": "ໄລຍະຫ່າງກ່ອນ", + "textStrikeout": "ຂີດຂ້າອອກ", + "textSubScript": "ຕົວຫ້ອຍ", + "textSuperScript": "ຕົວຍົກ", + "textTableChanged": "ປ່ຽນການຕັ້ງຄ່າຕາຕະລາງແລ້ວ", + "textTableRowsAdd": "ເພີ່ມແຖວຕາຕະລາງແລ້ວ", + "textTableRowsDel": "ລຶບແຖວຕາຕະລາງແລ້ວ", + "textTabs": "ປ່ຽນຂັ້ນ", + "textTrackChanges": "ຕິດຕາມການປ່ຽນແປງ", + "textTryUndoRedo": "ໜ້າທີ່ ກັບຄືນ ຫຼື ທວນຄືນ ຖືກປິດໃຊ້ງານ ສຳລັບໂໝດການແກ້ໄຂຮ່ວມກັນດ່ວນ.", + "textUnderline": "ີຂີດກ້ອງ", + "textUsers": "ຜຸ້ໃຊ້", + "textWidow": "ໜ້າຄວບຄຸມ" }, "HighlightColorPalette": { - "textNoFill": "No Fill" + "textNoFill": "ບໍ່ມີການຕື່ມຂໍ້ມູນໃສ່" + }, + "ThemeColorPalette": { + "textCustomColors": "ກຳນົດສີເອງ", + "textStandartColors": "ສີມາດຕະຖານ", + "textThemeColors": " ຮູບແບບສີ" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add comment", - "menuAddLink": "Add link", - "menuCancel": "Cancel", - "menuDelete": "Delete", - "menuDeleteTable": "Delete Table", - "menuEdit": "Edit", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuReview": "Review", - "menuReviewChange": "Review Change", - "menuSplit": "Split", - "menuViewComment": "View Comment", - "textColumns": "Columns", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "textRows": "Rows", - "menuStartNewList": "Start new list", - "menuStartNumberingFrom": "Set numbering value", - "menuContinueNumbering": "Continue numbering", - "menuSeparateList": "Separate list", - "menuJoinList": "Join to previous list", - "textOk": "OK", - "textCancel": "Cancel", - "textNumberingValue": "Numbering Value", + "errorCopyCutPaste": "ການກ໋ອບປີ້,ຕັດ ແລະ ວາງ ການດຳເນີນການໂດຍໃຊ້ເມນູ ຈະດຳເນີນການພາຍໃນຟາຍປັດຈຸບັນເທົ່ານັ້ນ", + "menuAddComment": "ເພີ່ມຄຳເຫັນ", + "menuAddLink": "ເພີ່ມລິ້ງ", + "menuCancel": "ຍົກເລີກ", + "menuContinueNumbering": "ການຕໍ່ເລກໝາຍ", + "menuDelete": "ລົບ", + "menuDeleteTable": "ລົບຕາຕະລາງ", + "menuEdit": "ແກ້ໄຂ", + "menuJoinList": "ຮ່ວມລາຍການກ່ອນໜ້າ", + "menuMerge": "ປະສົມປະສານ", + "menuMore": "ຫຼາຍກວ່າ", + "menuOpenLink": "ເປີດລີ້ງ", + "menuReview": "ກວດຄືນ", + "menuReviewChange": "ເບີ່ງການປ່ຽນແປງ", + "menuSeparateList": "ແຍກລາຍການ", + "menuSplit": "ແຍກ, ແບ່ງເປັນ", + "menuStartNewList": "ເລີ່ມຕົ້ນລາຍການໃໝ່", + "menuStartNumberingFrom": "ຕັ້ງຄ່າລຳດັບເລກ", + "menuViewComment": "ເບີ່ງຄໍາເຫັນ", + "textCancel": "ຍົກເລີກ", + "textColumns": "ຖັນ", + "textCopyCutPasteActions": "ປະຕິບັດການ ສໍາເນົາ, ຕັດ ແລະ ວາງ", + "textDoNotShowAgain": "ບໍ່ສະແດງອີກ", + "textNumberingValue": "ມູນຄ່າ ໝາຍ ເລກ", + "textOk": "ຕົກລົງ", + "textRows": "ແຖວ", "textRefreshEntireTable": "Refresh entire table", "textRefreshPageNumbersOnly": "Refresh page numbers only" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textActualSize": "Actual size", - "textAddCustomColor": "Add custom color", - "textAdditional": "Additional", - "textAdditionalFormatting": "Additional formatting", - "textAddress": "Address", - "textAdvanced": "Advanced", - "textAdvancedSettings": "Advanced settings", - "textAfter": "After", - "textAlign": "Align", - "textAllCaps": "All caps", - "textAllowOverlap": "Allow overlap", - "textAuto": "Auto", - "textAutomatic": "Automatic", - "textBack": "Back", - "textBackground": "Background", - "textBandedColumn": "Banded column", - "textBandedRow": "Banded row", - "textBefore": "Before", - "textBehind": "Behind", - "textBorder": "Border", - "textBringToForeground": "Bring to foreground", - "textBullets": "Bullets", - "textBulletsAndNumbers": "Bullets & Numbers", - "textCellMargins": "Cell Margins", - "textChart": "Chart", - "textClose": "Close", - "textColor": "Color", - "textContinueFromPreviousSection": "Continue from previous section", - "textCustomColor": "Custom Color", - "textDifferentFirstPage": "Different first page", - "textDifferentOddAndEvenPages": "Different odd and even pages", - "textDisplay": "Display", - "textDistanceFromText": "Distance from text", - "textDoubleStrikethrough": "Double Strikethrough", - "textEditLink": "Edit Link", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify image URL.", - "textFill": "Fill", - "textFirstColumn": "First Column", - "textFirstLine": "FirstLine", - "textFlow": "Flow", - "textFontColor": "Font Color", - "textFontColors": "Font Colors", - "textFonts": "Fonts", - "textFooter": "Footer", - "textHeader": "Header", - "textHeaderRow": "Header Row", - "textHighlightColor": "Highlight Color", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textInFront": "In Front", - "textInline": "Inline", - "textKeepLinesTogether": "Keep Lines Together", - "textKeepWithNext": "Keep with Next", - "textLastColumn": "Last Column", - "textLetterSpacing": "Letter Spacing", - "textLineSpacing": "Line Spacing", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkToPrevious": "Link to Previous", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textMoveWithText": "Move with Text", - "textNone": "None", - "textNoStyles": "No styles for this type of charts.", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOpacity": "Opacity", - "textOptions": "Options", - "textOrphanControl": "Orphan Control", - "textPageBreakBefore": "Page Break Before", - "textPageNumbering": "Page Numbering", - "textParagraph": "Paragraph", - "textParagraphStyles": "Paragraph Styles", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", + "notcriticalErrorTitle": "ເຕືອນ", + "textActualSize": "ຂະໜາດແທ້ຈິງ", + "textAddCustomColor": "ເພີ່ມສີທີ່ກຳນົດເອງ", + "textAdditional": "ເພີ່ມເຕີມ", + "textAdditionalFormatting": "ຈັດຮູບແບບເພີ່ມເຕີມ", + "textAddress": "ທີ່ຢູ່", + "textAdvanced": "ຂັ້ນສູງ", + "textAdvancedSettings": "ຕັ້ງຄ່າຂັ້ນສູງ", + "textAfter": "ຫຼັງຈາກ", + "textAlign": "ຈັດແນວ", + "textAllCaps": "ໂຕໃຫຍ່ທັງໝົດ", + "textAllowOverlap": "ອະນຸຍາດໃຫ້ຊ້ອນກັນ", + "textApril": "ເມສາ", + "textAugust": "ສິງຫາ", + "textAuto": "ອັດຕະໂນມັດ", + "textAutomatic": "ອັດຕະໂນມັດ", + "textBack": "ກັບຄືນ", + "textBackground": "ພື້ນຫຼັງ", + "textBandedColumn": "ຖັນແຖວ", + "textBandedRow": "ຮ່ວມກຸ່ມແຖວ", + "textBefore": "ກ່ອນ", + "textBehind": "ທາງຫຼັງ", + "textBorder": "ຊາຍແດນ", + "textBringToForeground": "ເອົາໄປໄວ້ທາງໜ້າ", + "textBullets": "ຂີດໜ້າ", + "textBulletsAndNumbers": "ຫົວຂໍ້ຍ່ອຍ & ຕົວເລກ", + "textCellMargins": "ຂອບເຂດຂອງແຊວ", + "textChart": "ແຜນຮູບວາດ", + "textClose": "ປິດ", + "textColor": "ສີ", + "textContinueFromPreviousSection": "ສືບຕໍ່ຈາກ ພາກກ່ອນໜ້າ", + "textCustomColor": "ປະເພດ ຂອງສີ", + "textDecember": "ເດືອນທັນວາ", + "textDesign": "ອອກແບບ", + "textDifferentFirstPage": "ໜ້າທໍາອິດທີແຕກຕ່າງກັນ", + "textDifferentOddAndEvenPages": "ໜ້າເອກະສານ ເລກ ຄູ່ ແລະ ເລກຄີກ", + "textDisplay": "ສະແດງຜົນ", + "textDistanceFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "textDoubleStrikethrough": "ຂີດທັບສອງຄັ້ງ", + "textEditLink": "ແກ້ໄຂ ລີ້ງ", + "textEffects": "ຜົນ", + "textEmpty": "ຫວ່າງເປົ່າ", + "textEmptyImgUrl": "ທ່ານຕ້ອງບອກທີຢູ່ຮູບ URL", + "textFebruary": "ເດືອນກຸມພາ", + "textFill": "ຕື່ມ", + "textFirstColumn": "ຖັນທໍາອິດ", + "textFirstLine": "ເສັ້ນທໍາອິດ", + "textFlow": "ຂະບວນການ", + "textFontColor": "ສີຂອງຕົວອັກສອນ", + "textFontColors": "ສີຕົວອັກສອນ", + "textFonts": "ຕົວອັກສອນ", + "textFooter": "ສ່ວນທ້າຍ", + "textFr": "ວັນສຸກ", + "textHeader": "ຫົວຂໍ້ເອກະສານ", + "textHeaderRow": "ຫົວແຖວ", + "textHighlightColor": "ທາສີໄຮໄລ້", + "textHyperlink": "ົໄຮເປີລີ້ງ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textInFront": "ຢູ່ທາງຫນ້າຂອງຂໍ້ຄວາມ", + "textInline": "ໃນແຖວທີ່ມີຂໍ້ຄວາມ", + "textJanuary": "ເດືອນກຸມພາ", + "textJuly": "ເດືອນກໍລະກົດ", + "textJune": "ເດືອນມິຖຸນາ", + "textKeepLinesTogether": "ໃຫ້ເສັ້ນເຂົ້ານໍາກັນ", + "textKeepWithNext": "ເກັບໄວ້ຕໍ່ໄປ", + "textLastColumn": "ຖັນສຸດທ້າຍ", + "textLetterSpacing": "ໄລຍະຫ່າງລະຫວ່າງຕົວອັກສອນ", + "textLineSpacing": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLinkToPrevious": "ເຊື່ອມຕໍ່ກັບກ່ອນໜ້າ", + "textMarch": "ມີນາ", + "textMay": "ພຶດສະພາ", + "textMo": "ວັນຈັນ", + "textMoveBackward": "ຍ້າຍໄປທາງຫຼັງ", + "textMoveForward": "ຍ້າຍໄປດ້ານໜ້າ", + "textMoveWithText": "ຍ້າຍຄໍາສັບ", + "textNone": "ບໍ່ມີ", + "textNoStyles": "ບໍ່ມີຮູບແບບສຳລັບແຜນວາດປະເພດນີ້.", + "textNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "textNovember": "ພະຈິກ", + "textNumbers": "ຕົວເລກ", + "textOctober": "ຕຸລາ", + "textOk": "ຕົກລົງ", + "textOpacity": "ຄວາມເຂັ້ມ", + "textOptions": "ທາງເລືອກ", + "textOrphanControl": "ການຄອບຄຸມ", + "textPageBreakBefore": "ແຍກໜ້າເອກະສານກ່ອນໜ້າ", + "textPageNumbering": "ເລກໜ້າ", + "textParagraph": "ວັກ", + "textParagraphStyles": "ຮຸບແບບວັກ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", "textPt": "pt", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textRemoveTable": "Remove Table", - "textReorder": "Reorder", - "textRepeatAsHeaderRow": "Repeat as Header Row", - "textReplace": "Replace", - "textReplaceImage": "Replace Image", - "textResizeToFitContent": "Resize to Fit Content", - "textScreenTip": "Screen Tip", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textSettings": "Settings", - "textShape": "Shape", - "textSize": "Size", - "textSmallCaps": "Small Caps", - "textSpaceBetweenParagraphs": "Space Between Paragraphs", - "textSquare": "Square", - "textStartAt": "Start at", - "textStrikethrough": "Strikethrough", - "textStyle": "Style", - "textStyleOptions": "Style Options", - "textSubscript": "Subscript", - "textSuperscript": "Superscript", - "textTable": "Table", - "textTableOptions": "Table Options", - "textText": "Text", - "textThrough": "Through", - "textTight": "Tight", - "textTopAndBottom": "Top and Bottom", - "textTotalRow": "Total Row", - "textType": "Type", - "textWrap": "Wrap", - "textNumbers": "Numbers", - "textDesign": "Design", - "textSu": "Su", - "textMo": "Mo", - "textTu": "Tu", - "textWe": "We", - "textTh": "Th", - "textFr": "Fr", - "textSa": "Sa", - "textJanuary": "January", - "textFebruary": "February", - "textMarch": "March", - "textApril": "April", - "textMay": "May", - "textJune": "June", - "textJuly": "July", - "textAugust": "August", - "textSeptember": "September", - "textOctober": "October", - "textNovember": "November", - "textDecember": "December", - "textEmpty": "Empty", - "textOk": "Ok", + "textRemoveChart": "ລົບແຜນວາດ", + "textRemoveImage": "ລົບຮູບ", + "textRemoveLink": "ລົບລີ້ງ", + "textRemoveShape": "ລົບຮ່າງ", + "textRemoveTable": "ລົບຕາຕະລາງ", + "textReorder": "ຈັດຮຽງໃໝ່", + "textRepeatAsHeaderRow": "ເຮັດລື້ມຄືນ ຕາມ ແຖວຫົວເລື່ອງ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceImage": "ປ່ຽນແທນຮູບ", + "textResizeToFitContent": "ປັບຂະໜາດເພື່ອໃຫ້ເໝາະກັບເນື້ອຫາ", + "textSa": "ວັນເສົາ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textSelectObjectToEdit": "ເລືອກຈຸດທີ່ຕ້ອງການເພື່ອແກ້ໄຂ", + "textSendToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", + "textSeptember": "ກັນຍາ", + "textSettings": "ການຕັ້ງຄ່າ", + "textShape": "ຮູບຮ່າງ", + "textSize": "ຂະໜາດ", + "textSmallCaps": "ໂຕອັກສອນນ້ອຍ", + "textSpaceBetweenParagraphs": "ໄລຍະຫ່າງລະຫວ່າງວັກ", + "textSquare": "ສີ່ຫຼ່ຽມ", + "textStartAt": "ເລີ່ມຈາກ", + "textStrikethrough": "ຂີດຂ້າອອກ", + "textStyle": "ປະເພດ ", + "textStyleOptions": "ທາງເລືອກ ປະເພດ", + "textSu": "ວັນອາທິດ", + "textSubscript": "ຕົວຫ້ອຍ", + "textSuperscript": "ຕົວຍົກ", + "textTable": "ຕາຕະລາງ", + "textTableOptions": "ທາງເລືອກຕາຕະລາງ", + "textText": "ຂໍ້ຄວາມ", + "textTh": "ວັນພະຫັດ", + "textThrough": "ຜ່ານ", + "textTight": "ຮັດແໜ້ນ ", + "textTopAndBottom": "ເທີງແລະລຸ່ມ", + "textTotalRow": "ຈໍານວນແຖວທັງໝົດ", + "textTu": "ວັນອັງຄານ", + "textType": "ພິມ", + "textWe": "ພວກເຮົາ", + "textWrap": "ຫໍ່", "textTableOfCont": "TOC", "textPageNumbers": "Page Numbers", "textSimple": "Simple", @@ -360,299 +360,309 @@ "textAmountOfLevels": "Amount of Levels" }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
        Please, contact your admin.", - "errorBadImageUrl": "Image url is incorrect", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact the admin.
        When you click OK, you will be prompted to download the document.", - "errorDatabaseConnection": "External error.
        Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
        Download document to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileSizeExceed": "The file size exceeds your server limit.
        Please, contact your admin.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorMailMergeLoadFile": "Loading failed", - "errorMailMergeSaveFile": "Merge failed.", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
        opening price, max price, min price, closing price.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
        Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file can't be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
        but you won't be able to download it until the connection is restored and the page is reloaded.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", + "criticalErrorExtText": "ກົດ 'OK' ເພື່ອກັບຄືນໄປຫາລາຍການເອກະສານ.", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "downloadErrorText": "ດາວໂຫຼດບໍ່ສຳເລັດ.", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
        ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", + "errorConnectToServer": "ບໍ່ສາມາດບັນທຶກເອກະສານນີ້ໄດ້. ກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຂອງທ່ານ ຫຼື ຕິດຕໍ່ຜູ້ແອດມີນຂອງທ່ານ.
        ເມື່ອທ່ານຄລິກປຸ່ມ 'ຕົກລົງ', ທ່ານຈະຖືກເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", + "errorDatabaseConnection": "ຂໍ້ຜິດພາດຈາກທາງນອກ
        ຖານຂໍ້ມູນ ຂໍ້ຜິດພາດພາຍນອກ. ກະລຸນາ, ຕິດຕໍ່ການສະ ໜັບ ສະ ໜູນ.", + "errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", + "errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", + "errorEditingDownloadas": "ເກີດຄວາມຜິດພາດໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.
        ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດ' ເພື່ອບັນທຶກໄຟລ໌ສໍາຮອງໄວ້ໃນເຄື່ອງ.", + "errorFilePassProtect": "ໄຟລ໌ດັ່ງກ່າວຖືກປ້ອງກັນດ້ວຍລະຫັດຜ່ານ ແລະ ບໍ່ສາມາດເປີດໄດ້.", + "errorFileSizeExceed": "ຂະໜາດໄຟລ໌ເກີນຂີດຈຳກັດເຊີບເວີຂອງທ່ານ.
        ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.", + "errorKeyEncrypt": "ບໍ່ຮູ້ຄຳອະທິບາຍຫຼັກ", + "errorKeyExpire": "ລະຫັດໝົດອາຍຸ", + "errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
        ກະລຸນາແອດມີນຂອງທ່ານ.", + "errorMailMergeLoadFile": "ການໂຫຼດລົ້ມເຫລວ", + "errorMailMergeSaveFile": "ບໍ່ສາມາດລວມໄດ້", + "errorSessionAbsolute": "ຊ່ວງເວລາການແກ້ໄຂເອກະສານໝົດອາຍຸແລ້ວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionIdle": "ເອກະສານບໍ່ໄດ້ຮັບການແກ້ໄຂສໍາລັບການຂ້ອນຂ້າງຍາວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionToken": "ການເຊື່ອມຕໍ່ກັບເຊີບເວີບໍ່ສະຖຽນ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorStockChart": "ລຳດັບແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງເກັບຂໍ້ຮູບກ້າບ, ວາງຂໍ້ມູນໃສ່ແຜ່ນງານຕາມລໍາດັບຕໍ່ໄປນີ້:
        ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ.", + "errorUpdateVersionOnDisconnect": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຫາກໍຖືກກູ້ຄືນມາ, ແລະ ຟາຍເອກະສານໄດ້ມີການປ່ຽນແປງແລ້ວ.
        ກ່ອນທີ່ທ່ານຈະດຳເນີນການຕໍ່ໄປ, ທ່ານຕ້ອງໄດ້ດາວໂຫຼດຟາຍ ຫຼື ສຳເນົາເນື້ອຫາ ເພື່ອປ້ອງການການສູນເສຍ, ແລະ ທຳການໂຫຼດໜ້າຄືນອີກຄັ້ງ.", + "errorUserDrop": "ບໍ່ສາມາດເຂົ້າໄຟລ໌ດັ່ງກ່າວໄດ້ໃນຕອນນີ້.", + "errorUsersExceed": "ຈຳນວນຜູ້ຊົມໃຊ້ເກີນ ແມ່ນອະນຸຍາດກຳນົດລາຄາເກີນ", + "errorViewerDisconnect": "ການເຊື່ອມຕໍ່ຫາຍໄປ. ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້,
        ແຕ່ທ່ານຈະບໍ່ສາມາດດາວນ໌ໂຫລດຫຼືພິມມັນຈົນກ່ວາການເຊື່ອມຕໍ່ໄດ້ຮັບການຟື້ນຟູແລະຫນ້າຈະຖືກໂຫຼດໃຫມ່.", + "notcriticalErrorTitle": "ເຕືອນ", + "openErrorText": "ມີຂໍ້ຜິດພາດເກີດຂຶ້ນໃນຂະນະທີ່ເປີດໄຟລ໌", + "saveErrorText": "ເກີດຄວາມຜິດພາດຂຶ້ນໃນຂະນະທີ່ບັນທຶກໄຟລ໌", + "scriptLoadError": "ການເຊື່ອມຕໍ່ຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "splitDividerErrorText": "ຈໍານວນແຖວຕ້ອງເປັນຕົວເລກຂອງ %1", + "splitMaxColsErrorText": "ຈຳນວນຖັນຕ້ອງຕໍ່າ ກວ່າ %1", + "splitMaxRowsErrorText": "ຈຳນວນແຖວຕ້ອງໜ້ອຍກວ່າ %1", + "unknownErrorText": "ມີຂໍ້ຜິດພາດທີ່ບໍ່ຮູ້ສາເຫດ", + "uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິດຜາດຮູບແບບຂອງຮູບ", + "uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", + "uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "downloadMergeText": "Downloading...", - "downloadMergeTitle": "Downloading", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "mailMergeLoadFileText": "Loading Data Source...", - "mailMergeLoadFileTitle": "Loading Data Source", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "sendMergeText": "Sending Merge...", - "sendMergeTitle": "Sending Merge", - "textLoadingDocument": "Loading document", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait..." + "applyChangesTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "applyChangesTitleText": "ດາວໂຫຼດຂໍ້ມູນ", + "downloadMergeText": "ກໍາລັງດາວໂຫລດ...", + "downloadMergeTitle": "ກໍາລັງດາວໂຫຼດ ", + "downloadTextText": "ກຳລັງດາວໂຫຼດເອກະສານ", + "downloadTitleText": "ດາວໂຫລດເອກະສານ", + "loadFontsTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontsTitleText": "ດາວໂຫຼດຂໍ້ມູນ", + "loadFontTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontTitleText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", + "loadImagesTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImagesTitleText": "ກໍາລັງດາວໂຫຼດຮູບພາບ", + "loadImageTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImageTitleText": "ກໍາລັງໂລດຮູບພາບ", + "loadingDocumentTextText": "ກໍາລັງດາວໂຫຼດເອກະສານ...", + "loadingDocumentTitleText": "ກຳລັງດາວໂຫຼດເອກະສານ", + "mailMergeLoadFileText": "ໂລດຂໍ້ມູນຈາກຕົ້ນທາງ...", + "mailMergeLoadFileTitle": "ດາວໂຫຼດຂໍ້ມູນຈາກຕົ້ນທາງ", + "openTextText": "ກໍາລັງເປີດເອກະສານ...", + "openTitleText": "ກໍາລັງເປີດເອກະສານ", + "printTextText": "ກໍາລັງພິມເອກະສານ", + "printTitleText": "ກໍາລັງພິມເອກະສານ", + "savePreparingText": "ກະກຽມບັນທືກ", + "savePreparingTitle": "ກຳລັງກະກຽມບັນທືກ, ກະລຸນາລໍຖ້າ...", + "saveTextText": "ກໍາລັງບັນທຶກເອກະສານ...", + "saveTitleText": "ບັນທືກເອກະສານ", + "sendMergeText": "ກໍາລັງສົ່ງລວມ...", + "sendMergeTitle": "ກໍາລັງສົ່ງລວມ", + "textLoadingDocument": "ກຳລັງດາວໂຫຼດເອກະສານ", + "txtEditingMode": "ຕັ້ງຄ່າຮູບແບບການແກ້ໄຂ...", + "uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ...", + "uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", + "waitText": "ກະລຸນາລໍຖ້າ..." }, "Main": { - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
        Please, contact your administrator.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "errorProcessSaveResult": "Saving failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
        ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorOpensource": "ການນໍາໃຊ້ສະບັບຟຣີ, ທ່ານສາມາດເປີດເອກະສານສໍາລັບການອ່ານເທົ່ານັ້ນ. ໃນການເຂົ້າເຖິງໂປຣແກຣມ, ຕ້ອງມີໃບອະນຸຍາດທາງການຄ້າ.", + "errorProcessSaveResult": "ບັນທຶກບຊ່ສຳເລັດ", + "errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອນຳໃຊ້ການປ່ຽນແປງ.", + "errorUpdateVersion": "ເອກະສານໄດ້ຖືກປ່ຽນແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດໃໝ່.", + "leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "notcriticalErrorTitle": "ເຕືອນ", "SDK": { - " -Section ": " -Section ", - "above": "above", - "below": "below", - "Caption": "Caption", - "Choose an item": "Choose an item", - "Click to load image": "Click to load image", - "Current Document": "Current Document", - "Diagram Title": "Chart Title", - "endnote text": "Endnote Text", - "Enter a date": "Enter a date", - "Error! Bookmark not defined": "Error! Bookmark not defined.", - "Error! Main Document Only": "Error! Main Document Only.", - "Error! No text of specified style in document": "Error! No text of specified style in document.", - "Error! Not a valid bookmark self-reference": "Error! Not a valid bookmark self-reference.", - "Even Page ": "Even Page ", - "First Page ": "First Page ", - "Footer": "Footer", - "footnote text": "Footnote Text", - "Header": "Header", - "Heading 1": "Heading 1", - "Heading 2": "Heading 2", - "Heading 3": "Heading 3", - "Heading 4": "Heading 4", - "Heading 5": "Heading 5", - "Heading 6": "Heading 6", - "Heading 7": "Heading 7", - "Heading 8": "Heading 8", - "Heading 9": "Heading 9", - "Hyperlink": "Hyperlink", - "Index Too Large": "Index Too Large", - "Intense Quote": "Intense Quote", - "Is Not In Table": "Is Not In Table", - "List Paragraph": "List Paragraph", - "Missing Argument": "Missing Argument", - "Missing Operator": "Missing Operator", - "No Spacing": "No Spacing", - "No table of contents entries found": "There are no headings in the document. Apply a heading style to the text so that it appears in the table of contents.", - "No table of figures entries found": "No table of figures entries found.", - "None": "None", - "Normal": "Normal", - "Number Too Large To Format": "Number Too Large To Format", - "Odd Page ": "Odd Page ", - "Quote": "Quote", - "Same as Previous": "Same as Previous", - "Series": "Series", - "Subtitle": "Subtitle", - "Syntax Error": "Syntax Error", - "Table Index Cannot be Zero": "Table Index Cannot be Zero", - "Table of Contents": "Table of Contents", - "table of figures": "Table of figures", - "The Formula Not In Table": "The Formula Not In Table", - "Title": "Title", - "TOC Heading": "TOC Heading", - "Type equation here": "Type equation here", - "Undefined Bookmark": "Undefined Bookmark", - "Unexpected End of Formula": "Unexpected End of Formula", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here", - "Zero Divide": "Zero Divide" + " -Section ": "- ເລືອກ", + "above": "ຂ້າງເທິງ", + "below": "ດ້ານລຸ່ມ", + "Caption": "ຄຳບັນຍາຍ", + "Choose an item": "ເລືອກໄອເທມ", + "Click to load image": "ກົດເພື່ອໂຫຼດຮູບ", + "Current Document": "ເອກະສານປະຈຸບັນ", + "Diagram Title": "ໃສ່ຊື່ແຜນຮູບວາດ", + "endnote text": "ຂໍ້ຄວາມອ້າງອີງ", + "Enter a date": "ປ້ອນວັນທີ", + "Error! Bookmark not defined": "ຜິດພາດ! ບໍ່ໄດ້ກຳນົດບຸກມາກ.", + "Error! Main Document Only": "ຜິດພາດ! ເອກະສານຫຼັກຢ່າງດຽວ", + "Error! No text of specified style in document": "ຜິດພາດ! ບໍ່ມີຂໍ້ຄວາມບົ່ງບອກ", + "Error! Not a valid bookmark self-reference": "ຜິດພາດ! ບໍ່ແມ່ນຈຸດຂັ້ນທີ່ຖືໜ້າກຕ້ອງການອ້າງອີງຕົນເອງ.", + "Even Page ": "ໜ້າງານ", + "First Page ": "ໜ້າທຳອິດ", + "Footer": "ສ່ວນທ້າຍ", + "footnote text": "ໂນດສ່ວນທ້າຍເອກະສານ", + "Header": "ຫົວຂໍ້ເອກະສານ", + "Heading 1": " ຫົວເລື່ອງ 1", + "Heading 2": "ຫົວເລື່ອງ 2", + "Heading 3": "ຫົວເລື່ອງ 3", + "Heading 4": "ຫົວເລື່ອງ4", + "Heading 5": "ຫົວເລື່ອງ5", + "Heading 6": "ຫົວເລື່ອງ6", + "Heading 7": "ຫົວເລື່ອງ7", + "Heading 8": "ຫົວເລື່ອງ8", + "Heading 9": "ຫົວເລື່ອງ9", + "Hyperlink": "ົໄຮເປີລີ້ງ", + "Index Too Large": "ດັດສະນີໃຫຍ່ເກີນໄປ", + "Intense Quote": "ຄຳເວົ້າທີ່ເຂັ້ມຂຸ້ນ", + "Is Not In Table": "ບໍ່ຢູ່ໃນຕາຕະລາງ", + "List Paragraph": "ລາຍການຫຍໍ້ໜ້າ", + "Missing Argument": "ບໍ່ມີອາກິວເມັ້ນ", + "Missing Operator": "ບໍ່ມີຕົວດຳເນີນການ", + "No Spacing": "ບໍ່ມີໄລຍະຫ່າງ", + "No table of contents entries found": "ບໍ່ມີຫົວຂໍ້ໃນເອກະສານ. ນຳໃຊ້ຮູບແບບຫົວຂໍ້ໃສ່ຂໍ້ຄວາມເພື່ອໃຫ້ມັນປາກົດຢູ່ໃນຕາຕະລາງເນື້ອໃນ.", + "No table of figures entries found": "ບໍ່ມີຕາຕະລາງລາຍການຕົວເລກ", + "None": "ບໍ່ມີ", + "Normal": "ປົກກະຕິ", + "Number Too Large To Format": "ຈຳ ນວນໃຫຍ່ເກີນໄປທີ່ຈະຈັດຮູບແບບ", + "Odd Page ": "ໜ້າເຈ້ຍເລກຄີກ", + "Quote": "ໃບສະເໜີລາຄາ", + "Same as Previous": "ແບບດຽວກັນກັບທີ່ຜ່ານມາ", + "Series": "ຊຸດ", + "Subtitle": "ຄໍາບັນຍາຍ", + "Syntax Error": "ຂໍ້້ຜິດພາດທາງໄວຍະກອນ", + "Table Index Cannot be Zero": "ດັດຊະນີຕາຕະລາງບໍ່ສາມາດເປັນສູນ", + "Table of Contents": "ຕາຕະລາງເນື້ອຫາ", + "table of figures": "ຕາຕະລາງຕົວເລກ", + "The Formula Not In Table": "ສູດບໍ່ຢູ່ໃນຕາຕະລາງ", + "Title": "ຫົວຂໍ້", + "TOC Heading": "ຫົວຂໍ້ TOC ", + "Type equation here": "ພິມສົມຜົນຢູ່ທີ່ນີ້", + "Undefined Bookmark": "ບໍ່ກຳນົດປື້ມບັນທືກ", + "Unexpected End of Formula": "ການສິ້ນສຸດສູດທ້າຍທີ່ບໍ່ຄາດຄິດ", + "X Axis": "ແກນ X (XAS)", + "Y Axis": "ແກນ Y", + "Your text here": "ເນື້ອຫາຂອງທ່ານຢູ່ນີ້", + "Zero Divide": "ສູນແບ່ງ" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
        Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleLicenseExp": "License expired", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseExp": "Your license has expired. Please, update your license and refresh the page.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.", - "warnLicenseLimitedRenewed": "The license needs to be renewed. You have limited access to document editing functionality.
        Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit this file.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textAnonymous": "ບໍ່ລະບຸຊື່", + "textBuyNow": "ເຂົ້າໄປຍັງເວັບໄຊ", + "textClose": "ປິດ", + "textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", + "textCustomLoader": "ຂໍອະໄພ, ທ່ານບໍ່ມີສິດປ່ຽນຕົວໂຫຼດໄດ້. ກະລຸນາຕິດຕໍ່ຫາພະແນກການຂາຍຂອງພວກເຮົາເພື່ອໃຫ້ໄດ້ຮັບໃບສະເໜີລາຄາ.", + "textGuest": " ແຂກ", + "textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
        ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", + "textNo": "ບໍ່", + "textNoLicenseTitle": "ຈໍານວນໃບອະນຸຍາດໄດ້ໃຊ້ຄົບແລ້ວ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textPaidFeature": "ຄຸນສົມບັດທີ່ຈ່າຍ", + "textRemember": "ຈື່ຈໍາທາງເລືອກ", + "textReplaceSkipped": "ການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", + "textReplaceSuccess": "ການຄົ້ນຫາໄດ້ສຳເລັດແລ້ວ. ສິ່ງທີ່ເກີດຂື້ນໄດ້ປ່ຽນແທນແລ້ວ: {0}", + "textYes": "ແມ່ນແລ້ວ", + "titleLicenseExp": "ໃບອະນຸຍາດໝົດອາຍຸ", + "titleServerVersion": "ອັບເດດການແກ້ໄຂ", + "titleUpdateVersion": "ປ່ຽນແປງລຸ້ນ", + "warnLicenseExceeded": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ຫາທາງແອດມີນຂອງທ່ານເພື່ອຮັບຂໍ້ມູນເພີ່ມ", + "warnLicenseExp": "License ຂອງທ່ານໄດ້ໝົດອາຍຸກະລຸນາຕໍ່ License ຂອງທ່ານ ແລະ ໂຫລດໜ້າເວັບຄືນໃໝ່ອີກຄັ້ງ", + "warnLicenseLimitedNoAccess": "ໃບອະນຸຍາດໝົດອາຍຸແລ້ວ. ທ່ານບໍ່ສາມາດເຂົ້າເຖິງການດຳເນີນງານແກ້ໄຂເອກະສານ. ກະລຸນາ, ຕິດຕໍ່ແອດມີນຂອງທ່ານ.", + "warnLicenseLimitedRenewed": "ໃບອະນຸຍາດຕ້ອງໄດ້ຮັບການຕໍ່ອາຍຸ. ທ່ານຈະຖືກຈຳກັດສິດໃນການເຂົ້າເຖິ່ງການແກ້ໄຂເອກະສານ.
        ກະລຸນາຕິດຕໍ່ແອດມີນຂອງທ່ານເພື່ອຕໍ່ອາຍຸ", + "warnLicenseUsersExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ແກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ", + "warnNoLicense": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ທີມຂາຍ %1 ສຳຫລັບເງື່ອນໄຂການອັບເກດສ່ວນບຸກຄົນ", + "warnNoLicenseUsers": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", + "warnProcessRightsChange": "ທ່ານບໍ່ມີສິດໃນການແກ້ໄຂໄຟລ໌ນີ້.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "advTxtOptions": "Choose TXT Options", - "closeButtonText": "Close File", - "notcriticalErrorTitle": "Warning", - "textAbout": "About", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textBottom": "Bottom", - "textCancel": "Cancel", - "textCaseSensitive": "Case Sensitive", - "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textComments": "Comments", - "textCommentsDisplay": "Comments Display", - "textCreated": "Created", - "textCustomSize": "Custom Size", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textDocumentInfo": "Document Info", - "textDocumentSettings": "Document Settings", - "textDocumentTitle": "Document Title", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As", - "textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?", - "textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", - "textEncoding": "Encoding", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textFormat": "Format", - "textHelp": "Help", - "textHiddenTableBorders": "Hidden Table Borders", - "textHighlightResults": "Highlight Results", - "textInch": "Inch", - "textLandscape": "Landscape", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLeft": "Left", - "textLoading": "Loading...", - "textLocation": "Location", - "textMacrosSettings": "Macros Settings", - "textMargins": "Margins", - "textMarginsH": "Top and bottom margins are too high for a given page height", - "textMarginsW": "Left and right margins are too wide for a given page width", - "textNoCharacters": "Nonprinting Characters", - "textNoTextFound": "Text not found", - "textOpenFile": "Enter a password to open the file", - "textOrientation": "Orientation", - "textOwner": "Owner", - "textPoint": "Point", - "textPortrait": "Portrait", - "textPrint": "Print", - "textReaderMode": "Reader Mode", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textResolvedComments": "Resolved Comments", - "textRight": "Right", - "textSearch": "Search", - "textSettings": "Settings", - "textShowNotification": "Show Notification", - "textSpellcheck": "Spell Checking", - "textStatistic": "Statistic", - "textSubject": "Subject", - "textTitle": "Title", - "textTop": "Top", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password will be reset", - "txtScheme1": "Office", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", + "advDRMOptions": "ເອກະສານທີ່ໄດ້ຮັບການປົກປ້ອງ", + "advDRMPassword": "ລະຫັດຜ່ານ", + "advTxtOptions": "ເລືອກ TXT ", + "closeButtonText": "ປິດຟຮາຍເອກະສານ", + "notcriticalErrorTitle": "ເຕືອນ", + "textAbout": "ກ່ຽວກັບ", + "textApplication": "ແອັບ", + "textApplicationSettings": "ການຕັ້ງຄ່າແອັບ", + "textAuthor": "ຜູ້ຂຽນ", + "textBack": "ກັບຄືນ", + "textBottom": "ລຸ່ມສຸດ", + "textCancel": "ຍົກເລີກ", + "textCaseSensitive": "ກໍລະນີທີ່ສຳຄັນ", + "textCentimeter": "ເຊັນຕິເມັດ", + "textChooseEncoding": "ເລືອກການເຂົ້າລະຫັດ", + "textChooseTxtOptions": "ເລືອກ TXT ", + "textCollaboration": "ຮ່ວມກັນ", + "textColorSchemes": "ໂທນສີ", + "textComment": "ຄໍາເຫັນ", + "textComments": "ຄໍາເຫັນ", + "textCommentsDisplay": "ສະແດງຄໍາເຫັນ", + "textCreated": "ສ້າງ", + "textCustomSize": "ກຳນົດຂະໜາດ", + "textDisableAll": "ປິດທັງໝົດ", + "textDisableAllMacrosWithNotification": "ປິດການໃຊ້ງານແຈ້ງເຕືອນທົ່ວໄປທັງໝົດ", + "textDisableAllMacrosWithoutNotification": "ປິດການໃຊ້ງານແຈ້ງເຕືອນທົວໄປທັງຫມົດໂດຍບໍ່ມີການແຈ້ງການ", + "textDocumentInfo": "ຂໍ້ມູນເອກະສານ", + "textDocumentSettings": "ການຕັ້ງຄ່າ ເອກະສານ", + "textDocumentTitle": "ການຕັ້ງຊື່ ເອກະສານ", + "textDone": "ສໍາເລັດ", + "textDownload": "ດາວໂຫຼດ", + "textDownloadAs": "ດາວໂຫລດເປັນ", + "textDownloadRtf": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ບາງຮູບແບບອາດຈະສູນເສຍໄປ. ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສືບຕໍ່?", + "textDownloadTxt": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ ຄຸນສົມບັດທັງໝົດຍົກເວັ້ນຂໍ້ຄວາມຈະສູນເສຍໄປ. ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສືບຕໍ່?", + "textEnableAll": "ເປີດທັງໝົດ", + "textEnableAllMacrosWithoutNotification": "ເປີດໃຊ້ແຈ້ງເຕືອນທົ່ວໄປໂດຍບໍ່ມີການແຈ້ງການ", + "textEncoding": "ການເຂົ້າລະຫັດ", + "textFastWV": "ເບິ່ງເວັບລ່ວງໜ້າ", + "textFind": "ຄົ້ນຫາ", + "textFindAndReplace": "ຄົ້ນຫາແລະປ່ຽນແທນ", + "textFindAndReplaceAll": "ຄົ້ນຫາ ແລະ ປ່ຽນແທນທັງໝົດ", + "textFormat": "ປະເພດ", + "textHelp": "ຊວ່ຍ", + "textHiddenTableBorders": "ເຊື່ອງຂອບຕາຕະລາງ", + "textHighlightResults": "ໄຮໄລ້ ຜົນລັບ", + "textInch": "ນີ້ວ", + "textLandscape": "ພູມສັນຖານ", + "textLastModified": "ການແກ້ໄຂຄັ້ງລ້າສຸດ", + "textLastModifiedBy": "ແກ້ໄຂຄັ້ງລ້າສຸດໂດຍ", + "textLeft": "ຊ້າຍ", + "textLoading": "ກໍາລັງດາວໂຫຼດ...", + "textLocation": "ສະຖານທີ", + "textMacrosSettings": "ການຕັ້ງຄ່າ Macros", + "textMargins": "ຂອບ", + "textMarginsH": "ຂອບເທິງແລະລຸ່ມແມ່ນສູງເກີນໄປ ສຳ ລັບຄວາມສູງຂອງ ໜ້າທີ່ກຳນົດ", + "textMarginsW": "ຂອບຊ້າຍ ແລະ ຂວາແມ່ນກວ້າງເກີນໄປສຳລັບຄວາມກວ້າງຂອງໜ້າເວັບ", + "textNo": "ບໍ່", + "textNoCharacters": "ບໍ່ມີຕົວອັກສອນພິມ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textOk": "ຕົກລົງ", + "textOpenFile": "ໃສ່ລະຫັດຜ່ານເພື່ອເປີດໄຟລ໌", + "textOrientation": "ການຈັດວາງ", + "textOwner": "ເຈົ້າຂອງ", + "textPages": "ໜ້າ", + "textPageSize": "ຂະໜາດໜ້າ", + "textParagraphs": "ວັກ", + "textPdfTagged": "ໝາຍ PDF", + "textPdfVer": "ສະບັບ PDF", + "textPoint": "ຈຸດ", + "textPortrait": "ລວງຕັ້ງ", + "textPrint": "ພິມ", + "textReaderMode": "ຮູບແບບເພື່ອອ່ານ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceAll": "ປ່ຽນແທນທັງໝົດ", + "textResolvedComments": "ແກ້ໄຂຄໍາເຫັນ", + "textRight": "ຂວາ", + "textSearch": "ຄົ້ນຫາ", + "textSettings": "ການຕັ້ງຄ່າ", + "textShowNotification": "ສະແດງການແຈ້ງເຕືອນ", + "textSpaces": "ໄລຍະຫ່າງ", + "textSpellcheck": "ກວດກາການສະກົດຄໍາ", + "textStatistic": "ສະຖິຕິ", + "textSubject": "ເລື່ອງ", + "textSymbols": "ສັນຍາລັກ", + "textTitle": "ຫົວຂໍ້", + "textTop": "ເບື້ອງເທີງ", + "textUnitOfMeasurement": "ຫົວຫນ່ວຍວັດແທກ", + "textUploaded": "ອັບໂຫລດສຳເລັດ", + "textWords": "ຕົວໜັງສື", + "textYes": "ແມ່ນແລ້ວ", + "txtDownloadTxt": "ດາວໂຫລດ TXT", + "txtIncorrectPwd": "ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ", + "txtOk": "ຕົກລົງ", + "txtProtected": "ເມື່ອທ່ານໃສ່ລະຫັດຜ່ານ ແລະ ເປີດໄຟລ໌, ລະຫັດຜ່ານປະຈຸບັນຈະຖືກຕັ້ງໃຫມ່", + "txtScheme1": "ຫ້ອງການ", + "txtScheme10": "ເສັ້ນແບ່ງກາງ", + "txtScheme11": "ລົດໄຟຟ້າ", + "txtScheme12": "ໂມດູນ", + "txtScheme13": "ອຸດົມສົມບູນ", + "txtScheme14": "ໂອຣິເອລ", + "txtScheme15": "ແຕ່ເດີມ", + "txtScheme16": "ເຈ້ຍ", + "txtScheme17": "ເສັ້ນໝູນອ້ອມດວງຕາເວັນ", + "txtScheme18": "ເຕັກນິກ", + "txtScheme19": "ຍ່າງ", + "txtScheme2": "ໂທນສີເທົາ", + "txtScheme20": "ໃນເມືອງ", "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textOk": "Ok", - "textChooseEncoding": "Choose Encoding", - "textChooseTxtOptions": "Choose TXT Options", - "txtDownloadTxt": "Download TXT", - "txtOk": "Ok", - "textPages": "Pages", - "textParagraphs": "Paragraphs", - "textSpaces": "Spaces", - "textSymbols": "Symbols", - "textWords": "Words", + "txtScheme22": "ຫ້ອງການໃໝ່", + "txtScheme3": "ເອເພັກສ", + "txtScheme4": "ມຸມມອງ", + "txtScheme5": "ພົນລະເມືອງ", + "txtScheme6": "ເປັນກຸ່ມ", + "txtScheme7": "ຄວາມເທົ່າທຽມກັນ", + "txtScheme8": "ຂະບວນການ", + "txtScheme9": "ໂຮງຫລໍ່", "textFeedback": "Feedback & Support", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this page" + "dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "dlgLeaveTitleText": "ທ່ານໄດ້ອອກຈາກໜ້າຄໍາຮ້ອງສະຫມັກ", + "leaveButtonText": "ອອກຈາກໜ້ານີ້", + "stayButtonText": "ຢູ່ໃນໜ້ານີ້" } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/lv.json b/apps/documenteditor/mobile/locale/lv.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/lv.json +++ b/apps/documenteditor/mobile/locale/lv.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/nb.json b/apps/documenteditor/mobile/locale/nb.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/nb.json +++ b/apps/documenteditor/mobile/locale/nb.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/nl.json b/apps/documenteditor/mobile/locale/nl.json index bc0ce1c29..8557cbda1 100644 --- a/apps/documenteditor/mobile/locale/nl.json +++ b/apps/documenteditor/mobile/locale/nl.json @@ -397,7 +397,9 @@ "unknownErrorText": "Onbekende fout.", "uploadImageExtMessage": "Onbekende afbeeldingsindeling.", "uploadImageFileCountMessage": "Geen afbeeldingen geüpload.", - "uploadImageSizeMessage": "De afbeelding is te groot. De maximale grootte is 25MB." + "uploadImageSizeMessage": "De afbeelding is te groot. De maximale grootte is 25MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Gegevens worden geladen...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "Je hebt geen toestemming om dit bestand te bewerken.", "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Beveiligd bestand", @@ -643,11 +646,18 @@ "txtScheme7": "Vermogen", "txtScheme8": "Stroom", "txtScheme9": "Gieterij", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "U heeft nog niet opgeslagen wijzigingen. Klik op 'Blijf op deze pagina' om te wachten op automatisch opslaan. Klik op 'Verlaat deze pagina' om alle niet-opgeslagen wijzigingen te verwijderen.", diff --git a/apps/documenteditor/mobile/locale/pl.json b/apps/documenteditor/mobile/locale/pl.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/pl.json +++ b/apps/documenteditor/mobile/locale/pl.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/pt-PT.json b/apps/documenteditor/mobile/locale/pt-PT.json new file mode 100644 index 000000000..0fc936dc4 --- /dev/null +++ b/apps/documenteditor/mobile/locale/pt-PT.json @@ -0,0 +1,668 @@ +{ + "About": { + "textAbout": "Acerca", + "textAddress": "Endereço", + "textBack": "Recuar", + "textEmail": "E-mail", + "textPoweredBy": "Desenvolvido por", + "textTel": "Tel", + "textVersion": "Versão" + }, + "Add": { + "notcriticalErrorTitle": "Aviso", + "textAddLink": "Adicionar ligação", + "textAddress": "Endereço", + "textBack": "Recuar", + "textBelowText": "Abaixo do texto", + "textBottomOfPage": "Fundo da página", + "textBreak": "Quebra", + "textCancel": "Cancelar", + "textCenterBottom": "Centrar abaixo", + "textCenterTop": "Centrar acima", + "textColumnBreak": "Quebra de colunas", + "textColumns": "Colunas", + "textComment": "Comentário", + "textContinuousPage": "Página contínua", + "textCurrentPosition": "Posição atual", + "textDisplay": "Exibição", + "textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", + "textEvenPage": "Página par", + "textFootnote": "Nota de rodapé", + "textFormat": "Formato", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textInsert": "Inserir", + "textInsertFootnote": "Inserir nota de rodapé", + "textInsertImage": "Inserir imagem", + "textLeftBottom": "Esquerda inferior", + "textLeftTop": "Esquerda superior", + "textLink": "Ligação", + "textLinkSettings": "Definições da ligação", + "textLocation": "Localização", + "textNextPage": "Página seguinte", + "textOddPage": "Página ímpar", + "textOk": "Ok", + "textOther": "Outros", + "textPageBreak": "Quebra de página", + "textPageNumber": "Número de página", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textPosition": "Posição", + "textRightBottom": "Direita inferior", + "textRightTop": "Direita superior", + "textRows": "Linhas", + "textScreenTip": "Dica no ecrã", + "textSectionBreak": "Quebra de secção", + "textShape": "Forma", + "textStartAt": "Iniciar em", + "textTable": "Tabela", + "textTableSize": "Tamanho da tabela", + "txtNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "textTableContents": "Table of Contents", + "textWithPageNumbers": "With Page Numbers", + "textWithBlueLinks": "With Blue Links" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Aviso", + "textAccept": "Aceitar", + "textAcceptAllChanges": "Aceitar todas as alterações", + "textAddComment": "Adicionar comentário", + "textAddReply": "Adicionar resposta", + "textAllChangesAcceptedPreview": "Todas as alterações aceites (Pré-visualizar)", + "textAllChangesEditing": "Todas as alterações (Editar)", + "textAllChangesRejectedPreview": "Todas as alterações recusadas (Pré-visualizar)", + "textAtLeast": "no mínimo", + "textAuto": "auto", + "textBack": "Recuar", + "textBaseline": "Linha base", + "textBold": "Negrito", + "textBreakBefore": "Quebra de página antes", + "textCancel": "Cancelar", + "textCaps": "Tudo em maiúsculas", + "textCenter": "Alinhar ao centro", + "textChart": "Gráfico", + "textCollaboration": "Colaboração", + "textColor": "Cor do tipo de letra", + "textComments": "Comentários", + "textContextual": "Não adicionar intervalo entre parágrafos com o esmo estilo", + "textDelete": "Eliminar", + "textDeleteComment": "Eliminar comentário", + "textDeleted": "Eliminada:", + "textDeleteReply": "Eliminar resposta", + "textDisplayMode": "Modo de exibição", + "textDone": "Feito", + "textDStrikeout": "Rasurado duplo", + "textEdit": "Editar", + "textEditComment": "Editar comentário", + "textEditReply": "Editar resposta", + "textEditUser": "Utilizadores que estão a editar o ficheiro:", + "textEquation": "Equação", + "textExact": "exatamente", + "textFinal": "Final", + "textFirstLine": "Primeira linha", + "textFormatted": "Formatado", + "textHighlight": "Cor de destaque", + "textImage": "Imagem", + "textIndentLeft": "Avanço à esquerda", + "textIndentRight": "Avanço à direita", + "textInserted": "Inserida:", + "textItalic": "Itálico", + "textJustify": "Alinhar justificado", + "textKeepLines": "Manter as linhas juntas", + "textKeepNext": "Manter com seguinte", + "textLeft": "Alinhar à esquerda", + "textLineSpacing": "Espaçamento entre linhas:", + "textMarkup": "Marcação", + "textMessageDeleteComment": "Tem a certeza de que deseja eliminar este comentário?", + "textMessageDeleteReply": "Tem a certeza de que deseja eliminar esta resposta?", + "textMultiple": "múltiplo", + "textNoBreakBefore": "Sem quebra de página antes", + "textNoChanges": "Não existem alterações.", + "textNoComments": "Este documento não contém comentários", + "textNoContextual": "Adicionar intervalo entre parágrafos com o mesmo estilo", + "textNoKeepLines": "Não manter linhas juntas", + "textNoKeepNext": "Não manter com seguinte", + "textNot": "Não", + "textNoWidow": "Não controlar órfãos", + "textNum": "Alterar numeração", + "textOk": "Ok", + "textOriginal": "Original", + "textParaDeleted": "Parágrafo Eliminado", + "textParaFormatted": "Parágrafo formatado", + "textParaInserted": "Parágrafo Inserido", + "textParaMoveFromDown": "Movido para Baixo:", + "textParaMoveFromUp": "Movido para Cima:", + "textParaMoveTo": "Movido:", + "textPosition": "Posição", + "textReject": "Rejeitar", + "textRejectAllChanges": "Rejeitar todas as alterações", + "textReopen": "Reabrir", + "textResolve": "Resolver", + "textReview": "Rever", + "textReviewChange": "Rever alteração", + "textRight": "Alinhar à direita", + "textShape": "Forma", + "textShd": "Cor de fundo", + "textSmallCaps": "Versaletes", + "textSpacing": "Espaçamento", + "textSpacingAfter": "Espaçamento depois", + "textSpacingBefore": "Espaçamento antes", + "textStrikeout": "Rasurado", + "textSubScript": "Subscrito", + "textSuperScript": "Sobrescrito", + "textTableChanged": "As Definições da Tabela foram Alteradas", + "textTableRowsAdd": "Linhas de Tabela Adicionadas", + "textTableRowsDel": "Linhas de Tabela Eliminadas", + "textTabs": "Alterar separadores", + "textTrackChanges": "Rastreio de alterações", + "textTryUndoRedo": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "textUnderline": "Sublinhado", + "textUsers": "Utilizadores", + "textWidow": "Controlo de órfãos" + }, + "HighlightColorPalette": { + "textNoFill": "Sem preenchimento" + }, + "ThemeColorPalette": { + "textCustomColors": "Cores personalizadas", + "textStandartColors": "Cores padrão", + "textThemeColors": "Cores do tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "As ações copiar, cortar e colar através do menu de contexto apenas serão executadas no documento atual.", + "menuAddComment": "Adicionar comentário", + "menuAddLink": "Adicionar ligação", + "menuCancel": "Cancelar", + "menuContinueNumbering": "Continuar numeração", + "menuDelete": "Eliminar", + "menuDeleteTable": "Eliminar tabela", + "menuEdit": "Editar", + "menuJoinList": "Juntar à lista anterior", + "menuMerge": "Mesclar", + "menuMore": "Mais", + "menuOpenLink": "Abrir ligação", + "menuReview": "Rever", + "menuReviewChange": "Rever alteração", + "menuSeparateList": "Lista distinta", + "menuSplit": "Dividir", + "menuStartNewList": "Iniciar nova lista", + "menuStartNumberingFrom": "Definir valor de numeração", + "menuViewComment": "Ver comentário", + "textCancel": "Cancelar", + "textColumns": "Colunas", + "textCopyCutPasteActions": "Ações copiar, cortar e colar", + "textDoNotShowAgain": "Não mostrar novamente", + "textNumberingValue": "Valor de numeração", + "textOk": "Ok", + "textRows": "Linhas", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only" + }, + "Edit": { + "notcriticalErrorTitle": "Aviso", + "textActualSize": "Tamanho real", + "textAddCustomColor": "Adicionar cor personalizada", + "textAdditional": "Adicional", + "textAdditionalFormatting": "Formatação adicional", + "textAddress": "Endereço", + "textAdvanced": "Avançado", + "textAdvancedSettings": "Definições avançadas", + "textAfter": "Após", + "textAlign": "Alinhar", + "textAllCaps": "Tudo em maiúsculas", + "textAllowOverlap": "Permitir sobreposição", + "textApril": "Abril", + "textAugust": "Agosto", + "textAuto": "Automático", + "textAutomatic": "Automático", + "textBack": "Recuar", + "textBackground": "Fundo", + "textBandedColumn": "Diferenciação de colunas", + "textBandedRow": "Diferenciação de linhas", + "textBefore": "Antes", + "textBehind": "Atrás", + "textBorder": "Contorno", + "textBringToForeground": "Trazer para primeiro plano", + "textBullets": "Marcas", + "textBulletsAndNumbers": "Marcas e numeração", + "textCellMargins": "Margens da célula", + "textChart": "Gráfico", + "textClose": "Fechar", + "textColor": "Cor", + "textContinueFromPreviousSection": "Continuar da secção anterior", + "textCustomColor": "Cor personalizada", + "textDecember": "Dezembro", + "textDesign": "Design", + "textDifferentFirstPage": "Primeira página diferente", + "textDifferentOddAndEvenPages": "Páginas pares e ímpares diferentes", + "textDisplay": "Exibição", + "textDistanceFromText": "Distância a partir do texto", + "textDoubleStrikethrough": "Rasurado duplo", + "textEditLink": "Editar ligação", + "textEffects": "Efeitos", + "textEmpty": "Vazio", + "textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", + "textFebruary": "Fevereiro", + "textFill": "Preencher", + "textFirstColumn": "Primeira coluna", + "textFirstLine": "Primeira linha", + "textFlow": "Fluxo", + "textFontColor": "Cor do tipo de letra", + "textFontColors": "Cores do tipo de letra", + "textFonts": "Tipos de letra", + "textFooter": "Rodapé", + "textFr": "Sex", + "textHeader": "Cabeçalho", + "textHeaderRow": "Linha de cabeçalho", + "textHighlightColor": "Cor de destaque", + "textHyperlink": "Hiperligação", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textInFront": "À frente", + "textInline": "Em Linha com o Texto", + "textJanuary": "Janeiro", + "textJuly": "Julho", + "textJune": "Junho", + "textKeepLinesTogether": "Manter as linhas juntas", + "textKeepWithNext": "Manter com seguinte", + "textLastColumn": "Última coluna", + "textLetterSpacing": "Espaçamento entre letras", + "textLineSpacing": "Espaçamento entre linhas", + "textLink": "Ligação", + "textLinkSettings": "Definições da ligação", + "textLinkToPrevious": "Vincular ao anterior", + "textMarch": "Março", + "textMay": "Maio", + "textMo": "Seg", + "textMoveBackward": "Mover para trás", + "textMoveForward": "Mover para frente", + "textMoveWithText": "Mover com texto", + "textNone": "Nenhum", + "textNoStyles": "Sem estilos para este tipo de gráficos", + "textNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "textNovember": "Novembro", + "textNumbers": "Números", + "textOctober": "Outubro", + "textOk": "Ok", + "textOpacity": "Opacidade", + "textOptions": "Opções", + "textOrphanControl": "Controlo de órfãos", + "textPageBreakBefore": "Quebra de página antes", + "textPageNumbering": "Numeração de páginas", + "textParagraph": "Parágrafo", + "textParagraphStyles": "Estilos de parágrafo", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textPt": "pt", + "textRemoveChart": "Remover gráfico", + "textRemoveImage": "Remover imagem", + "textRemoveLink": "Remover ligação", + "textRemoveShape": "Remover forma", + "textRemoveTable": "Remover tabela", + "textReorder": "Reordenar", + "textRepeatAsHeaderRow": "Repetir como linha de cabeçalho", + "textReplace": "Substituir", + "textReplaceImage": "Substituir imagem", + "textResizeToFitContent": "Ajustar ao conteúdo", + "textSa": "Sáb", + "textScreenTip": "Dica no ecrã", + "textSelectObjectToEdit": "Selecionar objeto para editar", + "textSendToBackground": "Enviar para plano de fundo", + "textSeptember": "Setembro", + "textSettings": "Configurações", + "textShape": "Forma", + "textSize": "Tamanho", + "textSmallCaps": "Versaletes", + "textSpaceBetweenParagraphs": "Espaçamento entre parágrafos", + "textSquare": "Quadrado", + "textStartAt": "Iniciar em", + "textStrikethrough": "Rasurado", + "textStyle": "Estilo", + "textStyleOptions": "Opções de estilo", + "textSu": "Dom", + "textSubscript": "Subscrito", + "textSuperscript": "Sobrescrito", + "textTable": "Tabela", + "textTableOptions": "Opções da tabela", + "textText": "Texto", + "textTh": "Qui", + "textThrough": "Através", + "textTight": "Justo", + "textTopAndBottom": "Parte superior e inferior", + "textTotalRow": "Total de linhas", + "textTu": "Ter", + "textType": "Tipo", + "textWe": "Qua", + "textWrap": "Moldar", + "textTableOfCont": "TOC", + "textPageNumbers": "Page Numbers", + "textSimple": "Simple", + "textRightAlign": "Right Align", + "textLeader": "Leader", + "textStructure": "Structure", + "textRefresh": "Refresh", + "textLevels": "Levels", + "textRemoveTableContent": "Remove table of content", + "textCurrent": "Current", + "textOnline": "Online", + "textClassic": "Classic", + "textDistinctive": "Distinctive", + "textCentered": "Centered", + "textFormal": "Formal", + "textStandard": "Standard", + "textModern": "Modern", + "textCancel": "Cancel", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only", + "textStyles": "Styles", + "textAmountOfLevels": "Amount of Levels" + }, + "Error": { + "convertationTimeoutText": "Excedeu o tempo limite de conversão.", + "criticalErrorExtText": "Clique em \"OK\" para voltar para a lista de documentos.", + "criticalErrorTitle": "Erro", + "downloadErrorText": "Falha ao descarregar.", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
        Por favor, contacte o seu administrador.", + "errorBadImageUrl": "URL inválido", + "errorConnectToServer": "Não foi possível guardar o documento. Verifique as suas definições de rede ou contacte o administrador.
        Ao clicar em Aceitar, poderá descarregar o documento.", + "errorDatabaseConnection": "Erro externo.
        Erro de ligação à base de dados. Contacte o suporte.", + "errorDataEncrypted": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "errorDataRange": "Intervalo de dados inválido.", + "errorDefaultMessage": "Código do erro: %1", + "errorEditingDownloadas": "Ocorreu um erro ao trabalhar o documento.
        Descarregue o documento para guardar uma cópia local.", + "errorFilePassProtect": "Este ficheiro está protegido por uma palavra-passe e não foi possível abri-lo. ", + "errorFileSizeExceed": "O tamanho do ficheiro excede a limitação máxima do seu servidor.
        Por favor, contacte o seu administrador.", + "errorKeyEncrypt": "Descritor de chave desconhecido", + "errorKeyExpire": "Descritor de chave expirado", + "errorLoadingFont": "Tipos de letra não carregados.
        Por favor contacte o administrador do servidor de documentos.", + "errorMailMergeLoadFile": "O carregamento falhou", + "errorMailMergeSaveFile": "Falha ao unir.", + "errorSessionAbsolute": "A sessão de edição de documentos expirou. Por favor, volte a carregar a página.", + "errorSessionIdle": "Há muito tempo que o documento não é editado. Por favor, volte a carregar a página.", + "errorSessionToken": "A ligação ao servidor foi interrompida. Por favor, volte a carregar a página.", + "errorStockChart": "Ordem das linhas incorreta. Para construir um gráfico de cotações, introduza os dados na folha com a seguinte ordem:
        preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro alterada.
        Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e recarregue a página.", + "errorUserDrop": "O ficheiro não pode ser acedido de momento.", + "errorUsersExceed": "O número de usuários permitidos pelo plano de preços foi excedido", + "errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas não será
        possível descarregar ou imprimir o documento se a ligação não for restaurada e a página recarregada.", + "notcriticalErrorTitle": "Aviso", + "openErrorText": "Ocorreu um erro ao abrir o ficheiro", + "saveErrorText": "Ocorreu um erro ao guardar o ficheiro", + "scriptLoadError": "A ligação está demasiado lenta, não foi possível carregar alguns dos componentes. Por favor, recarregue a página. ", + "splitDividerErrorText": "O número de linhas tem que ser um divisor de %1", + "splitMaxColsErrorText": "O número de colunas tem que ser inferior a %1", + "splitMaxRowsErrorText": "O número de linhas tem que ser inferior a %1", + "unknownErrorText": "Erro desconhecido.", + "uploadImageExtMessage": "Formato de imagem desconhecido.", + "uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." + }, + "LongActions": { + "applyChangesTextText": "Carregando dados...", + "applyChangesTitleText": "Carregando dados", + "downloadMergeText": "A descarregar...", + "downloadMergeTitle": "A descarregar", + "downloadTextText": "A descarregar documento...", + "downloadTitleText": "A descarregar documento", + "loadFontsTextText": "Carregando dados...", + "loadFontsTitleText": "Carregando dados", + "loadFontTextText": "Carregando dados...", + "loadFontTitleText": "Carregando dados", + "loadImagesTextText": "Carregando imagens...", + "loadImagesTitleText": "Carregando imagens", + "loadImageTextText": "Carregando imagem...", + "loadImageTitleText": "Carregando imagem", + "loadingDocumentTextText": "Carregando documento...", + "loadingDocumentTitleText": "Carregando documento", + "mailMergeLoadFileText": "A carregar origem de dados...", + "mailMergeLoadFileTitle": "A carregar origem de dados", + "openTextText": "Abrindo documento...", + "openTitleText": "Abrindo documento", + "printTextText": "Imprimindo documento...", + "printTitleText": "Imprimindo documento", + "savePreparingText": "A preparar para guardar", + "savePreparingTitle": "A preparar para guardar. Por favor aguarde...", + "saveTextText": "Salvando documento...", + "saveTitleText": "Salvando documento", + "sendMergeText": "A enviar combinação...", + "sendMergeTitle": "A enviar combinação", + "textLoadingDocument": "Carregando documento", + "txtEditingMode": "Definir modo de edição...", + "uploadImageTextText": "Carregando imagem...", + "uploadImageTitleText": "Carregando imagem", + "waitText": "Por favor, aguarde..." + }, + "Main": { + "criticalErrorTitle": "Erro", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
        Por favor, contacte o seu administrador.", + "errorOpensource": "Utilizando a versão comunitária gratuita, pode abrir documentos apenas para visualização. Para aceder aos editores da web móvel, é necessária uma licença comercial.", + "errorProcessSaveResult": "Salvamento falhou.", + "errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", + "errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", + "leavePageText": "Existem alterações não guardadas. Clique 'Ficar na página' para guardar automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.", + "notcriticalErrorTitle": "Aviso", + "SDK": { + " -Section ": "-Secção", + "above": "acima", + "below": "abaixo", + "Caption": "Legenda", + "Choose an item": "Escolha um item", + "Click to load image": "Clique para carregar a imagem", + "Current Document": "Documento atual", + "Diagram Title": "Título do gráfico", + "endnote text": "Texto da nota final", + "Enter a date": "Indique uma data", + "Error! Bookmark not defined": "Erro! Marcador não definido.", + "Error! Main Document Only": "Erro! Apenas documento principal.", + "Error! No text of specified style in document": "Erro! Não existe texto com este estilo no documento.", + "Error! Not a valid bookmark self-reference": "Erro! Não é uma auto-referência de marcador válida.", + "Even Page ": "Página par", + "First Page ": "Primeira página", + "Footer": "Rodapé", + "footnote text": "Texto da nota de rodapé", + "Header": "Cabeçalho", + "Heading 1": "Título 1", + "Heading 2": "Título 2", + "Heading 3": "Título 3", + "Heading 4": "Título 4", + "Heading 5": "Título 5", + "Heading 6": "Título 6", + "Heading 7": "Título 7", + "Heading 8": "Título 8", + "Heading 9": "Título 9", + "Hyperlink": "Hiperligação", + "Index Too Large": "Índice demasiado grande", + "Intense Quote": "Citação forte", + "Is Not In Table": "Não é uma tabela", + "List Paragraph": "Parágrafo em lista", + "Missing Argument": "Argumento em falta", + "Missing Operator": "Operador em falta", + "No Spacing": "Sem espaçamento", + "No table of contents entries found": "Não existem títulos no documento. Aplique um estilo de título ao texto para que este apareça no índice remissivo.", + "No table of figures entries found": "Não foi encontrada nenhuma entrada no índice de ilustrações.", + "None": "Nenhum", + "Normal": "Normal", + "Number Too Large To Format": "Número Demasiado Grande para Formatar", + "Odd Page ": "Página ímpar", + "Quote": "Citação", + "Same as Previous": "Igual à anterior", + "Series": "Série", + "Subtitle": "Subtítulo", + "Syntax Error": "Erro de Sintaxe ", + "Table Index Cannot be Zero": "O Índice da Tabela Não Pode Ser Zero", + "Table of Contents": "Tabela de conteúdos", + "table of figures": "Tabela de figuras", + "The Formula Not In Table": "A Fórmula Não Está na Tabela", + "Title": "Título", + "TOC Heading": "Cabeçalho do Índice", + "Type equation here": "Introduza a equação aqui", + "Undefined Bookmark": "Marcador Não-Definido", + "Unexpected End of Formula": "Fim Inesperado da Fórmula", + "X Axis": "X Eixo XAS", + "Y Axis": "Eixo Y", + "Your text here": "O seu texto aqui", + "Zero Divide": "Divisão por zero" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar website", + "textClose": "Fechar", + "textContactUs": "Contacte a equipa comercial", + "textCustomLoader": "Desculpe, não tem o direito de mudar o carregador. Contacte o nosso departamento de vendas para obter um orçamento.", + "textGuest": "Convidado", + "textHasMacros": "O ficheiro contém macros automáticas.
        Deseja executar as macros?", + "textNo": "Não", + "textNoLicenseTitle": "Limite de licença atingido", + "textNoTextFound": "Texto não encontrado", + "textPaidFeature": "Funcionalidade paga", + "textRemember": "Memorizar a minha escolha", + "textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "textYes": "Sim", + "titleLicenseExp": "Licença expirada", + "titleServerVersion": "Editor atualizado", + "titleUpdateVersion": "Versão alterada", + "warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte o seu administrador para obter mais informações.", + "warnLicenseExp": "A sua licença expirou. Por favor, atualize a sua licença e atualize a página.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No tens accés a la funció d'edició de documents. Contacta amb el teu administrador.", + "warnLicenseLimitedRenewed": "A licença precisa ed ser renovada. Tem acesso limitado à funcionalidade de edição de documentos, .
        Por favor contacte o seu administrador para ter acesso total", + "warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte a %1 equipa de vendas para consultar os termos de atualização para si.", + "warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "warnProcessRightsChange": "Não tem autorização para editar este ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + }, + "Settings": { + "advDRMOptions": "Ficheiro protegido", + "advDRMPassword": "Senha", + "advTxtOptions": "Escolher opções TXT", + "closeButtonText": "Fechar ficheiro", + "notcriticalErrorTitle": "Aviso", + "textAbout": "Acerca", + "textApplication": "Aplicação", + "textApplicationSettings": "Definições da aplicação", + "textAuthor": "Autor", + "textBack": "Recuar", + "textBottom": "Inferior", + "textCancel": "Cancelar", + "textCaseSensitive": "Diferenciar maiúsculas/minúsculas", + "textCentimeter": "Centímetro", + "textChooseEncoding": "Escolha a codificação", + "textChooseTxtOptions": "Escolher opções TXT", + "textCollaboration": "Colaboração", + "textColorSchemes": "Esquemas de cor", + "textComment": "Comentário", + "textComments": "Comentários", + "textCommentsDisplay": "Exibição de comentários", + "textCreated": "Criado", + "textCustomSize": "Tamanho personalizado", + "textDisableAll": "Desativar tudo", + "textDisableAllMacrosWithNotification": "Desativar todas as macros com notificação", + "textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem notificação", + "textDocumentInfo": "Informação do documento", + "textDocumentSettings": "Definições do documento", + "textDocumentTitle": "Título do documento", + "textDone": "Feito", + "textDownload": "Descarregar", + "textDownloadAs": "Descarregar como", + "textDownloadRtf": "Se continuar e guardar neste formato é possível perder alguma formatação.
        Tem a certeza de que quer continuar?", + "textDownloadTxt": "Se continuar e guardar neste formato é possível perder alguma formatação.
        Tem a certeza de que quer continuar?", + "textEnableAll": "Ativar tudo", + "textEnableAllMacrosWithoutNotification": "Ativar todas as macros sem notificação", + "textEncoding": "Codificação", + "textFind": "Localizar", + "textFindAndReplace": "Localizar e substituir", + "textFindAndReplaceAll": "Localizar e substituir tudo", + "textFormat": "Formato", + "textHelp": "Ajuda", + "textHiddenTableBorders": "Ocultar bordas da tabela", + "textHighlightResults": "Destacar resultados", + "textInch": "Polegada", + "textLandscape": "Paisagem", + "textLastModified": "Última modificação", + "textLastModifiedBy": "Última modificação por", + "textLeft": "Esquerda", + "textLoading": "Carregando...", + "textLocation": "Localização", + "textMacrosSettings": "Definições de macros", + "textMargins": "Margens", + "textMarginsH": "As margens superior e inferior são muito grandes para a altura indicada", + "textMarginsW": "As margens direita e esquerda são muito grandes para a largura indicada", + "textNo": "Não", + "textNoCharacters": "Caracteres não imprimíveis", + "textNoTextFound": "Texto não encontrado", + "textOk": "Ok", + "textOpenFile": "Indique a palavra-passe para abrir o ficheiro", + "textOrientation": "Orientação", + "textOwner": "Proprietário", + "textPages": "Páginas", + "textPageSize": "Tamanho da página", + "textParagraphs": "Parágrafos", + "textPoint": "Ponto", + "textPortrait": "Retrato", + "textPrint": "Imprimir", + "textReaderMode": "Modo de leitura", + "textReplace": "Substituir", + "textReplaceAll": "Substituir tudo", + "textResolvedComments": "Comentários resolvidos", + "textRight": "Direita", + "textSearch": "Pesquisar", + "textSettings": "Configurações", + "textShowNotification": "Mostrar notificação", + "textSpaces": "Espaços", + "textSpellcheck": "Verificação ortográfica", + "textStatistic": "Estatística", + "textSubject": "Assunto", + "textSymbols": "Símbolos", + "textTitle": "Título", + "textTop": "Parte superior", + "textUnitOfMeasurement": "Unidade de medida", + "textUploaded": "Carregado", + "textWords": "Palavras", + "textYes": "Sim", + "txtDownloadTxt": "Descarregar TXT", + "txtIncorrectPwd": "A Palavra-passe está incorreta", + "txtOk": "Ok", + "txtProtected": "Assim que introduzir uma palavra-passe e abrir o ficheiro, a palavra-passe atual será redefinida.", + "txtScheme1": "Office", + "txtScheme10": "Mediana", + "txtScheme11": "Metro", + "txtScheme12": "Módulo", + "txtScheme13": "Opulento", + "txtScheme14": "Balcão envidraçado", + "txtScheme15": "Origem", + "txtScheme16": "Papel", + "txtScheme17": "Solstício", + "txtScheme18": "Técnica", + "txtScheme19": "Viagem", + "txtScheme2": "Escala de cinza", + "txtScheme20": "Urbano", + "txtScheme21": "Verve", + "txtScheme22": "Novo Escritório", + "txtScheme3": "Ápice", + "txtScheme4": "Aspeto", + "txtScheme5": "Cívico", + "txtScheme6": "Concurso", + "txtScheme7": "Equidade", + "txtScheme8": "Fluxo", + "txtScheme9": "Fundição", + "textFastWV": "Fast Web View", + "textFeedback": "Feedback & Support", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textNavigation": "Navigation", + "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", + "textBeginningDocument": "Beginning of document", + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" + }, + "Toolbar": { + "dlgLeaveMsgText": "Existem alterações não guardadas. Clique 'Ficar na página' para guardar automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.", + "dlgLeaveTitleText": "Saiu da aplicação", + "leaveButtonText": "Sair da página", + "stayButtonText": "Ficar na página" + } +} \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/pt.json b/apps/documenteditor/mobile/locale/pt.json index f670331a6..08e5d7ae2 100644 --- a/apps/documenteditor/mobile/locale/pt.json +++ b/apps/documenteditor/mobile/locale/pt.json @@ -397,7 +397,9 @@ "unknownErrorText": "Erro desconhecido.", "uploadImageExtMessage": "Formato de imagem desconhecido.", "uploadImageFileCountMessage": "Sem imagens carregadas.", - "uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB." + "uploadImageSizeMessage": "Tamanho limite máximo da imagem excedido. O tamanho máximo é de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Carregando dados...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.", "warnNoLicense": "Você atingiu o limite de conexões simultâneas para% 1 editores. Este documento será aberto apenas para visualização. Contate a equipe de vendas% 1 para termos de atualização pessoal.", "warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.
        Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.", - "warnProcessRightsChange": "Você não tem permissão para editar este arquivo." + "warnProcessRightsChange": "Você não tem permissão para editar este arquivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Arquivo protegido", @@ -588,6 +591,7 @@ "textMargins": "Margens", "textMarginsH": "Margens superior e inferior são muito altas para uma determinada altura da página", "textMarginsW": "Margens são muito grandes para uma determinada largura da página", + "textNo": "Não", "textNoCharacters": "Caracteres não imprimíveis", "textNoTextFound": "Texto não encontrado", "textOk": "OK", @@ -595,6 +599,7 @@ "textOrientation": "Orientação", "textOwner": "Proprietário", "textPages": "Páginas", + "textPageSize": "Tamanho da página", "textParagraphs": "Parágrafos", "textPoint": "Ponto", "textPortrait": "Retrato ", @@ -617,6 +622,7 @@ "textUnitOfMeasurement": "Unidade de medida", "textUploaded": "Carregado", "textWords": "Palavras", + "textYes": "Sim", "txtDownloadTxt": "Baixar TXT", "txtIncorrectPwd": "A senha está incorreta", "txtOk": "OK", @@ -643,11 +649,15 @@ "txtScheme7": "Patrimônio Líquido", "txtScheme8": "Fluxo", "txtScheme9": "Fundição", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Você tem mudanças não salvas. Clique em 'Ficar nesta página' para esperar pela auto-salvar. Clique em 'Sair desta página' para descartar todas as mudanças não salvas.", diff --git a/apps/documenteditor/mobile/locale/ro.json b/apps/documenteditor/mobile/locale/ro.json index 421ef49b9..4ea87ed3b 100644 --- a/apps/documenteditor/mobile/locale/ro.json +++ b/apps/documenteditor/mobile/locale/ro.json @@ -397,7 +397,9 @@ "unknownErrorText": "Eroare necunoscută.", "uploadImageExtMessage": "Format de imagine nerecunoscut.", "uploadImageFileCountMessage": "Nicio imagine nu a fost încărcată.", - "uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB." + "uploadImageSizeMessage": "Imaginea este prea mare. Limita de dimensiune este de 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Încărcarea datelor...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori ai %1 editoare. Pentru detalii, contactați administratorul dvs.", "warnNoLicense": "Ați atins numărul maxim de conexiuni simultane la %1 de editoare. Documentul este disponibil numai pentru vizualizare. Contactați %1 Departamentul de Vânzări pentru acordarea condițiilor personale de actualizare.", "warnNoLicenseUsers": "Ați atins numărul maxim de utilizatori ai %1 editoare. Contactați Grup Vânzări %1 pentru acordarea condițiilor personale de licențiere.", - "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Fișierul protejat", @@ -570,6 +573,7 @@ "textEnableAll": "Se activează toate", "textEnableAllMacrosWithoutNotification": "Se activează toate macrocomenzile cu notificare ", "textEncoding": "Codificare", + "textFastWV": "Vizualizare rapidă web", "textFind": "Găsire", "textFindAndReplace": "Găsire și înlocuire", "textFindAndReplaceAll": "Găsire și înlocuire totală", @@ -588,6 +592,7 @@ "textMargins": "Margini", "textMarginsH": "Marginile sus și jos sunt prea ridicate pentru această pagină", "textMarginsW": "Marginile stânga și dreapta sunt prea late pentru această pagină", + "textNo": "Nu", "textNoCharacters": "Caractere neimprimate", "textNoTextFound": "Textul nu a fost găsit", "textOk": "OK", @@ -595,7 +600,10 @@ "textOrientation": "Orientare", "textOwner": "Proprietar", "textPages": "Pagini", + "textPageSize": "Dimensiune pagină", "textParagraphs": "Paragrafe", + "textPdfTagged": "PDF etichetat", + "textPdfVer": "Versiune a PDF", "textPoint": "Punct", "textPortrait": "Portret", "textPrint": "Imprimare", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "Unitate de măsură ", "textUploaded": "S-a încărcat", "textWords": "Cuvinte", + "textYes": "Da", "txtDownloadTxt": "Încărcare TXT", "txtIncorrectPwd": "Parolă incorectă", "txtOk": "OK", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Nu ați salvat modificările din documentul. Faceți clic pe Rămâi în pagină și așteptați la salvare automată. Faceți clic pe Părăsește aceasta pagina ca să renunțați la toate modificările nesalvate.", diff --git a/apps/documenteditor/mobile/locale/ru.json b/apps/documenteditor/mobile/locale/ru.json index 98e921142..081d21f17 100644 --- a/apps/documenteditor/mobile/locale/ru.json +++ b/apps/documenteditor/mobile/locale/ru.json @@ -397,7 +397,9 @@ "unknownErrorText": "Неизвестная ошибка.", "uploadImageExtMessage": "Неизвестный формат рисунка.", "uploadImageFileCountMessage": "Ни одного рисунка не загружено.", - "uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB." + "uploadImageSizeMessage": "Слишком большой рисунок. Максимальный размер - 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Загрузка данных...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", - "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Защищенный файл", @@ -566,10 +569,11 @@ "textDownload": "Скачать", "textDownloadAs": "Скачать как", "textDownloadRtf": "Если вы продолжите сохранение в этот формат, часть форматирования может быть потеряна. Вы действительно хотите продолжить?", - "textDownloadTxt": "Если вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян. Вы действительно хотите продолжить?", + "textDownloadTxt": "Если вы продолжите сохранение в этот формат, вся функциональность, кроме текста, будет потеряна. Вы действительно хотите продолжить?", "textEnableAll": "Включить все", "textEnableAllMacrosWithoutNotification": "Включить все макросы без уведомления", "textEncoding": "Кодировка", + "textFastWV": "Быстрый веб-просмотр", "textFind": "Поиск", "textFindAndReplace": "Поиск и замена", "textFindAndReplaceAll": "Найти и заменить все", @@ -588,6 +592,7 @@ "textMargins": "Поля", "textMarginsH": "Верхнее и нижнее поля слишком высокие для заданной высоты страницы", "textMarginsW": "Левое и правое поля слишком широкие для заданной ширины страницы", + "textNo": "Нет", "textNoCharacters": "Непечатаемые символы", "textNoTextFound": "Текст не найден", "textOk": "Ok", @@ -595,7 +600,11 @@ "textOrientation": "Ориентация", "textOwner": "Владелец", "textPages": "Страницы", + "textPageSize": "Размер страницы", "textParagraphs": "Абзацы", + "textPdfTagged": "PDF с тегами", + "textPdfVer": "Версия PDF", + "textPdfProducer": "Производитель PDF", "textPoint": "Пункт", "textPortrait": "Книжная", "textPrint": "Печать", @@ -617,6 +626,7 @@ "textUnitOfMeasurement": "Единица измерения", "textUploaded": "Загружен", "textWords": "Слова", + "textYes": "Да", "txtDownloadTxt": "Скачать TXT", "txtIncorrectPwd": "Неверный пароль", "txtOk": "Ok", diff --git a/apps/documenteditor/mobile/locale/sk.json b/apps/documenteditor/mobile/locale/sk.json index 97fde94a6..f5c4992fc 100644 --- a/apps/documenteditor/mobile/locale/sk.json +++ b/apps/documenteditor/mobile/locale/sk.json @@ -1,341 +1,341 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "O aplikácii", + "textAddress": "Adresa", + "textBack": "Späť", "textEmail": "Email", - "textPoweredBy": "Powered By", + "textPoweredBy": "Poháňaný ", "textTel": "Tel", - "textVersion": "Version" + "textVersion": "Verzia" }, "Add": { - "notcriticalErrorTitle": "Warning", - "textAddLink": "Add link", - "textAddress": "Address", - "textBack": "Back", - "textBelowText": "Below text", - "textBottomOfPage": "Bottom of page", - "textBreak": "Break", - "textCancel": "Cancel", - "textCenterBottom": "Center Bottom", - "textCenterTop": "Center Top", - "textColumnBreak": "Column Break", - "textColumns": "Columns", - "textComment": "Comment", - "textContinuousPage": "Continuous Page", - "textCurrentPosition": "Current Position", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify image URL.", - "textEvenPage": "Even Page", - "textFootnote": "Footnote", - "textFormat": "Format", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertFootnote": "Insert Footnote", - "textInsertImage": "Insert Image", - "textLeftBottom": "Left Bottom", - "textLeftTop": "Left Top", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLocation": "Location", - "textNextPage": "Next Page", - "textOddPage": "Odd Page", - "textOther": "Other", - "textPageBreak": "Page Break", - "textPageNumber": "Page Number", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPosition": "Position", - "textRightBottom": "Right Bottom", - "textRightTop": "Right Top", - "textRows": "Rows", - "textScreenTip": "Screen Tip", - "textSectionBreak": "Section Break", - "textShape": "Shape", - "textStartAt": "Start At", - "textTable": "Table", - "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok", + "notcriticalErrorTitle": "Upozornenie", + "textAddLink": "Pridať odkaz", + "textAddress": "Adresa", + "textBack": "Späť", + "textBelowText": "Pod textom", + "textBottomOfPage": "Spodná časť stránky", + "textBreak": "Zalomenie ", + "textCancel": "Zrušiť", + "textCenterBottom": "Dole uprostred", + "textCenterTop": "Centrovať nahor", + "textColumnBreak": "Príznak nového stĺpca", + "textColumns": "Stĺpce", + "textComment": "Komentár", + "textContinuousPage": "Neprerušovaná strana", + "textCurrentPosition": "Aktuálna pozícia", + "textDisplay": "Zobraziť", + "textEmptyImgUrl": "Musíte upresniť URL obrázka.", + "textEvenPage": "Párna stránka", + "textFootnote": "Poznámka pod čiarou", + "textFormat": "Formát", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textInsert": "Vložiť", + "textInsertFootnote": "Vložiť poznámku pod čiarou", + "textInsertImage": "Vložiť obrázok", + "textLeftBottom": "Vľavo dole", + "textLeftTop": "Vľavo hore", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLocation": "Umiestnenie", + "textNextPage": "Ďalšia stránka", + "textOddPage": "Nepárna strana", + "textOk": "OK", + "textOther": "Ostatné", + "textPageBreak": "Oddeľovač stránky/zlom strany", + "textPageNumber": "Číslo strany", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", + "textPosition": "Pozícia", + "textRightBottom": "Vpravo dole", + "textRightTop": "Vpravo hore", + "textRows": "Riadky", + "textScreenTip": "Nápoveda", + "textSectionBreak": "Koniec odseku", + "textShape": "Tvar", + "textStartAt": "Začať na", + "textTable": "Tabuľka", + "textTableSize": "Veľkosť tabuľky", + "txtNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", "textTableContents": "Table of Contents", "textWithPageNumbers": "With Page Numbers", "textWithBlueLinks": "With Blue Links" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAccept": "Accept", - "textAcceptAllChanges": "Accept all changes", - "textAddComment": "Add comment", - "textAddReply": "Add reply", - "textAllChangesAcceptedPreview": "All changes accepted (Preview)", - "textAllChangesEditing": "All changes (Editing)", - "textAllChangesRejectedPreview": "All changes rejected (Preview)", - "textAtLeast": "at least", - "textAuto": "auto", - "textBack": "Back", - "textBaseline": "Baseline", - "textBold": "Bold", - "textBreakBefore": "Page break before", - "textCancel": "Cancel", - "textCaps": "All caps", - "textCenter": "Align center", - "textChart": "Chart", - "textCollaboration": "Collaboration", - "textColor": "Font color", - "textComments": "Comments", - "textContextual": "Don't add intervals between paragraphs of the same style", - "textDelete": "Delete", - "textDeleteComment": "Delete Comment", - "textDeleted": "Deleted:", - "textDeleteReply": "Delete Reply", - "textDisplayMode": "Display Mode", - "textDone": "Done", - "textDStrikeout": "Double strikeout", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textEquation": "Equation", - "textExact": "exactly", - "textFinal": "Final", - "textFirstLine": "First line", - "textFormatted": "Formatted", - "textHighlight": "Highlight color", - "textImage": "Image", - "textIndentLeft": "Indent left", - "textIndentRight": "Indent right", - "textInserted": "Inserted:", - "textItalic": "Italic", - "textJustify": "Align justified ", - "textKeepLines": "Keep lines together", - "textKeepNext": "Keep with next", - "textLeft": "Align left", - "textLineSpacing": "Line Spacing: ", - "textMarkup": "Markup", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textMultiple": "multiple", - "textNoBreakBefore": "No page break before", - "textNoChanges": "There are no changes.", - "textNoComments": "This document doesn't contain comments", - "textNoContextual": "Add interval between paragraphs of the same style", - "textNoKeepLines": "Don't keep lines together", - "textNoKeepNext": "Don't keep with next", - "textNot": "Not ", - "textNoWidow": "No widow control", - "textNum": "Change numbering", - "textOriginal": "Original", - "textParaDeleted": "Paragraph Deleted", - "textParaFormatted": "Paragraph Formatted", - "textParaInserted": "Paragraph Inserted", - "textParaMoveFromDown": "Moved Down:", - "textParaMoveFromUp": "Moved Up:", - "textParaMoveTo": "Moved:", - "textPosition": "Position", - "textReject": "Reject", - "textRejectAllChanges": "Reject All Changes", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textReview": "Review", - "textReviewChange": "Review Change", - "textRight": "Align right", - "textShape": "Shape", - "textShd": "Background color", - "textSmallCaps": "Small caps", - "textSpacing": "Spacing", - "textSpacingAfter": "Spacing after", - "textSpacingBefore": "Spacing before", - "textStrikeout": "Strikeout", - "textSubScript": "Subscript", - "textSuperScript": "Superscript", - "textTableChanged": "Table Settings Changed", - "textTableRowsAdd": "Table Rows Added", - "textTableRowsDel": "Table Rows Deleted", - "textTabs": "Change tabs", - "textTrackChanges": "Track Changes", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUnderline": "Underline", - "textUsers": "Users", - "textWidow": "Widow control", - "textOk": "Ok" - }, - "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "notcriticalErrorTitle": "Upozornenie", + "textAccept": "Prijať", + "textAcceptAllChanges": "Akceptovať všetky zmeny", + "textAddComment": "Pridať komentár", + "textAddReply": "Pridať odpoveď", + "textAllChangesAcceptedPreview": "Všetky zmeny prijaté (ukážka)", + "textAllChangesEditing": "Všetky zmeny (upravované)", + "textAllChangesRejectedPreview": "Všetky zmeny boli zamietnuté (ukážka)", + "textAtLeast": "aspoň", + "textAuto": "Automaticky", + "textBack": "Späť", + "textBaseline": "Základná linka/základný", + "textBold": "Tučné", + "textBreakBefore": "Zlom strany pred", + "textCancel": "Zrušiť", + "textCaps": "Všetko veľkým", + "textCenter": "Zarovnať na stred", + "textChart": "Graf", + "textCollaboration": "Spolupráca", + "textColor": "Farba písma", + "textComments": "Komentáre", + "textContextual": "Nepridávajte intervaly medzi odsekmi rovnakého štýlu", + "textDelete": "Odstrániť", + "textDeleteComment": "Vymazať komentár", + "textDeleted": "Zmazané:", + "textDeleteReply": "Vymazať odpoveď", + "textDisplayMode": "Režim zobrazenia", + "textDone": "Hotovo", + "textDStrikeout": "Dvojité prečiarknutie", + "textEdit": "Upraviť", + "textEditComment": "Upraviť komentár", + "textEditReply": "Upraviť odpoveď", + "textEditUser": "Používatelia, ktorí súbor upravujú:", + "textEquation": "Rovnica", + "textExact": "presne", + "textFinal": "Posledný", + "textFirstLine": "Prvý riadok", + "textFormatted": "Formátované", + "textHighlight": "Farba zvýraznenia", + "textImage": "Obrázok", + "textIndentLeft": "Osadenie vľavo", + "textIndentRight": "Osadenie vpravo", + "textInserted": "Vložené:", + "textItalic": "Kurzíva", + "textJustify": "Zarovnať podľa okrajov", + "textKeepLines": "Zviazať riadky dohromady", + "textKeepNext": "Zviazať s nasledujúcim", + "textLeft": "Zarovnať doľava", + "textLineSpacing": "Riadkovanie:", + "textMarkup": "Vyznačenie", + "textMessageDeleteComment": "Naozaj chcete zmazať tento komentár?", + "textMessageDeleteReply": "Naozaj chcete zmazať túto odpoveď?", + "textMultiple": "Viacnásobný", + "textNoBreakBefore": "Nevložiť zlom strany pred", + "textNoChanges": "Nie sú žiadne zmeny.", + "textNoComments": "Tento dokument neobsahuje komentáre", + "textNoContextual": "Pridať medzeru medzi odsekmi rovnakého štýlu", + "textNoKeepLines": "Neudržuj riadky spolu", + "textNoKeepNext": "Nepokračovať s ďalším", + "textNot": "Nie", + "textNoWidow": "Žiadny ovládací prvok okna", + "textNum": "Zmeniť číslovanie", + "textOk": "OK", + "textOriginal": "Originál", + "textParaDeleted": "Odstavec smazaný", + "textParaFormatted": "Formátovaný odsek", + "textParaInserted": "Odstavec vložený", + "textParaMoveFromDown": "Presunuté nadol:", + "textParaMoveFromUp": "Presunuté nahor", + "textParaMoveTo": "Presunuté:", + "textPosition": "Pozícia", + "textReject": "Odmietnuť", + "textRejectAllChanges": "Odmietnuť všetky zmeny", + "textReopen": "Znovu otvoriť", + "textResolve": "Vyriešiť", + "textReview": "Prehľad", + "textReviewChange": "Posúdiť zmenu", + "textRight": "Zarovnať doprava", + "textShape": "Tvar", + "textShd": "Farba pozadia", + "textSmallCaps": "Malé písmená", + "textSpacing": "Medzery", + "textSpacingAfter": "Medzera za", + "textSpacingBefore": "Medzera pred", + "textStrikeout": "Preškrtnutie", + "textSubScript": "Dolný index", + "textSuperScript": "Horný index", + "textTableChanged": "Nastavenia tabuľky zmenené", + "textTableRowsAdd": "Pridané riadky tabuľky", + "textTableRowsDel": "Riadky tabuľky boli odstránené", + "textTabs": "Zmeniť záložky", + "textTrackChanges": "Sledovať zmeny", + "textTryUndoRedo": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", + "textUnderline": "Podčiarknutie", + "textUsers": "Používatelia", + "textWidow": "Ovládanie okien" }, "HighlightColorPalette": { - "textNoFill": "No Fill" + "textNoFill": "Bez výplne" + }, + "ThemeColorPalette": { + "textCustomColors": "Vlastné farby", + "textStandartColors": "Štandardné farby", + "textThemeColors": "Farebné témy" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add comment", - "menuAddLink": "Add link", - "menuCancel": "Cancel", - "menuDelete": "Delete", - "menuDeleteTable": "Delete Table", - "menuEdit": "Edit", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuReview": "Review", - "menuReviewChange": "Review Change", - "menuSplit": "Split", - "menuViewComment": "View Comment", - "textColumns": "Columns", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "textRows": "Rows", - "menuStartNewList": "Start new list", - "menuStartNumberingFrom": "Set numbering value", - "menuContinueNumbering": "Continue numbering", - "menuSeparateList": "Separate list", - "menuJoinList": "Join to previous list", + "errorCopyCutPaste": "Akcie kopírovania, vystrihovania a vkladania pomocou kontextovej ponuky sa budú vykonávať iba v práve otvorenom súbore.", + "menuAddComment": "Pridať komentár", + "menuAddLink": "Pridať odkaz", + "menuCancel": "Zrušiť", + "menuContinueNumbering": "Pokračovať v číslovaní", + "menuDelete": "Odstrániť", + "menuDeleteTable": "Odstrániť tabuľku", + "menuEdit": "Upraviť", + "menuJoinList": "Pripojiť k predošlému zoznamu", + "menuMerge": "Zlúčiť", + "menuMore": "Viac", + "menuOpenLink": "Otvoriť odkaz", + "menuReview": "Prehľad", + "menuReviewChange": "Posúdiť zmenu", + "menuSeparateList": "Oddelený zoznam", + "menuSplit": "Rozdeliť", + "menuStartNewList": "Začať nový zoznam", + "menuStartNumberingFrom": "Nastaviť hodnotu číslovania", + "menuViewComment": "Pozrieť komentár", + "textCancel": "Zrušiť", + "textColumns": "Stĺpce", + "textCopyCutPasteActions": "Kopírovať, vystrihnúť a prilepiť", + "textDoNotShowAgain": "Nezobrazovať znova", + "textNumberingValue": "Hodnota číslovania", "textOk": "OK", - "textCancel": "Cancel", - "textNumberingValue": "Numbering Value", + "textRows": "Riadky", "textRefreshEntireTable": "Refresh entire table", "textRefreshPageNumbersOnly": "Refresh page numbers only" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textActualSize": "Actual size", - "textAddCustomColor": "Add custom color", - "textAdditional": "Additional", - "textAdditionalFormatting": "Additional formatting", - "textAddress": "Address", - "textAdvanced": "Advanced", - "textAdvancedSettings": "Advanced settings", - "textAfter": "After", - "textAlign": "Align", - "textAllCaps": "All caps", - "textAllowOverlap": "Allow overlap", - "textAuto": "Auto", - "textAutomatic": "Automatic", - "textBack": "Back", - "textBackground": "Background", - "textBandedColumn": "Banded column", - "textBandedRow": "Banded row", - "textBefore": "Before", - "textBehind": "Behind", - "textBorder": "Border", - "textBringToForeground": "Bring to foreground", - "textBullets": "Bullets", - "textBulletsAndNumbers": "Bullets & Numbers", - "textCellMargins": "Cell Margins", - "textChart": "Chart", - "textClose": "Close", - "textColor": "Color", - "textContinueFromPreviousSection": "Continue from previous section", - "textCustomColor": "Custom Color", - "textDifferentFirstPage": "Different first page", - "textDifferentOddAndEvenPages": "Different odd and even pages", - "textDisplay": "Display", - "textDistanceFromText": "Distance from text", - "textDoubleStrikethrough": "Double Strikethrough", - "textEditLink": "Edit Link", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify image URL.", - "textFill": "Fill", - "textFirstColumn": "First Column", - "textFirstLine": "FirstLine", - "textFlow": "Flow", - "textFontColor": "Font Color", - "textFontColors": "Font Colors", - "textFonts": "Fonts", - "textFooter": "Footer", - "textHeader": "Header", - "textHeaderRow": "Header Row", - "textHighlightColor": "Highlight Color", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textInFront": "In Front", - "textInline": "Inline", - "textKeepLinesTogether": "Keep Lines Together", - "textKeepWithNext": "Keep with Next", - "textLastColumn": "Last Column", - "textLetterSpacing": "Letter Spacing", - "textLineSpacing": "Line Spacing", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkToPrevious": "Link to Previous", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textMoveWithText": "Move with Text", - "textNone": "None", - "textNoStyles": "No styles for this type of charts.", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOpacity": "Opacity", - "textOptions": "Options", - "textOrphanControl": "Orphan Control", - "textPageBreakBefore": "Page Break Before", - "textPageNumbering": "Page Numbering", - "textParagraph": "Paragraph", - "textParagraphStyles": "Paragraph Styles", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", + "notcriticalErrorTitle": "Upozornenie", + "textActualSize": "Aktuálna veľkosť", + "textAddCustomColor": "Pridať vlastnú farbu", + "textAdditional": "Ďalšie", + "textAdditionalFormatting": "Ďalšie formátovanie", + "textAddress": "Adresa", + "textAdvanced": "Pokročilé", + "textAdvancedSettings": "Pokročilé nastavenia", + "textAfter": "Po", + "textAlign": "Zarovnať", + "textAllCaps": "Všetko veľkým", + "textAllowOverlap": "Povoliť prekrývanie", + "textApril": "apríl", + "textAugust": "august", + "textAuto": "Automaticky", + "textAutomatic": "Automaticky", + "textBack": "Späť", + "textBackground": "Pozadie", + "textBandedColumn": "Pruhovaný stĺpec", + "textBandedRow": "Pruhovaný riadok", + "textBefore": "Pred", + "textBehind": "Za", + "textBorder": "Orámovanie", + "textBringToForeground": "Premiestniť do popredia", + "textBullets": "Odrážky", + "textBulletsAndNumbers": "Odrážky & Číslovanie", + "textCellMargins": "Okraje bunky", + "textChart": "Graf", + "textClose": "Zatvoriť", + "textColor": "Farba", + "textContinueFromPreviousSection": "Pokračovať z predošlej sekcie", + "textCustomColor": "Vlastná farba", + "textDecember": "december", + "textDesign": "Dizajn/náčrt", + "textDifferentFirstPage": "Odlišná prvá stránka", + "textDifferentOddAndEvenPages": "Rozdielne nepárne a párne stránky", + "textDisplay": "Zobraziť", + "textDistanceFromText": "Vzdialenosť od textu", + "textDoubleStrikethrough": "Dvojité prečiarknutie", + "textEditLink": "Upraviť odkaz", + "textEffects": "Efekty", + "textEmpty": "Prázdne", + "textEmptyImgUrl": "Musíte upresniť URL obrázka.", + "textFebruary": "február", + "textFill": "Vyplniť", + "textFirstColumn": "Prvý stĺpec", + "textFirstLine": "Prvý riadok", + "textFlow": "Tok", + "textFontColor": "Farba písma", + "textFontColors": "Farby písma", + "textFonts": "Písma", + "textFooter": "Päta stránky", + "textFr": "pi", + "textHeader": "Hlavička", + "textHeaderRow": "Riadok hlavičky", + "textHighlightColor": "Farba zvýraznenia", + "textHyperlink": "Hypertextový odkaz", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textInFront": "Vpredu", + "textInline": "Zarovno s textom", + "textJanuary": "január", + "textJuly": "júl", + "textJune": "jún", + "textKeepLinesTogether": "Zviazať riadky dohromady", + "textKeepWithNext": "Zviazať s nasledujúcim", + "textLastColumn": "Posledný stĺpec", + "textLetterSpacing": "Rozstup medzi písmenami", + "textLineSpacing": "Riadkovanie", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLinkToPrevious": "Odkaz na predchádzajúci", + "textMarch": "marec", + "textMay": "máj", + "textMo": "po", + "textMoveBackward": "Posunúť späť", + "textMoveForward": "Posunúť vpred", + "textMoveWithText": "Presunúť s textom", + "textNone": "žiadne", + "textNoStyles": "Žiadne štýly pre tento typ grafov.", + "textNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", + "textNovember": "november", + "textNumbers": "Čísla", + "textOctober": "október", + "textOk": "OK", + "textOpacity": "Priehľadnosť", + "textOptions": "Možnosti", + "textOrphanControl": "Kontrola osamotených riadkov", + "textPageBreakBefore": "Zlom strany pred", + "textPageNumbering": "Číslovanie strany", + "textParagraph": "Odsek", + "textParagraphStyles": "Štýly odsekov", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", "textPt": "pt", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textRemoveTable": "Remove Table", - "textReorder": "Reorder", - "textRepeatAsHeaderRow": "Repeat as Header Row", - "textReplace": "Replace", - "textReplaceImage": "Replace Image", - "textResizeToFitContent": "Resize to Fit Content", - "textScreenTip": "Screen Tip", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textSettings": "Settings", - "textShape": "Shape", - "textSize": "Size", - "textSmallCaps": "Small Caps", - "textSpaceBetweenParagraphs": "Space Between Paragraphs", - "textSquare": "Square", - "textStartAt": "Start at", - "textStrikethrough": "Strikethrough", - "textStyle": "Style", - "textStyleOptions": "Style Options", - "textSubscript": "Subscript", - "textSuperscript": "Superscript", - "textTable": "Table", - "textTableOptions": "Table Options", + "textRemoveChart": "Odstrániť graf", + "textRemoveImage": "Odstrániť obrázok", + "textRemoveLink": "Odstrániť odkaz", + "textRemoveShape": "Odstrániť tvar", + "textRemoveTable": "Odstrániť tabuľku", + "textReorder": "Znovu usporiadať/zmena poradia", + "textRepeatAsHeaderRow": "Opakovať ako riadok hlavičky", + "textReplace": "Nahradiť", + "textReplaceImage": "Nahradiť obrázok", + "textResizeToFitContent": "Zmeniť veľkosť na prispôsobenie obsahu", + "textSa": "so", + "textScreenTip": "Nápoveda", + "textSelectObjectToEdit": "Vyberte objekt, ktorý chcete upraviť", + "textSendToBackground": "Presunúť do pozadia", + "textSeptember": "september", + "textSettings": "Nastavenia", + "textShape": "Tvar", + "textSize": "Veľkosť", + "textSmallCaps": "Malé písmená", + "textSpaceBetweenParagraphs": "Medzera medzi odsekmi", + "textSquare": "Štvorec", + "textStartAt": "Začať na", + "textStrikethrough": "Preškrtnutie", + "textStyle": "Štýl", + "textStyleOptions": "Možnosti štýlu", + "textSu": "ne", + "textSubscript": "Dolný index", + "textSuperscript": "Horný index", + "textTable": "Tabuľka", + "textTableOptions": "Možnosti tabuľky", "textText": "Text", - "textThrough": "Through", - "textTight": "Tight", - "textTopAndBottom": "Top and Bottom", - "textTotalRow": "Total Row", - "textType": "Type", - "textWrap": "Wrap", - "textNumbers": "Numbers", - "textDesign": "Design", - "textSu": "Su", - "textMo": "Mo", - "textTu": "Tu", - "textWe": "We", - "textTh": "Th", - "textFr": "Fr", - "textSa": "Sa", - "textJanuary": "January", - "textFebruary": "February", - "textMarch": "March", - "textApril": "April", - "textMay": "May", - "textJune": "June", - "textJuly": "July", - "textAugust": "August", - "textSeptember": "September", - "textOctober": "October", - "textNovember": "November", - "textDecember": "December", - "textEmpty": "Empty", - "textOk": "Ok", + "textTh": "št", + "textThrough": "Cez", + "textTight": "Tesný", + "textTopAndBottom": "Hore a dole", + "textTotalRow": "Celkový riadok", + "textTu": "ut", + "textType": "Typ", + "textWe": "st", + "textWrap": "Zabaliť", "textTableOfCont": "TOC", "textPageNumbers": "Page Numbers", "textSimple": "Simple", @@ -360,299 +360,309 @@ "textAmountOfLevels": "Amount of Levels" }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
        Please, contact your admin.", - "errorBadImageUrl": "Image url is incorrect", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact the admin.
        When you click OK, you will be prompted to download the document.", - "errorDatabaseConnection": "External error.
        Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
        Download document to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileSizeExceed": "The file size exceeds your server limit.
        Please, contact your admin.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorMailMergeLoadFile": "Loading failed", - "errorMailMergeSaveFile": "Merge failed.", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", + "convertationTimeoutText": "Prekročený čas konverzie.", + "criticalErrorExtText": "Stlačením tlačidla „OK“ sa vrátite do zoznamu dokumentov.", + "criticalErrorTitle": "Chyba", + "downloadErrorText": "Sťahovanie zlyhalo.", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
        Kontaktujte svojho správcu.", + "errorBadImageUrl": "Adresa URL obrázku je nesprávna", + "errorConnectToServer": "Tento dokument nie je možné uložiť. Skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
        Po kliknutí na tlačidlo OK sa zobrazí výzva na stiahnutie dokumentu.", + "errorDatabaseConnection": "Externá chyba.
        Chyba spojenia databázy. Obráťte sa prosím na podporu.", + "errorDataEncrypted": "Boli prijaté zašifrované zmeny, nemožno ich dekódovať.", + "errorDataRange": "Nesprávny rozsah údajov.", + "errorDefaultMessage": "Kód chyby: %1", + "errorEditingDownloadas": "Počas práce s dokumentom sa vyskytla chyba.
        Prevezmite dokument a uložte záložnú kópiu súboru lokálne.", + "errorFilePassProtect": "Súbor je chránený heslom a nebolo možné ho otvoriť.", + "errorFileSizeExceed": "Veľkosť súboru presahuje limit vášho servera.
        Kontaktujte svojho správcu.", + "errorKeyEncrypt": "Neznámy kľúč deskriptoru", + "errorKeyExpire": "Kľúč deskriptora vypršal", + "errorLoadingFont": "Fonty sa nenahrali.
        Kontaktujte prosím svojho administrátora Servera dokumentov.", + "errorMailMergeLoadFile": "Načítavanie zlyhalo", + "errorMailMergeSaveFile": "Zlúčenie zlyhalo.", + "errorSessionAbsolute": "Platnosť relácie úpravy dokumentu vypršala. Prosím, načítajte stránku znova.", + "errorSessionIdle": "Dokument nebol dlhší čas upravovaný. Prosím, načítajte stránku znova.", + "errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
        opening price, max price, min price, closing price.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
        Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file can't be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
        but you won't be able to download it until the connection is restored and the page is reloaded.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorUpdateVersionOnDisconnect": "Internetové pripojenie bolo obnovené a verzia súboru bola zmenená.
        Predtým, než budete pokračovať v práci, potrebujete si stiahnuť súbor alebo kópiu jeho obsahu, aby sa nič nestratilo. Potom znovu načítajte stránku.", + "errorUserDrop": "K súboru momentálne nie je možné získať prístup.", + "errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", + "errorViewerDisconnect": "Spojenie je stratené. Dokument si stále môžete prezerať,
        ale nebudete si ho môcť stiahnuť ani vytlačiť, kým sa neobnoví pripojenie a stránka sa znova nenačíta.", + "notcriticalErrorTitle": "Upozornenie", + "openErrorText": "Pri otváraní súboru sa vyskytla chyba", + "saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "scriptLoadError": "Pripojenie je príliš pomalé, niektoré komponenty sa nepodarilo načítať. Prosím, načítajte stránku znova.", + "splitDividerErrorText": "Počet riadkov musí byť deliteľom %1", + "splitMaxColsErrorText": "Počet stĺpcov musí byť menší ako %1", + "splitMaxRowsErrorText": "Počet riadkov musí byť menší ako %1", + "unknownErrorText": "Neznáma chyba.", + "uploadImageExtMessage": "Neznámy formát obrázka.", + "uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", + "uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "downloadMergeText": "Downloading...", - "downloadMergeTitle": "Downloading", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "mailMergeLoadFileText": "Loading Data Source...", - "mailMergeLoadFileTitle": "Loading Data Source", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "sendMergeText": "Sending Merge...", - "sendMergeTitle": "Sending Merge", - "textLoadingDocument": "Loading document", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait..." + "applyChangesTextText": "Načítavanie dát...", + "applyChangesTitleText": "Načítavanie dát", + "downloadMergeText": "Sťahovanie...", + "downloadMergeTitle": "Sťahovanie", + "downloadTextText": "Sťahovanie dokumentu...", + "downloadTitleText": "Sťahovanie dokumentu", + "loadFontsTextText": "Načítavanie dát...", + "loadFontsTitleText": "Načítavanie dát", + "loadFontTextText": "Načítavanie dát...", + "loadFontTitleText": "Načítavanie dát", + "loadImagesTextText": "Načítavanie obrázkov...", + "loadImagesTitleText": "Načítanie obrázkov", + "loadImageTextText": "Načítanie obrázku ..", + "loadImageTitleText": "Načítavanie obrázku", + "loadingDocumentTextText": "Načítavanie dokumentu ...", + "loadingDocumentTitleText": "Načítavanie dokumentu", + "mailMergeLoadFileText": "Načítavanie zdroja údajov...", + "mailMergeLoadFileTitle": "Načítavanie zdroja údajov", + "openTextText": "Otváranie dokumentu...", + "openTitleText": "Otváranie dokumentu", + "printTextText": "Tlač dokumentu...", + "printTitleText": "Tlač dokumentu", + "savePreparingText": "Príprava na uloženie", + "savePreparingTitle": "Príprava na uloženie. Prosím čakajte...", + "saveTextText": "Ukladanie dokumentu...", + "saveTitleText": "Ukladanie dokumentu", + "sendMergeText": "Odoslanie zlúčenia...", + "sendMergeTitle": "Odoslanie zlúčenia", + "textLoadingDocument": "Načítavanie dokumentu", + "txtEditingMode": "Nastaviť režim úprav ...", + "uploadImageTextText": "Nahrávanie obrázku...", + "uploadImageTitleText": "Nahrávanie obrázku", + "waitText": "Čakajte, prosím..." }, "Main": { - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
        Please, contact your administrator.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "errorProcessSaveResult": "Saving failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "criticalErrorTitle": "Chyba", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
        Kontaktujte svojho správcu.", + "errorOpensource": "Pomocou bezplatnej komunitnej verzie môžete otvárať dokumenty len na prezeranie. Na prístup k editorom mobilného webu je potrebná komerčná licencia.", + "errorProcessSaveResult": "Ukladanie zlyhalo.", + "errorServerVersion": "Verzia editora bola aktualizovaná. Stránka sa opätovne načíta, aby sa vykonali zmeny.", + "errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", + "leavePageText": "Máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "notcriticalErrorTitle": "Upozornenie", "SDK": { - " -Section ": " -Section ", - "above": "above", - "below": "below", - "Caption": "Caption", - "Choose an item": "Choose an item", - "Click to load image": "Click to load image", - "Current Document": "Current Document", - "Diagram Title": "Chart Title", - "endnote text": "Endnote Text", - "Enter a date": "Enter a date", - "Error! Bookmark not defined": "Error! Bookmark not defined.", - "Error! Main Document Only": "Error! Main Document Only.", - "Error! No text of specified style in document": "Error! No text of specified style in document.", - "Error! Not a valid bookmark self-reference": "Error! Not a valid bookmark self-reference.", - "Even Page ": "Even Page ", - "First Page ": "First Page ", - "Footer": "Footer", - "footnote text": "Footnote Text", - "Header": "Header", - "Heading 1": "Heading 1", - "Heading 2": "Heading 2", - "Heading 3": "Heading 3", - "Heading 4": "Heading 4", - "Heading 5": "Heading 5", - "Heading 6": "Heading 6", - "Heading 7": "Heading 7", - "Heading 8": "Heading 8", - "Heading 9": "Heading 9", - "Hyperlink": "Hyperlink", - "Index Too Large": "Index Too Large", - "Intense Quote": "Intense Quote", - "Is Not In Table": "Is Not In Table", - "List Paragraph": "List Paragraph", - "Missing Argument": "Missing Argument", - "Missing Operator": "Missing Operator", - "No Spacing": "No Spacing", - "No table of contents entries found": "There are no headings in the document. Apply a heading style to the text so that it appears in the table of contents.", - "No table of figures entries found": "No table of figures entries found.", - "None": "None", - "Normal": "Normal", - "Number Too Large To Format": "Number Too Large To Format", - "Odd Page ": "Odd Page ", - "Quote": "Quote", - "Same as Previous": "Same as Previous", - "Series": "Series", - "Subtitle": "Subtitle", - "Syntax Error": "Syntax Error", - "Table Index Cannot be Zero": "Table Index Cannot be Zero", - "Table of Contents": "Table of Contents", - "table of figures": "Table of figures", - "The Formula Not In Table": "The Formula Not In Table", - "Title": "Title", - "TOC Heading": "TOC Heading", - "Type equation here": "Type equation here", - "Undefined Bookmark": "Undefined Bookmark", - "Unexpected End of Formula": "Unexpected End of Formula", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here", - "Zero Divide": "Zero Divide" + " -Section ": "-Sekcia", + "above": "Nad", + "below": "pod", + "Caption": "Popis", + "Choose an item": "Zvolte položku", + "Click to load image": "Klikni pre nahratie obrázku", + "Current Document": "Aktuálny dokument", + "Diagram Title": "Názov grafu", + "endnote text": "Text vysvetlívky", + "Enter a date": "Zadajte dátum", + "Error! Bookmark not defined": "Chyba! Záložka nie je definovaná.", + "Error! Main Document Only": "Chyba! Iba hlavný dokument.", + "Error! No text of specified style in document": "Chyba! V dokumente nie je žiaden text špecifikovaného štýlu.", + "Error! Not a valid bookmark self-reference": "Chyba! Nie je platnou záložkou odkazujúcou na seba.", + "Even Page ": "Párna stránka", + "First Page ": "Prvá strana", + "Footer": "Päta stránky", + "footnote text": "Text poznámky pod čiarou", + "Header": "Hlavička", + "Heading 1": "Nadpis 1", + "Heading 2": "Nadpis 2", + "Heading 3": "Nadpis 3", + "Heading 4": "Nadpis 4", + "Heading 5": "Nadpis 5", + "Heading 6": "Nadpis 6", + "Heading 7": "Nadpis 7", + "Heading 8": "Nadpis 8", + "Heading 9": "Nadpis 9", + "Hyperlink": "Hypertextový odkaz", + "Index Too Large": "Index je priveľký", + "Intense Quote": "Zvýraznená citácia", + "Is Not In Table": "Nie je v tabuľke", + "List Paragraph": "Odsek zoznamu", + "Missing Argument": "Chýba argument", + "Missing Operator": "Chýbajúci operátor", + "No Spacing": "Bez riadkovania", + "No table of contents entries found": "V dokumente neboli nájdené žiadne nadpisy. Použite na ne v texte štýl pre nadpisy, aby sa objavili v tabuľke obsahu.", + "No table of figures entries found": "Žiadne vstupné hodnoty pre obsah neboli nájdené.", + "None": "žiadne", + "Normal": "Normálny", + "Number Too Large To Format": "Číslo priveľké na formátovanie", + "Odd Page ": "Nepárna strana", + "Quote": "Citácia", + "Same as Previous": "Rovnaký ako predchádzajúci", + "Series": "Rady", + "Subtitle": "Podtitul", + "Syntax Error": "Syntaktická chyba", + "Table Index Cannot be Zero": "Index tabuľky nemôže byť nula", + "Table of Contents": "Obsah", + "table of figures": "Obsah", + "The Formula Not In Table": "Vzorec nie je v tabuľke", + "Title": "Názov", + "TOC Heading": "Nadpis Obsahu", + "Type equation here": "Sem zadajte rovnicu", + "Undefined Bookmark": "Nedefinovaná záložka", + "Unexpected End of Formula": "Neočakávaný koniec vzorca", + "X Axis": "Os X (XAS)", + "Y Axis": "Os Y", + "Your text here": "Tu napíšte svoj text", + "Zero Divide": "Delenie nulou" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
        Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleLicenseExp": "License expired", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseExp": "Your license has expired. Please, update your license and refresh the page.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.", - "warnLicenseLimitedRenewed": "The license needs to be renewed. You have limited access to document editing functionality.
        Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit this file.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textAnonymous": "Anonymný", + "textBuyNow": "Navštíviť webovú stránku", + "textClose": "Zatvoriť", + "textContactUs": "Kontaktujte predajcu", + "textCustomLoader": "Ľutujeme, nemáte nárok na výmenu nakladača. Ak chcete získať cenovú ponuku, kontaktujte naše obchodné oddelenie.", + "textGuest": "Hosť", + "textHasMacros": "Súbor obsahuje automatické makrá.
        Naozaj chcete makra spustiť?", + "textNo": "Nie", + "textNoLicenseTitle": "Bol dosiahnutý limit licencie", + "textNoTextFound": "Text nebol nájdený", + "textPaidFeature": "Platená funkcia", + "textRemember": "Zapamätaj si moju voľbu", + "textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", + "textReplaceSuccess": "Vyhľadávanie bolo uskutočnené. Nahradené udalosti: {0}", + "textYes": "Áno", + "titleLicenseExp": "Platnosť licencie uplynula", + "titleServerVersion": "Editor bol aktualizovaný", + "titleUpdateVersion": "Verzia bola zmenená", + "warnLicenseExceeded": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Ak sa chcete dozvedieť viac, kontaktujte svojho správcu.", + "warnLicenseExp": "Platnosť vašej licencie vypršala. Aktualizujte svoju licenciu a obnovte stránku.", + "warnLicenseLimitedNoAccess": "Platnosť licencie vypršala. Nemáte prístup k funkciám úpravy dokumentov. Prosím, kontaktujte svojho administrátora.", + "warnLicenseLimitedRenewed": "Licenciu je potrebné obnoviť. Máte obmedzený prístup k funkciám úpravy dokumentov.
        Ak chcete získať úplný prístup, kontaktujte svojho správcu", + "warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "warnNoLicense": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Kontaktujte predajný tím %1 pre osobné podmienky inovácie.", + "warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "warnProcessRightsChange": "Nemáte povolenie na úpravu tohto súboru.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "advTxtOptions": "Choose TXT Options", - "closeButtonText": "Close File", - "notcriticalErrorTitle": "Warning", - "textAbout": "About", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textBottom": "Bottom", - "textCancel": "Cancel", - "textCaseSensitive": "Case Sensitive", + "advDRMOptions": "Chránený súbor", + "advDRMPassword": "Heslo", + "advTxtOptions": "Vybrať možnosti TXT", + "closeButtonText": "Zatvoriť súbor", + "notcriticalErrorTitle": "Upozornenie", + "textAbout": "O aplikácii", + "textApplication": "Aplikácia", + "textApplicationSettings": "Nastavenia aplikácie", + "textAuthor": "Autor", + "textBack": "Späť", + "textBottom": "Dole", + "textCancel": "Zrušiť", + "textCaseSensitive": "Rozlišovať veľkosť písmen", "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textComments": "Comments", - "textCommentsDisplay": "Comments Display", - "textCreated": "Created", - "textCustomSize": "Custom Size", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textDocumentInfo": "Document Info", - "textDocumentSettings": "Document Settings", - "textDocumentTitle": "Document Title", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As", - "textDownloadRtf": "If you continue saving in this format some of the formatting might be lost. Are you sure you want to continue?", - "textDownloadTxt": "If you continue saving in this format all features except the text will be lost. Are you sure you want to continue?", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", - "textEncoding": "Encoding", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textFormat": "Format", - "textHelp": "Help", - "textHiddenTableBorders": "Hidden Table Borders", - "textHighlightResults": "Highlight Results", - "textInch": "Inch", - "textLandscape": "Landscape", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLeft": "Left", - "textLoading": "Loading...", - "textLocation": "Location", - "textMacrosSettings": "Macros Settings", - "textMargins": "Margins", - "textMarginsH": "Top and bottom margins are too high for a given page height", - "textMarginsW": "Left and right margins are too wide for a given page width", - "textNoCharacters": "Nonprinting Characters", - "textNoTextFound": "Text not found", - "textOpenFile": "Enter a password to open the file", - "textOrientation": "Orientation", - "textOwner": "Owner", - "textPoint": "Point", - "textPortrait": "Portrait", - "textPrint": "Print", - "textReaderMode": "Reader Mode", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textResolvedComments": "Resolved Comments", - "textRight": "Right", - "textSearch": "Search", - "textSettings": "Settings", - "textShowNotification": "Show Notification", - "textSpellcheck": "Spell Checking", - "textStatistic": "Statistic", - "textSubject": "Subject", - "textTitle": "Title", - "textTop": "Top", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password will be reset", - "txtScheme1": "Office", - "txtScheme10": "Median", + "textChooseEncoding": "Vyberte kódovanie", + "textChooseTxtOptions": "Vybrať možnosti TXT", + "textCollaboration": "Spolupráca", + "textColorSchemes": "Farebné schémy", + "textComment": "Komentár", + "textComments": "Komentáre", + "textCommentsDisplay": "Zobrazenie komentárov", + "textCreated": "Vytvorené", + "textCustomSize": "Vlastná veľkosť", + "textDisableAll": "Vypnúť všetko", + "textDisableAllMacrosWithNotification": "Zakázať všetky makrá s upozornením", + "textDisableAllMacrosWithoutNotification": "Zakázať všetky makrá bez upozornení", + "textDocumentInfo": "Informácie o dokumente", + "textDocumentSettings": "Nastavenia dokumentu", + "textDocumentTitle": "Názov dokumentu", + "textDone": "Hotovo", + "textDownload": "Stiahnuť", + "textDownloadAs": "Stiahnuť ako", + "textDownloadRtf": "Ak budete pokračovať v ukladaní v tomto formáte, niektoré formátovanie sa môže stratiť. Ste si istý, že chcete pokračovať?", + "textDownloadTxt": "Ak budete pokračovať v ukladaní v tomto formáte, všetky funkcie okrem textu sa stratia. Ste si istý, že chcete pokračovať?", + "textEnableAll": "Povoliť všetko", + "textEnableAllMacrosWithoutNotification": "Povoliť všetky makrá bez upozornenia", + "textEncoding": "Kódovanie", + "textFind": "Hľadať", + "textFindAndReplace": "Hľadať a nahradiť", + "textFindAndReplaceAll": "Hľadať a nahradiť všetko", + "textFormat": "Formát", + "textHelp": "Pomoc", + "textHiddenTableBorders": "Skryté orámovania tabuľky", + "textHighlightResults": "Zvýrazniť výsledky", + "textInch": "Palec (miera 2,54 cm)", + "textLandscape": "Na šírku", + "textLastModified": "Naposledy upravené", + "textLastModifiedBy": "Naposledy upravil(a) ", + "textLeft": "Vľavo", + "textLoading": "Načítava sa.....", + "textLocation": "Umiestnenie", + "textMacrosSettings": "Nastavenia makier", + "textMargins": "Okraje", + "textMarginsH": "Horné a spodné okraje sú pre danú výšku stránky príliš vysoké", + "textMarginsW": "Ľavé a pravé okraje sú príliš široké pre danú šírku stránky", + "textNoCharacters": "Formátovacie značky", + "textNoTextFound": "Text nebol nájdený", + "textOk": "OK", + "textOpenFile": "Zadajte heslo na otvorenie súboru", + "textOrientation": "Orientácia", + "textOwner": "Majiteľ", + "textPages": "Strany", + "textParagraphs": "Odseky", + "textPoint": "Bod", + "textPortrait": "Na výšku", + "textPrint": "Tlačiť", + "textReaderMode": "Režim Čitateľ", + "textReplace": "Nahradiť", + "textReplaceAll": "Nahradiť všetko", + "textResolvedComments": "Vyriešené komentáre", + "textRight": "Vpravo", + "textSearch": "Hľadať", + "textSettings": "Nastavenia", + "textShowNotification": "Ukázať oznámenie", + "textSpaces": "Medzery", + "textSpellcheck": "Kontrola pravopisu", + "textStatistic": "Štatistický", + "textSubject": "Predmet", + "textSymbols": "Symboly", + "textTitle": "Názov", + "textTop": "Hore", + "textUnitOfMeasurement": "Jednotka merania", + "textUploaded": "Nahrané", + "textWords": "Slová", + "txtDownloadTxt": "Stiahnuť TXT", + "txtIncorrectPwd": "Heslo je chybné ", + "txtOk": "OK", + "txtProtected": "Po zadaní hesla a otvorení súboru sa aktuálne heslo obnoví", + "txtScheme1": "Kancelária", + "txtScheme10": "Medián", "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", - "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textOk": "Ok", - "textChooseEncoding": "Choose Encoding", - "textChooseTxtOptions": "Choose TXT Options", - "txtDownloadTxt": "Download TXT", - "txtOk": "Ok", - "textPages": "Pages", - "textParagraphs": "Paragraphs", - "textSpaces": "Spaces", - "textSymbols": "Symbols", - "textWords": "Words", + "txtScheme12": "Modul", + "txtScheme13": "Opulentný", + "txtScheme14": "Výklenok", + "txtScheme15": "Pôvod", + "txtScheme16": "Papier", + "txtScheme17": "Slnovrat", + "txtScheme18": "Technika", + "txtScheme19": "Cestovanie", + "txtScheme2": "Odtiene sivej", + "txtScheme20": "Mestský", + "txtScheme21": "Elán", + "txtScheme22": "Nová kancelária", + "txtScheme3": "Vrchol", + "txtScheme4": "Aspekt", + "txtScheme5": "Občiansky", + "txtScheme6": "Hala", + "txtScheme7": "Spravodlivosť", + "txtScheme8": "Tok", + "txtScheme9": "Zlieváreň", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this page" + "dlgLeaveMsgText": "Máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "dlgLeaveTitleText": "Opúšťate aplikáciu", + "leaveButtonText": "Opustiť túto stránku", + "stayButtonText": "Zostať na tejto stránke" } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/sl.json b/apps/documenteditor/mobile/locale/sl.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/sl.json +++ b/apps/documenteditor/mobile/locale/sl.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/sv.json b/apps/documenteditor/mobile/locale/sv.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/sv.json +++ b/apps/documenteditor/mobile/locale/sv.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/tr.json b/apps/documenteditor/mobile/locale/tr.json index 3405fb063..25d15d53f 100644 --- a/apps/documenteditor/mobile/locale/tr.json +++ b/apps/documenteditor/mobile/locale/tr.json @@ -397,7 +397,9 @@ "unknownErrorText": "Bilinmeyen hata.", "uploadImageExtMessage": "Bilinmeyen resim formatı.", "uploadImageFileCountMessage": "Resim yüklenmedi.", - "uploadImageSizeMessage": "Görüntü çok büyük. Maksimum boyut 25 MB'dir." + "uploadImageSizeMessage": "Görüntü çok büyük. Maksimum boyut 25 MB'dir.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Veri yükleniyor...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "Bu dosyayı düzenleme izniniz yok.", "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Korumalı dosya", @@ -641,13 +644,20 @@ "txtScheme7": "Net Değer", "txtScheme8": "Yayılma", "txtScheme9": "Döküm", + "textFastWV": "Fast Web View", + "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "txtScheme14": "Oriel", "txtScheme19": "Trek", - "textFeedback": "Feedback & Support", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "Kaydedilmemiş değişiklikleriniz mevcut. Otomatik kaydetmeyi beklemek için 'Bu Sayfada Kal' seçeneğini tıklayın. Kaydedilmemiş tüm değişiklikleri atmak için 'Bu Sayfadan Ayrıl'ı tıklayın.", diff --git a/apps/documenteditor/mobile/locale/uk.json b/apps/documenteditor/mobile/locale/uk.json index 801ae73f6..98ec8e1d9 100644 --- a/apps/documenteditor/mobile/locale/uk.json +++ b/apps/documenteditor/mobile/locale/uk.json @@ -397,7 +397,9 @@ "unknownErrorText": "Невідома помилка.", "uploadImageExtMessage": "Невідомий формат зображення.", "uploadImageFileCountMessage": "Жодного зображення не завантажено.", - "uploadImageSizeMessage": "Занадто велике зображення. Максимальний розмір – 25 MB." + "uploadImageSizeMessage": "Занадто велике зображення. Максимальний розмір – 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Завантаження даних...", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "Ви досягли ліміту на кількість користувачів редакторів %1.
        Зв'яжіться з адміністратором, щоб дізнатися більше.", "warnNoLicense": "Ви досягли ліміту на одночасне підключення до редакторів %1. Цей документ буде відкрито для перегляду. Напишіть у відділ продажу %1, щоб обговорити індивідуальні умови оновлення.", "warnNoLicenseUsers": "Ви досягли ліміту на одночасне підключення до редакторів %1.
        Напишіть у відділ продаж %1, для обговорення індивідуальних умов ліцензування.", - "warnProcessRightsChange": "У вас немає прав на редагування цього файлу." + "warnProcessRightsChange": "У вас немає прав на редагування цього файлу.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Захищений файл", @@ -643,11 +646,18 @@ "txtScheme7": "Власний", "txtScheme8": "Потік", "txtScheme9": "Ливарна", + "textFastWV": "Fast Web View", "textFeedback": "Feedback & Support", + "textNo": "No", + "textPageSize": "Page Size", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textYes": "Yes", "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "У документі є незбережені зміни. Натисніть 'Залишитись на сторінці', щоб дочекатися автозбереження. Натисніть 'Піти зі сторінки', щоб скинути всі незбережені зміни.", diff --git a/apps/documenteditor/mobile/locale/vi.json b/apps/documenteditor/mobile/locale/vi.json index 97fde94a6..4542b418d 100644 --- a/apps/documenteditor/mobile/locale/vi.json +++ b/apps/documenteditor/mobile/locale/vi.json @@ -397,7 +397,9 @@ "uploadImageExtMessage": "Unknown image format.", "uploadImageFileCountMessage": "No images uploaded.", "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator." + "errorLoadingFont": "Fonts are not loaded.
        Please contact your Document Server administrator.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "Loading data...", @@ -530,7 +532,8 @@ "warnProcessRightsChange": "You don't have permission to edit this file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "Protected File", @@ -647,7 +650,14 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPageSize": "Page Size", + "textPdfVer": "PDF Version", + "textPdfTagged": "Tagged PDF", + "textFastWV": "Fast Web View", + "textYes": "Yes", + "textNo": "No", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "You have unsaved changes. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", diff --git a/apps/documenteditor/mobile/locale/zh-TW.json b/apps/documenteditor/mobile/locale/zh-TW.json new file mode 100644 index 000000000..fd15d4e75 --- /dev/null +++ b/apps/documenteditor/mobile/locale/zh-TW.json @@ -0,0 +1,668 @@ +{ + "About": { + "textAbout": "關於", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "電子郵件", + "textPoweredBy": "於支援", + "textTel": "電話", + "textVersion": "版本" + }, + "Add": { + "notcriticalErrorTitle": "警告", + "textAddLink": "新增連結", + "textAddress": "地址", + "textBack": "返回", + "textBelowText": "下方文字", + "textBottomOfPage": "頁底", + "textBreak": "換頁", + "textCancel": "取消", + "textCenterBottom": "置中底部", + "textCenterTop": "置中頂部", + "textColumnBreak": "分欄符號", + "textColumns": "欄", + "textComment": "註解", + "textContinuousPage": "連續頁面", + "textCurrentPosition": "目前位置", + "textDisplay": "顯示", + "textEmptyImgUrl": "您必須輸入圖檔的URL.", + "textEvenPage": "雙數頁", + "textFootnote": "註腳", + "textFormat": "格式", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textInsert": "插入", + "textInsertFootnote": "插入註腳", + "textInsertImage": "插入圖片", + "textLeftBottom": "左下", + "textLeftTop": "左上", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLocation": "位置", + "textNextPage": "下一頁", + "textOddPage": "奇數頁", + "textOk": "確定", + "textOther": "其它", + "textPageBreak": "分頁符", + "textPageNumber": "頁碼", + "textPictureFromLibrary": "來自圖庫的圖片", + "textPictureFromURL": "網址圖片", + "textPosition": "位置", + "textRightBottom": "右下", + "textRightTop": "右上", + "textRows": "行列", + "textScreenTip": "提示功能", + "textSectionBreak": "分節符", + "textShape": "形狀", + "textStartAt": "開始", + "textTable": "表格", + "textTableSize": "表格大小", + "txtNotUrl": "此字段應為格式為“ http://www.example.com”的URL。", + "textTableContents": "Table of Contents", + "textWithPageNumbers": "With Page Numbers", + "textWithBlueLinks": "With Blue Links" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAccept": "同意", + "textAcceptAllChanges": "同意所有更改", + "textAddComment": "新增註解", + "textAddReply": "加入回應", + "textAllChangesAcceptedPreview": "更改已全部接受(預覽)", + "textAllChangesEditing": "全部的更改(編輯中)", + "textAllChangesRejectedPreview": "全部更改被拒絕(預覽)", + "textAtLeast": "至少", + "textAuto": "自動", + "textBack": "返回", + "textBaseline": "基準線", + "textBold": "粗體", + "textBreakBefore": "分頁之前", + "textCancel": "取消", + "textCaps": "全部大寫", + "textCenter": "居中對齊", + "textChart": "圖表", + "textCollaboration": "共同編輯", + "textColor": "字體顏色", + "textComments": "註解", + "textContextual": "不要在同樣風格的文字段落間增加間隔數值", + "textDelete": "刪除", + "textDeleteComment": "刪除註解", + "textDeleted": "已刪除:", + "textDeleteReply": "刪除回覆", + "textDisplayMode": "顯示模式", + "textDone": "完成", + "textDStrikeout": "雙刪除線", + "textEdit": "編輯", + "textEditComment": "編輯註解", + "textEditReply": "編輯回覆", + "textEditUser": "正在編輯文件的帳戶:", + "textEquation": "公式", + "textExact": "準確", + "textFinal": "最後", + "textFirstLine": "第一行", + "textFormatted": "已格式化", + "textHighlight": "熒光色選", + "textImage": "圖像", + "textIndentLeft": "向左內縮", + "textIndentRight": "向右內縮", + "textInserted": "已插入:", + "textItalic": "斜體", + "textJustify": "對齊", + "textKeepLines": "保持線條一致", + "textKeepNext": "跟著下一個", + "textLeft": "對齊左側", + "textLineSpacing": "行間距: ", + "textMarkup": "標記", + "textMessageDeleteComment": "確定要刪除此註解嗎?", + "textMessageDeleteReply": "確定要刪除回覆嗎?", + "textMultiple": "多項", + "textNoBreakBefore": "之前沒有分頁符", + "textNoChanges": "沒有變化。", + "textNoComments": "此文件未包含註解", + "textNoContextual": "加入間隔數值", + "textNoKeepLines": "不要保持多個線條在一起", + "textNoKeepNext": "不要與文字保持在一起", + "textNot": "不", + "textNoWidow": "無窗口控制", + "textNum": "變更編號", + "textOk": "確定", + "textOriginal": "原始", + "textParaDeleted": "段落已刪除", + "textParaFormatted": "段落格式", + "textParaInserted": "段落已插入", + "textParaMoveFromDown": "已向下移動:", + "textParaMoveFromUp": "已向上移動:", + "textParaMoveTo": "已移動:", + "textPosition": "位置", + "textReject": "拒絕", + "textRejectAllChanges": "拒絕所有更改", + "textReopen": "重開", + "textResolve": "解決", + "textReview": "評論", + "textReviewChange": "變更評論", + "textRight": "對齊右側", + "textShape": "形狀", + "textShd": "背景顏色", + "textSmallCaps": "小大寫", + "textSpacing": "間距", + "textSpacingAfter": "間距後", + "textSpacingBefore": "間距前", + "textStrikeout": "淘汰", + "textSubScript": "下標", + "textSuperScript": "上標", + "textTableChanged": "表格設定已變更", + "textTableRowsAdd": "已增加表格行數", + "textTableRowsDel": "已刪除表格行數", + "textTabs": "變更定位", + "textTrackChanges": "跟蹤變化", + "textTryUndoRedo": "在快速共同編輯模式下,撤消/重做功能被禁用。", + "textUnderline": "底線", + "textUsers": "使用者", + "textWidow": "遺留文字控制" + }, + "HighlightColorPalette": { + "textNoFill": "沒有填充" + }, + "ThemeColorPalette": { + "textCustomColors": "自訂顏色", + "textStandartColors": "標準顏色", + "textThemeColors": "主題顏色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "使用上下文選單進行的複制,剪切和粘貼操作將僅在當前文件內執行。", + "menuAddComment": "新增註解", + "menuAddLink": "新增連結", + "menuCancel": "取消", + "menuContinueNumbering": "繼續編號", + "menuDelete": "刪除", + "menuDeleteTable": "刪除表格", + "menuEdit": "編輯", + "menuJoinList": "加入上一個列表", + "menuMerge": "合併", + "menuMore": "更多", + "menuOpenLink": "打開連結", + "menuReview": "評論", + "menuReviewChange": "變更評論", + "menuSeparateList": "單獨的清單", + "menuSplit": "分割", + "menuStartNewList": "開始新清單", + "menuStartNumberingFrom": "設定編號值", + "menuViewComment": "查看註解", + "textCancel": "取消", + "textColumns": "欄", + "textCopyCutPasteActions": "複製, 剪下, 與貼上之動作", + "textDoNotShowAgain": "不再顯示", + "textNumberingValue": "編號值", + "textOk": "確定", + "textRows": "行列", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textActualSize": "實際大小", + "textAddCustomColor": "增加客制化顏色", + "textAdditional": "額外功能", + "textAdditionalFormatting": "額外格式化方式", + "textAddress": "地址", + "textAdvanced": "進階", + "textAdvancedSettings": "進階設定", + "textAfter": "之後", + "textAlign": "對齊", + "textAllCaps": "全部大寫", + "textAllowOverlap": "允許重疊", + "textApril": "四月", + "textAugust": "八月", + "textAuto": "自動", + "textAutomatic": "自動", + "textBack": "返回", + "textBackground": "背景", + "textBandedColumn": "分帶欄", + "textBandedRow": "分帶列", + "textBefore": "之前", + "textBehind": "文字在後", + "textBorder": "邊框", + "textBringToForeground": "移到前景", + "textBullets": "項目符號", + "textBulletsAndNumbers": "符號項目與編號", + "textCellMargins": "儲存格邊距", + "textChart": "圖表", + "textClose": "關閉", + "textColor": "顏色", + "textContinueFromPreviousSection": "從上個部份繼續", + "textCustomColor": "自訂顏色", + "textDecember": "十二月", + "textDesign": "設計", + "textDifferentFirstPage": "首頁不同", + "textDifferentOddAndEvenPages": "單/雙數頁不同", + "textDisplay": "顯示", + "textDistanceFromText": "與文字的距離", + "textDoubleStrikethrough": "雙刪除線", + "textEditLink": "編輯連結", + "textEffects": "效果", + "textEmpty": "空", + "textEmptyImgUrl": "您必須輸入圖檔的URL.", + "textFebruary": "二月", + "textFill": "填入", + "textFirstColumn": "第一欄", + "textFirstLine": "第一行", + "textFlow": "流程", + "textFontColor": "字體顏色", + "textFontColors": "字體顏色", + "textFonts": "字型", + "textFooter": "頁尾", + "textFr": "Fr", + "textHeader": "標頭", + "textHeaderRow": "頁首列", + "textHighlightColor": "熒光色選", + "textHyperlink": "超連結", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textInFront": "文字在前", + "textInline": "與文字排列", + "textJanuary": "一月", + "textJuly": "七月", + "textJune": "六月", + "textKeepLinesTogether": "保持線條一致", + "textKeepWithNext": "跟著下一個", + "textLastColumn": "最後一欄", + "textLetterSpacing": "字母間距", + "textLineSpacing": "行間距", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLinkToPrevious": "連接到上一個", + "textMarch": "三月", + "textMay": "五月", + "textMo": "Mo", + "textMoveBackward": "向後移動", + "textMoveForward": "向前移動", + "textMoveWithText": "與文字移動", + "textNone": "無", + "textNoStyles": "這類圖表沒有對應的風格", + "textNotUrl": "此字段應為格式為\"http://www.example.com\"的URL。", + "textNovember": "十一月", + "textNumbers": "號碼", + "textOctober": "十月", + "textOk": "確定", + "textOpacity": "透明度", + "textOptions": "選項", + "textOrphanControl": "遺留功能控制", + "textPageBreakBefore": "分頁之前", + "textPageNumbering": "頁編碼", + "textParagraph": "段落", + "textParagraphStyles": "段落樣式", + "textPictureFromLibrary": "來自圖庫的圖片", + "textPictureFromURL": "網址圖片", + "textPt": "pt", + "textRemoveChart": "刪除圖表", + "textRemoveImage": "移除圖片", + "textRemoveLink": "刪除連結", + "textRemoveShape": "刪除形狀", + "textRemoveTable": "刪除表格", + "textReorder": "重新排序", + "textRepeatAsHeaderRow": "重複作為標題行", + "textReplace": "取代", + "textReplaceImage": "取代圖片", + "textResizeToFitContent": "調整大小以適合內容", + "textSa": "Sa", + "textScreenTip": "提示功能", + "textSelectObjectToEdit": "選擇要編輯的物件", + "textSendToBackground": "傳送到背景", + "textSeptember": "九月", + "textSettings": "設定", + "textShape": "形狀", + "textSize": "大小", + "textSmallCaps": "小大寫", + "textSpaceBetweenParagraphs": "段落間空格", + "textSquare": "正方形", + "textStartAt": "開始", + "textStrikethrough": "刪除線", + "textStyle": "風格", + "textStyleOptions": "樣式選項", + "textSu": "Su", + "textSubscript": "下標", + "textSuperscript": "上標", + "textTable": "表格", + "textTableOptions": "表格選項", + "textText": "文字", + "textTh": "Th", + "textThrough": "通過", + "textTight": "緊", + "textTopAndBottom": "頂部和底部", + "textTotalRow": "總行數", + "textTu": "Tu", + "textType": "類型", + "textWe": "We", + "textWrap": "包覆", + "textTableOfCont": "TOC", + "textPageNumbers": "Page Numbers", + "textSimple": "Simple", + "textRightAlign": "Right Align", + "textLeader": "Leader", + "textStructure": "Structure", + "textRefresh": "Refresh", + "textLevels": "Levels", + "textRemoveTableContent": "Remove table of content", + "textCurrent": "Current", + "textOnline": "Online", + "textClassic": "Classic", + "textDistinctive": "Distinctive", + "textCentered": "Centered", + "textFormal": "Formal", + "textStandard": "Standard", + "textModern": "Modern", + "textCancel": "Cancel", + "textRefreshEntireTable": "Refresh entire table", + "textRefreshPageNumbersOnly": "Refresh page numbers only", + "textStyles": "Styles", + "textAmountOfLevels": "Amount of Levels" + }, + "Error": { + "convertationTimeoutText": "轉換逾時。", + "criticalErrorExtText": "點擊\"好\"回到文件列表。", + "criticalErrorTitle": "錯誤", + "downloadErrorText": "下載失敗", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
        請聯繫您的管理員。", + "errorBadImageUrl": "不正確的圖像 URL", + "errorConnectToServer": "儲存文件失敗。請檢查您的網路設定或聯絡您的帳號管理員。
        點擊\"確定\"之後,可以下載該文件。", + "errorDatabaseConnection": "外部錯誤
        資料庫連結錯誤, 請聯絡技術支援。", + "errorDataEncrypted": "已收到加密的更改,無法解密。", + "errorDataRange": "不正確的資料範圍", + "errorDefaultMessage": "錯誤編號:%1", + "errorEditingDownloadas": "操作文件時發生錯誤
        請將文件備份到本機端。", + "errorFilePassProtect": "此文件使用密碼保護功能,無法開啟。", + "errorFileSizeExceed": "此文件大小已超出主機之限制。
        請聯絡您的帳戶管理員。", + "errorKeyEncrypt": "未知密鑰描述符", + "errorKeyExpire": "密鑰已過期", + "errorLoadingFont": "字型未載入。
        請聯絡文件服務(Document Server)管理員。", + "errorMailMergeLoadFile": "載入失敗", + "errorMailMergeSaveFile": "合併失敗。", + "errorSessionAbsolute": "該文件編輯時效已欲期。請重新載入此頁面。", + "errorSessionIdle": "無 該文件已經有一段時間沒有進行編輯了。 請重新載入頁面。", + "errorSessionToken": "主機連線被中斷,請重新載入此頁面。", + "errorStockChart": "行序錯誤。要建立股票圖表,請將數據按照以下順序工作表:
        開盤價、最高價、最低價、收盤價。 ", + "errorUpdateVersionOnDisconnect": "網路連接已恢復,文件版本已更改。
        在繼續工作之前,您需要下載文件或複制其內容以確保沒有資料遺失,然後重新整裡此頁面。", + "errorUserDrop": "目前無法開始此文件。", + "errorUsersExceed": "超出原服務計畫可允許的帳戶數量", + "errorViewerDisconnect": "網路連線失敗。您可以繼續瀏覽這份文件,
        在連線恢復前以及頁面重新加載之前,您無法下載或列印此文件。", + "notcriticalErrorTitle": "警告", + "openErrorText": "開啟文件時發生錯誤", + "saveErrorText": "存檔時發生錯誤", + "scriptLoadError": "連線速度過慢,某些組件無法加載。 請重新載入頁面。", + "splitDividerErrorText": "行數必須是%1的除數", + "splitMaxColsErrorText": "列數必須少於%1", + "splitMaxRowsErrorText": "行數必須少於%1", + "unknownErrorText": "未知錯誤。", + "uploadImageExtMessage": "圖片格式未知。", + "uploadImageFileCountMessage": "無上傳圖片。", + "uploadImageSizeMessage": "圖像超出最大大小限制。最大為25MB。", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." + }, + "LongActions": { + "applyChangesTextText": "載入資料中...", + "applyChangesTitleText": "載入資料中", + "downloadMergeText": "載入中...", + "downloadMergeTitle": "載入中", + "downloadTextText": "文件載入中...", + "downloadTitleText": "文件載入中", + "loadFontsTextText": "載入資料中...", + "loadFontsTitleText": "載入資料中", + "loadFontTextText": "載入資料中...", + "loadFontTitleText": "載入資料中", + "loadImagesTextText": "正在載入圖片...", + "loadImagesTitleText": "正在載入圖片", + "loadImageTextText": "正在載入圖片...", + "loadImageTitleText": "正在載入圖片", + "loadingDocumentTextText": "正在載入文件...", + "loadingDocumentTitleText": "載入文件中", + "mailMergeLoadFileText": "載入原始資料中...", + "mailMergeLoadFileTitle": "載入原始資料中", + "openTextText": "開啟文件中...", + "openTitleText": "開啟文件中", + "printTextText": "列印文件中...", + "printTitleText": "列印文件", + "savePreparingText": "準備儲存中", + "savePreparingTitle": "正在準備儲存。請耐心等候...", + "saveTextText": "儲存文件中...", + "saveTitleText": "儲存文件", + "sendMergeText": "發送合併中...", + "sendMergeTitle": "發送合併", + "textLoadingDocument": "載入文件中", + "txtEditingMode": "設定編輯模式...", + "uploadImageTextText": "正在上傳圖片...", + "uploadImageTitleText": "上傳圖片中", + "waitText": "請耐心等待..." + }, + "Main": { + "criticalErrorTitle": "錯誤", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
        請聯繫您的管理員。", + "errorOpensource": "在使用免費社群版本時,您只能瀏覽開啟的文件。欲使用移動版本的編輯功能,您需要付費的憑證。", + "errorProcessSaveResult": "儲存失敗", + "errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以套用更改。", + "errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "leavePageText": "您在此文件中有未儲存的變更。點擊“留在此頁面”以等待自動儲存。點擊“離開此頁面”以放棄所有未儲存的變更。", + "notcriticalErrorTitle": "警告", + "SDK": { + " -Section ": "-欄", + "above": "以上", + "below": "之下", + "Caption": "標題", + "Choose an item": "選擇一個項目", + "Click to load image": "點此讀取圖片", + "Current Document": "當前文件", + "Diagram Title": "圖表標題", + "endnote text": "尾註文", + "Enter a date": "輸入日期", + "Error! Bookmark not defined": "錯誤!書籤未定義。", + "Error! Main Document Only": "錯誤!僅限主文檔。", + "Error! No text of specified style in document": "錯誤!指定的風格文件中沒有文字。", + "Error! Not a valid bookmark self-reference": "錯誤!不是有效的書籤引用。", + "Even Page ": "雙數頁", + "First Page ": "第一頁", + "Footer": "頁尾", + "footnote text": "註腳文字", + "Header": "標頭", + "Heading 1": "標題 1", + "Heading 2": "標題 2", + "Heading 3": "標題 3", + "Heading 4": "標題 4", + "Heading 5": "標題 5", + "Heading 6": "標題 6", + "Heading 7": "標題 7", + "Heading 8": "標題 8", + "Heading 9": "標題 9", + "Hyperlink": "超連結", + "Index Too Large": "索引太大", + "Intense Quote": "強烈引用", + "Is Not In Table": "不在表格中", + "List Paragraph": "段落列表", + "Missing Argument": "無參數", + "Missing Operator": "缺少運算符", + "No Spacing": "沒有間距", + "No table of contents entries found": "該文件中沒有標題。將標題風格套用於內文,以便出現在目錄中。", + "No table of figures entries found": "沒有圖表目錄項目可用。", + "None": "無", + "Normal": "標準", + "Number Too Large To Format": "數字太大而無法格式化", + "Odd Page ": "奇數頁", + "Quote": "引用", + "Same as Previous": "與上一個相同", + "Series": "系列", + "Subtitle": "副標題", + "Syntax Error": "語法錯誤", + "Table Index Cannot be Zero": "表格之索引不能為零", + "Table of Contents": "目錄", + "table of figures": "圖表目錄", + "The Formula Not In Table": "函數不在表格中", + "Title": "標題", + "TOC Heading": "目錄標題", + "Type equation here": "在此輸入公式", + "Undefined Bookmark": "未定義的書籤", + "Unexpected End of Formula": "函數意外結束", + "X Axis": "X 軸 XAS", + "Y Axis": "Y軸", + "Your text here": "在這輸入文字", + "Zero Divide": "零分度" + }, + "textAnonymous": "匿名", + "textBuyNow": "瀏覽網站", + "textClose": "關閉", + "textContactUs": "聯絡銷售人員", + "textCustomLoader": "很抱歉,您無權變更載入程序。 聯繫我們的業務部門取得報價。", + "textGuest": "訪客", + "textHasMacros": "此檔案包含自動巨集程式。
        是否要運行這些巨集?", + "textNo": "沒有", + "textNoLicenseTitle": "已達到憑證的最高限制", + "textNoTextFound": "找不到文字", + "textPaidFeature": "付費功能", + "textRemember": "記住我的選擇", + "textReplaceSkipped": "替換已完成。 {0}已跳過。", + "textReplaceSuccess": "搜尋已完成。已替換次數:{0}", + "textYes": "是", + "titleLicenseExp": "憑證過期", + "titleServerVersion": "編輯器已更新", + "titleUpdateVersion": "版本已更改", + "warnLicenseExceeded": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。請聯繫您的管理員以了解更多資訊。", + "warnLicenseExp": "您的憑證已過期。請更新您的憑證,然後重新更新頁面。", + "warnLicenseLimitedNoAccess": "憑證已過期。您無法使用文件編輯功能。請聯絡您的帳號管理員", + "warnLicenseLimitedRenewed": "憑證需要續約。您目前只有文件編輯的部份功能。
        欲使用完整功能,請聯絡您的帳號管理員。", + "warnLicenseUsersExceeded": "您已達到%1個編輯器的用戶限制。請與您的管理員聯繫以了解更多信息。", + "warnNoLicense": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。有關個人升級條款,請聯繫 %1 業務團隊。", + "warnNoLicenseUsers": "您已達到%1個編輯器的用戶限制。與%1銷售團隊聯繫以了解個人升級條款。", + "warnProcessRightsChange": "您沒有編輯這個文件的權限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + }, + "Settings": { + "advDRMOptions": "受保護的檔案", + "advDRMPassword": "密碼", + "advTxtOptions": "選擇文字選項", + "closeButtonText": "關閉檔案", + "notcriticalErrorTitle": "警告", + "textAbout": "關於", + "textApplication": "應用程式", + "textApplicationSettings": "應用程式設定", + "textAuthor": "作者", + "textBack": "返回", + "textBottom": "底部", + "textCancel": "取消", + "textCaseSensitive": "區分大小寫", + "textCentimeter": "公分", + "textChooseEncoding": "選擇編碼方式", + "textChooseTxtOptions": "選擇文字選項", + "textCollaboration": "共同編輯", + "textColorSchemes": "色盤", + "textComment": "註解", + "textComments": "註解", + "textCommentsDisplay": "顯示回應", + "textCreated": "已建立", + "textCustomSize": "自訂大小", + "textDisableAll": "全部停用", + "textDisableAllMacrosWithNotification": "停用所有帶通知的巨集", + "textDisableAllMacrosWithoutNotification": "停用所有不帶通知的巨集", + "textDocumentInfo": "文件資訊", + "textDocumentSettings": "文件設定", + "textDocumentTitle": "文件標題", + "textDone": "完成", + "textDownload": "下載", + "textDownloadAs": "轉檔並下載", + "textDownloadRtf": "以這個格式來儲存此文件的話,部份的文字排版效果將會遺失。您確定要繼續嗎?", + "textDownloadTxt": "若使用此格式來儲存這份文件的話,除了純文字以外,其他的文件功能將會失效。您確定要繼續嗎?", + "textEnableAll": "全部啟用", + "textEnableAllMacrosWithoutNotification": "啟用所有不帶通知的巨集", + "textEncoding": "編碼方式", + "textFind": "尋找", + "textFindAndReplace": "尋找與取代", + "textFindAndReplaceAll": "尋找與全部取代", + "textFormat": "格式", + "textHelp": "輔助說明", + "textHiddenTableBorders": "隱藏表格邊框", + "textHighlightResults": "強調結果", + "textInch": "吋", + "textLandscape": "橫向方向", + "textLastModified": "上一次更改", + "textLastModifiedBy": "最後修改者", + "textLeft": "左", + "textLoading": "載入中...", + "textLocation": "位置", + "textMacrosSettings": "巨集設定", + "textMargins": "邊界", + "textMarginsH": "對於給定的頁面高度,上下邊距太高", + "textMarginsW": "給定頁面寬度,左右頁邊距太寬", + "textNo": "沒有", + "textNoCharacters": "非印刷字符", + "textNoTextFound": "找不到文字", + "textOk": "確定", + "textOpenFile": "輸入檔案密碼", + "textOrientation": "方向", + "textOwner": "擁有者", + "textPages": "頁", + "textPageSize": "頁面大小", + "textParagraphs": "段落", + "textPoint": "點", + "textPortrait": "直向方向", + "textPrint": "列印", + "textReaderMode": "閱讀模式", + "textReplace": "取代", + "textReplaceAll": "取代全部", + "textResolvedComments": "已解決的註解", + "textRight": "右", + "textSearch": "搜尋", + "textSettings": "設定", + "textShowNotification": "顯示通知", + "textSpaces": "空格", + "textSpellcheck": "拼字檢查", + "textStatistic": "統計", + "textSubject": "主旨", + "textSymbols": "符號", + "textTitle": "標題", + "textTop": "上方", + "textUnitOfMeasurement": "測量單位", + "textUploaded": "\n已上傳", + "textWords": "文字", + "textYes": "是", + "txtDownloadTxt": "下載 TXT", + "txtIncorrectPwd": "密碼錯誤", + "txtOk": "確定", + "txtProtected": "在您輸入密碼並且開啟文件後,目前使用的密碼會被重設。", + "txtScheme1": "辦公室", + "txtScheme10": "中位數", + "txtScheme11": " 地鐵", + "txtScheme12": "模組", + "txtScheme13": "豐富的", + "txtScheme14": "Oriel", + "txtScheme15": "來源", + "txtScheme16": "紙", + "txtScheme17": "冬至", + "txtScheme18": "技術", + "txtScheme19": "跋涉", + "txtScheme2": "灰階", + "txtScheme20": "市區", + "txtScheme21": "感染力", + "txtScheme22": "新的Office", + "txtScheme3": "頂尖", + "txtScheme4": "方面", + "txtScheme5": "Civic", + "txtScheme6": "大堂", + "txtScheme7": "產權", + "txtScheme8": "流程", + "txtScheme9": "鑄造廠", + "textFastWV": "Fast Web View", + "textFeedback": "Feedback & Support", + "textPdfTagged": "Tagged PDF", + "textPdfVer": "PDF Version", + "textNavigation": "Navigation", + "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", + "textBeginningDocument": "Beginning of document", + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" + }, + "Toolbar": { + "dlgLeaveMsgText": "您有未儲存的變更。點擊“留在此頁面”以等待自動儲存。點擊“離開此頁面”以放棄所有未儲存的變更。", + "dlgLeaveTitleText": "您離開應用程式", + "leaveButtonText": "離開這個頁面", + "stayButtonText": "保持此頁上" + } +} \ No newline at end of file diff --git a/apps/documenteditor/mobile/locale/zh.json b/apps/documenteditor/mobile/locale/zh.json index d104072cd..6b102658c 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -77,9 +77,9 @@ "textBack": "返回", "textBaseline": "基线", "textBold": "加粗", - "textBreakBefore": "分页前", + "textBreakBefore": "段前分页", "textCancel": "取消", - "textCaps": "全部大写", + "textCaps": "全部大写字母", "textCenter": "居中对齐", "textChart": "图表", "textCollaboration": "协作", @@ -117,7 +117,7 @@ "textMessageDeleteComment": "您确定要删除此批注吗?", "textMessageDeleteReply": "你确定要删除这一回复吗?", "textMultiple": "多个", - "textNoBreakBefore": "之前没有分页", + "textNoBreakBefore": "段前无分页", "textNoChanges": "未进行任何修改。", "textNoComments": "此文档不包含批注", "textNoContextual": "在相同样式的段落之间添加间隔", @@ -144,7 +144,7 @@ "textRight": "右对齐", "textShape": "形状", "textShd": "背景颜色", - "textSmallCaps": "小写", + "textSmallCaps": "小型大写字母", "textSpacing": "间距", "textSpacingAfter": "间隔", "textSpacingBefore": "之前的距离", @@ -211,7 +211,7 @@ "textAdvancedSettings": "高级设置", "textAfter": "之后", "textAlign": "对齐", - "textAllCaps": "全部大写", + "textAllCaps": "全部大写字母", "textAllowOverlap": "允许重叠", "textApril": "四月", "textAugust": "八月", @@ -280,7 +280,7 @@ "textMoveForward": "向前移动", "textMoveWithText": "文字移动", "textNone": "无", - "textNoStyles": "这个类型的图表没有对应的样式。", + "textNoStyles": "这个类型的流程图没有对应的样式。", "textNotUrl": "该字段应为“http://www.example.com”格式的URL", "textNovember": "十一月", "textNumbers": "数字", @@ -289,7 +289,7 @@ "textOpacity": "不透明度", "textOptions": "选项", "textOrphanControl": "单独控制", - "textPageBreakBefore": "分页前", + "textPageBreakBefore": "段前分页", "textPageNumbering": "页码编号", "textParagraph": "段", "textParagraphStyles": "段落样式", @@ -314,7 +314,7 @@ "textSettings": "设置", "textShape": "形状", "textSize": "大小", - "textSmallCaps": "小写", + "textSmallCaps": "小型大写字母", "textSpaceBetweenParagraphs": "段间距", "textSquare": "正方形", "textStartAt": "始于", @@ -328,9 +328,9 @@ "textTableOptions": "表格选项", "textText": "文本", "textTh": "周四", - "textThrough": "通过", + "textThrough": "穿越型环绕", "textTight": "紧", - "textTopAndBottom": "上下", + "textTopAndBottom": "上下型环绕", "textTotalRow": "总行", "textTu": "周二", "textType": "类型", @@ -397,7 +397,9 @@ "unknownErrorText": "未知错误。", "uploadImageExtMessage": "未知图像格式。", "uploadImageFileCountMessage": "没有图片上传", - "uploadImageSizeMessage": "图片太大了。最大允许的大小是 25 MB." + "uploadImageSizeMessage": "图片太大了。最大允许的大小是 25 MB.", + "errorEmptyTOC": "Start creating a table of contents by applying a heading style from the Styles gallery to the selected text.", + "errorNoTOC": "There's no table of contents to update. You can insert one from the References tab." }, "LongActions": { "applyChangesTextText": "数据加载中…", @@ -483,7 +485,7 @@ "No table of contents entries found": "未找到目录条目。", "No table of figures entries found": "未找到图片或表格的元素。", "None": "无", - "Normal": "正常", + "Normal": "常规", "Number Too Large To Format": "数字太大,无法设定格式", "Odd Page ": "奇数页", "Quote": "引用", @@ -530,7 +532,8 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", - "warnProcessRightsChange": "你没有编辑这个文件的权限。" + "warnProcessRightsChange": "你没有编辑这个文件的权限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" }, "Settings": { "advDRMOptions": "受保护的文件", @@ -570,6 +573,7 @@ "textEnableAll": "启动所有项目", "textEnableAllMacrosWithoutNotification": "启动所有不带通知的宏", "textEncoding": "编码", + "textFastWV": "快速Web视图", "textFind": "查找", "textFindAndReplace": "查找和替换", "textFindAndReplaceAll": "查找并替换所有", @@ -588,6 +592,7 @@ "textMargins": "边距", "textMarginsH": "顶部和底部边距对于给定的页面高度来说太高", "textMarginsW": "对给定的页面宽度来说,左右边距过高。", + "textNo": "否", "textNoCharacters": "非打印字符", "textNoTextFound": "文本没找到", "textOk": "好", @@ -595,7 +600,10 @@ "textOrientation": "方向", "textOwner": "创建者", "textPages": "页面", + "textPageSize": "页面大小", "textParagraphs": "段落", + "textPdfTagged": "已标记为PDF", + "textPdfVer": "PDF版", "textPoint": "点", "textPortrait": "纵向", "textPrint": "打印", @@ -617,6 +625,7 @@ "textUnitOfMeasurement": "计量单位", "textUploaded": "已上传", "textWords": "字幕", + "textYes": "是", "txtDownloadTxt": "下载 TXT", "txtIncorrectPwd": "密码有误", "txtOk": "好", @@ -647,7 +656,8 @@ "textNavigation": "Navigation", "textEmptyScreens": "There are no headings in the document. Apply a headings style to the text so that it appeas in the table of cotents.", "textBeginningDocument": "Beginning of document", - "textEmptyHeading": "Empty Heading" + "textEmptyHeading": "Empty Heading", + "textPdfProducer": "PDF Producer" }, "Toolbar": { "dlgLeaveMsgText": "你有未保存的修改。点击“留在该页”可等待自动保存完成。点击“离开该页”将丢弃全部未经保存的修改。", diff --git a/apps/documenteditor/mobile/src/app.js b/apps/documenteditor/mobile/src/app.js index cc9445153..15f74d1bb 100644 --- a/apps/documenteditor/mobile/src/app.js +++ b/apps/documenteditor/mobile/src/app.js @@ -15,19 +15,27 @@ window.jQuery = jQuery; window.$ = jQuery; // Import Framework7 Styles -import 'framework7/framework7-bundle.css'; + +const htmlElem = document.querySelector('html'); +const direction = LocalStorage.getItem('mode-direction'); + +direction === 'rtl' ? htmlElem.setAttribute('dir', 'rtl') : htmlElem.setAttribute('dir', 'ltr'); + +import(`framework7/framework7-bundle${direction === 'rtl' ? '-rtl' : ''}.css`); // Import Icons and App Custom Styles // import '../css/icons.css'; -import './less/app.less'; +import('./less/app.less'); // Import App Component + import App from './view/app'; import { I18nextProvider } from 'react-i18next'; import i18n from './lib/i18n'; import { Provider } from 'mobx-react' import { stores } from './store/mainStore' +import { LocalStorage } from '../../../common/mobile/utils/LocalStorage'; // Init F7 React Plugin Framework7.use(Framework7React) diff --git a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx index 3da5ad07d..e92ef2281 100644 --- a/apps/documenteditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/documenteditor/mobile/src/controller/ContextMenu.jsx @@ -134,11 +134,9 @@ class ContextMenu extends ContextMenuController { const api = Common.EditorApi.get(); let props = api.asc_GetTableOfContentsPr(currentTOC); - if (props) { - if (currentTOC && props) - currentTOC = props.get_InternalClass(); - api.asc_UpdateTableOfContents(type == 'pages', currentTOC); - } + if (currentTOC && props) + currentTOC = props.get_InternalClass(); + api.asc_UpdateTableOfContents(type == 'pages', currentTOC); }; showCopyCutPasteModal() { @@ -292,7 +290,7 @@ class ContextMenu extends ContextMenuController { }); } - if ( canFillForms && dataDoc.fileType !== 'oform' && !locked ) { + if ( canFillForms && canCopy && !locked ) { itemsIcon.push({ event: 'paste', icon: 'icon-paste' diff --git a/apps/documenteditor/mobile/src/controller/Error.jsx b/apps/documenteditor/mobile/src/controller/Error.jsx index 4373e04d0..7596024da 100644 --- a/apps/documenteditor/mobile/src/controller/Error.jsx +++ b/apps/documenteditor/mobile/src/controller/Error.jsx @@ -181,6 +181,14 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu config.msg = _t.errorLoadingFont; break; + case Asc.c_oAscError.ID.ComplexFieldEmptyTOC: + config.msg = _t.errorEmptyTOC; + break; + + case Asc.c_oAscError.ID.ComplexFieldNoTOC: + config.msg = _t.errorNoTOC; + break; + default: config.msg = _t.errorDefaultMessage.replace('%1', id); break; diff --git a/apps/documenteditor/mobile/src/controller/Main.jsx b/apps/documenteditor/mobile/src/controller/Main.jsx index c9ba77dfe..d7408414a 100644 --- a/apps/documenteditor/mobile/src/controller/Main.jsx +++ b/apps/documenteditor/mobile/src/controller/Main.jsx @@ -49,6 +49,7 @@ class MainController extends Component { }; this.defaultTitleText = __APP_TITLE_TEXT__; + this.stackMacrosRequests = []; const { t } = this.props; this._t = t('Main', {returnObjects:true}); @@ -80,8 +81,8 @@ class MainController extends Component { }; const loadConfig = data => { - const _t = this._t; - + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); EditorUIController.isSupportEditFeature(); this.editorConfig = Object.assign({}, this.editorConfig, data.config); @@ -99,6 +100,9 @@ class MainController extends Component { } this.props.storeApplicationSettings.changeMacrosSettings(value); + value = localStorage.getItem("de-mobile-allow-macros-request"); + this.props.storeApplicationSettings.changeMacrosRequest((value !== null) ? parseInt(value) : 0); + Common.Notifications.trigger('configOptionsFill'); }; @@ -111,7 +115,7 @@ class MainController extends Component { if (data.doc) { this.permissions = Object.assign(this.permissions, data.doc.permissions); - const _permissions = Object.assign({}, data.doc.permissions); + const _options = Object.assign({}, data.doc.options, this.editorConfig.actionLink || {}); const _userOptions = this.props.storeAppOptions.user; const _user = new Asc.asc_CUserInfo(); _user.put_Id(_userOptions.id); @@ -124,21 +128,27 @@ class MainController extends Component { docInfo.put_Title(data.doc.title); docInfo.put_Format(data.doc.fileType); docInfo.put_VKey(data.doc.vkey); - docInfo.put_Options(data.doc.options); + docInfo.put_Options(_options); docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(this.editorConfig.callbackUrl); docInfo.put_Token(data.doc.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(data.doc.permissions); docInfo.put_EncryptedInfo(this.editorConfig.encryptionKeys); docInfo.put_Lang(this.editorConfig.lang); docInfo.put_Mode(this.editorConfig.mode); - + + let type = /^(?:(pdf|djvu|xps|oxps))$/.exec(data.doc.fileType); + let coEditMode = (type && typeof type[1] === 'string') ? 'strict' : // offline viewer for pdf|djvu|xps|oxps + !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object') ? 'fast' : // fast by default + this.editorConfig.mode === 'view' && this.editorConfig.coEditing.change!==false ? 'fast' : // if can change mode in viewer - set fast for using live viewer + this.editorConfig.coEditing.mode || 'fast'; + docInfo.put_CoEditingMode(coEditMode); + let enable = !this.editorConfig.customization || (this.editorConfig.customization.macros !== false); docInfo.asc_putIsEnabledMacroses(!!enable); enable = !this.editorConfig.customization || (this.editorConfig.customization.plugins !== false); docInfo.asc_putIsEnabledPlugins(!!enable); - let type = /^(?:(pdf|djvu|xps|oxps))$/.exec(data.doc.fileType); if (type && typeof type[1] === 'string') { this.permissions.edit = this.permissions.review = false; } @@ -153,6 +163,7 @@ class MainController extends Component { this.api.asc_registerCallback('asc_onGetEditorPermissions', onEditorPermissions); this.api.asc_registerCallback('asc_onDocumentContentReady', onDocumentContentReady); this.api.asc_registerCallback('asc_onLicenseChanged', this.onLicenseChanged.bind(this)); + this.api.asc_registerCallback('asc_onMacrosPermissionRequest', this.onMacrosPermissionRequest.bind(this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', this.onRunAutostartMacroses.bind(this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); @@ -177,13 +188,15 @@ class MainController extends Component { const onEditorPermissions = params => { const licType = params.asc_getLicenseType(); + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); // check licType if (Asc.c_oLicenseResult.Expired === licType || Asc.c_oLicenseResult.Error === licType || Asc.c_oLicenseResult.ExpiredTrial === licType) { f7.dialog.create({ - title : this._t.titleLicenseExp, - text : this._t.warnLicenseExp + title : _t.titleLicenseExp, + text : _t.warnLicenseExp }).open(); return; } @@ -283,10 +296,18 @@ class MainController extends Component { .then ( result => { window["flat_desine"] = true; const {t} = this.props; + let _translate = t('Main.SDK', {returnObjects:true}); + for (let item in _translate) { + if (_translate.hasOwnProperty(item)) { + const str = _translate[item]; + if (item[item.length-1]===' ' && str[str.length-1]!==' ') + _translate[item] += ' '; + } + } this.api = new Asc.asc_docs_api({ 'id-view' : 'editor_sdk', 'mobile' : true, - 'translate': t('Main.SDK', {returnObjects:true}) + 'translate': _translate }); Common.Notifications.trigger('engineCreated', this.api); @@ -395,7 +416,9 @@ class MainController extends Component { this.api.asc_continueSaving(); }, 500); - return this._t.leavePageText; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); + return _t.leavePageText; } } @@ -412,6 +435,10 @@ class MainController extends Component { (licType === Asc.c_oLicenseResult.Connections || licType === Asc.c_oLicenseResult.UsersCount || licType === Asc.c_oLicenseResult.ConnectionsOS || licType === Asc.c_oLicenseResult.UsersCountOS || licType === Asc.c_oLicenseResult.SuccessLimit && (appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; + + if (licType !== undefined && appOptions.canLiveView && (licType===Asc.c_oLicenseResult.ConnectionsLive || licType===Asc.c_oLicenseResult.ConnectionsLiveOS)) + this._state.licenseType = licType; + if (this._isDocReady && this._state.licenseType) this.applyLicense(); } @@ -443,7 +470,13 @@ class MainController extends Component { return; } - if (this._state.licenseType) { + if (appOptions.config.mode === 'view') { + if (appOptions.canLiveView && (this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLive || this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLiveOS)) { + appOptions.canLiveView = false; + this.api.asc_SetFastCollaborative(false); + } + Common.Notifications.trigger('toolbar:activatecontrols'); + } else if (this._state.licenseType) { let license = this._state.licenseType; let buttons = [{text: 'OK'}]; if ((appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0 && @@ -512,7 +545,8 @@ class MainController extends Component { onServerVersion (buildVersion) { if (this.changeServerVersion) return true; - const _t = this._t; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); if (About.appVersion() !== buildVersion && !About.compareVersions()) { this.changeServerVersion = true; @@ -609,6 +643,7 @@ class MainController extends Component { default: storeTextSettings.resetBullets(-1); storeTextSettings.resetNumbers(-1); + storeTextSettings.resetMultiLevel(-1); } }); this.api.asc_registerCallback('asc_onPrAlign', (align) => { @@ -650,7 +685,9 @@ class MainController extends Component { const storeDocumentInfo = this.props.storeDocumentInfo; this.api.asc_registerCallback("asc_onGetDocInfoStart", () => { - storeDocumentInfo.switchIsLoaded(false); + this.timerLoading = setTimeout(() => { + storeDocumentInfo.switchIsLoaded(false); + }, 2000); }); this.api.asc_registerCallback("asc_onGetDocInfoStop", () => { @@ -658,11 +695,21 @@ class MainController extends Component { }); this.api.asc_registerCallback("asc_onDocInfo", (obj) => { - storeDocumentInfo.changeCount(obj); + clearTimeout(this.timerLoading); + + this.objectInfo = obj; + if(!this.timerDocInfo) { + this.timerDocInfo = setInterval(() => { + storeDocumentInfo.changeCount(this.objectInfo); + }, 300); + storeDocumentInfo.changeCount(this.objectInfo); + } }); this.api.asc_registerCallback('asc_onGetDocInfoEnd', () => { - storeDocumentInfo.switchIsLoaded(true); + clearTimeout(this.timerLoading); + clearInterval(this.timerDocInfo); + storeDocumentInfo.changeCount(this.objectInfo); }); // Color Schemes @@ -770,7 +817,9 @@ class MainController extends Component { this.api.asc_OnSaveEnd(data.result); if (data && data.result === false) { - const _t = this._t; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); + f7.dialog.alert( (!data.message) ? _t.errorProcessSaveResult : data.message, _t.criticalErrorTitle @@ -787,7 +836,9 @@ class MainController extends Component { Common.Notifications.trigger('api:disconnect'); if (!old_rights) { - const _t = this._t; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); + f7.dialog.alert( (!data.message) ? _t.warnProcessRightsChange : data.message, _t.notcriticalErrorTitle, @@ -800,7 +851,9 @@ class MainController extends Component { onDownloadAs () { const appOptions = this.props.storeAppOptions; if ( !appOptions.canDownload && !appOptions.canDownloadOrigin) { - Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this._t.errorAccessDeny); + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, _t.errorAccessDeny); return; } @@ -827,7 +880,8 @@ class MainController extends Component { } onUpdateVersion (callback) { - const _t = this._t; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); this.needToUpdateVersion = true; Common.Notifications.trigger('preloader:endAction', Asc.c_oAscAsyncActionType['BlockInteraction'], this.LoadingDocument); @@ -919,7 +973,8 @@ class MainController extends Component { if (value === 1) { this.api.asc_runAutostartMacroses(); } else if (value === 0) { - const _t = this._t; + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); f7.dialog.create({ title: _t.notcriticalErrorTitle, text: _t.textHasMacros, @@ -957,6 +1012,70 @@ class MainController extends Component { } } + onMacrosPermissionRequest (url, callback) { + if (url && callback) { + this.stackMacrosRequests.push({url: url, callback: callback}); + if (this.stackMacrosRequests.length>1) { + return; + } + } else if (this.stackMacrosRequests.length>0) { + url = this.stackMacrosRequests[0].url; + callback = this.stackMacrosRequests[0].callback; + } else + return; + + const value = this.props.storeApplicationSettings.macrosRequest; + if (value>0) { + callback && callback(value === 1); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + } else { + const { t } = this.props; + const _t = t('Main', {returnObjects:true}); + f7.dialog.create({ + title: _t.notcriticalErrorTitle, + text: _t.textRequestMacros.replace('%1', url), + cssClass: 'dlg-macros-request', + content: `
        + + ${_t.textRemember} +
        `, + buttons: [{ + text: _t.textYes, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(1); + LocalStorage.setItem("de-mobile-allow-macros-request", 1); + } + setTimeout(() => { + if (callback) callback(true); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + }}, + { + text: _t.textNo, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(2); + LocalStorage.setItem("de-mobile-allow-macros-request", 2); + } + setTimeout(() => { + if (callback) callback(false); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + } + }] + }).open(); + } + } + render() { return ( diff --git a/apps/documenteditor/mobile/src/controller/Search.jsx b/apps/documenteditor/mobile/src/controller/Search.jsx index b51fadee1..4e95b4684 100644 --- a/apps/documenteditor/mobile/src/controller/Search.jsx +++ b/apps/documenteditor/mobile/src/controller/Search.jsx @@ -80,9 +80,9 @@ class DESearchView extends SearchView { } onSearchbarShow(isshowed, bar) { - super.onSearchbarShow(isshowed, bar); - + // super.onSearchbarShow(isshowed, bar); const api = Common.EditorApi.get(); + if ( isshowed && this.state.searchQuery.length ) { const checkboxMarkResults = f7.toggle.get('.toggle-mark-results'); api.asc_selectSearchingResults(checkboxMarkResults.checked); diff --git a/apps/documenteditor/mobile/src/controller/add/AddTable.jsx b/apps/documenteditor/mobile/src/controller/add/AddTable.jsx index b0ff95107..0322e015e 100644 --- a/apps/documenteditor/mobile/src/controller/add/AddTable.jsx +++ b/apps/documenteditor/mobile/src/controller/add/AddTable.jsx @@ -9,9 +9,6 @@ class AddTableController extends Component { constructor (props) { super(props); this.onStyleClick = this.onStyleClick.bind(this); - - const api = Common.EditorApi.get(); - api.asc_GetDefaultTableStyles(); } closeModal () { diff --git a/apps/documenteditor/mobile/src/controller/edit/EditParagraph.jsx b/apps/documenteditor/mobile/src/controller/edit/EditParagraph.jsx index 1bb1e8019..a772d7fc9 100644 --- a/apps/documenteditor/mobile/src/controller/edit/EditParagraph.jsx +++ b/apps/documenteditor/mobile/src/controller/edit/EditParagraph.jsx @@ -6,15 +6,36 @@ class EditParagraphController extends Component { constructor (props) { super(props); props.storeParagraphSettings.setBackColor(undefined); + + this.onStyleClick = this.onStyleClick.bind(this); + this.onSaveStyle = this.onSaveStyle.bind(this); + this.onStyleMenuDelete = this.onStyleMenuDelete.bind(this); } onStyleClick (name) { const api = Common.EditorApi.get(); if (api) { api.put_Style(name); + this.props.storeParagraphSettings.changeParaStyleName(name); } } + onSaveStyle(title, nextParagraphStyle) { + const api = Common.EditorApi.get(); + const style = api.asc_GetStyleFromFormatting(); + + style.put_Name(title); + style.put_Next(nextParagraphStyle ? nextParagraphStyle : null); + + api.asc_AddNewStyle(style); + this.props.storeParagraphSettings.changeParaStyleName(title); + } + + onStyleMenuDelete(styleName) { + const api = Common.EditorApi.get(); + api.asc_RemoveStyle(styleName); + } + onDistanceBefore (distance, isDecrement) { const api = Common.EditorApi.get(); if (api) { @@ -154,6 +175,8 @@ class EditParagraphController extends Component { onKeepTogether={this.onKeepTogether} onKeepNext={this.onKeepNext} onBackgroundColor={this.onBackgroundColor} + onSaveStyle={this.onSaveStyle} + onStyleMenuDelete={this.onStyleMenuDelete} /> ) } diff --git a/apps/documenteditor/mobile/src/controller/edit/EditTableContents.jsx b/apps/documenteditor/mobile/src/controller/edit/EditTableContents.jsx index 584a5c196..3045c2871 100644 --- a/apps/documenteditor/mobile/src/controller/edit/EditTableContents.jsx +++ b/apps/documenteditor/mobile/src/controller/edit/EditTableContents.jsx @@ -238,11 +238,9 @@ class EditTableContentsController extends Component { const api = Common.EditorApi.get(); let props = api.asc_GetTableOfContentsPr(currentTOC); - if (props) { - if (currentTOC && props) - currentTOC = props.get_InternalClass(); - api.asc_UpdateTableOfContents(type == 'pages', currentTOC); - } + if (currentTOC && props) + currentTOC = props.get_InternalClass(); + api.asc_UpdateTableOfContents(type == 'pages', currentTOC); }; onRemoveTableContents(currentTOC) { diff --git a/apps/documenteditor/mobile/src/controller/edit/EditText.jsx b/apps/documenteditor/mobile/src/controller/edit/EditText.jsx index 4b8e57998..ea74e99dd 100644 --- a/apps/documenteditor/mobile/src/controller/edit/EditText.jsx +++ b/apps/documenteditor/mobile/src/controller/edit/EditText.jsx @@ -193,6 +193,14 @@ class EditTextController extends Component { if (api) api.put_ListType(2, parseInt(type)); } + getIconsBulletsAndNumbers(arrayElements, type) { + const api = Common.EditorApi.get(); + const arr = []; + + arrayElements.forEach( item => arr.push(item.id)); + if (api) api.SetDrawImagePreviewBulletForMenu(arr, type); + } + onLineSpacing(value) { const api = Common.EditorApi.get(); if (api) { @@ -221,6 +229,7 @@ class EditTextController extends Component { onParagraphMove={this.onParagraphMove} onBullet={this.onBullet} onNumber={this.onNumber} + getIconsBulletsAndNumbers={this.getIconsBulletsAndNumbers} onMultiLevelList={this.onMultiLevelList} onLineSpacing={this.onLineSpacing} /> diff --git a/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx b/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx index 98f516d09..a57ec57e1 100644 --- a/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx +++ b/apps/documenteditor/mobile/src/controller/settings/ApplicationSettings.jsx @@ -63,6 +63,10 @@ class ApplicationSettingsController extends Component { LocalStorage.setItem("de-mobile-macros-mode", value); } + changeDirection(value) { + LocalStorage.setItem('mode-direction', value); + } + render() { return ( ) } diff --git a/apps/documenteditor/mobile/src/controller/settings/DocumentInfo.jsx b/apps/documenteditor/mobile/src/controller/settings/DocumentInfo.jsx index e97a7016a..6f859d051 100644 --- a/apps/documenteditor/mobile/src/controller/settings/DocumentInfo.jsx +++ b/apps/documenteditor/mobile/src/controller/settings/DocumentInfo.jsx @@ -1,20 +1,103 @@ import React, { Component } from "react"; import { observer, inject } from "mobx-react"; import DocumentInfo from "../../view/settings/DocumentInfo"; +import { withTranslation } from 'react-i18next'; class DocumentInfoController extends Component { constructor(props) { super(props); this.docProps = this.getDocProps(); + this.pdfProps = this.getPdfProps(); + this.docInfoObject = {}; + + this.getAppProps = this.getAppProps.bind(this); if(this.docProps) { - this.modified = this.getModified(); - this.modifiedBy = this.getModifiedBy(); - this.creators = this.getCreators(); - this.title = this.getTitle(); - this.subject = this.getSubject(); - this.description = this.getDescription(); - this.created = this.getCreated(); + this.updateFileInfo(this.docProps); + } else if (this.pdfProps) { + this.updatePdfInfo(this.pdfProps); + } + } + + updateFileInfo(props) { + let value; + + if(props) { + value = props.asc_getCreated(); + if(value) this.docInfoObject.dateCreated = this.getModified(value); + + value = props.asc_getModified(); + if(value) this.docInfoObject.modifyDate = this.getModified(value); + + value = props.asc_getLastModifiedBy(); + if(value) this.docInfoObject.modifyBy = AscCommon.UserInfoParser.getParsedName(value); + + this.docInfoObject.title = props.asc_getTitle() || ''; + this.docInfoObject.subject = props.asc_getSubject() || ''; + this.docInfoObject.description = props.asc_getDescription() || ''; + + value = props.asc_getCreator(); + if(value) this.docInfoObject.creators = value; + } + } + + updatePdfInfo(props) { + const { t } = this.props; + const _t = t("Settings", { returnObjects: true }); + let value; + + if(props) { + value = props.CreationDate; + if (value) + this.docInfoObject.dateCreated = this.getModified(new Date(value)); + + value = props.ModDate; + if (value) + this.docInfoObject.modifyDate = this.getModified(new Date(value)); + + if(props.PageWidth && props.PageHeight && (typeof props.PageWidth === 'number') && (typeof props.PageHeight === 'number')) { + let width = props.PageWidth, + heigth = props.PageHeight; + switch(Common.Utils.Metric.getCurrentMetric()) { + case Common.Utils.Metric.c_MetricUnits.cm: + width = parseFloat((width* 25.4 / 72000.).toFixed(2)); + heigth = parseFloat((heigth* 25.4 / 72000.).toFixed(2)); + break; + case Common.Utils.Metric.c_MetricUnits.pt: + width = parseFloat((width/100.).toFixed(2)); + heigth = parseFloat((heigth/100.).toFixed(2)); + break; + case Common.Utils.Metric.c_MetricUnits.inch: + width = parseFloat((width/7200.).toFixed(2)); + heigth = parseFloat((heigth/7200.).toFixed(2)); + break; + } + + this.docInfoObject.pageSize = (width + ' ' + Common.Utils.Metric.getCurrentMetricName() + ' x ' + heigth + ' ' + Common.Utils.Metric.getCurrentMetricName()); + } else this.docInfoObject.pageSize = null; + + value = props.Title; + if(value) this.docInfoObject.title = value; + + value = props.Subject; + if(value) this.docInfoObject.subject = value; + + value = props.Author; + if(value) this.docInfoObject.author = value; + + value = props.Version; + if(value) this.docInfoObject.version = value; + + value = props.Producer; + if(value) this.docInfoObject.producer = value; + + value = props.Tagged; + if (value !== undefined) + this.docInfoObject.tagged = (value===true ? _t.textYes : _t.textNo); + + value = props.FastWebView; + if (value !== undefined) + this.docInfoObject.fastWebView = (value===true ? _t.textYes : _t.textNo); } } @@ -23,21 +106,29 @@ class DocumentInfoController extends Component { return api.asc_getCoreProps(); } + getPdfProps() { + const api = Common.EditorApi.get(); + return api.asc_getPdfProps(); + } + getAppProps() { const api = Common.EditorApi.get(); const appProps = api.asc_getAppProps(); + let appName; if (appProps) { - let appName = - (appProps.asc_getApplication() || "") + - (appProps.asc_getAppVersion() ? " " : "") + - (appProps.asc_getAppVersion() || ""); + appName = appProps.asc_getApplication(); + if ( appName && appProps.asc_getAppVersion() ) + appName += ` ${appProps.asc_getAppVersion()}`; + + return appName || ''; + } else if (this.pdfProps) { + appName = this.pdfProps ? this.pdfProps.Creator || '' : ''; return appName; } } - getModified() { - let valueModified = this.docProps.asc_getModified(); + getModified(valueModified) { const _lang = this.props.storeAppOptions.lang; if (valueModified) { @@ -53,39 +144,6 @@ class DocumentInfoController extends Component { } } - getModifiedBy() { - let valueModifiedBy = this.docProps.asc_getLastModifiedBy(); - - if (valueModifiedBy) { - return AscCommon.UserInfoParser.getParsedName(valueModifiedBy); - } - } - - getCreators() { - return this.docProps.asc_getCreator(); - } - - getTitle() { - return this.docProps.asc_getTitle(); - } - - getSubject() { - return this.docProps.asc_getSubject(); - } - - getDescription() { - return this.docProps.asc_getDescription(); - } - - getCreated() { - let value = this.docProps.asc_getCreated(); - const _lang = this.props.storeAppOptions.lang; - - if(value) { - return value.toLocaleString(_lang, {year: 'numeric', month: '2-digit', day: '2-digit'}) + ' ' + value.toLocaleTimeString(_lang, {timeStyle: 'short'}); - } - } - componentDidMount() { const api = Common.EditorApi.get(); api.startGetDocInfo(); @@ -95,17 +153,11 @@ class DocumentInfoController extends Component { return ( ); } } -export default inject("storeAppOptions")(observer(DocumentInfoController)); \ No newline at end of file +export default inject("storeAppOptions")(observer(withTranslation()(DocumentInfoController))); diff --git a/apps/documenteditor/mobile/src/controller/settings/DocumentSettings.jsx b/apps/documenteditor/mobile/src/controller/settings/DocumentSettings.jsx index 2769368ce..a33612117 100644 --- a/apps/documenteditor/mobile/src/controller/settings/DocumentSettings.jsx +++ b/apps/documenteditor/mobile/src/controller/settings/DocumentSettings.jsx @@ -11,6 +11,7 @@ class DocumentSettingsController extends Component { this.getMargins = this.getMargins.bind(this); this.applyMargins = this.applyMargins.bind(this); this.onFormatChange = this.onFormatChange.bind(this); + this.onColorSchemeChange = this.onColorSchemeChange.bind(this); } onPageOrientation (value){ @@ -107,6 +108,7 @@ class DocumentSettingsController extends Component { onColorSchemeChange(newScheme) { const api = Common.EditorApi.get(); api.asc_ChangeColorSchemeByIdx(+newScheme); + this.props.storeTableSettings.setStyles([], 'default'); } render () { @@ -122,4 +124,4 @@ class DocumentSettingsController extends Component { } } -export default inject("storeDocumentSettings")(observer(withTranslation()(DocumentSettingsController))); \ No newline at end of file +export default inject("storeDocumentSettings", 'storeTableSettings')(observer(withTranslation()(DocumentSettingsController))); \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/controller/settings/Settings.jsx b/apps/documenteditor/mobile/src/controller/settings/Settings.jsx index 20d3c4002..c4ac25db7 100644 --- a/apps/documenteditor/mobile/src/controller/settings/Settings.jsx +++ b/apps/documenteditor/mobile/src/controller/settings/Settings.jsx @@ -41,9 +41,11 @@ const Settings = props => { }; const onPrint = () => { + const api = Common.EditorApi.get(); + closeModal(); setTimeout(() => { - Common.EditorApi.get().asc_Print(); + api.asc_Print(); }, 400); }; diff --git a/apps/documenteditor/mobile/src/index_dev.html b/apps/documenteditor/mobile/src/index_dev.html index d8d978670..939932bab 100644 --- a/apps/documenteditor/mobile/src/index_dev.html +++ b/apps/documenteditor/mobile/src/index_dev.html @@ -2,15 +2,7 @@ - - + @@ -28,7 +20,6 @@ <% } else { %> <% } %> - diff --git a/apps/documenteditor/mobile/src/less/app-ios.less b/apps/documenteditor/mobile/src/less/app-ios.less index 0682ba596..edff70bc3 100644 --- a/apps/documenteditor/mobile/src/less/app-ios.less +++ b/apps/documenteditor/mobile/src/less/app-ios.less @@ -1,9 +1,4 @@ .ios { - .view { - .bullets-numbers{ - background: @brand-text-on-brand; - } - } // Stepper .content-block.stepper-block { @@ -60,27 +55,3 @@ } } -// Color Schemes - -.color-schemes-menu { - cursor: pointer; - display: block; - // background-color: #fff; - .item-inner { - justify-content: flex-start; - } - .color-schema-block { - display: flex; - } - .color { - min-width: 26px; - min-height: 26px; - margin: 0 2px 0 0; - box-shadow: 0 0 0 1px rgba(0,0,0,.15) inset; - } - .item-title { - margin-left: 20px; - // color: #212121; - } -} - diff --git a/apps/documenteditor/mobile/src/less/app-material.less b/apps/documenteditor/mobile/src/less/app-material.less index f40579d15..635b8d8e4 100644 --- a/apps/documenteditor/mobile/src/less/app-material.less +++ b/apps/documenteditor/mobile/src/less/app-material.less @@ -105,28 +105,4 @@ } } } -} - -// Color Schemes - -.color-schemes-menu { - cursor: pointer; - display: block; - // background-color: #fff; - .item-inner { - justify-content: flex-start; - } - .color-schema-block { - display: flex; - } - .color { - min-width: 26px; - min-height: 26px; - margin: 0 2px 0 0; - box-shadow: 0 0 0 1px rgba(0,0,0,.15) inset; - } - .item-title { - margin-left: 20px; - // color: #212121; - } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/less/app.less b/apps/documenteditor/mobile/src/less/app.less index 458d0f844..8f9fb566d 100644 --- a/apps/documenteditor/mobile/src/less/app.less +++ b/apps/documenteditor/mobile/src/less/app.less @@ -1,9 +1,8 @@ - @import '../../../../../vendor/framework7-react/node_modules/framework7/less/mixins.less'; - @import '../../../../common/mobile/resources/less/_mixins.less'; @import '../../../../common/mobile/resources/less/colors-table.less'; @import '../../../../common/mobile/resources/less/colors-table-dark.less'; +@import './app.rtl.less'; @brandColor: var(--brand-word); @@ -11,6 +10,9 @@ --toolbar-background: var(--background-primary, #FFF); --toolbar-segment: var(--brand-word, #446995); --toolbar-icons: var(--brand-word, #446995); + --f7-toolbar-border-color: var(--background-menu-divider); + --f7-bars-border-color: var(--background-menu-divider); + --f7-calendar-row-border-color: var(--background-menu-divider); } .device-android { @@ -135,14 +137,14 @@ .swiper-pagination-bullet-active{ background: @black; } - .multilevels { - li:not(:first-child){ - border:none; - .item-content { - min-height: 70px; - } - } - } + // .multilevels { + // li:not(:first-child){ + // border:none; + // .item-content { + // min-height: 70px; + // } + // } + // } } // Skeleton table @@ -150,7 +152,7 @@ .table-styles .row div:not(:first-child) { margin: 2px auto 0px; } -.table-styles li, .table-styles .row div { +.table-styles .skeleton-list li, .table-styles .row div { padding: 0; } .table-styles .row .skeleton-list{ @@ -236,8 +238,89 @@ } } -.calendar-sheet{ - .calendar-day-weekend { - color: #D25252; +// Calendar + +.calendar { + background-color: @background-secondary; + .toolbar { + background-color: @background-secondary; + i.icon.icon-next, i.icon.icon-prev { + background-color: @text-normal; + } + &:after { + background-color: @background-menu-divider; + } + } + .calendar-row { + padding: 0 16px; + &:before { + display: none; + } + } + .current-year-value, .current-month-value { + color: @text-normal; + font-size: 16px; + } + .calendar-day-selected .calendar-day-number { + border: 1px solid transparent; + background-color: @brandColor; + color: @fill-white; + } + .calendar-day-today .calendar-day-number { + border: 1px solid @brandColor; + background-color: transparent; + } + .calendar-day-weekend .calendar-day-number { + color: #D25252; + } + .calendar-day-number { + color: @text-normal; + font-size: 14px; + font-weight: 500; + width: 47px; + height: 32px; + border-radius: 16px; + } + .calendar-week-header { + margin: 25px 16px 10px 16px; + background-color: @background-secondary; + color: @text-normal; + border-bottom: 1px solid @background-menu-divider; + padding-bottom: 5px; + height: auto; + .calendar-week-day { + color: @text-normal; + font-size: 12px; + } + } + .calendar-months { + margin-bottom: 12px; + } + .calendar-month-picker-item, .calendar-year-picker-item { + color: @text-normal; + &:before, &:after { + background-color: @background-menu-divider; + } + } + .calendar-month-picker, .calendar-year-picker { + background: @background-secondary; + } + .calendar-month-picker-item-current, .calendar-year-picker-item-current { + color: @brandColor; + } +} + +.calendar-sheet { + .calendar-month-picker, .calendar-year-picker { + border-top: 1px solid var(--background-menu-divider); + } +} + +.create-style-link { + .item-link .item-inner:before { + display: none; + } + .item-title { + color: @brandColor; } } diff --git a/apps/documenteditor/mobile/src/less/app.rtl.less b/apps/documenteditor/mobile/src/less/app.rtl.less new file mode 100644 index 000000000..5103b8a76 --- /dev/null +++ b/apps/documenteditor/mobile/src/less/app.rtl.less @@ -0,0 +1,2 @@ +@import '../../../../common/mobile/resources/less/common.rtl.less'; +@import '../../../../common/mobile/resources/less/icons.rtl.less'; diff --git a/apps/documenteditor/mobile/src/less/icons-ios.less b/apps/documenteditor/mobile/src/less/icons-ios.less index 05acd18bb..aac468c50 100644 --- a/apps/documenteditor/mobile/src/less/icons-ios.less +++ b/apps/documenteditor/mobile/src/less/icons-ios.less @@ -253,6 +253,11 @@ height: 28px; .encoded-svg-mask(''); } + &.icon-move-background { + width: 28px; + height: 28px; + .encoded-svg-mask(''); + } &.icon-move-foreground { width: 28px; height: 28px; diff --git a/apps/documenteditor/mobile/src/less/icons-material.less b/apps/documenteditor/mobile/src/less/icons-material.less index 7a487a239..88b85795d 100644 --- a/apps/documenteditor/mobile/src/less/icons-material.less +++ b/apps/documenteditor/mobile/src/less/icons-material.less @@ -215,6 +215,11 @@ height: 22px; .encoded-svg-mask(''); } + &.icon-create-style { + width: 24px; + height: 24px; + .encoded-svg-mask('') + } // Presets of table borders &.icon-table-borders-all { width: 28px; @@ -282,6 +287,11 @@ height: 28px; .encoded-svg-mask(''); } + &.icon-move-background { + width: 28px; + height: 28px; + .encoded-svg-mask(''); + } &.icon-move-foreground { width: 28px; height: 28px; diff --git a/apps/documenteditor/mobile/src/store/appOptions.js b/apps/documenteditor/mobile/src/store/appOptions.js index 83a839d05..794e650bd 100644 --- a/apps/documenteditor/mobile/src/store/appOptions.js +++ b/apps/documenteditor/mobile/src/store/appOptions.js @@ -114,15 +114,20 @@ export class storeAppOptions { this.canComments = this.canLicense && (permissions.comment === undefined ? this.isEdit : permissions.comment) && (this.config.mode !== 'view'); this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); - this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canEditComments = this.isOffline || !permissions.editCommentAuthorOnly; this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; + if ((typeof (this.customization) == 'object') && this.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 (permissions.editCommentAuthorOnly===undefined && permissions.deleteCommentAuthorOnly===undefined) + this.canEditComments = this.canDeleteComments = this.isOffline; + } this.canChat = this.canLicense && !this.isOffline && (permissions.chat !== false); this.canEditStyles = this.canLicense && this.canEdit; this.canPrint = (permissions.print !== false); this.fileKey = document.key; const typeForm = /^(?:(oform))$/.exec(document.fileType); // can fill forms only in oform format this.canFillForms = this.canLicense && !!(typeForm && typeof typeForm[1] === 'string') && ((permissions.fillForms===undefined) ? this.isEdit : permissions.fillForms) && (this.config.mode !== 'view'); - this.isRestrictedEdit = !this.isEdit && (this.canComments || this.canFillForms); + this.isRestrictedEdit = !this.isEdit && (this.canComments || this.canFillForms) && isSupportEditFeature; if (this.isRestrictedEdit && this.canComments && this.canFillForms) // must be one restricted mode, priority for filling forms this.canComments = false; this.trialMode = params.asc_getLicenseMode(); @@ -145,6 +150,8 @@ export class storeAppOptions { this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); + + this.canLiveView = !!params.asc_getLiveViewerSupport() && (this.config.mode === 'view') && !(type && typeof type[1] === 'string') && isSupportEditFeature; } setCanViewReview (value) { this.canViewReview = value; diff --git a/apps/documenteditor/mobile/src/store/applicationSettings.js b/apps/documenteditor/mobile/src/store/applicationSettings.js index 0cc34353f..16649d877 100644 --- a/apps/documenteditor/mobile/src/store/applicationSettings.js +++ b/apps/documenteditor/mobile/src/store/applicationSettings.js @@ -11,13 +11,17 @@ export class storeApplicationSettings { isComments: observable, isResolvedComments: observable, macrosMode: observable, - changeSpellCheck: action, + macrosRequest: observable, + changeSpellCheck: action, changeUnitMeasurement: action, changeNoCharacters: action, changeShowTableEmptyLine: action, changeDisplayComments: action, changeDisplayResolved: action, - changeMacrosSettings: action + changeMacrosSettings: action, + directionMode: observable, + changeDirectionMode: action, + changeMacrosRequest: action }) } @@ -29,6 +33,14 @@ export class storeApplicationSettings { isResolvedComments = false; macrosMode = 0; + directionMode = LocalStorage.getItem('mode-direction') || 'ltr'; + + changeDirectionMode(value) { + this.directionMode = value; + } + + macrosRequest = 0; + changeUnitMeasurement(value) { this.unitMeasurement = +value; } @@ -57,4 +69,8 @@ export class storeApplicationSettings { changeMacrosSettings(value) { this.macrosMode = +value; } + + changeMacrosRequest(value) { + this.macrosRequest = value; + } } \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/store/documentInfo.js b/apps/documenteditor/mobile/src/store/documentInfo.js index 3bfa67356..d57b4b90c 100644 --- a/apps/documenteditor/mobile/src/store/documentInfo.js +++ b/apps/documenteditor/mobile/src/store/documentInfo.js @@ -20,7 +20,7 @@ export class storeDocumentInfo { symbolsWSCount: 0, }; - isLoaded = false; + isLoaded = true; dataDoc; switchIsLoaded(value) { diff --git a/apps/documenteditor/mobile/src/store/tableSettings.js b/apps/documenteditor/mobile/src/store/tableSettings.js index 1bd19c457..41fd7ef36 100644 --- a/apps/documenteditor/mobile/src/store/tableSettings.js +++ b/apps/documenteditor/mobile/src/store/tableSettings.js @@ -14,10 +14,12 @@ export class storeTableSettings { updateCellBorderColor: action, setAutoColor: action, colorAuto: observable, + arrayStylesDefault: observable, }); } arrayStyles = []; + arrayStylesDefault = []; colorAuto = 'auto'; setAutoColor(value) { @@ -28,7 +30,7 @@ export class storeTableSettings { this.arrayStyles = []; } - setStyles (arrStyles) { + setStyles (arrStyles, typeStyles) { let styles = []; for (let template of arrStyles) { styles.push({ @@ -36,6 +38,10 @@ export class storeTableSettings { templateId : template.asc_getId() }); } + + if(typeStyles === 'default') { + return this.arrayStylesDefault = styles; + } return this.arrayStyles = styles; } diff --git a/apps/documenteditor/mobile/src/store/textSettings.js b/apps/documenteditor/mobile/src/store/textSettings.js index b3c50936d..6240b3baf 100644 --- a/apps/documenteditor/mobile/src/store/textSettings.js +++ b/apps/documenteditor/mobile/src/store/textSettings.js @@ -129,9 +129,10 @@ export class storeTextSettings { } loadSprite() { - this.spriteThumbs = new Image(); - this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; - this.spriteThumbs.src = this.thumbs[this.thumbIdx].path; + this.spriteThumbs = new Common.Utils.CThumbnailLoader(); + this.spriteThumbs.load(this.thumbs[this.thumbIdx].path, () => { + this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; + }); } resetFontName (font) { diff --git a/apps/documenteditor/mobile/src/view/add/Add.jsx b/apps/documenteditor/mobile/src/view/add/Add.jsx index 83da3a2ee..7eaf1e329 100644 --- a/apps/documenteditor/mobile/src/view/add/Add.jsx +++ b/apps/documenteditor/mobile/src/view/add/Add.jsx @@ -184,9 +184,12 @@ const AddTabs = inject("storeFocusObjects", "storeTableSettings")(observer(({sto component: }); } + const onGetTableStylesPreviews = () => { - const api = Common.EditorApi.get(); - setTimeout(() => storeTableSettings.setStyles(api.asc_getTableStylesPreviews(true)), 1); + if(storeTableSettings.arrayStylesDefault.length == 0) { + const api = Common.EditorApi.get(); + setTimeout(() => storeTableSettings.setStyles(api.asc_getTableStylesPreviews(true), 'default'), 1); + } } return ( diff --git a/apps/documenteditor/mobile/src/view/add/AddTable.jsx b/apps/documenteditor/mobile/src/view/add/AddTable.jsx index f11b79457..9a75d2470 100644 --- a/apps/documenteditor/mobile/src/view/add/AddTable.jsx +++ b/apps/documenteditor/mobile/src/view/add/AddTable.jsx @@ -6,7 +6,7 @@ import {Device} from '../../../../../common/mobile/utils/device'; const AddTable = props => { const storeTableSettings = props.storeTableSettings; - const styles = storeTableSettings.arrayStyles; + const styles = storeTableSettings.arrayStylesDefault; return (
        diff --git a/apps/documenteditor/mobile/src/view/edit/Edit.jsx b/apps/documenteditor/mobile/src/view/edit/Edit.jsx index 8cce09c6d..c568acec3 100644 --- a/apps/documenteditor/mobile/src/view/edit/Edit.jsx +++ b/apps/documenteditor/mobile/src/view/edit/Edit.jsx @@ -16,7 +16,7 @@ import EditHeaderController from "../../controller/edit/EditHeader"; import EditTableContentsController from "../../controller/edit/EditTableContents"; import {PageTextFonts, PageTextAddFormatting, PageTextBulletsAndNumbers, PageTextLineSpacing, PageTextFontColor, PageTextCustomFontColor, PageTextHighlightColor} from "./EditText"; -import {ParagraphAdvSettings, PageParagraphBackColor, PageParagraphCustomColor} from "./EditParagraph"; +import {ParagraphAdvSettings, PageParagraphBackColor, PageParagraphCustomColor, PageParagraphStyle, PageCreateTextStyle, PageChangeNextParagraphStyle} from "./EditParagraph"; import {PageShapeStyleNoFill, PageShapeStyle, PageShapeCustomFillColor, PageShapeBorderColor, PageShapeCustomBorderColor, PageWrap, PageReorder, PageReplace} from "./EditShape"; import {PageImageReorder, PageImageReplace, PageImageWrap, PageLinkSettings} from "./EditImage"; import {PageTableOptions, PageTableWrap, PageTableStyle, PageTableStyleOptions, PageTableCustomFillColor, PageTableBorderColor, PageTableCustomBorderColor} from "./EditTable"; @@ -66,6 +66,18 @@ const routes = [ path: '/edit-paragraph-custom-color/', component: PageParagraphCustomColor, }, + { + path: '/edit-paragraph-style/', + component: PageParagraphStyle + }, + { + path: '/create-text-style/', + component: PageCreateTextStyle + }, + { + path: '/change-next-paragraph-style/', + component: PageChangeNextParagraphStyle + }, //Edit shape { path: '/edit-shape-style/', diff --git a/apps/documenteditor/mobile/src/view/edit/EditChart.jsx b/apps/documenteditor/mobile/src/view/edit/EditChart.jsx index f905a9eb3..297c8550f 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditChart.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditChart.jsx @@ -275,7 +275,7 @@ const PageChartBorder = props => { onRangeChanged={(value) => {props.onBorderSize(borderSizeTransform.sizeByIndex(value))}} >
        -
        +
        {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
        @@ -435,7 +435,7 @@ const PageWrap = props => { onRangeChanged={(value) => {props.onWrapDistance(value)}} >
        -
        +
        {stateDistance + ' ' + metricText}
        diff --git a/apps/documenteditor/mobile/src/view/edit/EditParagraph.jsx b/apps/documenteditor/mobile/src/view/edit/EditParagraph.jsx index 8292b4e13..dd6b5764e 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditParagraph.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditParagraph.jsx @@ -1,6 +1,6 @@ import React, {Fragment, useState} from 'react'; import {observer, inject} from "mobx-react"; -import {f7, List, ListItem, Icon, Button, Page, Navbar, NavRight, Segmented, BlockTitle, Toggle, Link} from 'framework7-react'; +import {f7, List, ListItem, Icon, Button, Page, Navbar, NavRight, Segmented, BlockTitle, Toggle, Link, NavLeft, NavTitle, ListInput} from 'framework7-react'; import { useTranslation } from 'react-i18next'; import {Device} from '../../../../../common/mobile/utils/device'; import { ThemeColorPalette, CustomColorPicker } from '../../../../../common/mobile/lib/component/ThemeColorPalette.jsx'; @@ -191,6 +191,7 @@ const EditParagraph = props => { const storeParagraphSettings = props.storeParagraphSettings; const paragraphStyles = storeParagraphSettings.paragraphStyles; const curStyleName = storeParagraphSettings.styleName; + const curStyle = paragraphStyles.find(style => style.name === curStyleName); const thumbSize = storeParagraphSettings.styleThumbSize; const paragraph = props.storeFocusObjects.paragraphObject; @@ -200,6 +201,18 @@ const EditParagraph = props => { return ( + {t('Edit.textParagraphStyle')} + + +
        +
        +
        { onKeepNext: props.onKeepNext }}> - {_t.textParagraphStyles} +
        + ) +}; + +const EditParagraphStyle = props => { + const { t } = useTranslation(); + const api = Common.EditorApi.get(); + const _t = t('Edit', {returnObjects: true}); + const storeParagraphSettings = props.storeParagraphSettings; + const paragraphStyles = storeParagraphSettings.paragraphStyles; + const curStyleName = storeParagraphSettings.styleName; + const thumbSize = storeParagraphSettings.styleThumbSize; + const activeStyle = Device.android ? 'link no-active-state' : 'no-active-state'; + + return ( + + + {Device.phone && + + + + + + } + + + + {Device.android && } + + {paragraphStyles.map((style, index) => ( {props.onStyleClick(style.name)}} + onClick={() => { + if(curStyleName !== style.name) { + props.onStyleClick(style.name); + } + }} >
        + {!api.asc_IsStyleDefault(style.name) && ( +
        + { + await storeParagraphSettings.changeParaStyleName('Normal'); + await props.onStyleMenuDelete(style.name); + }}> + + +
        + )} +
        + ))} +
        +
        + ) +} + +const CreateTextStyle = props => { + const { t } = useTranslation(); + const _t = t('Edit', {returnObjects: true}); + const [titleNewStyle, setTitle] = useState(''); + const [nextParagraphStyle, setParagraph] = useState(''); + + return ( + + + { + let title = titleNewStyle.trim(); + if(title) { + props.onSaveStyle(title, nextParagraphStyle); + props.f7router.back(); + } + }}>{t('Edit.textDone')} + + + { + setTitle(event.target.value) + }} + > + + {t('Edit.textNextParagraphStyle')} + + + + + ) +} + +const ChangeNextParagraphStyle = props => { + const { t } = useTranslation(); + const _t = t('Edit', {returnObjects: true}); + const nextParagraphStyle = props.nextParagraphStyle; + const storeParagraphSettings = props.storeParagraphSettings; + const paragraphStyles = storeParagraphSettings.paragraphStyles; + const thumbSize = storeParagraphSettings.styleThumbSize; + const activeStyle = Device.android ? 'link no-active-state' : 'no-active-state'; + const [newParagraph, setParagraph] = useState(nextParagraphStyle); + + return ( + + + + { + if(newParagraph) { + setParagraph(''); + props.setParagraph(''); + } + }} title={t('Edit.textSameCreatedNewStyle')}> + {paragraphStyles.map((style, index) => ( + { + if(newParagraph !== style.name) { + setParagraph(style.name); + props.setParagraph(style.name); + } + }} + > +
        ))}
        - +
        ) -}; + +} const EditParagraphContainer = inject("storeParagraphSettings", "storeFocusObjects")(observer(EditParagraph)); const ParagraphAdvSettings = inject("storeParagraphSettings", "storeFocusObjects")(observer(PageAdvancedSettings)); const PageParagraphBackColor = inject("storeParagraphSettings", "storePalette")(observer(PageBackgroundColor)); const PageParagraphCustomColor = inject("storeParagraphSettings", "storePalette")(observer(PageCustomBackColor)); +const PageParagraphStyle = inject("storeParagraphSettings")(observer(EditParagraphStyle)); +const PageCreateTextStyle = inject("storeParagraphSettings")(observer(CreateTextStyle)); +const PageChangeNextParagraphStyle = inject("storeParagraphSettings")(observer(ChangeNextParagraphStyle)); -export {EditParagraphContainer as EditParagraph, +export { + EditParagraphContainer as EditParagraph, ParagraphAdvSettings, PageParagraphBackColor, - PageParagraphCustomColor}; \ No newline at end of file + PageParagraphCustomColor, + PageParagraphStyle, + PageCreateTextStyle, + PageChangeNextParagraphStyle +}; \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/view/edit/EditShape.jsx b/apps/documenteditor/mobile/src/view/edit/EditShape.jsx index 930652b74..3978e10f2 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditShape.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditShape.jsx @@ -205,7 +205,7 @@ const PageStyle = props => { onRangeChanged={(value) => {props.onBorderSize(borderSizeTransform.sizeByIndex(value))}} >
        -
        +
        {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
        @@ -229,7 +229,7 @@ const PageStyle = props => { onRangeChanged={(value) => {props.onOpacity(value)}} >
        -
        +
        {stateOpacity + ' %'}
        @@ -511,11 +511,14 @@ const EditShape = props => { const wrapType = props.storeShapeSettings.getWrapType(shapeObject); const shapeType = shapeObject.get_ShapeProperties().asc_getType(); - const hideChangeType = shapeObject.get_ShapeProperties().get_FromChart() || shapeType=='line' || shapeType=='bentConnector2' || shapeType=='bentConnector3' + const hideChangeType = shapeObject.get_ShapeProperties().get_FromChart() || shapeObject.get_ShapeProperties().get_FromSmartArt() + || shapeType=='line' || shapeType=='bentConnector2' || shapeType=='bentConnector3' || shapeType=='bentConnector4' || shapeType=='bentConnector5' || shapeType=='curvedConnector2' || shapeType=='curvedConnector3' || shapeType=='curvedConnector4' || shapeType=='curvedConnector5' || shapeType=='straightConnector1'; + const isSmartArtInternal = shapeObject.get_ShapeProperties().get_FromSmartArtInternal(); + const isFromGroup = shapeObject.get_ShapeProperties().get_FromGroup(); const inControl = api.asc_IsContentControl(); const controlProps = (api && inControl) ? api.asc_GetContentControlProperties() : null; const lockType = controlProps ? controlProps.get_Lock() : Asc.c_oAscSdtLockType.Unlocked; @@ -545,19 +548,21 @@ const EditShape = props => { onBorderColor: props.onBorderColor }}> : null} - + { !isFromGroup && + + } {(!hideChangeType && !fixedSize) && } - {wrapType !== 'inline' && } diff --git a/apps/documenteditor/mobile/src/view/edit/EditTable.jsx b/apps/documenteditor/mobile/src/view/edit/EditTable.jsx index 7e993375e..56b058e62 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditTable.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditTable.jsx @@ -55,7 +55,7 @@ const PageTableOptions = props => { onRangeChanged={(value) => {props.onCellMargins(value)}} >
        -
        +
        {stateDistance + ' ' + metricText}
        @@ -160,7 +160,7 @@ const PageWrap = props => { onRangeChanged={(value) => {props.onWrapDistance(value)}} >
        -
        +
        {stateDistance + ' ' + metricText}
        @@ -226,11 +226,9 @@ const PageStyleOptions = props => { isBandVer = tableLook.get_BandVer(); } - const openIndicator = () => props.onGetTableStylesPreviews(); - return ( - + {Device.phone && @@ -436,7 +434,7 @@ const TabBorder = inject("storeFocusObjects", "storeTableSettings")(observer(pro onRangeChanged={(value) => {storeTableSettings.updateCellBorderWidth(borderSizeTransform.sizeByIndex(value));}} >
        -
        +
        {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
        diff --git a/apps/documenteditor/mobile/src/view/edit/EditText.jsx b/apps/documenteditor/mobile/src/view/edit/EditText.jsx index a51e2883d..b77b024e0 100644 --- a/apps/documenteditor/mobile/src/view/edit/EditText.jsx +++ b/apps/documenteditor/mobile/src/view/edit/EditText.jsx @@ -25,43 +25,36 @@ const PageFonts = props => { const spriteThumbs = storeTextSettings.spriteThumbs; const arrayRecentFonts = storeTextSettings.arrayRecentFonts; - useEffect(() => { - setRecent(getImageUri(arrayRecentFonts)); - - return () => { - } - }, []); - const addRecentStorage = () => { - let arr = []; - arrayRecentFonts.forEach(item => arr.push(item)); setRecent(getImageUri(arrayRecentFonts)); - LocalStorage.setItem('dde-settings-recent-fonts', JSON.stringify(arr)); - } + LocalStorage.setItem('dde-settings-recent-fonts', JSON.stringify(arrayRecentFonts)); + }; - const [stateRecent, setRecent] = useState([]); + const getImageUri = fonts => { + return fonts.map(font => { + let index = Math.floor(font.imgidx/spriteCols); + return spriteThumbs.getImage(index, thumbCanvas, thumbContext).toDataURL(); + }); + }; + + const [stateRecent, setRecent] = useState(() => getImageUri(arrayRecentFonts)); const [vlFonts, setVlFonts] = useState({ vlData: { items: [], } }); - const getImageUri = fonts => { - return fonts.map(font => { - thumbContext.clearRect(0, 0, thumbs[thumbIdx].width, thumbs[thumbIdx].height); - thumbContext.drawImage(spriteThumbs, 0, -thumbs[thumbIdx].height * Math.floor(font.imgidx / spriteCols)); - - return thumbCanvas.toDataURL(); - }); - }; - const renderExternal = (vl, vlData) => { setVlFonts((prevState) => { - let fonts = [...prevState.vlData.items]; - fonts.splice(vlData.fromIndex, vlData.toIndex, ...vlData.items); - - let images = getImageUri(fonts); + let fonts = [...prevState.vlData.items], + drawFonts = [...vlData.items]; + let images = [], + drawImages = getImageUri(drawFonts); + for (let i = 0; i < drawFonts.length; i++) { + fonts[i + vlData.fromIndex] = drawFonts[i]; + images[i + vlData.fromIndex] = drawImages[i]; + } return {vlData: { items: fonts, images, @@ -114,16 +107,19 @@ const PageFonts = props => { renderExternal: renderExternal }}>
          - {vlFonts.vlData.items.map((item, index) => ( - { - storeTextSettings.changeFontFamily(item.name); - props.changeFontFamily(item.name); - storeTextSettings.addFontToRecent(item); + {vlFonts.vlData.items.map((item, index) => { + const font = item || fonts[index]; + const fontName = font.name; + return ( { + storeTextSettings.changeFontFamily(fontName); + props.changeFontFamily(fontName); + storeTextSettings.addFontToRecent(font); addRecentStorage(); }}> - + {vlFonts.vlData.images[index] && } - ))} + ) + })}
        @@ -190,74 +186,62 @@ const PageAdditionalFormatting = props => { }; const PageBullets = observer( props => { - const { t } = useTranslation(); - const bulletArrays = [ - [ - {type: -1, thumb: ''}, - {type: 1, thumb: 'bullet-01.png'}, - {type: 2, thumb: 'bullet-02.png'}, - {type: 3, thumb: 'bullet-03.png'} - ], - [ - {type: 4, thumb: 'bullet-04.png'}, - {type: 5, thumb: 'bullet-05.png'}, - {type: 6, thumb: 'bullet-06.png'}, - {type: 7, thumb: 'bullet-07.png'} - ] - ]; const storeTextSettings = props.storeTextSettings; const typeBullets = storeTextSettings.typeBullets; + const bulletArrays = [ + { type: 0, subtype: -1 }, + { type: 0, subtype: 1 }, + { type: 0, subtype: 2 }, + { type: 0, subtype: 3 }, + { type: 0, subtype: 4 }, + { type: 0, subtype: 5 }, + { type: 0, subtype: 6 }, + { type: 0, subtype: 7 } + ]; + + useEffect(() => { + props.getIconsBulletsAndNumbers($$('.item-marker'), 0); + }, []); return( - {bulletArrays.map((bullets, index) => ( - - {bullets.map((bullet) => ( - { - if (bullet.type === -1) { - storeTextSettings.resetBullets(-1); - } else { - storeTextSettings.resetBullets(bullet.type); - } - props.onBullet(bullet.type); - }}> - {bullet.thumb.length < 1 ? - - - : - - } - - ))} - - ))} + + {bulletArrays.map( bullet => ( + { + storeTextSettings.resetBullets(bullet.subtype); + props.onBullet(bullet.subtype); + }}> +
        + +
        +
        + ))} +
        ) }); const PageNumbers = observer( props => { - const { t } = useTranslation(); - const numberArrays = [ - [ - {type: -1, thumb: ''}, - {type: 4, thumb: 'number-01.png'}, - {type: 5, thumb: 'number-02.png'}, - {type: 6, thumb: 'number-03.png'} - ], - [ - {type: 1, thumb: 'number-04.png'}, - {type: 2, thumb: 'number-05.png'}, - {type: 3, thumb: 'number-06.png'}, - {type: 7, thumb: 'number-07.png'} - ] - ]; - const storeTextSettings = props.storeTextSettings; const typeNumbers = storeTextSettings.typeNumbers; + const numberArrays = [ + { type: 1, subtype: -1}, + { type: 1, subtype: 4 }, + { type: 1, subtype: 5 }, + { type: 1, subtype: 6 }, + { type: 1, subtype: 1 }, + { type: 1, subtype: 2 }, + { type: 1, subtype: 3 }, + { type: 1, subtype: 7 } + ]; + + useEffect(() => { + props.getIconsBulletsAndNumbers($$('.item-number'), 1); + }, []); - return( + return ( {numberArrays.map((numbers, index) => ( @@ -265,55 +249,49 @@ const PageNumbers = observer( props => { { - if (number.type === -1) { - storeTextSettings.resetNumbers(-1); - } else { - storeTextSettings.resetNumbers(number.type); - } + storeTextSettings.resetNumbers(number.type); props.onNumber(number.type); }}> {number.thumb.length < 1 ? : - + } ))} ))} - ) + ); }); const PageMultiLevel = observer( props => { - const { t } = useTranslation(); - - const arrayMultiLevel = [ - {type: -1, thumb: ''}, - {type: 1, thumb: 'multi-bracket.png'}, - {type: 2, thumb: 'multi-dot.png'}, - {type: 3, thumb: 'multi-bullets.png'}, - ]; - const storeTextSettings = props.storeTextSettings; const typeMultiLevel = storeTextSettings.typeMultiLevel; + const arrayMultiLevel = [ + { type: 2, subtype: -1 }, + { type: 2, subtype: 1 }, + { type: 2, subtype: 2 }, + { type: 2, subtype: 3 }, + ]; + + useEffect(() => { + props.getIconsBulletsAndNumbers($$('.item-multilevellist'), 2); + }, []); return( {arrayMultiLevel.map((item) => ( - { - item.type === -1 ? storeTextSettings.resetMultiLevel(-1) : storeTextSettings.resetMultiLevel(null); - props.onMultiLevelList(item.type); - }}> - {item.thumb.length < 1 ? - - - : - - } + props.onMultiLevelList(item.subtype)}> +
        + +
        ))}
        @@ -339,13 +317,25 @@ const PageBulletsAndNumbers = props => { - + - + - + @@ -621,7 +611,8 @@ const EditText = props => {
        {previewList}
        {!isAndroid && } diff --git a/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx b/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx index f09d4eb2f..03ecb2f8b 100644 --- a/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx +++ b/apps/documenteditor/mobile/src/view/settings/ApplicationSettings.jsx @@ -1,6 +1,6 @@ import React, {Fragment, useState} from "react"; import { observer, inject } from "mobx-react"; -import { Page, Navbar, List, ListItem, BlockTitle, Toggle } from "framework7-react"; +import { Page, Navbar, List, ListItem, BlockTitle, Toggle, f7 } from "framework7-react"; import { useTranslation } from "react-i18next"; import { Themes } from '../../../../../common/mobile/lib/controller/Themes.js'; @@ -94,11 +94,15 @@ const PageApplicationSettings = props => { {Themes.switchDarkTheme(!toggle), setIsThemeDark(!toggle)}}> + onToggleChange={() => {Themes.switchDarkTheme(!isThemeDark), setIsThemeDark(!isThemeDark)}}> + + + + {_isShowMacros && { ); }; +const PageDirection = props => { + const { t } = useTranslation(); + const _t = t("Settings", { returnObjects: true }); + const store = props.storeApplicationSettings; + const directionMode = store.directionMode; + + const changeDirection = value => { + store.changeDirectionMode(value); + props.changeDirection(value); + + f7.dialog.create({ + title: _t.notcriticalErrorTitle, + text: t('Settings.textRestartApplication'), + buttons: [ + { + text: _t.textOk + } + ] + }).open(); + }; + + return ( + + + + changeDirection('ltr')}> + changeDirection('rtl')}> + + + ); +} + const PageMacrosSettings = props => { const { t } = useTranslation(); const _t = t("Settings", { returnObjects: true }); @@ -138,5 +174,6 @@ const PageMacrosSettings = props => { const ApplicationSettings = inject("storeApplicationSettings", "storeAppOptions", "storeReview")(observer(PageApplicationSettings)); const MacrosSettings = inject("storeApplicationSettings")(observer(PageMacrosSettings)); +const Direction = inject("storeApplicationSettings")(observer(PageDirection)); -export {ApplicationSettings, MacrosSettings}; \ No newline at end of file +export {ApplicationSettings, MacrosSettings, Direction}; \ No newline at end of file diff --git a/apps/documenteditor/mobile/src/view/settings/DocumentInfo.jsx b/apps/documenteditor/mobile/src/view/settings/DocumentInfo.jsx index 21f4fb3f0..b414c41cd 100644 --- a/apps/documenteditor/mobile/src/view/settings/DocumentInfo.jsx +++ b/apps/documenteditor/mobile/src/view/settings/DocumentInfo.jsx @@ -7,6 +7,8 @@ const PageDocumentInfo = (props) => { const { t } = useTranslation(); const _t = t("Settings", { returnObjects: true }); const storeInfo = props.storeDocumentInfo; + const fileType = storeInfo.dataDoc.fileType; + const dataApp = props.getAppProps(); const { @@ -17,6 +19,22 @@ const PageDocumentInfo = (props) => { wordsCount, } = storeInfo.infoObj; + const { + pageSize, + title, + subject, + description, + dateCreated, + modifyBy, + modifyDate, + author, + producer, + version, + tagged, + fastWebView, + creators + } = props.docInfoObject; + const dataDoc = JSON.parse(JSON.stringify(storeInfo.dataDoc)); const isLoaded = storeInfo.isLoaded; @@ -62,70 +80,102 @@ const PageDocumentInfo = (props) => { + {pageSize && } - {props.title ? ( + {title ? ( - {_t.textTitle} + {t('Settings.textTitle')} - + ) : null} - {props.subject ? ( + {subject ? ( - {_t.textSubject} + {t('Settings.textSubject')} - + ) : null} - {props.description ? ( + {description ? ( - {_t.textComment} + {t('Settings.textComment')} - + ) : null} - {props.modified ? ( + {modifyDate ? ( - {_t.textLastModified} + {t('Settings.textLastModified')} - + ) : null} - {props.modifiedBy ? ( + {modifyBy ? ( - {_t.textLastModifiedBy} + {t('Settings.textLastModifiedBy')} - + ) : null} - {props.created ? ( + {dateCreated ? ( - {_t.textCreated} + {t('Settings.textCreated')} - + ) : null} {dataApp ? ( - {_t.textApplication} + {t('Settings.textApplication')} ) : null} - {props.creators ? ( + {fileType === 'xps' && author ? ( - {_t.textAuthor} + {t('Settings.textAuthor')} + + + + + ) : null} + {fileType === 'pdf' && author ? ( + + {t('Settings.textAuthor')} + + + + + ) : null} + { fileType === 'pdf' && producer ? ( + + {t('Settings.textPdfProducer')} + + + + + ) : null} + { fileType === 'pdf' ? ( + + + + + + ) : null} + {creators ? ( + + {t('Settings.textAuthor')} { - props.creators.split(/\s*[,;]\s*/).map(item => { - return + creators.split(/\s*[,;]\s*/).map(item => { + return }) } diff --git a/apps/documenteditor/mobile/src/view/settings/Settings.jsx b/apps/documenteditor/mobile/src/view/settings/Settings.jsx index e22481bfa..2a6ece70f 100644 --- a/apps/documenteditor/mobile/src/view/settings/Settings.jsx +++ b/apps/documenteditor/mobile/src/view/settings/Settings.jsx @@ -10,7 +10,7 @@ import DocumentInfoController from "../../controller/settings/DocumentInfo"; import { DownloadController } from "../../controller/settings/Download"; import ApplicationSettingsController from "../../controller/settings/ApplicationSettings"; import { DocumentFormats, DocumentMargins, DocumentColorSchemes } from "./DocumentSettings"; -import { MacrosSettings } from "./ApplicationSettings"; +import { MacrosSettings, Direction } from "./ApplicationSettings"; import About from '../../../../../common/mobile/lib/view/About'; import NavigationController from '../../controller/settings/Navigation'; @@ -61,6 +61,13 @@ const routes = [ { path: '/navigation/', component: NavigationController + }, + + // Direction + + { + path: '/direction/', + component: Direction } ]; diff --git a/apps/presentationeditor/embed/index.html b/apps/presentationeditor/embed/index.html index a8f46bea0..f3e521f93 100644 --- a/apps/presentationeditor/embed/index.html +++ b/apps/presentationeditor/embed/index.html @@ -250,6 +250,7 @@
        +
        of 0
        +
        of 0
        ')} + ] + }); + // Prepare menu container + menuContainer = $(Common.Utils.String.format('', menu.id)); + this.documentHolder.cmpEl.append(menuContainer); + menu.render(menuContainer); + menu.cmpEl.attr({tabindex: "-1"}); + menu.on('hide:after', function(){ + if (!me._fromShowPlaceholder) + me.api.asc_uncheckPlaceholders(); + }); + + var picker = new Common.UI.DataView({ + el: $('#id-placeholder-menu-chart'), + parentMenu: menu, + showLast: false, + // restoreHeight: 421, + groups: new Common.UI.DataViewGroupStore(Common.define.chartData.getChartGroupData()), + store: new Common.UI.DataViewStore(Common.define.chartData.getChartData()), + itemTemplate: _.template('
        \">
        ') + }); + picker.on('item:click', function (picker, item, record, e) { + me.editChartClick(record.get('type'), me._state.placeholderObj); + }); + } + menuContainer.css({left: x, top : y}); + menuContainer.attr('data-value', 'prevent-canvas-click'); + this._preventClick = true; + menu.show(); + + menu.alignPosition(); + _.delay(function() { + menu.cmpEl.find('.dataview').focus(); + }, 10); + this._fromShowPlaceholder = false; + }, + + onClickPlaceholderTable: function(obj, x, y) { + if (!this.api) return; + + this._state.placeholderObj = obj; + var menu = this.placeholderMenuTable, + menuContainer = menu ? this.documentHolder.cmpEl.find(Common.Utils.String.format('#menu-container-{0}', menu.id)) : null, + me = this; + this._fromShowPlaceholder = true; + Common.UI.Menu.Manager.hideAll(); + + if (!menu) { + this.placeholderMenuTable = menu = new Common.UI.Menu({ + cls: 'shifted-left', + items: [ + {template: _.template('
        ')}, + {caption: me.mniCustomTable, value: 'custom'} + ] + }); + // Prepare menu container + menuContainer = $(Common.Utils.String.format('', menu.id)); + this.documentHolder.cmpEl.append(menuContainer); + menu.render(menuContainer); + menu.cmpEl.attr({tabindex: "-1"}); + menu.on('hide:after', function(){ + if (!me._fromShowPlaceholder) + me.api.asc_uncheckPlaceholders(); + }); + + var picker = new Common.UI.DimensionPicker({ + el: $('#id-placeholder-menu-tablepicker'), + minRows: 8, + minColumns: 10, + maxRows: 8, + maxColumns: 10 + }); + picker.on('select', function(picker, columns, rows){ + me.api.put_Table(columns, rows, me._state.placeholderObj); + me.editComplete(); + }); + menu.on('item:click', function(menu, item, e){ + if (item.value === 'custom') { + (new Common.Views.InsertTableDialog({ + handler: function(result, value) { + if (result == 'ok') + me.api.put_Table(value.columns, value.rows, me._state.placeholderObj); + me.editComplete(); + } + })).show(); + } + }); + } + menuContainer.css({left: x, top : y}); + menuContainer.attr('data-value', 'prevent-canvas-click'); + this._preventClick = true; + menu.show(); + + menu.alignPosition(); + _.delay(function() { + menu.cmpEl.focus(); + }, 10); + this._fromShowPlaceholder = false; + }, + + onHidePlaceholderActions: function() { + this.placeholderMenuChart && this.placeholderMenuChart.hide(); + this.placeholderMenuTable && this.placeholderMenuTable.hide(); + }, + + onClickPlaceholder: function(type, obj, x, y) { + if (!this.api) return; + if (type == AscCommon.PlaceholderButtonType.Video) { + this.api.asc_AddVideo(obj); + } else if (type == AscCommon.PlaceholderButtonType.Audio) { + this.api.asc_AddAudio(obj); + } + this.editComplete(); + }, + + onImgReplace: function(menu, item, e) { + var me = this; + if (item.value==1) { + me.onInsertImageUrl(false); + } else if (item.value==2) { + Common.NotificationCenter.trigger('storage:image-load', 'change'); + } else { + setTimeout(function(){ + me.onInsertImage(); + }, 10); + } + }, + + onLangMenu: function(type, menu, item){ + var me = this; + if (me.api){ + if (!_.isUndefined(item.langid)) + me.api.put_TextPrLang(item.langid); + + (type==='para') ? (me.documentHolder._currLang.paraid = item.langid) : (me.documentHolder._currLang.tableid = item.langid); + me.editComplete(); + } + }, + + onUndo: function () { + this.api.Undo(); + }, + + onPreview: function () { + var current = this.api.getCurrentPage(); + Common.NotificationCenter.trigger('preview:start', _.isNumber(current) ? current : 0); + }, + + onSelectAll: function () { + if (this.api){ + this.api.SelectAllSlides(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Select All Slides'); + } + }, + + onPrintSelection: function () { + if (this.api){ + var printopt = new Asc.asc_CAdjustPrint(); + printopt.asc_setPrintType(Asc.c_oAscPrintType.Selection); + var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); // if isChrome or isOpera == true use asc_onPrintUrl event + opts.asc_setAdvancedOptions(printopt); + this.api.asc_Print(opts); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Print Selection'); + } + }, + + onNewSlide: function () { + if (this.api){ + this._isFromSlideMenu = true; + this.api.AddSlide(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Add Slide'); + } + }, + + onDuplicateSlide: function () { + if (this.api){ + this._isFromSlideMenu = true; + this.api.DublicateSlide(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Dublicate Slide'); + } + }, + + onDeleteSlide: function () { + if (this.api){ + this._isFromSlideMenu = true; + this.api.DeleteSlide(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Delete Slide'); + } + }, + + onResetSlide: function () { + if (this.api){ + this.api.ResetSlide(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Reset Slide'); + } + }, + + onMoveSlideToStart: function () { + if (this.api){ + this.api.asc_moveSelectedSlidesToStart(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Move Slide to Start'); + } + }, + + onMoveSlideToEnd: function () { + if (this.api){ + this.api.asc_moveSelectedSlidesToEnd(); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Move Slide to End'); + } + }, + + onSlideSettings: function (item) { + PE.getController('RightMenu').onDoubleClickOnObject(item.options.value); + }, + + onSlideHide: function (item) { + if (this.api){ + this.api.asc_HideSlides(item.checked); + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Hide Slides'); + } + }, + + onLayoutChange: function (record) { + if (this.api) { + this.api.ChangeLayout(record.get('data').idx); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Change Layout'); + } + }, + + onThemeChange: function (record) { + if (this.api) { + this.api.ChangeTheme(record.get('themeId'), true); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Change Layout'); + } + }, + + onTableMerge: function () { + this.api && this.api.MergeCells(); + }, + + onTableSplit: function () { + var me = this; + if (me.api) { + (new Common.Views.InsertTableDialog({ + split: true, + handler: function(result, value) { + if (result == 'ok') { + if (me.api) { + me.api.SplitCell(value.columns, value.rows); + } + Common.component.Analytics.trackEvent('DocumentHolder', 'Table Split'); + } + me.editComplete(); + } + })).show(); + } + }, + + tableCellsVAlign: function(menu, item, e) { + if (this.api) { + var properties = new Asc.CTableProp(); + properties.put_CellsVAlign(item.value); + this.api.tblApply(properties); + } + + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Table Cell Align'); + }, + + onTableDistRows: function () { + this.api && this.api.asc_DistributeTableCells(false); + this.editComplete(); + }, + + onTableDistCols: function () { + this.api && this.api.asc_DistributeTableCells(true); + this.editComplete(); + }, + + onIgnoreSpell: function(item, e){ + this.api && this.api.asc_ignoreMisspelledWord(this.documentHolder._currentSpellObj, !!item.value); + this.editComplete(); + }, + + onToDictionary: function(item, e){ + this.api && this.api.asc_spellCheckAddToDictionary(this.documentHolder._currentSpellObj); + this.editComplete(); + }, + + onTableAdvanced: function(item, e){ + var me = this; + if (me.api) { + var selectedElements = me.api.getSelectedElements(); + + if (selectedElements && selectedElements.length > 0){ + var elType, elValue; + for (var i = selectedElements.length - 1; i >= 0; i--) { + elType = selectedElements[i].get_ObjectType(); + elValue = selectedElements[i].get_ObjectValue(); + + if (Asc.c_oAscTypeSelectElement.Table == elType) { + (new PE.Views.TableSettingsAdvanced( + { + tableProps: elValue, + slideSize: PE.getController('Toolbar').currentPageSize, + handler: function(result, value) { + if (result == 'ok') { + if (me.api) { + me.api.tblApply(value.tableProps); + } + } + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Table Settings Advanced'); + } + })).show(); + break; + } + } + } + } + }, + + onImageAdvanced: function(item) { + var me = this; + if (me.api){ + var selectedElements = me.api.getSelectedElements(); + if (selectedElements && selectedElements.length>0){ + var elType, elValue; + + for (var i = selectedElements.length - 1; i >= 0; i--) { + elType = selectedElements[i].get_ObjectType(); + elValue = selectedElements[i].get_ObjectValue(); + + if (Asc.c_oAscTypeSelectElement.Image == elType) { + var imgsizeOriginal; + + if (!me.documentHolder.menuImgOriginalSize.isDisabled()) { + imgsizeOriginal = me.api.get_OriginalSizeImage(); + if (imgsizeOriginal) + imgsizeOriginal = {width:imgsizeOriginal.get_ImageWidth(), height:imgsizeOriginal.get_ImageHeight()}; + } + + (new PE.Views.ImageSettingsAdvanced( + { + imageProps: elValue, + sizeOriginal: imgsizeOriginal, + slideSize: PE.getController('Toolbar').currentPageSize, + handler: function(result, value) { + if (result == 'ok') { + if (me.api) { + me.api.ImgApply(value.imageProps); + } + } + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Image Settings Advanced'); + } + })).show(); + break; + } + } + } + } + }, + + onImgOriginalSize: function(item){ + var me = this; + if (me.api){ + var originalImageSize = me.api.get_OriginalSizeImage(); + + if (originalImageSize) { + var properties = new Asc.asc_CImgProperty(); + + properties.put_Width(originalImageSize.get_ImageWidth()); + properties.put_Height(originalImageSize.get_ImageHeight()); + properties.put_ResetCrop(true); + properties.put_Rot(0); + me.api.ImgApply(properties); + } + + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Set Image Original Size'); + } + }, + + onImgRotate: function(item) { + var properties = new Asc.asc_CShapeProperty(); + properties.asc_putRotAdd((item.value==1 ? 90 : 270) * 3.14159265358979 / 180); + this.api.ShapeApply(properties); + this.editComplete(); + }, + + onImgFlip: function(item) { + var properties = new Asc.asc_CShapeProperty(); + if (item.value==1) + properties.asc_putFlipHInvert(true); + else + properties.asc_putFlipVInvert(true); + this.api.ShapeApply(properties); + this.editComplete(); + }, + + onImgCrop: function(menu, item) { + if (item.value == 1) { + this.api.asc_cropFill(); + } else if (item.value == 2) { + this.api.asc_cropFit(); + } else { + item.checked ? this.api.asc_startEditCrop() : this.api.asc_endEditCrop(); + } + this.editComplete(); + }, + + onImgEditPoints: function(item) { + this.api && this.api.asc_editPointsGeometry(); + }, + + onShapeAdvanced: function(item) { + var me = this; + if (me.api){ + var selectedElements = me.api.getSelectedElements(); + if (selectedElements && selectedElements.length>0){ + var elType, elValue; + for (var i = selectedElements.length - 1; i >= 0; i--) { + elType = selectedElements[i].get_ObjectType(); + elValue = selectedElements[i].get_ObjectValue(); + if (Asc.c_oAscTypeSelectElement.Shape == elType) { + (new PE.Views.ShapeSettingsAdvanced( + { + shapeProps: elValue, + slideSize: PE.getController('Toolbar').currentPageSize, + handler: function(result, value) { + if (result == 'ok') { + if (me.api) { + me.api.ShapeApply(value.shapeProps); + } + } + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Image Shape Advanced'); + } + })).show(); + break; + } + } + } + } + }, + + onParagraphAdvanced: function(item) { + var me = this; + if (me.api){ + var selectedElements = me.api.getSelectedElements(); + + if (selectedElements && selectedElements.length > 0){ + var elType, elValue; + for (var i = selectedElements.length - 1; i >= 0; i--) { + elType = selectedElements[i].get_ObjectType(); + elValue = selectedElements[i].get_ObjectValue(); + + if (Asc.c_oAscTypeSelectElement.Paragraph == elType) { + (new PE.Views.ParagraphSettingsAdvanced( + { + paragraphProps: elValue, + api: me.api, + handler: function(result, value) { + if (result == 'ok') { + if (me.api) { + me.api.paraApply(value.paragraphProps); + } + } + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Image Paragraph Advanced'); + } + })).show(); + break; + } + } + } + } + }, + + onGroupImg: function(item) { + this.api && this.api.groupShapes(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Group Image'); + }, + + onUnGroupImg: function(item) { + this.api && this.api.unGroupShapes(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'UnGroup Image'); + }, + + onArrangeFront: function(item) { + this.api && this.api.shapes_bringToFront(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Bring To Front'); + }, + + onArrangeBack: function(item) { + this.api && this.api.shapes_bringToBack(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Bring To Back'); + }, + + onArrangeForward: function(item) { + this.api && this.api.shapes_bringForward(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Send Forward'); + }, + + onArrangeBackward: function(item) { + this.api && this.api.shapes_bringBackward(); + this.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Send Backward'); + }, + + onImgShapeAlign: function (menu, item) { + var me = this; + if (me.api) { + var value = me.api.asc_getSelectedDrawingObjectsCount()<2 || Common.Utils.InternalSettings.get("pe-align-to-slide"); + value = value ? Asc.c_oAscObjectsAlignType.Slide : Asc.c_oAscObjectsAlignType.Selected; + if (item.value < 6) { + me.api.put_ShapesAlign(item.value, value); + Common.component.Analytics.trackEvent('DocumentHolder', 'Shape Align'); + } else if (item.value == 6) { + me.api.DistributeHorizontally(value); + Common.component.Analytics.trackEvent('DocumentHolder', 'Distribute Horizontally'); + } else if (item.value == 7){ + me.api.DistributeVertically(value); + Common.component.Analytics.trackEvent('DocumentHolder', 'Distribute Vertically'); + } + me.editComplete(); + } + }, + + onParagraphVAlign: function (menu, item) { + var me = this; + if (me.api) { + var properties = new Asc.asc_CShapeProperty(); + properties.put_VerticalTextAlign(item.value); + + me.api.ShapeApply(properties); + } + + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Text Vertical Align'); + }, + + onParagraphDirection: function(menu, item) { + var me = this; + if (me.api) { + var properties = new Asc.asc_CShapeProperty(); + properties.put_Vert(item.options.direction); + me.api.ShapeApply(properties); + } + me.editComplete(); + Common.component.Analytics.trackEvent('DocumentHolder', 'Text Direction'); + }, + + tableSelectText: function(menu, item) { + if (this.api) { + switch (item.value) { + case 0: + this.api.selectRow(); + break; + case 1: + this.api.selectColumn(); + break; + case 2: + this.api.selectCell(); + break; + case 3: + this.api.selectTable(); + break; + } + } + }, + + tableInsertText: function(menu, item) { + if (this.api) { + switch (item.value) { + case 0: + this.api.addColumnLeft(); + break; + case 1: + this.api.addColumnRight(); + break; + case 2: + this.api.addRowAbove(); + break; + case 3: + this.api.addRowBelow(); + break; + } + } + }, + + tableDeleteText: function(menu, item) { + if (this.api) { + switch (item.value) { + case 0: + this.api.remRow(); + break; + case 1: + this.api.remColumn(); + break; + case 2: + this.api.remTable(); + break; + } + } + }, + + + SetDisabled: function(state) { + this._isDisabled = state; + this.documentHolder.SetDisabled(state); + }, + + editComplete: function() { + this.documentHolder && this.documentHolder.fireEvent('editcomplete', this.documentHolder); } }); }); \ No newline at end of file diff --git a/apps/presentationeditor/main/app/controller/LeftMenu.js b/apps/presentationeditor/main/app/controller/LeftMenu.js index 14ce12c89..f824d2197 100644 --- a/apps/presentationeditor/main/app/controller/LeftMenu.js +++ b/apps/presentationeditor/main/app/controller/LeftMenu.js @@ -81,8 +81,6 @@ define([ 'comments:hide': _.bind(this.commentsShowHide, this, 'hide') }, 'FileMenu': { - 'menu:hide': _.bind(this.menuFilesShowHide, this, 'hide'), - 'menu:show': _.bind(this.menuFilesShowHide, this, 'show'), 'filemenu:hide': _.bind(this.menuFilesHide, this), 'item:click': _.bind(this.clickMenuFileItem, this), 'saveas:format': _.bind(this.clickSaveAsFormat, this), @@ -97,15 +95,11 @@ define([ 'file:close': this.clickToolbarTab.bind(this, 'other'), 'save:disabled' : this.changeToolbarSaveState.bind(this) }, - 'SearchDialog': { - 'hide': _.bind(this.onSearchDlgHide, this), - 'search:back': _.bind(this.onQuerySearch, this, 'back'), - 'search:next': _.bind(this.onQuerySearch, this, 'next'), - 'search:replace': _.bind(this.onQueryReplace, this), - 'search:replaceall': _.bind(this.onQueryReplaceAll, this) - }, 'Common.Views.ReviewChanges': { 'collaboration:chat': _.bind(this.onShowHideChat, this) + }, + 'SearchBar': { + 'search:show': _.bind(this.onShowHideSearch, this) } }); Common.NotificationCenter.on('leftmenu:change', _.bind(this.onMenuChange, this)); @@ -117,9 +111,9 @@ define([ onLaunch: function() { this.leftMenu = this.createView('LeftMenu').render(); - this.leftMenu.btnSearch.on('toggle', _.bind(this.onMenuSearch, this)); this.leftMenu.btnThumbs.on('toggle', _.bind(this.onShowTumbnails, this)); this.isThumbsShown = true; + this.leftMenu.btnSearchBar.on('toggle', _.bind(this.onMenuSearchBar, this)); Common.util.Shortcuts.delegateShortcuts({ shortcuts: { @@ -145,7 +139,6 @@ define([ this.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(this.onApiServerDisconnect, this)); Common.NotificationCenter.on('api:disconnect', _.bind(this.onApiServerDisconnect, this)); this.api.asc_registerCallback('asc_onDownloadUrl', _.bind(this.onDownloadUrl, this)); - this.api.asc_registerCallback('asc_onReplaceAll', _.bind(this.onApiTextReplaced, this)); /** coauthoring begin **/ if (this.mode.canCoAuthoring) { if (this.mode.canChat) @@ -170,6 +163,8 @@ define([ if (this.mode.canUseHistory) this.getApplication().getController('Common.Controllers.History').setApi(this.api).setMode(this.mode); this.leftMenu.btnThumbs.toggle(true); + this.getApplication().getController('Search').setApi(this.api).setMode(this.mode); + this.leftMenu.setOptionsPanel('advancedsearch', this.getApplication().getController('Search').getView('Common.Views.SearchPanel')); return this; }, @@ -349,6 +344,10 @@ define([ Common.Utils.InternalSettings.set("pe-settings-coauthmode", fast_coauth); this.api.asc_SetFastCollaborative(fast_coauth); } + } else if (this.mode.canLiveView && !this.mode.isOffline && this.mode.canChangeCoAuthoring) { // viewer + fast_coauth = Common.localStorage.getBool("pe-settings-view-coauthmode", false); + Common.Utils.InternalSettings.set("pe-settings-coauthmode", fast_coauth); + this.api.asc_SetFastCollaborative(fast_coauth); } /** coauthoring end **/ @@ -371,6 +370,14 @@ define([ value = Common.localStorage.getBool("pe-settings-spellcheck", true); Common.Utils.InternalSettings.set("pe-settings-spellcheck", value); this.api.asc_setSpellCheck(value); + var spprops = new AscCommon.CSpellCheckSettings(); + value = Common.localStorage.getBool("pe-spellcheck-ignore-uppercase-words", true); + Common.Utils.InternalSettings.set("pe-spellcheck-ignore-uppercase-words", value); + spprops.put_IgnoreWordsInUppercase(value); + value = Common.localStorage.getBool("pe-spellcheck-ignore-numbers-words", true); + Common.Utils.InternalSettings.set("pe-spellcheck-ignore-numbers-words", value); + spprops.put_IgnoreWordsWithNumbers(value); + this.api.asc_setSpellCheckSettings(spprops); } value = parseInt(Common.localStorage.getItem("pe-settings-paste-button")); @@ -435,66 +442,6 @@ define([ }, /** coauthoring end **/ - onQuerySearch: function(d, w, opts) { - if (opts.textsearch && opts.textsearch.length) { - var me = this; - this.api.asc_findText(opts.textsearch, d != 'back', opts.matchcase, function(resultCount) { - !resultCount && Common.UI.info({ - msg: me.textNoTextFound, - callback: function() { - me.dlgSearch.focus(); - } - }); - }); - } - }, - - onQueryReplace: function(w, opts) { - if (!_.isEmpty(opts.textsearch)) { - if (!this.api.asc_replaceText(opts.textsearch, opts.textreplace, false, opts.matchcase)) { - var me = this; - Common.UI.info({ - msg: this.textNoTextFound, - callback: function() { - me.dlgSearch.focus(); - } - }); - } - } - }, - - onQueryReplaceAll: function(w, opts) { - if (!_.isEmpty(opts.textsearch)) { - this.api.asc_replaceText(opts.textsearch, opts.textreplace, true, opts.matchcase); - } - }, - - showSearchDlg: function(show,action) { - if ( !this.dlgSearch ) { - this.dlgSearch = (new Common.UI.SearchDialog({ - matchcase: true - })); - var me = this; - Common.NotificationCenter.on('preview:start', function() { - me.dlgSearch.hide(); - }); - } - - if (show) { - var mode = this.mode.isEdit && !this.viewmode ? (action || undefined) : 'no-replace'; - if (this.dlgSearch.isVisible()) { - this.dlgSearch.setMode(mode); - this.dlgSearch.focus(); - } else { - this.dlgSearch.show(mode); - } - } else this.dlgSearch['hide'](); - }, - - onMenuSearch: function(obj, show) { - this.showSearchDlg(show); - }, - onShowTumbnails: function(obj, show) { this.api.ShowThumbnails(show); @@ -508,29 +455,11 @@ define([ this.isThumbsShown = isShow; }, - onSearchDlgHide: function() { - this.leftMenu.btnSearch.toggle(false, true); - $(this.leftMenu.btnSearch.el).blur(); - this.api.asc_enableKeyEvents(true); -// this.api.asc_selectSearchingResults(false); - }, - - onApiTextReplaced: function(found,replaced) { - var me = this; - if (found) { - !(found - replaced > 0) ? - Common.UI.info( {msg: Common.Utils.String.format(this.textReplaceSuccess, replaced)} ) : - Common.UI.warning( {msg: Common.Utils.String.format(this.textReplaceSkipped, found-replaced)} ); - } else { - Common.UI.info({msg: this.textNoTextFound}); - } - }, - setPreviewMode: function(mode) { if (this.viewmode === mode) return; this.viewmode = mode; - this.dlgSearch && this.dlgSearch.setMode(this.viewmode ? 'no-replace' : 'search'); + this.leftMenu.panelSearch && this.leftMenu.panelSearch.setSearchMode(this.viewmode ? 'no-replace' : 'search'); }, onApiServerDisconnect: function(enableDownload) { @@ -544,10 +473,6 @@ define([ this.leftMenu.btnPlugins.setDisabled(true); this.leftMenu.getMenu('file').setMode({isDisconnected: true, enableDownload: !!enableDownload}); - if ( this.dlgSearch ) { - this.leftMenu.btnSearch.toggle(false, true); - this.dlgSearch['hide'](); - } }, onApiCountPages: function(count) { @@ -619,15 +544,6 @@ define([ } }, - menuFilesShowHide: function(state) { - if ( this.dlgSearch ) { - if ( state == 'show' ) - this.dlgSearch.suspendKeyEvents(); - else - Common.Utils.asyncCall(this.dlgSearch.resumeKeyEvents, this.dlgSearch); - } - }, - onShortcut: function(s, e) { if (!this.mode) return; @@ -639,10 +555,33 @@ define([ if ((!previewPanel || !previewPanel.isVisible()) && !this._state.no_slides) { Common.UI.Menu.Manager.hideAll(); var full_menu_pressed = this.leftMenu.btnAbout.pressed; - this.showSearchDlg(true,s); - this.leftMenu.btnSearch.toggle(true,true); this.leftMenu.btnAbout.toggle(false); full_menu_pressed && this.menuExpand(this.leftMenu.btnAbout, 'files', false); + + var selectedText = this.api.asc_GetSelectedText(); + if (this.isSearchPanelVisible()) { + selectedText && this.leftMenu.panelSearch.setFindText(selectedText); + this.leftMenu.panelSearch.focus(selectedText !== '' ? s : 'search'); + this.leftMenu.fireEvent('search:aftershow', this.leftMenu, selectedText); + return false; + } else if (this.getApplication().getController('Viewport').isSearchBarVisible()) { + var viewport = this.getApplication().getController('Viewport'); + if (s === 'replace') { + viewport.header.btnSearch.toggle(false); + this.onShowHideSearch(true, viewport.searchBar.inputSearch.val()); + } else { + selectedText && viewport.searchBar.setText(selectedText); + viewport.searchBar.focus(); + return false; + } + } else if (s === 'search') { + Common.NotificationCenter.trigger('search:show'); + return false; + } else { + this.onShowHideSearch(true, selectedText); + } + this.leftMenu.btnSearchBar.toggle(true,true); + this.leftMenu.panelSearch.focus(s); } return false; case 'save': @@ -673,6 +612,10 @@ define([ return false; case 'escape': // if (!this.leftMenu.isOpened()) return true; + var btnSearch = this.getApplication().getController('Viewport').header.btnSearch; + btnSearch.pressed && btnSearch.toggle(false); + this.leftMenu._state.isSearchOpen && (this.leftMenu._state.isSearchOpen = false); + // TODO: if ( this.leftMenu.menuFile.isVisible() ) { if (Common.UI.HintManager.needCloseFileMenu()) @@ -746,6 +689,9 @@ define([ // focus to sdk this.api.asc_enableKeyEvents(true); + } else if (this.leftMenu.btnSearchBar.isActive()) { + this.leftMenu.btnSearchBar.toggle(false); + this.leftMenu.onBtnMenuClick(this.leftMenu.btnSearchBar); } } }, @@ -762,6 +708,29 @@ define([ } }, + onShowHideSearch: function (state, findText) { + if (state) { + Common.UI.Menu.Manager.hideAll(); + this.leftMenu.showMenu('advancedsearch', undefined, true); + this.leftMenu.fireEvent('search:aftershow', this.leftMenu, findText); + } else { + this.leftMenu.btnSearchBar.toggle(false, true); + this.leftMenu.onBtnMenuClick(this.leftMenu.btnSearchBar); + } + }, + + onMenuSearchBar: function(obj, show) { + if (show) { + var mode = this.mode.isEdit && !this.viewmode ? undefined : 'no-replace'; + this.leftMenu.panelSearch.setSearchMode(mode); + } + this.leftMenu._state.isSearchOpen = show; + }, + + isSearchPanelVisible: function () { + return this.leftMenu._state.isSearchOpen; + }, + showHistory: function() { if (!this.mode.wopi) { var maincontroller = PE.getController('Main'); diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index c5e6085a0..10b7f09e3 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -152,6 +152,7 @@ define([ strongCompare : function(obj1, obj2){return obj1.type === obj2.type;}, weakCompare : function(obj1, obj2){return obj1.type === obj2.type;} }); + this.stackMacrosRequests = []; // Initialize viewport if (!Common.Utils.isBrowserSupported()){ @@ -343,7 +344,7 @@ define([ Common.localStorage.getItem("guest-id") || ('uid-' + Date.now())); this.appOptions.user.anonymous && Common.localStorage.setItem("guest-id", this.appOptions.user.id); - this.appOptions.isDesktopApp = this.editorConfig.targetApp == 'desktop'; + this.appOptions.isDesktopApp = this.editorConfig.targetApp == 'desktop' || Common.Controllers.Desktop.isActive(); this.appOptions.canCreateNew = this.editorConfig.canRequestCreateNew || !_.isEmpty(this.editorConfig.createUrl) || this.editorConfig.templates && this.editorConfig.templates.length; this.appOptions.canOpenRecent = this.editorConfig.recent !== undefined && !this.appOptions.isDesktopApp; this.appOptions.templates = this.editorConfig.templates; @@ -393,6 +394,9 @@ define([ value = parseInt(value); Common.Utils.InternalSettings.set("pe-macros-mode", value); + value = Common.localStorage.getItem("pe-allow-macros-request"); + Common.Utils.InternalSettings.set("pe-allow-macros-request", (value !== null) ? parseInt(value) : 0); + this.appOptions.wopi = this.editorConfig.wopi; Common.Controllers.Desktop.init(this.appOptions); @@ -407,8 +411,7 @@ define([ if (data.doc) { this.permissions = $.extend(this.permissions, data.doc.permissions); - var _permissions = $.extend({}, data.doc.permissions), - _options = $.extend({}, data.doc.options, this.editorConfig.actionLink || {}); + var _options = $.extend({}, data.doc.options, this.editorConfig.actionLink || {}); var _user = new Asc.asc_CUserInfo(); _user.put_Id(this.appOptions.user.id); @@ -425,11 +428,16 @@ define([ docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(this.editorConfig.callbackUrl); docInfo.put_Token(data.doc.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(data.doc.permissions); docInfo.put_EncryptedInfo(this.editorConfig.encryptionKeys); docInfo.put_Lang(this.editorConfig.lang); docInfo.put_Mode(this.editorConfig.mode); - + + var coEditMode = !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object') ? 'fast' : // fast by default + this.editorConfig.mode === 'view' && this.editorConfig.coEditing.change!==false ? 'fast' : // if can change mode in viewer - set fast for using live viewer + this.editorConfig.coEditing.mode || 'fast'; + docInfo.put_CoEditingMode(coEditMode); + var enable = !this.editorConfig.customization || (this.editorConfig.customization.macros!==false); docInfo.asc_putIsEnabledMacroses(!!enable); enable = !this.editorConfig.customization || (this.editorConfig.customization.plugins!==false); @@ -438,6 +446,7 @@ define([ this.api.asc_registerCallback('asc_onGetEditorPermissions', _.bind(this.onEditorPermissions, this)); this.api.asc_registerCallback('asc_onLicenseChanged', _.bind(this.onLicenseChanged, this)); + this.api.asc_registerCallback('asc_onMacrosPermissionRequest', _.bind(this.onMacrosPermissionRequest, this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', _.bind(this.onRunAutostartMacroses, this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); @@ -581,7 +590,7 @@ define([ toolbarView.btnHighlightColor.toggle(false, false); } - application.getController('DocumentHolder').getView('DocumentHolder').focus(); + application.getController('DocumentHolder').getView().focus(); if (this.api && this.appOptions.isEdit && this.api.asc_isDocumentCanSave) { var cansave = this.api.asc_isDocumentCanSave(), forcesave = this.appOptions.forcesave, @@ -629,6 +638,7 @@ define([ this.synchronizeChanges(); if ( id == Asc.c_oAscAsyncAction['Disconnect']) { + this._state.timerDisconnect && clearTimeout(this._state.timerDisconnect); this.disableEditing(false, true); this.getApplication().getController('Statusbar').hideDisconnectTip(); this.getApplication().getController('Statusbar').setStatusCaption(this.textReconnect); @@ -726,7 +736,9 @@ define([ this.disableEditing(true, true); var me = this; statusCallback = function() { - me.getApplication().getController('Statusbar').showDisconnectTip(); + me._state.timerDisconnect = setTimeout(function(){ + me.getApplication().getController('Statusbar').showDisconnectTip(); + }, me._state.unloadTimer || 0); }; break; @@ -799,11 +811,22 @@ define([ me.api.asc_setSpellCheck(value); Common.NotificationCenter.trigger('spelling:turn', value ? 'on' : 'off', true); // only toggle buttons + if (Common.UI.FeaturesManager.canChange('spellcheck')) { // get settings for spellcheck from local storage + value = Common.localStorage.getBool("pe-spellcheck-ignore-uppercase-words", true); + Common.Utils.InternalSettings.set("pe-spellcheck-ignore-uppercase-words", value); + value = Common.localStorage.getBool("pe-spellcheck-ignore-numbers-words", true); + Common.Utils.InternalSettings.set("pe-spellcheck-ignore-numbers-words", value); + value = new AscCommon.CSpellCheckSettings(); + value.put_IgnoreWordsInUppercase(Common.Utils.InternalSettings.get("pe-spellcheck-ignore-uppercase-words")); + value.put_IgnoreWordsWithNumbers(Common.Utils.InternalSettings.get("pe-spellcheck-ignore-numbers-words")); + this.api.asc_setSpellCheckSettings(value); + } + value = Common.localStorage.getBool('pe-hidden-notes', this.appOptions.customization && this.appOptions.customization.hideNotes===true); me.api.asc_ShowNotes(!value); function checkWarns() { - if (!window['AscDesktopEditor']) { + if (!Common.Controllers.Desktop.isActive()) { var tips = []; Common.Utils.isIE9m && tips.push(me.warnBrowserIE9); @@ -828,6 +851,9 @@ define([ Common.Utils.InternalSettings.set("pe-settings-inputmode", value); me.api.SetTextBoxInputMode(value); + value = Common.localStorage.getBool("pe-settings-use-alt-key", true); + Common.Utils.InternalSettings.set("pe-settings-use-alt-key", value); + /** coauthoring begin **/ me._state.fastCoauth = Common.Utils.InternalSettings.get("pe-settings-coauthmode"); me.api.asc_SetFastCollaborative(me._state.fastCoauth); @@ -851,11 +877,12 @@ define([ chatController.setApi(this.api).setMode(this.appOptions); application.getController('Common.Controllers.ExternalDiagramEditor').setApi(this.api).loadConfig({config:this.editorConfig, customization: this.editorConfig.customization}); + application.getController('Common.Controllers.ExternalOleEditor').setApi(this.api).loadConfig({config:this.editorConfig, customization: this.editorConfig.customization}); pluginsController.setApi(me.api); documentHolderController.setApi(me.api); - documentHolderController.createDelayedElements(); + // documentHolderController.createDelayedElements(); statusbarController.createDelayedElements(); leftmenuController.getView('LeftMenu').disableMenu('all',false); @@ -863,7 +890,7 @@ define([ if (me.appOptions.canBranding) me.getApplication().getController('LeftMenu').leftMenu.getMenu('about').setLicInfo(me.editorConfig.customization); - documentHolderController.getView('DocumentHolder').setApi(me.api).on('editcomplete', _.bind(me.onEditComplete, me)); + documentHolderController.getView().on('editcomplete', _.bind(me.onEditComplete, me)); // if (me.isThumbnailsShow) me.getMainMenu().onThumbnailsShow(me.isThumbnailsShow); application.getController('Viewport').getView('DocumentPreview').setApi(me.api).setMode(me.appOptions).on('editcomplete', _.bind(me.onEditComplete, me)); @@ -889,7 +916,7 @@ define([ toolbarController.createDelayedElements(); - documentHolderController.getView('DocumentHolder').createDelayedElements(); + documentHolderController.getView().createDelayedElements(); me.setLanguages(); me.api.asc_registerCallback('asc_onUpdateLayout', _.bind(me.fillLayoutsStore, me)); // slide layouts loading @@ -911,10 +938,9 @@ define([ } }, 50); } else { - documentHolderController.getView('DocumentHolder').createDelayedElementsViewer(); + documentHolderController.getView().createDelayedElementsViewer(); Common.NotificationCenter.trigger('document:ready', 'main'); - if (me.editorConfig.mode !== 'view') // if want to open editor, but viewer is loaded - me.applyLicense(); + me.applyLicense(); } // TODO bug 43960 @@ -949,12 +975,20 @@ define([ || licType===Asc.c_oLicenseResult.SuccessLimit && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; + if (licType !== undefined && this.appOptions.canLiveView && (licType===Asc.c_oLicenseResult.ConnectionsLive || licType===Asc.c_oLicenseResult.ConnectionsLiveOS)) + this._state.licenseType = licType; + if (this._isDocReady) this.applyLicense(); }, applyLicense: function() { - if (this._state.licenseType) { + if (this.editorConfig.mode === 'view') { + if (this.appOptions.canLiveView && (this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLive || this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLiveOS)) { + // show warning or write to log if Common.Utils.InternalSettings.get("pe-settings-coauthmode") was true ??? + this.disableLiveViewing(true); + } + } else if (this._state.licenseType) { var license = this._state.licenseType, buttons = ['ok'], primary = 'ok'; @@ -1052,7 +1086,7 @@ define([ app.getController('Toolbar').DisableToolbar(disable, options.viewMode); } if (options.documentHolder) { - app.getController('DocumentHolder').getView('DocumentHolder').SetDisabled(disable); + app.getController('DocumentHolder').SetDisabled(disable); } if (options.leftMenu) { if (options.leftMenu.disable) @@ -1076,6 +1110,12 @@ define([ } }, + disableLiveViewing: function(disable) { + this.appOptions.canLiveView = !disable; + this.api.asc_SetFastCollaborative(!disable); + Common.Utils.InternalSettings.set("pe-settings-coauthmode", !disable); + }, + onOpenDocument: function(progress) { var elem = document.getElementById('loadmask-text'); var proc = (progress.asc_getCurrentFont() + progress.asc_getCurrentImage())/(progress.asc_getFontsCount() + progress.asc_getImagesCount()); @@ -1176,7 +1216,10 @@ define([ this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.LayoutManager.init(this.editorConfig.customization.layout); this.editorConfig.customization && Common.UI.FeaturesManager.init(this.editorConfig.customization.features, this.appOptions.canBrandingExt); - this.appOptions.canChangeCoAuthoring = this.appOptions.isEdit && this.appOptions.canCoAuthoring && !(typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false); + // change = true by default in editor + this.appOptions.canLiveView = !!params.asc_getLiveViewerSupport() && (this.editorConfig.mode === 'view'); // viewer: change=false when no flag canLiveViewer (i.g. old license), change=true by default when canLiveViewer==true + this.appOptions.canChangeCoAuthoring = this.appOptions.isEdit && this.appOptions.canCoAuthoring && !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false) || + this.appOptions.canLiveView && !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false); this.loadCoAuthSettings(); this.applyModeCommonElements(); @@ -1218,6 +1261,12 @@ define([ fastCoauth = (value===null || parseInt(value) == 1); } else if (!this.appOptions.isEdit && this.appOptions.isRestrictedEdit) { fastCoauth = true; + } else if (this.appOptions.canLiveView && !this.appOptions.isOffline) { // viewer + value = Common.localStorage.getItem("pe-settings-view-coauthmode"); + if (!this.appOptions.canChangeCoAuthoring || value===null) { // Use coEditing.mode or 'fast' by default + value = this.editorConfig.coEditing && this.editorConfig.coEditing.mode==='strict' ? 0 : 1; + } + fastCoauth = (parseInt(value) == 1); } else { fastCoauth = false; autosave = 0; @@ -1240,7 +1289,7 @@ define([ var app = this.getApplication(), viewport = app.getController('Viewport').getView('Viewport'), statusbarView = app.getController('Statusbar').getView('Statusbar'), - documentHolder = app.getController('DocumentHolder').getView('DocumentHolder'), + documentHolder = app.getController('DocumentHolder'), toolbarController = app.getController('Toolbar'); viewport && viewport.setMode(this.appOptions, true); @@ -1698,12 +1747,15 @@ define([ if (this.api.isDocumentModified()) { var me = this; this.api.asc_stopSaving(); + this._state.unloadTimer = 1000; this.continueSavingTimer = window.setTimeout(function() { me.api.asc_continueSaving(); + me._state.unloadTimer = 0; }, 500); return this.leavePageText; - } + } else + this._state.unloadTimer = 10000; }, onUnload: function() { @@ -1809,7 +1861,7 @@ define([ synchronizeChanges: function() { this.getApplication().getController('Statusbar').setStatusCaption(''); - this.getApplication().getController('DocumentHolder').getView('DocumentHolder').hideTips(); + this.getApplication().getController('DocumentHolder').hideTips(); /** coauthoring begin **/ this.getApplication().getController('Toolbar').getView('Toolbar').synchronizeChanges(); /** coauthoring end **/ @@ -2027,7 +2079,7 @@ define([ this.loadLanguages([]); } if (this.languages && this.languages.length>0) { - this.getApplication().getController('DocumentHolder').getView('DocumentHolder').setLanguages(this.languages); + this.getApplication().getController('DocumentHolder').getView().setLanguages(this.languages); this.getApplication().getController('Statusbar').setLanguages(this.languages); this.getApplication().getController('Common.Controllers.ReviewChanges').setLanguages(this.languages); } @@ -2232,6 +2284,47 @@ define([ } }, + onMacrosPermissionRequest: function(url, callback) { + if (url && callback) { + this.stackMacrosRequests.push({url: url, callback: callback}); + if (this.stackMacrosRequests.length>1) { + return; + } + } else if (this.stackMacrosRequests.length>0) { + url = this.stackMacrosRequests[0].url; + callback = this.stackMacrosRequests[0].callback; + } else + return; + + var me = this; + var value = Common.Utils.InternalSettings.get("pe-allow-macros-request"); + if (value>0) { + callback && callback(value === 1); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + } else { + Common.UI.warning({ + msg: this.textRequestMacros.replace('%1', url), + buttons: ['yes', 'no'], + primary: 'yes', + dontshow: true, + textDontShow: this.textRememberMacros, + maxwidth: 600, + callback: function(btn, dontshow){ + if (dontshow) { + Common.Utils.InternalSettings.set("pe-allow-macros-request", (btn == 'yes') ? 1 : 2); + Common.localStorage.setItem("pe-allow-macros-request", (btn == 'yes') ? 1 : 2); + } + setTimeout(function() { + if (callback) callback(btn == 'yes'); + me.stackMacrosRequests.shift(); + me.onMacrosPermissionRequest(); + }, 1); + } + }); + } + }, + loadAutoCorrectSettings: function() { // autocorrection var me = this; @@ -2885,7 +2978,9 @@ define([ textConvertEquation: 'This equation was created with an old version of equation editor which is no longer supported. Converting this equation to Office Math ML format will make it editable.
        Do you want to convert this equation?', textApplyAll: 'Apply to all equations', textLearnMore: 'Learn More', - textReconnect: 'Connection is restored' + textReconnect: 'Connection is restored', + textRequestMacros: 'A macro makes a request to URL. Do you want to allow the request to the %1?', + textRememberMacros: 'Remember my choice for all macros' } })(), PE.Controllers.Main || {})) }); diff --git a/apps/presentationeditor/main/app/controller/Search.js b/apps/presentationeditor/main/app/controller/Search.js new file mode 100644 index 000000000..dc540f244 --- /dev/null +++ b/apps/presentationeditor/main/app/controller/Search.js @@ -0,0 +1,380 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2020 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * ViewTab.js + * + * Created by Julia Svinareva on 25.02.2022 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'core', + 'common/main/lib/view/SearchPanel' +], function () { + 'use strict'; + + PE.Controllers.Search = Backbone.Controller.extend(_.extend({ + sdkViewName : '#id_main', + + views: [ + 'Common.Views.SearchPanel' + ], + + initialize: function () { + this.addListeners({ + 'SearchBar': { + 'search:back': _.bind(this.onSearchNext, this, 'back'), + 'search:next': _.bind(this.onSearchNext, this, 'next'), + 'search:input': _.bind(this.onInputSearchChange, this), + 'search:keydown': _.bind(this.onSearchNext, this, 'keydown') + }, + 'Common.Views.SearchPanel': { + 'search:back': _.bind(this.onSearchNext, this, 'back'), + 'search:next': _.bind(this.onSearchNext, this, 'next'), + 'search:replace': _.bind(this.onQueryReplace, this), + 'search:replaceall': _.bind(this.onQueryReplaceAll, this), + 'search:input': _.bind(this.onInputSearchChange, this), + 'search:options': _.bind(this.onChangeSearchOption, this), + 'search:keydown': _.bind(this.onSearchNext, this, 'keydown'), + 'show': _.bind(this.onShowPanel, this), + 'hide': _.bind(this.onHidePanel, this), + }, + 'LeftMenu': { + 'search:aftershow': _.bind(this.onShowAfterSearch, this) + } + }); + }, + onLaunch: function () { + this._state = { + searchText: '', + matchCase: false, + matchWord: false, + useRegExp: false + }; + }, + + setMode: function (mode) { + this.view = this.createView('Common.Views.SearchPanel', { mode: mode }); + }, + + setApi: function (api) { + if (api) { + this.api = api; + this.api.asc_registerCallback('asc_onSetSearchCurrent', _.bind(this.onUpdateSearchCurrent, this)); + this.api.asc_registerCallback('asc_onStartTextAroundSearch', _.bind(this.onStartTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onEndTextAroundSearch', _.bind(this.onEndTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onGetTextAroundSearchPack', _.bind(this.onApiGetTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onRemoveTextAroundSearch', _.bind(this.onApiRemoveTextAroundSearch, this)); + } + return this; + }, + + getView: function(name) { + return !name && this.view ? + this.view : Backbone.Controller.prototype.getView.call(this, name); + }, + + onChangeSearchOption: function (option, checked) { + switch (option) { + case 'case-sensitive': + this._state.matchCase = checked; + break; + case 'match-word': + this._state.matchWord = checked; + break; + case 'regexp': + this._state.useRegExp = checked; + break; + } + if (this._state.searchText !== '') { + this.hideResults(); + if (this.onQuerySearch()) { + if (this.searchTimer) { + clearInterval(this.searchTimer); + this.searchTimer = undefined; + } + this.api.asc_StartTextAroundSearch(); + } + } + }, + + onSearchNext: function (type, text, e) { + var isReturnKey = type === 'keydown' && e.keyCode === Common.UI.Keys.RETURN; + if (text && text.length > 0 && (isReturnKey || type !== 'keydown')) { + this._state.searchText = text; + if (this.onQuerySearch(type) && (this.searchTimer || isReturnKey)) { + this.hideResults(); + if (this.searchTimer) { + clearInterval(this.searchTimer); + this.searchTimer = undefined; + } + if (this.view.$el.is(':visible')) { + this.api.asc_StartTextAroundSearch(); + } + } + } + }, + + onInputSearchChange: function (text) { + var me = this; + if (this._state.searchText !== text) { + this._state.newSearchText = text; + this._lastInputChange = (new Date()); + if (this.searchTimer === undefined) { + this.searchTimer = setInterval(function(){ + if ((new Date()) - me._lastInputChange < 400) return; + + me.hideResults(); + me._state.searchText = me._state.newSearchText; + if (me._state.newSearchText !== '' && me.onQuerySearch()) { + if (me.view.$el.is(':visible')) { + me.api.asc_StartTextAroundSearch(); + } + me.view.disableReplaceButtons(false); + } else if (me._state.newSearchText === '') { + me.view.updateResultsNumber('no-results'); + me.view.disableReplaceButtons(true); + } + clearInterval(me.searchTimer); + me.searchTimer = undefined; + }, 10); + } + } + }, + + onQuerySearch: function (d, w) { + var searchSettings = new AscCommon.CSearchSettings(); + searchSettings.put_Text(this._state.searchText); + searchSettings.put_MatchCase(this._state.matchCase); + searchSettings.put_WholeWords(this._state.matchWord); + if (!this.api.asc_findText(searchSettings, d != 'back')) { + this.resultItems = []; + this.view.updateResultsNumber(undefined, 0); + this.view.disableReplaceButtons(true); + this._state.currentResult = 0; + this._state.resultsNumber = 0; + this.view.disableNavButtons(); + return false; + } + return true; + }, + + onQueryReplace: function(textSearch, textReplace) { + if (textSearch !== '') { + var searchSettings = new AscCommon.CSearchSettings(); + searchSettings.put_Text(textSearch); + searchSettings.put_MatchCase(this._state.matchCase); + searchSettings.put_WholeWords(this._state.matchWord); + if (!this.api.asc_replaceText(searchSettings, textReplace, false)) { + this.allResultsWasRemoved(); + } + } + }, + + onQueryReplaceAll: function(textSearch, textReplace) { + if (textSearch !== '') { + var searchSettings = new AscCommon.CSearchSettings(); + searchSettings.put_Text(textSearch); + searchSettings.put_MatchCase(this._state.matchCase); + searchSettings.put_WholeWords(this._state.matchWord); + this.api.asc_replaceText(searchSettings, textReplace, true); + + this.allResultsWasRemoved(); + } + }, + + allResultsWasRemoved: function () { + this.resultItems = []; + this.hideResults(); + this.view.updateResultsNumber(undefined, 0); + this.view.disableReplaceButtons(true); + this._state.currentResult = 0; + this._state.resultsNumber = 0; + this.view.disableNavButtons(); + }, + + onUpdateSearchCurrent: function (current, all) { + if (current === -1) return; + this._state.currentResult = current; + this._state.resultsNumber = all; + if (this.view) { + this.view.updateResultsNumber(current, all); + this.view.disableNavButtons(current, all); + if (this.resultItems && this.resultItems.length > 0) { + this.resultItems.forEach(function (item) { + item.selected = false; + }); + if (this.resultItems[current]) { + this.resultItems[current].selected = true; + $('#search-results').find('.item').removeClass('selected'); + $(this.resultItems[current].el).addClass('selected'); + this.scrollToSelectedResult(current); + } + } + } + Common.NotificationCenter.trigger('search:updateresults', current, all); + }, + + scrollToSelectedResult: function (ind) { + var index = ind !== undefined ? ind : _.findIndex(this.resultItems, {selected: true}); + if (index !== -1) { + var item = this.resultItems[index].$el, + itemHeight = item.outerHeight(), + itemTop = item.position().top, + container = this.view.$resultsContainer, + containerHeight = container.outerHeight(), + containerTop = container.scrollTop(); + if (itemTop < 0 || (containerTop === 0 && itemTop > containerHeight)) { + container.scroller.scrollTop(containerTop + itemTop - 12); + } else if (itemTop + itemHeight > containerHeight) { + container.scroller.scrollTop(containerTop + itemHeight); + } + } + }, + + onStartTextAroundSearch: function () { + if (this.view) { + this._state.isStartedAddingResults = true; + } + }, + + onEndTextAroundSearch: function () { + if (this.view) { + this._state.isStartedAddingResults = false; + this.view.$resultsContainer.scroller.update({alwaysVisibleY: true}); + } + }, + + onApiGetTextAroundSearch: function (data) { + if (this.view && this._state.isStartedAddingResults) { + if (data.length > 300 || !data.length) return; + var me = this; + me.resultItems = []; + data.forEach(function (item, ind) { + var el = document.createElement("div"), + isSelected = ind === me._state.currentResult; + el.className = 'item'; + el.innerHTML = item[1].trim(); + me.view.$resultsContainer.append(el); + if (isSelected) { + $(el).addClass('selected'); + } + + var resultItem = {id: item[0], $el: $(el), el: el, selected: isSelected}; + me.resultItems.push(resultItem); + $(el).on('click', _.bind(function (el) { + var id = item[0]; + me.api.asc_SelectSearchElement(id); + }, me)); + }); + + this.view.$resultsContainer.show(); + } + }, + + onApiRemoveTextAroundSearch: function (arr) { + var me = this; + arr.forEach(function (id) { + var ind = _.findIndex(me.resultItems, {id: id}); + if (ind !== -1) { + me.resultItems[ind].$el.remove(); + me.resultItems.splice(ind, 1); + } + }); + }, + + hideResults: function () { + if (this.view) { + this.view.$resultsContainer.hide(); + this.view.$resultsContainer.empty(); + } + }, + + onShowAfterSearch: function (findText) { + var viewport = this.getApplication().getController('Viewport'); + if (viewport.isSearchBarVisible()) { + viewport.searchBar.hide(); + } + + var text = typeof findText === 'string' ? findText : (this.api.asc_GetSelectedText() || this._state.searchText); + if (text) { + this.view.setFindText(text); + } else if (text !== undefined) { // panel was opened from empty searchbar, clear to start new search + this.view.setFindText(''); + this._state.searchText = undefined; + } + + this.hideResults(); + if (text !== '' && text === this._state.searchText) { // search was made + this.view.disableReplaceButtons(false); + this.api.asc_StartTextAroundSearch(); + } else if (text !== '') { // search wasn't made + this.onInputSearchChange(text); + } else { + this.resultItems = []; + this.view.disableReplaceButtons(true); + this.view.clearResultsNumber(); + } + this.view.disableNavButtons(this._state.currentResult, this._state.resultsNumber); + }, + + onShowPanel: function () { + if (this.resultItems && this.resultItems.length > 0 && !this._state.isStartedAddingResults) { + var me = this; + this.view.$resultsContainer.show(); + this.resultItems.forEach(function (item) { + me.view.$resultsContainer.append(item.el); + if (item.selected) { + $(item.el).addClass('selected'); + } + $(item.el).on('click', function (el) { + me.api.asc_SelectSearchElement(item.id); + $('#search-results').find('.item').removeClass('selected'); + $(el.currentTarget).addClass('selected'); + }); + }); + this.scrollToSelectedResult(); + } + }, + + onHidePanel: function () { + this.hideResults(); + }, + + notcriticalErrorTitle: 'Warning', + warnReplaceString: '{0} is not a valid special character for the Replace With box.' + + }, PE.Controllers.Search || {})); +}); \ No newline at end of file diff --git a/apps/presentationeditor/main/app/controller/Statusbar.js b/apps/presentationeditor/main/app/controller/Statusbar.js index 9ccc8ae48..89ebab680 100644 --- a/apps/presentationeditor/main/app/controller/Statusbar.js +++ b/apps/presentationeditor/main/app/controller/Statusbar.js @@ -84,7 +84,9 @@ define([ this.bindViewEvents(this.statusbar, this.events); - $('#status-label-zoom').css('min-width', 80); + var lblzoom = $('#status-label-zoom'); + lblzoom.css('min-width', 80); + lblzoom.text(Common.Utils.String.format(this.zoomText, 100)); this.statusbar.btnZoomToPage.on('click', _.bind(this.onBtnZoomTo, this, 'topage')); this.statusbar.btnZoomToWidth.on('click', _.bind(this.onBtnZoomTo, this, 'towidth')); diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js index c3c8b631a..a869ff4fb 100644 --- a/apps/presentationeditor/main/app/controller/Toolbar.js +++ b/apps/presentationeditor/main/app/controller/Toolbar.js @@ -503,20 +503,63 @@ define([ } }, + updateBulletTip: function(view, title) { + if (view) { + var tip = $(view.el).data('bs.tooltip'); + if (tip) { + tip.options.title = title; + tip.$tip.find('.tooltip-inner').text(title); + } + } + }, + onApiBullets: function(v) { - if (this._state.bullets.type != v.get_ListType() || this._state.bullets.subtype != v.get_ListSubType()) { + if (this._state.bullets.type !== v.get_ListType() || this._state.bullets.subtype !== v.get_ListSubType() || v.get_ListType()===0 && v.get_ListSubType()===0x1000) { this._state.bullets.type = v.get_ListType(); this._state.bullets.subtype = v.get_ListSubType(); + var rec = this.toolbar.mnuMarkersPicker.store.at(8), + drawDefBullet = (rec.get('data').subtype===0x1000) && (this._state.bullets.type===1 || this._state.bullets.subtype!==0x1000); + this._clearBullets(); switch(this._state.bullets.type) { case 0: + var idx; + if (this._state.bullets.subtype!==0x1000) + idx = this._state.bullets.subtype; + else { // custom + var bullet = v.asc_getListCustom(); + if (bullet) { + var type = bullet.asc_getType(); + if (type == Asc.asc_PreviewBulletType.char) { + var symbol = bullet.asc_getChar(); + if (symbol) { + rec.get('data').subtype = 0x1000; + rec.set('drawdata', {type: type, char: symbol, specialFont: bullet.asc_getSpecialFont()}); + rec.set('tip', ''); + this.toolbar.mnuMarkersPicker.dataViewItems && this.updateBulletTip(this.toolbar.mnuMarkersPicker.dataViewItems[8], ''); + drawDefBullet = false; + idx = 8; + } + } else if (type == Asc.asc_PreviewBulletType.image) { + var id = bullet.asc_getImageId(); + if (id) { + rec.get('data').subtype = 0x1000; + rec.set('drawdata', {type: type, imageId: id}); + rec.set('tip', ''); + this.toolbar.mnuMarkersPicker.dataViewItems && this.updateBulletTip(this.toolbar.mnuMarkersPicker.dataViewItems[8], ''); + drawDefBullet = false; + idx = 8; + } + } + } + } + (idx!==undefined) ? this.toolbar.mnuMarkersPicker.selectByIndex(idx, true) : + this.toolbar.mnuMarkersPicker.deselectAll(true); + this.toolbar.btnMarkers.toggle(true, true); - if (this._state.bullets.subtype!==undefined) - this.toolbar.mnuMarkersPicker.selectByIndex(this._state.bullets.subtype, true); - else - this.toolbar.mnuMarkersPicker.deselectAll(true); + this.toolbar.mnuNumbersPicker.deselectAll(true); break; case 1: var idx = 0; @@ -545,8 +588,15 @@ define([ } this.toolbar.btnNumbers.toggle(true, true); this.toolbar.mnuNumbersPicker.selectByIndex(idx, true); + this.toolbar.mnuMarkersPicker.deselectAll(true); break; } + if (drawDefBullet) { + rec.get('data').subtype = 8; + rec.set('drawdata', this.toolbar._markersArr[8]); + rec.set('tip', this.toolbar.tipMarkersDash); + this.toolbar.mnuMarkersPicker.dataViewItems && this.updateBulletTip(this.toolbar.mnuMarkersPicker.dataViewItems[8], this.toolbar.tipMarkersDash); + } } }, @@ -1247,6 +1297,7 @@ define([ api: me.api, props: props, type: type, + storage: me.mode.canRequestInsertImage || me.mode.fileChoiceUrl && me.mode.fileChoiceUrl.indexOf("{documentType}")>-1, interfaceLang: me.toolbar.mode.lang, handler: function(result, value) { if (result == 'ok') { @@ -1358,7 +1409,9 @@ define([ var store = picker.store; var arr = []; store.each(function(item){ - arr.push(item.get('id')); + var data = item.get('drawdata'); + data['divId'] = item.get('id'); + arr.push(data); }); if (this.api && this.api.SetDrawImagePreviewBulletForMenu) { this.api.SetDrawImagePreviewBulletForMenu(arr, type); @@ -1381,11 +1434,31 @@ define([ } if (btn) { - btn.toggle(rawData.data.subtype > -1, true); + btn.toggle(rawData.data.subtype !== -1, true); } - if (this.api) - this.api.put_ListType(rawData.data.type, rawData.data.subtype); + if (this.api){ + if (rawData.data.type===0 && rawData.data.subtype===0x1000) {// custom bullet + var bullet = new Asc.asc_CBullet(); + if (rawData.drawdata.type===Asc.asc_PreviewBulletType.char) { + bullet.asc_putSymbol(rawData.drawdata.char); + bullet.asc_putFont(rawData.drawdata.specialFont); + } else if (rawData.drawdata.type===Asc.asc_PreviewBulletType.image) + bullet.asc_fillBulletImage(rawData.drawdata.imageId); + var selectedElements = this.api.getSelectedElements(); + if (selectedElements && _.isArray(selectedElements)) { + for (var i = 0; i< selectedElements.length; i++) { + if (Asc.c_oAscTypeSelectElement.Paragraph == selectedElements[i].get_ObjectType()) { + var props = selectedElements[i].get_ObjectValue(); + props.asc_putBullet(bullet); + this.api.paraApply(props); + break; + } + } + } + } else + this.api.put_ListType(rawData.data.type, rawData.data.subtype); + } Common.NotificationCenter.trigger('edit:complete', this.toolbar); Common.component.Analytics.trackEvent('ToolBar', 'List Type'); @@ -2000,9 +2073,9 @@ define([ if (this._state.clrhighlight != -1) { this.toolbar.mnuHighlightTransparent.setChecked(true, true); - if (this.toolbar.mnuHighlightColorPicker.cmpEl) { + if (this.toolbar.mnuHighlightColorPicker) { this._state.clrhighlight = -1; - this.toolbar.mnuHighlightColorPicker.select(null, true); + this.toolbar.mnuHighlightColorPicker.clearSelection(); } } } else if (c !== null) { @@ -2010,13 +2083,13 @@ define([ 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); + if ( this.toolbar.mnuHighlightColorPicker && _.contains(this.toolbar.mnuHighlightColorPicker.colors, this._state.clrhighlight) ) + this.toolbar.mnuHighlightColorPicker.selectByRGB(this._state.clrhighlight, true); } } else { if ( this._state.clrhighlight !== c) { this.toolbar.mnuHighlightTransparent.setChecked(false, true); - this.toolbar.mnuHighlightColorPicker.select(null, true); + this.toolbar.mnuHighlightColorPicker && this.toolbar.mnuHighlightColorPicker.clearSelection(); this._state.clrhighlight = c; } } diff --git a/apps/presentationeditor/main/app/controller/ViewTab.js b/apps/presentationeditor/main/app/controller/ViewTab.js index 04e6e4469..4e2249cf4 100644 --- a/apps/presentationeditor/main/app/controller/ViewTab.js +++ b/apps/presentationeditor/main/app/controller/ViewTab.js @@ -85,7 +85,6 @@ define([ mode: mode, compactToolbar: this.toolbar.toolbar.isCompactView }); - this.addListeners({ 'ViewTab': { 'zoom:toslide': _.bind(this.onBtnZoomTo, this, 'toslide'), @@ -152,6 +151,10 @@ define([ })).then(function () { me.view.setEvents(); + if (!Common.UI.Themes.available()) { + me.view.btnInterfaceTheme.$el.closest('.group').remove(); + me.view.$el.find('.separator-theme').remove(); + } if (config.canBrandingExt && config.customization && config.customization.statusBar === false || !Common.UI.LayoutManager.isElementVisible('statusBar')) { me.view.chStatusbar.$el.remove(); @@ -173,24 +176,26 @@ define([ .on('combo:blur', _.bind(me.onComboBlur, me, false)); }); - var menuItems = [], - currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(); - for (var t in Common.UI.Themes.map()) { - menuItems.push({ - value: t, - caption: Common.UI.Themes.get(t).text, - checked: t === currentTheme, - checkable: true, - toggleGroup: 'interface-theme' - }); - } + if (Common.UI.Themes.available()) { + var menuItems = [], + currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(); + for (var t in Common.UI.Themes.map()) { + menuItems.push({ + value: t, + caption: Common.UI.Themes.get(t).text, + checked: t === currentTheme, + checkable: true, + toggleGroup: 'interface-theme' + }); + } - if (menuItems.length) { - this.view.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems})); - this.view.btnInterfaceTheme.menu.on('item:click', _.bind(function (menu, item) { - var value = item.value; - Common.UI.Themes.setTheme(value); - }, this)); + if (menuItems.length) { + this.view.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems})); + this.view.btnInterfaceTheme.menu.on('item:click', _.bind(function (menu, item) { + var value = item.value; + Common.UI.Themes.setTheme(value); + }, this)); + } } } }, @@ -220,7 +225,7 @@ define([ }, onThemeChanged: function () { - if (this.view) { + if (this.view && Common.UI.Themes.available()) { var current_theme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(), menu_item = _.findWhere(this.view.btnInterfaceTheme.menu.items, {value: current_theme}); if ( !!menu_item ) { diff --git a/apps/presentationeditor/main/app/controller/Viewport.js b/apps/presentationeditor/main/app/controller/Viewport.js index 357d30f0f..bb6549705 100644 --- a/apps/presentationeditor/main/app/controller/Viewport.js +++ b/apps/presentationeditor/main/app/controller/Viewport.js @@ -43,6 +43,7 @@ define([ 'core', 'common/main/lib/view/Header', + 'common/main/lib/view/SearchBar', 'presentationeditor/main/app/view/DocumentPreview', 'presentationeditor/main/app/view/Viewport' // 'documenteditor/main/app/view/LeftMenu' @@ -152,6 +153,7 @@ define([ Common.NotificationCenter.on('app:face', this.onAppShowed.bind(this)); Common.NotificationCenter.on('app:ready', this.onAppReady.bind(this)); + Common.NotificationCenter.on('search:show', _.bind(this.onSearchShow, this)); }, onAppShowed: function (config) { @@ -324,6 +326,39 @@ define([ this.header && this.header.lockHeaderBtns( 'rename-user', disable); }, + onNotesShow: function(bIsShow) { + this.header && this.header.mnuitemHideNotes.setChecked(!bIsShow, true); + Common.localStorage.setBool('pe-hidden-notes', !bIsShow); + }, + + onSearchShow: function () { + this.header.btnSearch && this.header.btnSearch.toggle(true); + }, + + onSearchToggle: function () { + var leftMenu = this.getApplication().getController('LeftMenu'); + if (leftMenu.isSearchPanelVisible()) { + this.header.btnSearch.toggle(false, true); + leftMenu.getView('LeftMenu').panelSearch.focus(); + return; + } + if (!this.searchBar) { + this.searchBar = new Common.UI.SearchBar({}); + this.searchBar.on('hide', _.bind(function () { + this.header.btnSearch.toggle(false, true); + }, this)); + } + if (this.header.btnSearch.pressed) { + this.searchBar.show(this.api.asc_GetSelectedText()); + } else { + this.searchBar.hide(); + } + }, + + isSearchBarVisible: function () { + return this.searchBar && this.searchBar.isVisible(); + }, + textFitPage: 'Fit to Page', textFitWidth: 'Fit to Width' }, PE.Controllers.Viewport)); diff --git a/apps/presentationeditor/main/app/template/LeftMenu.template b/apps/presentationeditor/main/app/template/LeftMenu.template index abd645e85..8df024b4f 100644 --- a/apps/presentationeditor/main/app/template/LeftMenu.template +++ b/apps/presentationeditor/main/app/template/LeftMenu.template @@ -1,6 +1,6 @@
        - + @@ -11,6 +11,7 @@
        + diff --git a/apps/presentationeditor/main/app/template/StatusBar.template b/apps/presentationeditor/main/app/template/StatusBar.template index 9231453f0..8df4781e6 100644 --- a/apps/presentationeditor/main/app/template/StatusBar.template +++ b/apps/presentationeditor/main/app/template/StatusBar.template @@ -1,10 +1,10 @@
        -
        +
        - +
        - +
        - - + +
        - +
        - - - + + +
        - +
        diff --git a/apps/presentationeditor/main/app/view/Animation.js b/apps/presentationeditor/main/app/view/Animation.js index 7eda3e166..b17125654 100644 --- a/apps/presentationeditor/main/app/view/Animation.js +++ b/apps/presentationeditor/main/app/view/Animation.js @@ -63,7 +63,8 @@ define([ me.fireEvent('animation:selecteffect', [combo, record]); }, me)); me.listEffectsMore.on('click', _.bind(function () { - me.fireEvent('animation:additional', [me.listEffects.menuPicker.getSelectedRec().get('value') != AscFormat.ANIM_PRESET_NONE]); // replace effect + var rec = me.listEffects.menuPicker.getSelectedRec(); + me.fireEvent('animation:additional', [!(rec && rec.get('value') === AscFormat.ANIM_PRESET_NONE)]); // replace effect }, me)); } @@ -75,6 +76,12 @@ define([ me.btnPreview.on('click', _.bind(function(btn) { me.fireEvent('animation:preview', [me.btnPreview]); }, me)); + me.btnPreview.menu.on('item:click', _.bind(function(menu, item, e) { + if (item.value === 'preview') + me.fireEvent('animation:preview', [me.btnPreview]); + else if (item.value === 'auto') + Common.Utils.InternalSettings.set("pe-animation-no-auto-preview", !item.checked); + }, me)); } if(me.cmbTrigger) @@ -207,7 +214,7 @@ define([ store: new Common.UI.DataViewStore(this._arrEffectName), additionalMenuItems: [{caption: '--'}, this.listEffectsMore], enableKeyEvents: true, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.timingLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: '-16, 0', @@ -239,9 +246,10 @@ define([ this.btnPreview = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', // x-huge icon-top', caption: this.txtPreview, - split: false, + split: true, + menu: true, iconCls: 'toolbar__icon animation-preview-start', - lock: [_set.slideDeleted, _set.noSlides, _set.noAnimationPreview], + lock: [_set.slideDeleted, _set.noSlides, _set.noAnimationPreview, _set.timingLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'small' @@ -251,9 +259,9 @@ define([ this.btnParameters = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', caption: this.txtParameters, - iconCls: 'toolbar__icon icon animation-none', + iconCls: 'toolbar__icon icon animation-parameters', menu: new Common.UI.Menu({items: []}), - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationParam], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationParam, _set.timingLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'small' @@ -265,7 +273,7 @@ define([ caption: this.txtAnimationPane, split: true, iconCls: 'toolbar__icon transition-apply-all', - lock: [_set.slideDeleted, _set.noSlides], + lock: [_set.slideDeleted, _set.noSlides, _set.timingLock], dataHint: '1', dataHintDirection: 'left', dataHintOffset: 'medium' @@ -277,7 +285,7 @@ define([ caption: this.txtAddEffect, iconCls: 'toolbar__icon icon add-animation', menu: true, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.timingLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'small' @@ -298,7 +306,7 @@ define([ {value: 1, displayValue: this.str1}, {value: 0.5, displayValue: this.str0_5} ], - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration, _set.timingLock], dataHint: '1', dataHintDirection: 'top', dataHintOffset: 'small' @@ -309,7 +317,7 @@ define([ el: this.$el.find('#animation-duration'), iconCls: 'toolbar__icon animation-duration', caption: this.strDuration, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration] + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationDuration, _set.timingLock] }); this.lockedControls.push(this.lblDuration); @@ -318,7 +326,7 @@ define([ cls: 'btn-toolbar', iconCls: 'toolbar__icon btn-trigger', caption: this.strTrigger, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects, _set.timingLock], menu : new Common.UI.Menu({ items: [ { @@ -349,9 +357,9 @@ define([ width: 55, value: '', defaultUnit: this.txtSec, - maxValue: 300, + maxValue: 60, minValue: 0, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.timingLock], dataHint: '1', dataHintDirection: 'bottom', dataHintOffset: 'big' @@ -362,7 +370,7 @@ define([ el: this.$el.find('#animation-delay'), iconCls: 'toolbar__icon animation-delay', caption: this.strDelay, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation] + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.timingLock] }); this.lockedControls.push(this.lblDelay); @@ -370,7 +378,7 @@ define([ cls: 'input-group-nr', menuStyle: 'min-width: 100%;', editable: false, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.timingLock], data: [ {value: AscFormat.NODE_TYPE_CLICKEFFECT, displayValue: this.textStartOnClick}, {value: AscFormat.NODE_TYPE_WITHEFFECT, displayValue: this.textStartWithPrevious}, @@ -386,14 +394,14 @@ define([ el: this.$el.find('#animation-label-start'), iconCls: 'toolbar__icon btn-preview-start', caption: this.strStart, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation] + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.timingLock] }); this.lockedControls.push(this.lblStart); this.chRewind = new Common.UI.CheckBox({ el: this.$el.find('#animation-checkbox-rewind'), labelText: this.strRewind, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.timingLock], dataHint: '1', dataHintDirection: 'left', dataHintOffset: 'small' @@ -405,7 +413,7 @@ define([ cls: 'input-group-nr', menuStyle: 'min-width: 100%;', editable: true, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationRepeat], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationRepeat, _set.timingLock], data: [ {value: 1, displayValue: this.textNoRepeat}, {value: 2, displayValue: "2"}, @@ -426,7 +434,7 @@ define([ el: this.$el.find('#animation-repeat'), iconCls: 'toolbar__icon animation-repeat', caption: this.strRepeat, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationRepeat] + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noAnimationRepeat, _set.timingLock] }); this.lockedControls.push(this.lblRepeat); @@ -436,7 +444,7 @@ define([ iconCls: 'toolbar__icon btn-arrow-up', style: 'min-width: 82px', caption: this.textMoveEarlier, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects, _set.noMoveAnimationEarlier], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects, _set.noMoveAnimationEarlier, _set.timingLock], dataHint: '1', dataHintDirection: 'left', dataHintOffset: 'medium' @@ -449,7 +457,7 @@ define([ iconCls: 'toolbar__icon btn-arrow-down', style: 'min-width: 82px', caption: this.textMoveLater, - lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects, _set.noMoveAnimationLater], + lock: [_set.slideDeleted, _set.noSlides, _set.noGraphic, _set.noAnimation, _set.noTriggerObjects, _set.noMoveAnimationLater, _set.timingLock], dataHint: '1', dataHintDirection: 'left', dataHintOffset: 'medium' @@ -513,6 +521,15 @@ define([ me.btnAddAnimation.menu.setInnerMenu([{menu: picker, index: 0}]); }; me.btnAddAnimation.menu.on('show:before', onShowBefore); + + me.btnPreview.setMenu( new Common.UI.Menu({ + style: "min-width: auto;", + items: [ + {caption: me.txtPreview, value: 'preview'}, + {caption: me.textAutoPreview, value: 'auto', checkable: true, checked: !Common.Utils.InternalSettings.get("pe-animation-no-auto-preview")} + ] + })); + setEvents.call(me); }); }, @@ -625,7 +642,8 @@ define([ str3: '3 s (Slow)', str2: '2 s (Medium)', str1: '1 s (Fast)', - str0_5: '0.5 s (Very Fast)' + str0_5: '0.5 s (Very Fast)', + textAutoPreview: 'AutoPreview' } }()), PE.Views.Animation || {})); diff --git a/apps/presentationeditor/main/app/view/AnimationDialog.js b/apps/presentationeditor/main/app/view/AnimationDialog.js index a2da6fc64..852c1b5b6 100644 --- a/apps/presentationeditor/main/app/view/AnimationDialog.js +++ b/apps/presentationeditor/main/app/view/AnimationDialog.js @@ -44,7 +44,7 @@ define([ PE.Views.AnimationDialog = Common.UI.Window.extend(_.extend({ options: { width: 350, - height: 426, + height: 396, header: true, cls: 'animation-dlg', buttons: ['ok', 'cancel'] @@ -57,8 +57,8 @@ define([ '
        ', '
        ', '
        ', - '
        ', - '
        ', + '
        ', + // '
        ', '
        ' ].join(''); this.allEffects = Common.define.effectData.getEffectFullData(); @@ -125,11 +125,11 @@ define([ }); this.lstEffectList.on('item:select', _.bind(this.onEffectListItem,this)); - this.chPreview = new Common.UI.CheckBox({ - el : $('#animation-setpreview'), - labelText : this.textPreviewEffect, - value: !Common.Utils.InternalSettings.get("pe-animation-no-preview") - }).on('change', _.bind(this.onPreviewChange, this)); + // this.chPreview = new Common.UI.CheckBox({ + // el : $('#animation-setpreview'), + // labelText : this.textPreviewEffect, + // value: !Common.Utils.InternalSettings.get("pe-animation-no-preview") + // }).on('change', _.bind(this.onPreviewChange, this)); this.cmbGroup.setValue(this._state.activeGroupValue); this.fillLevel(); @@ -138,7 +138,7 @@ define([ }, getFocusedComponents: function() { - return [ this.cmbGroup, this.cmbLevel, this.lstEffectList, this.chPreview]; + return [ this.cmbGroup, this.cmbLevel, this.lstEffectList/*, this.chPreview*/]; }, getDefaultFocusableComponent: function () { @@ -170,6 +170,9 @@ define([ fillEffect: function () { var arr = _.where(this.allEffects, {group: this._state.activeGroup, level: this.activeLevel }); + arr = _.reject(arr, function (item) { + return !!item.notsupported; + }); this.lstEffectList.store.reset(arr); var item = this.lstEffectList.store.findWhere({value: this._state.activeEffect}); if(!item) diff --git a/apps/presentationeditor/main/app/view/ChartSettings.js b/apps/presentationeditor/main/app/view/ChartSettings.js index f5df0b4ec..b6475f081 100644 --- a/apps/presentationeditor/main/app/view/ChartSettings.js +++ b/apps/presentationeditor/main/app/view/ChartSettings.js @@ -385,6 +385,8 @@ define([ }, onAddChartStylesPreview: function(styles){ + if (!this.cmbChartStyle) return; + var me = this; if (styles && styles.length>0){ var stylesStore = this.cmbChartStyle.menuPicker.store; diff --git a/apps/presentationeditor/main/app/view/DocumentHolder.js b/apps/presentationeditor/main/app/view/DocumentHolder.js index 28be6cf54..ebb431b4a 100644 --- a/apps/presentationeditor/main/app/view/DocumentHolder.js +++ b/apps/presentationeditor/main/app/view/DocumentHolder.js @@ -58,1612 +58,13 @@ define([ initialize: function () { var me = this; - me.usertips = []; - me._TtHeight = 20; me.slidesCount = 0; - me.fastcoauthtips = []; me._currentMathObj = undefined; me._currentParaObjDisabled = false; me._currentSpellObj = undefined; me._currLang = {}; me._state = {}; me._isDisabled = false; - - /** coauthoring begin **/ - var usersStore = PE.getCollection('Common.Collections.Users'); - /** coauthoring end **/ - - var showPopupMenu = function(menu, value, event, docElement, eOpts){ - if (!_.isUndefined(menu) && menu !== null){ - Common.UI.Menu.Manager.hideAll(); - - var showPoint = [event.get_X(), event.get_Y()], - menuContainer = $(me.el).find(Common.Utils.String.format('#menu-container-{0}', menu.id)); - - if (event.get_Type() == Asc.c_oAscContextMenuTypes.Thumbnails) { - showPoint[0] -= 3; - showPoint[1] -= 3; - } - - if (!menu.rendered) { - // Prepare menu container - if (menuContainer.length < 1) { - menuContainer = $(Common.Utils.String.format('', menu.id)); - $(me.el).append(menuContainer); - } - - menu.render(menuContainer); - menu.cmpEl.attr({tabindex: "-1"}); - } - - menuContainer.css({ - left: showPoint[0], - top : showPoint[1] - }); - - menu.show(); - - if (_.isFunction(menu.options.initMenu)) { - menu.options.initMenu(value); - menu.alignPosition(); - } - _.delay(function() { - menu.cmpEl.focus(); - }, 10); - - me.currentMenu = menu; - } - }; - - var fillMenuProps = function(selectedElements) { - if (!selectedElements || !_.isArray(selectedElements)) return; - - var menu_props = {}, - menu_to_show = null; - _.each(selectedElements, function(element, index) { - var elType = element.get_ObjectType(), - elValue = element.get_ObjectValue(); - - if (Asc.c_oAscTypeSelectElement.Image == elType) { - menu_to_show = me.pictureMenu; - menu_props.imgProps = {}; - menu_props.imgProps.value = elValue; - menu_props.imgProps.locked = (elValue) ? elValue.get_Locked() : false; - } else if (Asc.c_oAscTypeSelectElement.Table == elType) - { - menu_to_show = me.tableMenu; - menu_props.tableProps = {}; - menu_props.tableProps.value = elValue; - menu_props.tableProps.locked = (elValue) ? elValue.get_Locked() : false; - } else if (Asc.c_oAscTypeSelectElement.Hyperlink == elType) { - menu_props.hyperProps = {}; - menu_props.hyperProps.value = elValue; - } else if (Asc.c_oAscTypeSelectElement.Shape == elType) { // shape - menu_to_show = me.pictureMenu; - menu_props.shapeProps = {}; - menu_props.shapeProps.value = elValue; - menu_props.shapeProps.locked = (elValue) ? elValue.get_Locked() : false; - if (elValue.get_FromChart()) - menu_props.shapeProps.isChart = true; - } - else if (Asc.c_oAscTypeSelectElement.Chart == elType) { - menu_to_show = me.pictureMenu; - menu_props.chartProps = {}; - menu_props.chartProps.value = elValue; - menu_props.chartProps.locked = (elValue) ? elValue.get_Locked() : false; - } - else if (Asc.c_oAscTypeSelectElement.Slide == elType) { - menu_props.slideProps = {}; - menu_props.slideProps.value = elValue; - menu_props.slideProps.locked = (elValue) ? elValue.get_LockDelete() : false; - } else if (Asc.c_oAscTypeSelectElement.Paragraph == elType) { - menu_props.paraProps = {}; - menu_props.paraProps.value = elValue; - menu_props.paraProps.locked = (elValue) ? elValue.get_Locked() : false; - if ( (menu_props.shapeProps && menu_props.shapeProps.value || menu_props.chartProps && menu_props.chartProps.value)&& // text in shape, need to show paragraph menu with vertical align - _.isUndefined(menu_props.tableProps)) - menu_to_show = me.textMenu; - } else if (Asc.c_oAscTypeSelectElement.SpellCheck == elType) { - menu_props.spellProps = {}; - menu_props.spellProps.value = elValue; - me._currentSpellObj = elValue; - } else if (Asc.c_oAscTypeSelectElement.Math == elType) { - menu_props.mathProps = {}; - menu_props.mathProps.value = elValue; - me._currentMathObj = elValue; - } - }); - if (menu_to_show === null) { - if (!_.isUndefined(menu_props.paraProps)) - menu_to_show = me.textMenu; - else if (!_.isUndefined(menu_props.slideProps)) { - menu_to_show = me.slideMenu; - } - } - - return {menu_to_show: menu_to_show, menu_props: menu_props}; - }; - - var fillViewMenuProps = function(selectedElements) { - if (!selectedElements || !_.isArray(selectedElements)) return; - - if (!me.viewModeMenu) - me.createDelayedElementsViewer(); - - var menu_props = {}, - menu_to_show = null; - _.each(selectedElements, function(element, index) { - var elType = element.get_ObjectType(), - elValue = element.get_ObjectValue(); - - if (Asc.c_oAscTypeSelectElement.Image == elType || Asc.c_oAscTypeSelectElement.Table == elType || Asc.c_oAscTypeSelectElement.Shape == elType || - Asc.c_oAscTypeSelectElement.Chart == elType || Asc.c_oAscTypeSelectElement.Paragraph == elType) { - menu_to_show = me.viewModeMenu; - menu_props.locked = menu_props.locked || ((elValue) ? elValue.get_Locked() : false); - if (Asc.c_oAscTypeSelectElement.Chart == elType) - menu_props.isChart = true; - } - else if (Asc.c_oAscTypeSelectElement.Slide == elType) { - menu_props.locked = menu_props.locked || ((elValue) ? elValue.get_LockDelete() : false); - } - }); - - return (menu_to_show) ? {menu_to_show: menu_to_show, menu_props: menu_props} : null; - }; - - var showObjectMenu = function(event, docElement, eOpts){ - if (me.api){ - var obj = (me.mode.isEdit && !me._isDisabled) ? fillMenuProps(me.api.getSelectedElements()) : fillViewMenuProps(me.api.getSelectedElements()); - if (obj) showPopupMenu(obj.menu_to_show, obj.menu_props, event, docElement, eOpts); - } - }; - - var onContextMenu = function(event){ - if (Common.UI.HintManager.isHintVisible()) - Common.UI.HintManager.clearHints(); - _.delay(function(){ - if (event.get_Type() == Asc.c_oAscContextMenuTypes.Thumbnails) { - showPopupMenu.call(me, (me.mode.isEdit && !me._isDisabled) ? me.slideMenu : me.viewModeMenuSlide, {isSlideSelect: event.get_IsSlideSelect(), isSlideHidden: event.get_IsSlideHidden(), fromThumbs: true}, event); - } else { - showObjectMenu.call(me, event); - } - },10); - }; - - var onFocusObject = function(selectedElements) { - if (me.currentMenu && me.currentMenu.isVisible()){ - if (me.api.asc_getCurrentFocusObject() === 0 ){ // thumbnails - if (me.slideMenu===me.currentMenu && !me._isDisabled) { - var isHidden = false; - _.each(selectedElements, function(element, index) { - if (Asc.c_oAscTypeSelectElement.Slide == element.get_ObjectType()) { - isHidden = element.get_ObjectValue().get_IsHidden(); - } - }); - - me.currentMenu.options.initMenu({isSlideSelect: me.slideMenu.items[2].isVisible(), isSlideHidden: isHidden, fromThumbs: true}); - me.currentMenu.alignPosition(); - } - } else { - var obj = (me.mode.isEdit && !me._isDisabled) ? fillMenuProps(selectedElements) : fillViewMenuProps(selectedElements); - if (obj) { - if (obj.menu_to_show===me.currentMenu) { - me.currentMenu.options.initMenu(obj.menu_props); - me.currentMenu.alignPosition(); - } - } - } - } - }; - - var handleDocumentWheel = function(event){ - if (me.api) { - var delta = (_.isUndefined(event.originalEvent)) ? event.wheelDelta : event.originalEvent.wheelDelta; - if (_.isUndefined(delta)) { - delta = event.deltaY; - } - - if ((event.ctrlKey || event.metaKey) && !event.altKey){ - if (delta < 0) - me.api.zoomOut(); - else if (delta > 0) - me.api.zoomIn(); - - event.preventDefault(); - event.stopPropagation(); - } - } - }; - - var handleDocumentKeyDown = function(event){ - if (me.api){ - var key = event.keyCode; - if ((event.ctrlKey || event.metaKey) && !event.shiftKey && !event.altKey){ - if (key === Common.UI.Keys.NUM_PLUS || key === Common.UI.Keys.EQUALITY || (Common.Utils.isGecko && key === Common.UI.Keys.EQUALITY_FF) || (Common.Utils.isOpera && key == 43)){ - me.api.zoomIn(); - event.preventDefault(); - event.stopPropagation(); - return false; - } - else if (key === Common.UI.Keys.NUM_MINUS || key === Common.UI.Keys.MINUS || (Common.Utils.isGecko && key === Common.UI.Keys.MINUS_FF) || (Common.Utils.isOpera && key == 45)){ - me.api.zoomOut(); - event.preventDefault(); - event.stopPropagation(); - return false; - } else if (key === 48 || key === 96) {// 0 - me.api.zoomFitToPage(); - event.preventDefault(); - event.stopPropagation(); - return false; - } - } - if (me.currentMenu && me.currentMenu.isVisible()) { - if (key == Common.UI.Keys.UP || - key == Common.UI.Keys.DOWN) { - $('ul.dropdown-menu', me.currentMenu.el).focus(); - } - } - if (key == Common.UI.Keys.ESC) { - Common.UI.Menu.Manager.hideAll(); - if (!Common.UI.HintManager.isHintVisible()) - Common.NotificationCenter.trigger('leftmenu:change', 'hide'); - } - } - }; - - var onDocumentHolderResize = function(){ - me._Height = me.cmpEl.height(); - me._Width = me.cmpEl.width(); - me._BodyWidth = $('body').width(); - me._XY = undefined; - - if (me.slideNumDiv) { - me.slideNumDiv.remove(); - me.slideNumDiv = undefined; - } - }; - - var onAfterRender = function(ct){ - var meEl = me.cmpEl; - if (meEl) { - meEl.on('contextmenu', function(e) { - e.preventDefault(); - e.stopPropagation(); - return false; - }); - meEl.on('click', function(e){ - if (e.target.localName == 'canvas') { - if (me._preventClick) - me._preventClick = false; - else - meEl.focus(); - } - }); - meEl.on('mousedown', function(e){ - if (e.target.localName == 'canvas') - Common.UI.Menu.Manager.hideAll(); - }); - - //NOTE: set mouse wheel handler - - var addEvent = function( elem, type, fn ) { - elem.addEventListener ? elem.addEventListener( type, fn, false ) : elem.attachEvent( "on" + type, fn ); - }; - - var eventname=(/Firefox/i.test(navigator.userAgent))? 'DOMMouseScroll' : 'mousewheel'; - addEvent(me.el, eventname, handleDocumentWheel); - } - - $(document).on('mousewheel', handleDocumentWheel); - $(document).on('keydown', handleDocumentKeyDown); - $(window).on('resize', onDocumentHolderResize); - var viewport = PE.getController('Viewport').getView('Viewport'); - viewport.hlayout.on('layout:resizedrag', onDocumentHolderResize); - }; - - /** coauthoring begin **/ - var getUserName = function(id){ - if (usersStore){ - var rec = usersStore.findUser(id); - if (rec) - return AscCommon.UserInfoParser.getParsedName(rec.get('username')); - } - return me.guestText; - }; - var isUserVisible = function(id){ - if (usersStore){ - var rec = usersStore.findUser(id); - if (rec) - return !rec.get('hidden'); - } - return true; - }; - /** coauthoring end **/ - - var screenTip = { - toolTip: new Common.UI.Tooltip({ - owner: this, - html: true, - title: '
        Press Ctrl and click link' -// style: 'word-wrap: break-word;' - }), - strTip: '', - isHidden: true, - isVisible: false - }; - - /** coauthoring begin **/ - var userTooltip = true; - - var userTipMousover = function (evt, el, opt) { - if (userTooltip===true) { - userTooltip = new Common.UI.Tooltip({ - owner: evt.currentTarget, - title: me.tipIsLocked - }); - - userTooltip.show(); - } - }; - - var userTipHide = function () { - if (typeof userTooltip == 'object') { - userTooltip.hide(); - userTooltip = undefined; - - for (var i=0; i0) - window.open(url); - else - Common.UI.warning({ - msg: me.txtWarnUrl, - buttons: ['yes', 'no'], - primary: 'yes', - callback: function(btn) { - (btn == 'yes') && window.open(url); - } - }); - } - }; - - var onMouseMoveStart = function() { - screenTip.isHidden = true; - /** coauthoring begin **/ - if (me.usertips.length>0) { - if (typeof userTooltip == 'object') { - userTooltip.hide(); - userTooltip = true; - } - _.each(me.usertips, function(item) { - item.remove(); - }); - } - me.usertips = []; - me.usertipcount = 0; - /** coauthoring end **/ - }; - - var onMouseMoveEnd = function() { - if (screenTip.isHidden && screenTip.isVisible) { - screenTip.isVisible = false; - screenTip.toolTip.hide(); - } - }; - - var onMouseMove = function(moveData) { - if (_.isUndefined(me._XY)) { - me._XY = [ - me.cmpEl.offset().left - $(window).scrollLeft(), - me.cmpEl.offset().top - $(window).scrollTop() - ]; - me._Width = me.cmpEl.width(); - me._Height = me.cmpEl.height(); - me._BodyWidth = $('body').width(); - } - - if (moveData) { - var showPoint, ToolTip; - - if (moveData.get_Type()==1) { // 1 - hyperlink - var hyperProps = moveData.get_Hyperlink(); - var recalc = false; - if (hyperProps) { - screenTip.isHidden = false; - - ToolTip = (_.isEmpty(hyperProps.get_ToolTip())) ? hyperProps.get_Value() : hyperProps.get_ToolTip(); - ToolTip = Common.Utils.String.htmlEncode(ToolTip); - if (ToolTip.length>256) - ToolTip = ToolTip.substr(0, 256) + '...'; - - if (screenTip.tipLength !== ToolTip.length || screenTip.strTip.indexOf(ToolTip)<0 ) { - screenTip.toolTip.setTitle(ToolTip + (me.isPreviewVisible ? '' : '
        ' + me.txtPressLink + '')); - screenTip.tipLength = ToolTip.length; - screenTip.strTip = ToolTip; - recalc = true; - } - - showPoint = [moveData.get_X(), moveData.get_Y()]; - showPoint[1] += ((me.isPreviewVisible ? 0 : me._XY[1])-15); - showPoint[0] += ((me.isPreviewVisible ? 0 : me._XY[0])+5); - - if (!screenTip.isVisible || recalc) { - screenTip.isVisible = true; - screenTip.toolTip.show([-10000, -10000]); - } - - if ( recalc ) { - screenTip.tipHeight = screenTip.toolTip.getBSTip().$tip.height(); - screenTip.tipWidth = screenTip.toolTip.getBSTip().$tip.width(); - } - showPoint[1] -= screenTip.tipHeight; - if (showPoint[1]<0) - showPoint[1] = 0; - if (showPoint[0] + screenTip.tipWidth > me._BodyWidth ) - showPoint[0] = me._BodyWidth - screenTip.tipWidth; - screenTip.toolTip.getBSTip().$tip.css({top: showPoint[1] + 'px', left: showPoint[0] + 'px'}); - } - } - /** coauthoring begin **/ - else if (moveData.get_Type()==2 && me.mode.isEdit && isUserVisible(moveData.get_UserId())) { // 2 - locked object - var src; - if (me.usertipcount >= me.usertips.length) { - src = $(document.createElement("div")); - src.addClass('username-tip'); - src.css({height: me._TtHeight + 'px', position: 'absolute', zIndex: '900', visibility: 'visible'}); - $(document.body).append(src); - if (userTooltip) { - src.on('mouseover', userTipMousover); - src.on('mouseout', userTipMousout); - } - - me.usertips.push(src); - } - src = me.usertips[me.usertipcount]; - me.usertipcount++; - - ToolTip = getUserName(moveData.get_UserId()); - - showPoint = [moveData.get_X()+me._XY[0], moveData.get_Y()+me._XY[1]]; - var maxwidth = showPoint[0]; - showPoint[0] = me._BodyWidth - showPoint[0]; - showPoint[1] -= ((moveData.get_LockedObjectType()==2) ? me._TtHeight : 0); - - if (showPoint[1] > me._XY[1] && showPoint[1]+me._TtHeight < me._XY[1]+me._Height) { - src.text(ToolTip); - src.css({visibility: 'visible', top: showPoint[1] + 'px', right: showPoint[0] + 'px', 'max-width': maxwidth + 'px'}); - } - } - /** coauthoring end **/ - } - }; - - var onShowForeignCursorLabel = function(UserId, X, Y, color) { - if (!isUserVisible(UserId)) return; - - /** coauthoring begin **/ - var src; - for (var i=0; i-1) && !menu.items[index].checked && menu.setChecked(index, true); - } - }; - - var onSpellCheckVariantsFound = function() { - var selectedElements = me.api.getSelectedElements(true); - var props; - if (selectedElements && _.isArray(selectedElements)){ - for (var i = 0; i 0) { - moreMenu.setVisible(variants.length > 3); - moreMenu.setDisabled(me._currentParaObjDisabled); - - _.each(variants, function(variant, index) { - var mnu = new Common.UI.MenuItem({ - caption : variant, - spellword : true, - disabled : me._currentParaObjDisabled - }).on('click', function(item, e) { - if (me.api) { - me.api.asc_replaceMisspelledWord(item.caption, me._currentSpellObj); - me.fireEvent('editcomplete', me); - } - }); - - (index < 3) ? arr.push(mnu) : arrMore.push(mnu); - }); - - if (arr.length > 0) { - if (isParagraph) { - _.each(arr, function(variant, index){ - me.textMenu.insertItem(index, variant); - }) - } else { - _.each(arr, function(variant, index){ - me.menuSpellCheckTable.menu.insertItem(index, variant); - }) - } - } - - if (arrMore.length > 0) { - _.each(arrMore, function(variant, index){ - moreMenu.menu.addItem(variant); - }); - } - - spellMenu.setVisible(false); - } else { - moreMenu.setVisible(false); - spellMenu.setVisible(true); - spellMenu.setCaption(me.noSpellVariantsText, true); - } - }; - - this.clearWordVariants = function(isParagraph) { - var spellMenu = (isParagraph) ? me.textMenu : me.menuSpellCheckTable.menu; - - for (var i = 0; i < spellMenu.items.length; i++) { - if (spellMenu.items[i].options.spellword) { - if (spellMenu.checkeditem == spellMenu.items[i]) { - spellMenu.checkeditem = undefined; - spellMenu.activeItem = undefined; - } - - spellMenu.removeItem(spellMenu.items[i]); - i--; - } - } - (isParagraph) ? me.menuSpellMorePara.menu.removeAll() : me.menuSpellMoreTable.menu.removeAll(); - - me.menuSpellMorePara.menu.checkeditem = undefined; - me.menuSpellMorePara.menu.activeItem = undefined; - me.menuSpellMoreTable.menu.checkeditem = undefined; - me.menuSpellMoreTable.menu.activeItem = undefined; - }; - - this.initEquationMenu = function() { - if (!me._currentMathObj) return; - var type = me._currentMathObj.get_Type(), - value = me._currentMathObj, - mnu, arr = []; - - switch (type) { - case Asc.c_oAscMathInterfaceType.Accent: - mnu = new Common.UI.MenuItem({ - caption : me.txtRemoveAccentChar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'remove_AccentCharacter'} - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.BorderBox: - mnu = new Common.UI.MenuItem({ - caption : me.txtBorderProps, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: value.get_HideTop() ? me.txtAddTop : me.txtHideTop, - equationProps: {type: type, callback: 'put_HideTop', value: !value.get_HideTop()} - }, - { - caption: value.get_HideBottom() ? me.txtAddBottom : me.txtHideBottom, - equationProps: {type: type, callback: 'put_HideBottom', value: !value.get_HideBottom()} - }, - { - caption: value.get_HideLeft() ? me.txtAddLeft : me.txtHideLeft, - equationProps: {type: type, callback: 'put_HideLeft', value: !value.get_HideLeft()} - }, - { - caption: value.get_HideRight() ? me.txtAddRight : me.txtHideRight, - equationProps: {type: type, callback: 'put_HideRight', value: !value.get_HideRight()} - }, - { - caption: value.get_HideHor() ? me.txtAddHor : me.txtHideHor, - equationProps: {type: type, callback: 'put_HideHor', value: !value.get_HideHor()} - }, - { - caption: value.get_HideVer() ? me.txtAddVer : me.txtHideVer, - equationProps: {type: type, callback: 'put_HideVer', value: !value.get_HideVer()} - }, - { - caption: value.get_HideTopLTR() ? me.txtAddLT : me.txtHideLT, - equationProps: {type: type, callback: 'put_HideTopLTR', value: !value.get_HideTopLTR()} - }, - { - caption: value.get_HideTopRTL() ? me.txtAddLB : me.txtHideLB, - equationProps: {type: type, callback: 'put_HideTopRTL', value: !value.get_HideTopRTL()} - } - ] - }) - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.Bar: - mnu = new Common.UI.MenuItem({ - caption : me.txtRemoveBar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'remove_Bar'} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : (value.get_Pos()==Asc.c_oAscMathInterfaceBarPos.Top) ? me.txtUnderbar : me.txtOverbar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceBarPos.Top) ? Asc.c_oAscMathInterfaceBarPos.Bottom : Asc.c_oAscMathInterfaceBarPos.Top} - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.Script: - var scripttype = value.get_ScriptType(); - if (scripttype == Asc.c_oAscMathInterfaceScript.PreSubSup) { - mnu = new Common.UI.MenuItem({ - caption : me.txtScriptsAfter, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.SubSup} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtRemScripts, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.None} - }); - arr.push(mnu); - } else { - if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) { - mnu = new Common.UI.MenuItem({ - caption : me.txtScriptsBefore, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.PreSubSup} - }); - arr.push(mnu); - } - if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup || scripttype == Asc.c_oAscMathInterfaceScript.Sub ) { - mnu = new Common.UI.MenuItem({ - caption : me.txtRemSubscript, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_ScriptType', value: (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) ? Asc.c_oAscMathInterfaceScript.Sup : Asc.c_oAscMathInterfaceScript.None } - }); - arr.push(mnu); - } - if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup || scripttype == Asc.c_oAscMathInterfaceScript.Sup ) { - mnu = new Common.UI.MenuItem({ - caption : me.txtRemSuperscript, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_ScriptType', value: (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) ? Asc.c_oAscMathInterfaceScript.Sub : Asc.c_oAscMathInterfaceScript.None } - }); - arr.push(mnu); - } - } - break; - case Asc.c_oAscMathInterfaceType.Fraction: - var fraction = value.get_FractionType(); - if (fraction==Asc.c_oAscMathInterfaceFraction.Skewed || fraction==Asc.c_oAscMathInterfaceFraction.Linear) { - mnu = new Common.UI.MenuItem({ - caption : me.txtFractionStacked, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Bar} - }); - arr.push(mnu); - } - if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.Linear) { - mnu = new Common.UI.MenuItem({ - caption : me.txtFractionSkewed, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Skewed} - }); - arr.push(mnu); - } - if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.Skewed) { - mnu = new Common.UI.MenuItem({ - caption : me.txtFractionLinear, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Linear} - }); - arr.push(mnu); - } - if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.NoBar) { - mnu = new Common.UI.MenuItem({ - caption : (fraction==Asc.c_oAscMathInterfaceFraction.Bar) ? me.txtRemFractionBar : me.txtAddFractionBar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_FractionType', value: (fraction==Asc.c_oAscMathInterfaceFraction.Bar) ? Asc.c_oAscMathInterfaceFraction.NoBar : Asc.c_oAscMathInterfaceFraction.Bar} - }); - arr.push(mnu); - } - break; - case Asc.c_oAscMathInterfaceType.Limit: - mnu = new Common.UI.MenuItem({ - caption : (value.get_Pos()==Asc.c_oAscMathInterfaceLimitPos.Top) ? me.txtLimitUnder : me.txtLimitOver, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceLimitPos.Top) ? Asc.c_oAscMathInterfaceLimitPos.Bottom : Asc.c_oAscMathInterfaceLimitPos.Top} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtRemLimit, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_Pos', value: Asc.c_oAscMathInterfaceLimitPos.None} - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.Matrix: - mnu = new Common.UI.MenuItem({ - caption : value.get_HidePlaceholder() ? me.txtShowPlaceholder : me.txtHidePlaceholder, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HidePlaceholder', value: !value.get_HidePlaceholder()} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.insertText, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: me.insertRowAboveText, - equationProps: {type: type, callback: 'insert_MatrixRow', value: true} - }, - { - caption: me.insertRowBelowText, - equationProps: {type: type, callback: 'insert_MatrixRow', value: false} - }, - { - caption: me.insertColumnLeftText, - equationProps: {type: type, callback: 'insert_MatrixColumn', value: true} - }, - { - caption: me.insertColumnRightText, - equationProps: {type: type, callback: 'insert_MatrixColumn', value: false} - } - ] - }) - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.deleteText, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: me.deleteRowText, - equationProps: {type: type, callback: 'delete_MatrixRow'} - }, - { - caption: me.deleteColumnText, - equationProps: {type: type, callback: 'delete_MatrixColumn'} - } - ] - }) - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtMatrixAlign, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: me.txtTop, - checkable : true, - checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Top), - equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Top} - }, - { - caption: me.centerText, - checkable : true, - checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Center), - equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Center} - }, - { - caption: me.txtBottom, - checkable : true, - checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Bottom), - equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Bottom} - } - ] - }) - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtColumnAlign, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: me.leftText, - checkable : true, - checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Left), - equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Left} - }, - { - caption: me.centerText, - checkable : true, - checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Center), - equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Center} - }, - { - caption: me.rightText, - checkable : true, - checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Right), - equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Right} - } - ] - }) - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.EqArray: - mnu = new Common.UI.MenuItem({ - caption : me.txtInsertEqBefore, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'insert_Equation', value: true} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtInsertEqAfter, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'insert_Equation', value: false} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtDeleteEq, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'delete_Equation'} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.alignmentText, - equation : true, - disabled : me._currentParaObjDisabled, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items : [ - { - caption: me.txtTop, - checkable : true, - checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Top), - equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Top} - }, - { - caption: me.centerText, - checkable : true, - checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Center), - equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Center} - }, - { - caption: me.txtBottom, - checkable : true, - checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Bottom), - equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Bottom} - } - ] - }) - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.LargeOperator: - mnu = new Common.UI.MenuItem({ - caption : me.txtLimitChange, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_LimitLocation', value: (value.get_LimitLocation() == Asc.c_oAscMathInterfaceNaryLimitLocation.UndOvr) ? Asc.c_oAscMathInterfaceNaryLimitLocation.SubSup : Asc.c_oAscMathInterfaceNaryLimitLocation.UndOvr} - }); - arr.push(mnu); - if (value.get_HideUpper() !== undefined) { - mnu = new Common.UI.MenuItem({ - caption : value.get_HideUpper() ? me.txtShowTopLimit : me.txtHideTopLimit, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HideUpper', value: !value.get_HideUpper()} - }); - arr.push(mnu); - } - if (value.get_HideLower() !== undefined) { - mnu = new Common.UI.MenuItem({ - caption : value.get_HideLower() ? me.txtShowBottomLimit : me.txtHideBottomLimit, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HideLower', value: !value.get_HideLower()} - }); - arr.push(mnu); - } - break; - case Asc.c_oAscMathInterfaceType.Delimiter: - mnu = new Common.UI.MenuItem({ - caption : me.txtInsertArgBefore, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'insert_DelimiterArgument', value: true} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtInsertArgAfter, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'insert_DelimiterArgument', value: false} - }); - arr.push(mnu); - if (value.can_DeleteArgument()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtDeleteArg, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'delete_DelimiterArgument'} - }); - arr.push(mnu); - } - mnu = new Common.UI.MenuItem({ - caption : value.has_Separators() ? me.txtDeleteCharsAndSeparators : me.txtDeleteChars, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'remove_DelimiterCharacters'} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : value.get_HideOpeningBracket() ? me.txtShowOpenBracket : me.txtHideOpenBracket, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HideOpeningBracket', value: !value.get_HideOpeningBracket()} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : value.get_HideClosingBracket() ? me.txtShowCloseBracket : me.txtHideCloseBracket, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HideClosingBracket', value: !value.get_HideClosingBracket()} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtStretchBrackets, - equation : true, - disabled : me._currentParaObjDisabled, - checkable : true, - checked : value.get_StretchBrackets(), - equationProps: {type: type, callback: 'put_StretchBrackets', value: !value.get_StretchBrackets()} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtMatchBrackets, - equation : true, - disabled : (!value.get_StretchBrackets() || me._currentParaObjDisabled), - checkable : true, - checked : value.get_StretchBrackets() && value.get_MatchBrackets(), - equationProps: {type: type, callback: 'put_MatchBrackets', value: !value.get_MatchBrackets()} - }); - arr.push(mnu); - break; - case Asc.c_oAscMathInterfaceType.GroupChar: - if (value.can_ChangePos()) { - mnu = new Common.UI.MenuItem({ - caption : (value.get_Pos()==Asc.c_oAscMathInterfaceGroupCharPos.Top) ? me.txtGroupCharUnder : me.txtGroupCharOver, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceGroupCharPos.Top) ? Asc.c_oAscMathInterfaceGroupCharPos.Bottom : Asc.c_oAscMathInterfaceGroupCharPos.Top} - }); - arr.push(mnu); - mnu = new Common.UI.MenuItem({ - caption : me.txtDeleteGroupChar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_Pos', value: Asc.c_oAscMathInterfaceGroupCharPos.None} - }); - arr.push(mnu); - } - break; - case Asc.c_oAscMathInterfaceType.Radical: - if (value.get_HideDegree() !== undefined) { - mnu = new Common.UI.MenuItem({ - caption : value.get_HideDegree() ? me.txtShowDegree : me.txtHideDegree, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'put_HideDegree', value: !value.get_HideDegree()} - }); - arr.push(mnu); - } - mnu = new Common.UI.MenuItem({ - caption : me.txtDeleteRadical, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'remove_Radical'} - }); - arr.push(mnu); - break; - } - if (value.can_IncreaseArgumentSize()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtIncreaseArg, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'increase_ArgumentSize'} - }); - arr.push(mnu); - } - if (value.can_DecreaseArgumentSize()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtDecreaseArg, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'decrease_ArgumentSize'} - }); - arr.push(mnu); - } - if (value.can_InsertManualBreak()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtInsertBreak, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'insert_ManualBreak'} - }); - arr.push(mnu); - } - if (value.can_DeleteManualBreak()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtDeleteBreak, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'delete_ManualBreak'} - }); - arr.push(mnu); - } - if (value.can_AlignToCharacter()) { - mnu = new Common.UI.MenuItem({ - caption : me.txtAlignToChar, - equation : true, - disabled : me._currentParaObjDisabled, - equationProps: {type: type, callback: 'align_ToCharacter'} - }); - arr.push(mnu); - } - return arr; - }; - - this.addEquationMenu = function(isParagraph, insertIdx) { - if (_.isUndefined(isParagraph)) { - isParagraph = me.textMenu.isVisible(); - } - - me.clearEquationMenu(isParagraph, insertIdx); - - var equationMenu = (isParagraph) ? me.textMenu : me.tableMenu, - menuItems = me.initEquationMenu(); - - if (menuItems.length > 0) { - _.each(menuItems, function(menuItem, index) { - if (menuItem.menu) { - _.each(menuItem.menu.items, function(item) { - item.on('click', _.bind(me.equationCallback, me, item.options.equationProps)); - }); - } else - menuItem.on('click', _.bind(me.equationCallback, me, menuItem.options.equationProps)); - equationMenu.insertItem(insertIdx, menuItem); - insertIdx++; - }); - } - return menuItems.length; - }; - - this.clearEquationMenu = function(isParagraph, insertIdx) { - var equationMenu = (isParagraph) ? me.textMenu : me.tableMenu; - for (var i = insertIdx; i < equationMenu.items.length; i++) { - if (equationMenu.items[i].options.equation) { - if (equationMenu.items[i].menu) { - _.each(equationMenu.items[i].menu.items, function(item) { - item.off('click'); - }); - } else - equationMenu.items[i].off('click'); - equationMenu.removeItem(equationMenu.items[i]); - i--; - } else - break; - } - }; - - this.equationCallback = function(eqProps) { - if (eqProps) { - var eqObj; - switch (eqProps.type) { - case Asc.c_oAscMathInterfaceType.Accent: - eqObj = new CMathMenuAccent(); - break; - case Asc.c_oAscMathInterfaceType.BorderBox: - eqObj = new CMathMenuBorderBox(); - break; - case Asc.c_oAscMathInterfaceType.Box: - eqObj = new CMathMenuBox(); - break; - case Asc.c_oAscMathInterfaceType.Bar: - eqObj = new CMathMenuBar(); - break; - case Asc.c_oAscMathInterfaceType.Script: - eqObj = new CMathMenuScript(); - break; - case Asc.c_oAscMathInterfaceType.Fraction: - eqObj = new CMathMenuFraction(); - break; - case Asc.c_oAscMathInterfaceType.Limit: - eqObj = new CMathMenuLimit(); - break; - case Asc.c_oAscMathInterfaceType.Matrix: - eqObj = new CMathMenuMatrix(); - break; - case Asc.c_oAscMathInterfaceType.EqArray: - eqObj = new CMathMenuEqArray(); - break; - case Asc.c_oAscMathInterfaceType.LargeOperator: - eqObj = new CMathMenuNary(); - break; - case Asc.c_oAscMathInterfaceType.Delimiter: - eqObj = new CMathMenuDelimiter(); - break; - case Asc.c_oAscMathInterfaceType.GroupChar: - eqObj = new CMathMenuGroupCharacter(); - break; - case Asc.c_oAscMathInterfaceType.Radical: - eqObj = new CMathMenuRadical(); - break; - case Asc.c_oAscMathInterfaceType.Common: - eqObj = new CMathMenuBase(); - break; - } - if (eqObj) { - eqObj[eqProps.callback](eqProps.value); - me.api.asc_SetMathProps(eqObj); - } - } - me.fireEvent('editcomplete', me); - }; - - this.changePosition = function() { - me._XY = [ - me.cmpEl.offset().left - $(window).scrollLeft(), - me.cmpEl.offset().top - $(window).scrollTop() - ]; - onMouseMoveStart(); - }; - - this.hideTips = function() { - /** coauthoring begin **/ - if (typeof userTooltip == 'object') { - userTooltip.hide(); - userTooltip = true; - } - _.each(me.usertips, function(item) { - item.remove(); - }); - me.usertips = []; - me.usertipcount = 0; - /** coauthoring end **/ - }; - - /** coauthoring begin **/ - // Hotkeys - // --------------------- - var keymap = {}; - var hkComments = 'alt+h'; - keymap[hkComments] = function() { - if (me.api.can_AddQuotedComment()!==false && me.slidesCount>0) { - me.addComment(); - } - }; - - var hkPreview = 'command+f5,ctrl+f5'; - keymap[hkPreview] = function(e) { - var isResized = false; - e.preventDefault(); - e.stopPropagation(); - if (me.slidesCount>0) { - Common.NotificationCenter.trigger('preview:start', 0); - } - }; - Common.util.Shortcuts.delegateShortcuts({shortcuts:keymap}); - - var onApiStartDemonstration = function() { - if (me.slidesCount>0) { - Common.NotificationCenter.trigger('preview:start', 0, null, true); - } - }; - - /** coauthoring end **/ - - var onApiCountPages = function(count) { - me.slidesCount = count; - }; - - var onApiCurrentPages = function(number) { - if (me.currentMenu && me.currentMenu.isVisible() && me._isFromSlideMenu !== true && me._isFromSlideMenu !== number) - setTimeout(function() { - me.currentMenu && me.currentMenu.hide(); - }, 1); - - me._isFromSlideMenu = number; - }; - - var onApiUpdateThemeIndex = function(v) { - me._state.themeId = v; - }; - - var onApiLockDocumentTheme = function() { - me._state.themeLock = true; - }; - - var onApiUnLockDocumentTheme = function() { - me._state.themeLock = false; - }; - - var onShowSpecialPasteOptions = function(specialPasteShowOptions) { - var coord = specialPasteShowOptions.asc_getCellCoord(), - pasteContainer = me.cmpEl.find('#special-paste-container'), - pasteItems = specialPasteShowOptions.asc_getOptions(); - if (!pasteItems) return; - - // Prepare menu container - if (pasteContainer.length < 1) { - me._arrSpecialPaste = []; - me._arrSpecialPaste[Asc.c_oSpecialPasteProps.paste] = me.textPaste; - me._arrSpecialPaste[Asc.c_oSpecialPasteProps.keepTextOnly] = me.txtKeepTextOnly; - me._arrSpecialPaste[Asc.c_oSpecialPasteProps.picture] = me.txtPastePicture; - me._arrSpecialPaste[Asc.c_oSpecialPasteProps.sourceformatting] = me.txtPasteSourceFormat; - me._arrSpecialPaste[Asc.c_oSpecialPasteProps.destinationFormatting] = me.txtPasteDestFormat; - - - pasteContainer = $('
        '); - me.cmpEl.append(pasteContainer); - - me.btnSpecialPaste = new Common.UI.Button({ - parentEl: $('#id-document-holder-btn-special-paste'), - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-paste', - menu : new Common.UI.Menu({items: []}) - }); - } - - if (pasteItems.length>0) { - var menu = me.btnSpecialPaste.menu; - for (var i = 0; i < menu.items.length; i++) { - menu.removeItem(menu.items[i]); - i--; - } - - var group_prev = -1; - _.each(pasteItems, function(menuItem, index) { - var mnu = new Common.UI.MenuItem({ - caption: me._arrSpecialPaste[menuItem], - value: menuItem, - checkable: true, - toggleGroup : 'specialPasteGroup' - }).on('click', function(item, e) { - me.api.asc_SpecialPaste(item.value); - setTimeout(function(){menu.hide();}, 100); - }); - menu.addItem(mnu); - }); - (menu.items.length>0) && menu.items[0].setChecked(true, true); - } - if (coord.asc_getX()<0 || coord.asc_getY()<0) { - if (pasteContainer.is(':visible')) pasteContainer.hide(); - } else { - var showPoint = [coord.asc_getX() + coord.asc_getWidth() + 3, coord.asc_getY() + coord.asc_getHeight() + 3]; - pasteContainer.css({left: showPoint[0], top : showPoint[1]}); - pasteContainer.show(); - } - }; - - var onHideSpecialPasteOptions = function() { - var pasteContainer = me.cmpEl.find('#special-paste-container'); - if (pasteContainer.is(':visible')) - pasteContainer.hide(); - }; - - var onChangeCropState = function(state) { - this.menuImgCrop.menu.items[0].setChecked(state, true); - }; - - this.setApi = function(o) { - me.api = o; - - if (me.api) { - me.api.asc_registerCallback('asc_onContextMenu', _.bind(onContextMenu, me)); - me.api.asc_registerCallback('asc_onMouseMoveStart', _.bind(onMouseMoveStart, me)); - me.api.asc_registerCallback('asc_onMouseMoveEnd', _.bind(onMouseMoveEnd, me)); - me.api.asc_registerCallback('asc_onPaintSlideNum', _.bind(onPaintSlideNum, me)); - me.api.asc_registerCallback('asc_onEndPaintSlideNum', _.bind(onEndPaintSlideNum, me)); - me.api.asc_registerCallback('asc_onCountPages', _.bind(onApiCountPages, me)); - me.api.asc_registerCallback('asc_onCurrentPage', _.bind(onApiCurrentPages, me)); - me.slidesCount = me.api.getCountPages(); - - //hyperlink - me.api.asc_registerCallback('asc_onHyperlinkClick', _.bind(onHyperlinkClick, me)); - me.api.asc_registerCallback('asc_onMouseMove', _.bind(onMouseMove, me)); - - if (me.mode.isEdit===true) { - me.api.asc_registerCallback('asc_onDialogAddHyperlink', _.bind(onDialogAddHyperlink, me)); - me.api.asc_registerCallback('asc_doubleClickOnChart', _.bind(me.editChartClick, me)); - me.api.asc_registerCallback('asc_onSpellCheckVariantsFound', _.bind(onSpellCheckVariantsFound, me)); - me.api.asc_registerCallback('asc_onShowSpecialPasteOptions', _.bind(onShowSpecialPasteOptions, me)); - me.api.asc_registerCallback('asc_onHideSpecialPasteOptions', _.bind(onHideSpecialPasteOptions, me)); - me.api.asc_registerCallback('asc_ChangeCropState', _.bind(onChangeCropState, me)); - me.api.asc_registerCallback('asc_onHidePlaceholderActions', _.bind(me.onHidePlaceholderActions, me)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Image, _.bind(me.onInsertImage, me, true)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.ImageUrl, _.bind(me.onInsertImageUrl, me, true)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Chart, _.bind(me.onClickPlaceholderChart, me)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Table, _.bind(me.onClickPlaceholderTable, me)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Video, _.bind(me.onClickPlaceholder, me, AscCommon.PlaceholderButtonType.Video)); - me.api.asc_registerPlaceholderCallback(AscCommon.PlaceholderButtonType.Audio, _.bind(me.onClickPlaceholder, me, AscCommon.PlaceholderButtonType.Audio)); - } - me.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(onCoAuthoringDisconnect, me)); - Common.NotificationCenter.on('api:disconnect', _.bind(onCoAuthoringDisconnect, me)); - me.api.asc_registerCallback('asc_onTextLanguage', _.bind(onTextLanguage, me)); - - me.api.asc_registerCallback('asc_onShowForeignCursorLabel', _.bind(onShowForeignCursorLabel, me)); - me.api.asc_registerCallback('asc_onHideForeignCursorLabel', _.bind(onHideForeignCursorLabel, me)); - me.api.asc_registerCallback('asc_onFocusObject', _.bind(onFocusObject, me)); - me.api.asc_registerCallback('asc_onUpdateThemeIndex', _.bind(onApiUpdateThemeIndex, me)); - me.api.asc_registerCallback('asc_onLockDocumentTheme', _.bind(onApiLockDocumentTheme, me)); - me.api.asc_registerCallback('asc_onUnLockDocumentTheme', _.bind(onApiUnLockDocumentTheme, me)); - me.api.asc_registerCallback('asc_onStartDemonstration', _.bind(onApiStartDemonstration)); - } - - return me; - }; - - this.mode = {}; - - this.setMode = function(mode) { - me.mode = mode; - /** coauthoring begin **/ - !(me.mode.canCoAuthoring && me.mode.canComments) - ? Common.util.Shortcuts.suspendEvents(hkComments) - : Common.util.Shortcuts.resumeEvents(hkComments); - /** coauthoring end **/ - - me.editorConfig = {user: mode.user}; - }; - - me.on('render:after', onAfterRender, me); }, render: function () { @@ -1675,114 +76,693 @@ define([ return this; }, + setApi: function(o) { + this.api = o; + return this; + }, + + setMode: function(m) { + this.mode = m; + return this; + }, + focus: function() { var me = this; _.defer(function(){ me.cmpEl.focus(); }, 50); }, - addHyperlink: function(item){ - var win, me = this; - if (me.api) { - var _arr = []; - for (var i=0; i-1) && !menu.items[index].checked && menu.setChecked(index, true); + } + }, + + addWordVariants: function(isParagraph) { + var me = this; + if (!me.textMenu || !me.textMenu.isVisible() && !me.tableMenu.isVisible()) return; + + if (_.isUndefined(isParagraph)) { + isParagraph = me.textMenu.isVisible(); + } + + me.clearWordVariants(isParagraph); + + var moreMenu = (isParagraph) ? me.menuSpellMorePara : me.menuSpellMoreTable; + var spellMenu = (isParagraph) ? me.menuSpellPara : me.menuSpellTable; + var arr = [], + arrMore = []; + var variants = me._currentSpellObj.get_Variants(); + + if (variants.length > 0) { + moreMenu.setVisible(variants.length > 3); + moreMenu.setDisabled(me._currentParaObjDisabled); + + _.each(variants, function(variant, index) { + var mnu = new Common.UI.MenuItem({ + caption : variant, + spellword : true, + disabled : me._currentParaObjDisabled + }).on('click', function(item, e) { + if (me.api) { + me.api.asc_replaceMisspelledWord(item.caption, me._currentSpellObj); + me.fireEvent('editcomplete', me); + } + }); + + (index < 3) ? arr.push(mnu) : arrMore.push(mnu); + }); + + if (arr.length > 0) { + if (isParagraph) { + _.each(arr, function(variant, index){ + me.textMenu.insertItem(index, variant); + }) + } else { + _.each(arr, function(variant, index){ + me.menuSpellCheckTable.menu.insertItem(index, variant); + }) } } + + if (arrMore.length > 0) { + _.each(arrMore, function(variant, index){ + moreMenu.menu.addItem(variant); + }); + } + + spellMenu.setVisible(false); + } else { + moreMenu.setVisible(false); + spellMenu.setVisible(true); + spellMenu.setCaption(me.noSpellVariantsText, true); + } + }, + + clearWordVariants: function(isParagraph) { + var me = this; + var spellMenu = (isParagraph) ? me.textMenu : me.menuSpellCheckTable.menu; + + for (var i = 0; i < spellMenu.items.length; i++) { + if (spellMenu.items[i].options.spellword) { + if (spellMenu.checkeditem == spellMenu.items[i]) { + spellMenu.checkeditem = undefined; + spellMenu.activeItem = undefined; + } + + spellMenu.removeItem(spellMenu.items[i]); + i--; + } + } + (isParagraph) ? me.menuSpellMorePara.menu.removeAll() : me.menuSpellMoreTable.menu.removeAll(); + + me.menuSpellMorePara.menu.checkeditem = undefined; + me.menuSpellMorePara.menu.activeItem = undefined; + me.menuSpellMoreTable.menu.checkeditem = undefined; + me.menuSpellMoreTable.menu.activeItem = undefined; + }, + + initEquationMenu: function() { + var me = this; + if (!me._currentMathObj) return; + var type = me._currentMathObj.get_Type(), + value = me._currentMathObj, + mnu, arr = []; + + switch (type) { + case Asc.c_oAscMathInterfaceType.Accent: + mnu = new Common.UI.MenuItem({ + caption : me.txtRemoveAccentChar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'remove_AccentCharacter'} + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.BorderBox: + mnu = new Common.UI.MenuItem({ + caption : me.txtBorderProps, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: value.get_HideTop() ? me.txtAddTop : me.txtHideTop, + equationProps: {type: type, callback: 'put_HideTop', value: !value.get_HideTop()} + }, + { + caption: value.get_HideBottom() ? me.txtAddBottom : me.txtHideBottom, + equationProps: {type: type, callback: 'put_HideBottom', value: !value.get_HideBottom()} + }, + { + caption: value.get_HideLeft() ? me.txtAddLeft : me.txtHideLeft, + equationProps: {type: type, callback: 'put_HideLeft', value: !value.get_HideLeft()} + }, + { + caption: value.get_HideRight() ? me.txtAddRight : me.txtHideRight, + equationProps: {type: type, callback: 'put_HideRight', value: !value.get_HideRight()} + }, + { + caption: value.get_HideHor() ? me.txtAddHor : me.txtHideHor, + equationProps: {type: type, callback: 'put_HideHor', value: !value.get_HideHor()} + }, + { + caption: value.get_HideVer() ? me.txtAddVer : me.txtHideVer, + equationProps: {type: type, callback: 'put_HideVer', value: !value.get_HideVer()} + }, + { + caption: value.get_HideTopLTR() ? me.txtAddLT : me.txtHideLT, + equationProps: {type: type, callback: 'put_HideTopLTR', value: !value.get_HideTopLTR()} + }, + { + caption: value.get_HideTopRTL() ? me.txtAddLB : me.txtHideLB, + equationProps: {type: type, callback: 'put_HideTopRTL', value: !value.get_HideTopRTL()} + } + ] + }) + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.Bar: + mnu = new Common.UI.MenuItem({ + caption : me.txtRemoveBar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'remove_Bar'} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : (value.get_Pos()==Asc.c_oAscMathInterfaceBarPos.Top) ? me.txtUnderbar : me.txtOverbar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceBarPos.Top) ? Asc.c_oAscMathInterfaceBarPos.Bottom : Asc.c_oAscMathInterfaceBarPos.Top} + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.Script: + var scripttype = value.get_ScriptType(); + if (scripttype == Asc.c_oAscMathInterfaceScript.PreSubSup) { + mnu = new Common.UI.MenuItem({ + caption : me.txtScriptsAfter, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.SubSup} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtRemScripts, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.None} + }); + arr.push(mnu); + } else { + if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) { + mnu = new Common.UI.MenuItem({ + caption : me.txtScriptsBefore, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_ScriptType', value: Asc.c_oAscMathInterfaceScript.PreSubSup} + }); + arr.push(mnu); + } + if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup || scripttype == Asc.c_oAscMathInterfaceScript.Sub ) { + mnu = new Common.UI.MenuItem({ + caption : me.txtRemSubscript, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_ScriptType', value: (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) ? Asc.c_oAscMathInterfaceScript.Sup : Asc.c_oAscMathInterfaceScript.None } + }); + arr.push(mnu); + } + if (scripttype == Asc.c_oAscMathInterfaceScript.SubSup || scripttype == Asc.c_oAscMathInterfaceScript.Sup ) { + mnu = new Common.UI.MenuItem({ + caption : me.txtRemSuperscript, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_ScriptType', value: (scripttype == Asc.c_oAscMathInterfaceScript.SubSup) ? Asc.c_oAscMathInterfaceScript.Sub : Asc.c_oAscMathInterfaceScript.None } + }); + arr.push(mnu); + } + } + break; + case Asc.c_oAscMathInterfaceType.Fraction: + var fraction = value.get_FractionType(); + if (fraction==Asc.c_oAscMathInterfaceFraction.Skewed || fraction==Asc.c_oAscMathInterfaceFraction.Linear) { + mnu = new Common.UI.MenuItem({ + caption : me.txtFractionStacked, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Bar} + }); + arr.push(mnu); + } + if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.Linear) { + mnu = new Common.UI.MenuItem({ + caption : me.txtFractionSkewed, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Skewed} + }); + arr.push(mnu); + } + if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.Skewed) { + mnu = new Common.UI.MenuItem({ + caption : me.txtFractionLinear, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_FractionType', value: Asc.c_oAscMathInterfaceFraction.Linear} + }); + arr.push(mnu); + } + if (fraction==Asc.c_oAscMathInterfaceFraction.Bar || fraction==Asc.c_oAscMathInterfaceFraction.NoBar) { + mnu = new Common.UI.MenuItem({ + caption : (fraction==Asc.c_oAscMathInterfaceFraction.Bar) ? me.txtRemFractionBar : me.txtAddFractionBar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_FractionType', value: (fraction==Asc.c_oAscMathInterfaceFraction.Bar) ? Asc.c_oAscMathInterfaceFraction.NoBar : Asc.c_oAscMathInterfaceFraction.Bar} + }); + arr.push(mnu); + } + break; + case Asc.c_oAscMathInterfaceType.Limit: + mnu = new Common.UI.MenuItem({ + caption : (value.get_Pos()==Asc.c_oAscMathInterfaceLimitPos.Top) ? me.txtLimitUnder : me.txtLimitOver, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceLimitPos.Top) ? Asc.c_oAscMathInterfaceLimitPos.Bottom : Asc.c_oAscMathInterfaceLimitPos.Top} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtRemLimit, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_Pos', value: Asc.c_oAscMathInterfaceLimitPos.None} + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.Matrix: + mnu = new Common.UI.MenuItem({ + caption : value.get_HidePlaceholder() ? me.txtShowPlaceholder : me.txtHidePlaceholder, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HidePlaceholder', value: !value.get_HidePlaceholder()} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.insertText, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: me.insertRowAboveText, + equationProps: {type: type, callback: 'insert_MatrixRow', value: true} + }, + { + caption: me.insertRowBelowText, + equationProps: {type: type, callback: 'insert_MatrixRow', value: false} + }, + { + caption: me.insertColumnLeftText, + equationProps: {type: type, callback: 'insert_MatrixColumn', value: true} + }, + { + caption: me.insertColumnRightText, + equationProps: {type: type, callback: 'insert_MatrixColumn', value: false} + } + ] + }) + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.deleteText, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: me.deleteRowText, + equationProps: {type: type, callback: 'delete_MatrixRow'} + }, + { + caption: me.deleteColumnText, + equationProps: {type: type, callback: 'delete_MatrixColumn'} + } + ] + }) + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtMatrixAlign, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: me.txtTop, + checkable : true, + checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Top), + equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Top} + }, + { + caption: me.centerText, + checkable : true, + checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Center), + equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Center} + }, + { + caption: me.txtBottom, + checkable : true, + checked : (value.get_MatrixAlign()==Asc.c_oAscMathInterfaceMatrixMatrixAlign.Bottom), + equationProps: {type: type, callback: 'put_MatrixAlign', value: Asc.c_oAscMathInterfaceMatrixMatrixAlign.Bottom} + } + ] + }) + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtColumnAlign, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: me.leftText, + checkable : true, + checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Left), + equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Left} + }, + { + caption: me.centerText, + checkable : true, + checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Center), + equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Center} + }, + { + caption: me.rightText, + checkable : true, + checked : (value.get_ColumnAlign()==Asc.c_oAscMathInterfaceMatrixColumnAlign.Right), + equationProps: {type: type, callback: 'put_ColumnAlign', value: Asc.c_oAscMathInterfaceMatrixColumnAlign.Right} + } + ] + }) + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.EqArray: + mnu = new Common.UI.MenuItem({ + caption : me.txtInsertEqBefore, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'insert_Equation', value: true} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtInsertEqAfter, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'insert_Equation', value: false} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtDeleteEq, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'delete_Equation'} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.alignmentText, + equation : true, + disabled : me._currentParaObjDisabled, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items : [ + { + caption: me.txtTop, + checkable : true, + checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Top), + equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Top} + }, + { + caption: me.centerText, + checkable : true, + checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Center), + equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Center} + }, + { + caption: me.txtBottom, + checkable : true, + checked : (value.get_Align()==Asc.c_oAscMathInterfaceEqArrayAlign.Bottom), + equationProps: {type: type, callback: 'put_Align', value: Asc.c_oAscMathInterfaceEqArrayAlign.Bottom} + } + ] + }) + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.LargeOperator: + mnu = new Common.UI.MenuItem({ + caption : me.txtLimitChange, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_LimitLocation', value: (value.get_LimitLocation() == Asc.c_oAscMathInterfaceNaryLimitLocation.UndOvr) ? Asc.c_oAscMathInterfaceNaryLimitLocation.SubSup : Asc.c_oAscMathInterfaceNaryLimitLocation.UndOvr} + }); + arr.push(mnu); + if (value.get_HideUpper() !== undefined) { + mnu = new Common.UI.MenuItem({ + caption : value.get_HideUpper() ? me.txtShowTopLimit : me.txtHideTopLimit, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HideUpper', value: !value.get_HideUpper()} + }); + arr.push(mnu); + } + if (value.get_HideLower() !== undefined) { + mnu = new Common.UI.MenuItem({ + caption : value.get_HideLower() ? me.txtShowBottomLimit : me.txtHideBottomLimit, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HideLower', value: !value.get_HideLower()} + }); + arr.push(mnu); + } + break; + case Asc.c_oAscMathInterfaceType.Delimiter: + mnu = new Common.UI.MenuItem({ + caption : me.txtInsertArgBefore, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'insert_DelimiterArgument', value: true} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtInsertArgAfter, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'insert_DelimiterArgument', value: false} + }); + arr.push(mnu); + if (value.can_DeleteArgument()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtDeleteArg, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'delete_DelimiterArgument'} + }); + arr.push(mnu); + } + mnu = new Common.UI.MenuItem({ + caption : value.has_Separators() ? me.txtDeleteCharsAndSeparators : me.txtDeleteChars, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'remove_DelimiterCharacters'} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : value.get_HideOpeningBracket() ? me.txtShowOpenBracket : me.txtHideOpenBracket, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HideOpeningBracket', value: !value.get_HideOpeningBracket()} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : value.get_HideClosingBracket() ? me.txtShowCloseBracket : me.txtHideCloseBracket, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HideClosingBracket', value: !value.get_HideClosingBracket()} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtStretchBrackets, + equation : true, + disabled : me._currentParaObjDisabled, + checkable : true, + checked : value.get_StretchBrackets(), + equationProps: {type: type, callback: 'put_StretchBrackets', value: !value.get_StretchBrackets()} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtMatchBrackets, + equation : true, + disabled : (!value.get_StretchBrackets() || me._currentParaObjDisabled), + checkable : true, + checked : value.get_StretchBrackets() && value.get_MatchBrackets(), + equationProps: {type: type, callback: 'put_MatchBrackets', value: !value.get_MatchBrackets()} + }); + arr.push(mnu); + break; + case Asc.c_oAscMathInterfaceType.GroupChar: + if (value.can_ChangePos()) { + mnu = new Common.UI.MenuItem({ + caption : (value.get_Pos()==Asc.c_oAscMathInterfaceGroupCharPos.Top) ? me.txtGroupCharUnder : me.txtGroupCharOver, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_Pos', value: (value.get_Pos()==Asc.c_oAscMathInterfaceGroupCharPos.Top) ? Asc.c_oAscMathInterfaceGroupCharPos.Bottom : Asc.c_oAscMathInterfaceGroupCharPos.Top} + }); + arr.push(mnu); + mnu = new Common.UI.MenuItem({ + caption : me.txtDeleteGroupChar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_Pos', value: Asc.c_oAscMathInterfaceGroupCharPos.None} + }); + arr.push(mnu); + } + break; + case Asc.c_oAscMathInterfaceType.Radical: + if (value.get_HideDegree() !== undefined) { + mnu = new Common.UI.MenuItem({ + caption : value.get_HideDegree() ? me.txtShowDegree : me.txtHideDegree, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'put_HideDegree', value: !value.get_HideDegree()} + }); + arr.push(mnu); + } + mnu = new Common.UI.MenuItem({ + caption : me.txtDeleteRadical, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'remove_Radical'} + }); + arr.push(mnu); + break; + } + if (value.can_IncreaseArgumentSize()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtIncreaseArg, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'increase_ArgumentSize'} + }); + arr.push(mnu); + } + if (value.can_DecreaseArgumentSize()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtDecreaseArg, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'decrease_ArgumentSize'} + }); + arr.push(mnu); + } + if (value.can_InsertManualBreak()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtInsertBreak, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'insert_ManualBreak'} + }); + arr.push(mnu); + } + if (value.can_DeleteManualBreak()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtDeleteBreak, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'delete_ManualBreak'} + }); + arr.push(mnu); + } + if (value.can_AlignToCharacter()) { + mnu = new Common.UI.MenuItem({ + caption : me.txtAlignToChar, + equation : true, + disabled : me._currentParaObjDisabled, + equationProps: {type: type, callback: 'align_ToCharacter'} + }); + arr.push(mnu); + } + return arr; + }, + + addEquationMenu: function(isParagraph, insertIdx) { + var me = this; + if (_.isUndefined(isParagraph)) { + isParagraph = me.textMenu.isVisible(); + } + + me.clearEquationMenu(isParagraph, insertIdx); + + var equationMenu = (isParagraph) ? me.textMenu : me.tableMenu, + menuItems = me.initEquationMenu(); + + if (menuItems.length > 0) { + _.each(menuItems, function(menuItem, index) { + if (menuItem.menu) { + _.each(menuItem.menu.items, function(item) { + item.on('click', _.bind(me.equationCallback, me, item.options.equationProps)); + }); + } else + menuItem.on('click', _.bind(me.equationCallback, me, menuItem.options.equationProps)); + equationMenu.insertItem(insertIdx, menuItem); + insertIdx++; + }); + } + return menuItems.length; + }, + + equationCallback: function(eqProps) { + this.fireEvent('equation:callback', [eqProps]); + }, + + clearEquationMenu: function(isParagraph, insertIdx) { + var me = this; + var equationMenu = (isParagraph) ? me.textMenu : me.tableMenu; + for (var i = insertIdx; i < equationMenu.items.length; i++) { + if (equationMenu.items[i].options.equation) { + if (equationMenu.items[i].menu) { + _.each(equationMenu.items[i].menu.items, function(item) { + item.off('click'); + }); + } else + equationMenu.items[i].off('click'); + equationMenu.removeItem(equationMenu.items[i]); + i--; + } else + break; } - me.fireEvent('editcomplete', me); }, onSlidePickerShowAfter: function(picker) { if (!picker._needRecalcSlideLayout) return; - + if (picker.cmpEl && picker.dataViewItems.length>0) { var dataViewItems = picker.dataViewItems, el = $(dataViewItems[0].el), @@ -1808,50 +788,43 @@ define([ } }, - addToLayout: function() { - if (this.api) - this.api.asc_AddToLayout(); - }, - createDelayedElementsViewer: function() { var me = this; - var menuViewCopy = new Common.UI.MenuItem({ + me.menuViewCopy = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-copy', caption: me.textCopy, value: 'copy' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuViewUndo = new Common.UI.MenuItem({ + me.menuViewUndo = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-undo', caption: me.textUndo - }).on('click', function () { - me.api.Undo(); }); var menuViewCopySeparator = new Common.UI.MenuItem({ caption: '--' }); - var menuViewAddComment = new Common.UI.MenuItem({ + me.menuViewAddComment = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-comments', caption: me.addCommentText - }).on('click', _.bind(me.addComment, me)); + }); this.viewModeMenu = new Common.UI.Menu({ cls: 'shifted-right', initMenu: function (value) { - menuViewUndo.setVisible(me.mode.canCoAuthoring && me.mode.canComments && !me._isDisabled); - menuViewUndo.setDisabled(!me.api.asc_getCanUndo() && !me._isDisabled); + me.menuViewUndo.setVisible(me.mode.canCoAuthoring && me.mode.canComments && !me._isDisabled); + me.menuViewUndo.setDisabled(!me.api.asc_getCanUndo()); menuViewCopySeparator.setVisible(!value.isChart && me.api.can_AddQuotedComment() !== false && me.mode.canCoAuthoring && me.mode.canComments && !me._isDisabled); - menuViewAddComment.setVisible(!value.isChart && me.api.can_AddQuotedComment() !== false && me.mode.canCoAuthoring && me.mode.canComments && !me._isDisabled); - menuViewAddComment.setDisabled(value.locked); + me.menuViewAddComment.setVisible(!value.isChart && me.api.can_AddQuotedComment() !== false && me.mode.canCoAuthoring && me.mode.canComments && !me._isDisabled); + me.menuViewAddComment.setDisabled(value.locked); }, items: [ - menuViewCopy, - menuViewUndo, + me.menuViewCopy, + me.menuViewUndo, menuViewCopySeparator, - menuViewAddComment + me.menuViewAddComment ] }).on('hide:after', function (menu, e, isFromInputControl) { if (me.suppressEditComplete) { @@ -1863,53 +836,33 @@ define([ me.currentMenu = null; }); - var mnuPreview = new Common.UI.MenuItem({ + me.mnuPreview = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-preview', caption : me.txtPreview - }).on('click', function(item) { - var current = me.api.getCurrentPage(); - Common.NotificationCenter.trigger('preview:start', _.isNumber(current) ? current : 0); }); - var mnuSelectAll = new Common.UI.MenuItem({ + me.mnuSelectAll = new Common.UI.MenuItem({ caption : me.txtSelectAll - }).on('click', function(item){ - if (me.api){ - me.api.SelectAllSlides(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Select All Slides'); - } }); - var mnuPrintSelection = new Common.UI.MenuItem({ + me.mnuPrintSelection = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-print', caption : me.txtPrintSelection - }).on('click', function(item){ - if (me.api){ - var printopt = new Asc.asc_CAdjustPrint(); - printopt.asc_setPrintType(Asc.c_oAscPrintType.Selection); - var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); // if isChrome or isOpera == true use asc_onPrintUrl event - opts.asc_setAdvancedOptions(printopt); - me.api.asc_Print(opts); - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Print Selection'); - } }); this.viewModeMenuSlide = new Common.UI.Menu({ cls: 'shifted-right', initMenu: function (value) { - mnuSelectAll.setDisabled(me.slidesCount<2); - mnuPrintSelection.setVisible(me.mode.canPrint && value.fromThumbs===true); - mnuPrintSelection.setDisabled(me.slidesCount<1); - mnuPreview.setDisabled(me.slidesCount<1); + me.mnuSelectAll.setDisabled(me.slidesCount<2); + me.mnuPrintSelection.setVisible(me.mode.canPrint && value.fromThumbs===true); + me.mnuPrintSelection.setDisabled(me.slidesCount<1); + me.mnuPreview.setDisabled(me.slidesCount<1); }, items: [ - mnuSelectAll, - mnuPrintSelection, + me.mnuSelectAll, + me.mnuPrintSelection, {caption: '--'}, - mnuPreview + me.mnuPreview ] }).on('hide:after', function (menu, e, isFromInputControl) { if (me.suppressEditComplete) { @@ -1920,24 +873,18 @@ define([ if (!isFromInputControl) me.fireEvent('editcomplete', me); me.currentMenu = null; }); + + this.fireEvent('createdelayedelements', [this, 'view']); }, createDelayedElements: function(){ var me = this; - var mnuDeleteSlide = new Common.UI.MenuItem({ + me.mnuDeleteSlide = new Common.UI.MenuItem({ caption : me.txtDeleteSlide - }).on('click', function(item) { - if (me.api){ - me._isFromSlideMenu = true; - me.api.DeleteSlide(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Delete Slide'); - } }); - var mnuChangeSlide = new Common.UI.MenuItem({ + me.mnuChangeSlide = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-changeslide', caption : me.txtChangeLayout, menu : new Common.UI.Menu({ @@ -1948,15 +895,16 @@ define([ }) }); - var mnuResetSlide = new Common.UI.MenuItem({ + me.mnuResetSlide = new Common.UI.MenuItem({ caption : me.txtResetLayout - }).on('click', function(item) { - if (me.api){ - me.api.ResetSlide(); + }); - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Reset Slide'); - } + me.mnuNewSlide = new Common.UI.MenuItem({ + caption : me.txtNewSlide + }); + + me.mnuDuplicateSlide = new Common.UI.MenuItem({ + caption : me.txtDuplicateSlide }); var mnuChangeTheme = new Common.UI.MenuItem({ @@ -1969,112 +917,67 @@ define([ }) }); - var mnuPreview = new Common.UI.MenuItem({ + me.mnuPreview = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-preview', caption : me.txtPreview - }).on('click', function(item) { - var current = me.api.getCurrentPage(); - Common.NotificationCenter.trigger('preview:start', _.isNumber(current) ? current : 0); }); - var mnuSelectAll = new Common.UI.MenuItem({ + me.mnuSelectAll = new Common.UI.MenuItem({ caption : me.txtSelectAll - }).on('click', function(item){ - if (me.api){ - me.api.SelectAllSlides(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Select All Slides'); - } }); - var mnuPrintSelection = new Common.UI.MenuItem({ + me.mnuPrintSelection = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-print', caption : me.txtPrintSelection - }).on('click', function(item){ - if (me.api){ - var printopt = new Asc.asc_CAdjustPrint(); - printopt.asc_setPrintType(Asc.c_oAscPrintType.Selection); - var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); // if isChrome or isOpera == true use asc_onPrintUrl event - opts.asc_setAdvancedOptions(printopt); - me.api.asc_Print(opts); - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Print Selection'); - } }); - var mnuMoveSlideToStart = new Common.UI.MenuItem({ + me.mnuMoveSlideToStart = new Common.UI.MenuItem({ caption: me.txtMoveSlidesToStart - }).on('click', function(item){ - if (me.api) { - me.api.asc_moveSelectedSlidesToStart(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Move Slide to Start'); - } }); - var mnuMoveSlideToEnd = new Common.UI.MenuItem({ + me.mnuMoveSlideToEnd = new Common.UI.MenuItem({ caption: me.txtMoveSlidesToEnd - }).on('click', function(item){ - if (me.api) { - me.api.asc_moveSelectedSlidesToEnd(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Move Slide to End'); - } }); - var menuSlidePaste = new Common.UI.MenuItem({ + me.menuSlidePaste = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-paste', caption : me.textPaste, value : 'paste' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuSlideSettings = new Common.UI.MenuItem({ + me.menuSlideSettings = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-slide', caption : me.textSlideSettings, value : null - }).on('click', function(item){ - PE.getController('RightMenu').onDoubleClickOnObject(item.options.value); }); - var mnuSlideHide = new Common.UI.MenuItem({ + me.mnuSlideHide = new Common.UI.MenuItem({ caption : me.txtSlideHide, checkable: true, checked: false - }).on('click', function(item){ - if (me.api){ - me.api.asc_HideSlides(item.checked); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Hide Slides'); - } }); - - me.slideMenu = new Common.UI.Menu({ cls: 'shifted-right', restoreHeightAndTop: true, initMenu: function(value) { var selectedLast = me.api.asc_IsLastSlideSelected(), selectedFirst = me.api.asc_IsFirstSlideSelected(); - menuSlidePaste.setVisible(value.fromThumbs!==true); + me.menuSlidePaste.setVisible(value.fromThumbs!==true); me.slideMenu.items[1].setVisible(value.fromThumbs===true); // New Slide me.slideMenu.items[2].setVisible(value.isSlideSelect===true); // Duplicate Slide - mnuDeleteSlide.setVisible(value.isSlideSelect===true); - mnuSlideHide.setVisible(value.isSlideSelect===true); - mnuSlideHide.setChecked(value.isSlideHidden===true); + me.mnuDeleteSlide.setVisible(value.isSlideSelect===true); + me.mnuSlideHide.setVisible(value.isSlideSelect===true); + me.mnuSlideHide.setChecked(value.isSlideHidden===true); me.slideMenu.items[5].setVisible(value.isSlideSelect===true || value.fromThumbs!==true); - mnuChangeSlide.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); - mnuResetSlide.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); + me.mnuChangeSlide.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); + me.mnuResetSlide.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); mnuChangeTheme.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); - menuSlideSettings.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); - menuSlideSettings.options.value = null; + me.menuSlideSettings.setVisible(value.isSlideSelect===true || value.fromThumbs!==true); + me.menuSlideSettings.options.value = null; me.slideMenu.items[13].setVisible((!selectedLast || !selectedFirst) && value.isSlideSelect===true); - mnuMoveSlideToEnd.setVisible(!selectedLast && value.isSlideSelect===true); - mnuMoveSlideToStart.setVisible(!selectedFirst && value.isSlideSelect===true); + me.mnuMoveSlideToEnd.setVisible(!selectedLast && value.isSlideSelect===true); + me.mnuMoveSlideToStart.setVisible(!selectedFirst && value.isSlideSelect===true); me.slideMenu.items[16].setVisible(value.fromThumbs===true); me.slideMenu.items[17].setVisible(value.fromThumbs===true); @@ -2082,7 +985,7 @@ define([ me.slideMenu.items[i].setVisible(value.fromThumbs===true); } - mnuPrintSelection.setVisible(me.mode.canPrint && value.fromThumbs===true); + me.mnuPrintSelection.setVisible(me.mode.canPrint && value.fromThumbs===true); var selectedElements = me.api.getSelectedElements(), locked = false, @@ -2095,7 +998,7 @@ define([ locked = elValue.get_LockDelete(); lockedDeleted = elValue.get_LockRemove(); lockedLayout = elValue.get_LockLayout(); - menuSlideSettings.options.value = element; + me.menuSlideSettings.options.value = element; me.slideLayoutMenu.options.layout_index = elValue.get_LayoutIndex(); return false; } @@ -2104,54 +1007,34 @@ define([ for (var i = 0; i < 3; i++) { me.slideMenu.items[i].setDisabled(locked); } - mnuPreview.setDisabled(me.slidesCount<1); - mnuSelectAll.setDisabled(me.slidesCount<2); - mnuDeleteSlide.setDisabled(lockedDeleted || locked); - mnuChangeSlide.setDisabled(lockedLayout || locked); - mnuResetSlide.setDisabled(lockedLayout || locked); + me.mnuPreview.setDisabled(me.slidesCount<1); + me.mnuSelectAll.setDisabled(me.slidesCount<2); + me.mnuDeleteSlide.setDisabled(lockedDeleted || locked); + me.mnuChangeSlide.setDisabled(lockedLayout || locked); + me.mnuResetSlide.setDisabled(lockedLayout || locked); mnuChangeTheme.setDisabled(me._state.themeLock || locked ); - mnuSlideHide.setDisabled(lockedLayout || locked); - mnuPrintSelection.setDisabled(me.slidesCount<1); + me.mnuSlideHide.setDisabled(lockedLayout || locked); + me.mnuPrintSelection.setDisabled(me.slidesCount<1); }, items: [ - menuSlidePaste, - new Common.UI.MenuItem({ - caption : me.txtNewSlide - }).on('click', function(item) { - if (me.api) { - me._isFromSlideMenu = true; - me.api.AddSlide(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Add Slide'); - } - }), - new Common.UI.MenuItem({ - caption : me.txtDuplicateSlide - }).on('click', function(item){ - if (me.api) { - me._isFromSlideMenu = true; - me.api.DublicateSlide(); - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Dublicate Hyperlink'); - } - }), - mnuDeleteSlide, - mnuSlideHide, + me.menuSlidePaste, + me.mnuNewSlide, + me.mnuDuplicateSlide, + me.mnuDeleteSlide, + me.mnuSlideHide, {caption: '--'}, - mnuChangeSlide, - mnuResetSlide, + me.mnuChangeSlide, + me.mnuResetSlide, mnuChangeTheme, - menuSlideSettings, + me.menuSlideSettings, {caption: '--'}, - mnuSelectAll, - mnuPrintSelection, + me.mnuSelectAll, + me.mnuPrintSelection, {caption: '--'}, - mnuMoveSlideToStart, - mnuMoveSlideToEnd, + me.mnuMoveSlideToStart, + me.mnuMoveSlideToEnd, {caption: '--'}, - mnuPreview + me.mnuPreview ] }).on('hide:after', function(menu, e, isFromInputControl) { if (me.suppressEditComplete) { @@ -2164,7 +1047,7 @@ define([ }).on('render:after', function(cmp) { me.slideLayoutMenu = new Common.UI.DataView({ el : $('#id-docholder-menu-changeslide'), - parentMenu : mnuChangeSlide.menu, + parentMenu : me.mnuChangeSlide.menu, style: 'max-height: 300px;', restoreWidth: 302, store : PE.getCollection('SlideLayouts'), @@ -2175,17 +1058,13 @@ define([ '
        ' ].join('')) }).on('item:click', function(picker, item, record, e) { - if (me.api) { - me.api.ChangeLayout(record.get('data').idx); - if (e.type !== 'click') - me.slideMenu.hide(); - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Change Layout'); - } + if (e.type !== 'click') + me.slideMenu.hide(); + me.fireEvent('layout:change', [record]); }); if (me.slideMenu) { - mnuChangeSlide.menu.on('show:after', function (menu) { + me.mnuChangeSlide.menu.on('show:after', function (menu) { me.onSlidePickerShowAfter(me.slideLayoutMenu); me.slideLayoutMenu.scroller.update({alwaysVisibleY: true}); @@ -2213,13 +1092,9 @@ define([ '
        ' ].join('')) }).on('item:click', function(picker, item, record, e) { - if (me.api) { - me.api.ChangeTheme(record.get('themeId'), true); - if (e.type !== 'click') - me.slideMenu.hide(); - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Change Theme'); - } + if (e.type !== 'click') + me.slideMenu.hide(); + me.fireEvent('theme:change', [record]); }); if (me.slideMenu) { @@ -2233,96 +1108,134 @@ define([ } }); - var mnuTableMerge = new Common.UI.MenuItem({ + me.mnuTableMerge = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-merge-cells', caption : me.mergeCellsText - }).on('click', function(item) { - if (me.api) - me.api.MergeCells(); }); - var mnuTableSplit = new Common.UI.MenuItem({ + me.mnuTableSplit = new Common.UI.MenuItem({ caption : me.splitCellsText - }).on('click', function(item) { - if (me.api) { - (new Common.Views.InsertTableDialog({ - split: true, - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - me.api.SplitCell(value.columns, value.rows); - } - Common.component.Analytics.trackEvent('DocumentHolder', 'Table Split'); - } - me.fireEvent('editcomplete', me); - } - })).show(); - } }); - var menuTableCellAlign = new Common.UI.MenuItem({ + me.menuTableCellAlign = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-align-top', - caption : me.cellAlignText, - menu : (function(){ - function onItemClick(item, e) { - if (me.api) { - var properties = new Asc.CTableProp(); - properties.put_CellsVAlign(item.value); - me.api.tblApply(properties); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Table Cell Align'); - } - - return new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items: [ - me.menuTableCellTop = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-top', - caption : me.textShapeAlignTop, - checkable : true, - checkmark : false, - toggleGroup : 'popuptablecellalign', - value : Asc.c_oAscVertAlignJc.Top - }).on('click', _.bind(onItemClick, me)), - me.menuTableCellCenter = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-middle', - caption : me.textShapeAlignMiddle, - checkable : true, - checkmark : false, - toggleGroup : 'popuptablecellalign', - value : Asc.c_oAscVertAlignJc.Center - }).on('click', _.bind(onItemClick, me)), - me.menuTableCellBottom = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-bottom', - caption : me.textShapeAlignBottom, - checkable : true, - checkmark : false, - toggleGroup : 'popuptablecellalign', - value : Asc.c_oAscVertAlignJc.Bottom - }).on('click', _.bind(onItemClick, me)) - ] - }) - })() + caption : me.cellAlignText, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items: [ + me.menuTableCellTop = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-top', + caption : me.textShapeAlignTop, + checkable : true, + checkmark : false, + toggleGroup : 'popuptablecellalign', + value : Asc.c_oAscVertAlignJc.Top + }), + me.menuTableCellCenter = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-middle', + caption : me.textShapeAlignMiddle, + checkable : true, + checkmark : false, + toggleGroup : 'popuptablecellalign', + value : Asc.c_oAscVertAlignJc.Center + }), + me.menuTableCellBottom = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-bottom', + caption : me.textShapeAlignBottom, + checkable : true, + checkmark : false, + toggleGroup : 'popuptablecellalign', + value : Asc.c_oAscVertAlignJc.Bottom + }) + ] + }) }); - var menuTableDistRows = new Common.UI.MenuItem({ + me.menuTableDistRows = new Common.UI.MenuItem({ caption : me.textDistributeRows - }).on('click', _.bind(function(){ - if (me.api) - me.api.asc_DistributeTableCells(false); - me.fireEvent('editcomplete', me); - }, me)); + }); - var menuTableDistCols = new Common.UI.MenuItem({ + me.menuTableDistCols = new Common.UI.MenuItem({ caption : me.textDistributeCols - }).on('click', _.bind(function(){ - if (me.api) - me.api.asc_DistributeTableCells(true); - me.fireEvent('editcomplete', me); - }, me)); + }); + + me.menuTableSelectText = new Common.UI.MenuItem({ + caption : me.selectText, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items: [ + new Common.UI.MenuItem({ + caption : me.rowText, + value: 0 + }), + new Common.UI.MenuItem({ + caption : me.columnText, + value: 1 + }), + new Common.UI.MenuItem({ + caption : me.cellText, + value: 2 + }), + new Common.UI.MenuItem({ + caption : me.tableText, + value: 3 + }) + ] + }) + }); + + me.menuTableInsertText = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-addcell', + caption : me.insertText, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + style : 'width: 100px', + items : [ + new Common.UI.MenuItem({ + caption: me.insertColumnLeftText, + value: 0 + }), + new Common.UI.MenuItem({ + caption: me.insertColumnRightText, + value: 1 + }), + new Common.UI.MenuItem({ + caption: me.insertRowAboveText, + value: 2 + }), + new Common.UI.MenuItem({ + caption: me.insertRowBelowText, + value: 3 + }) + ] + }) + }); + + me.menuTableDeleteText = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-delcell', + caption : me.deleteText, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items: [ + new Common.UI.MenuItem({ + caption : me.rowText, + value: 0 + }), + new Common.UI.MenuItem({ + caption : me.columnText, + value: 1 + }), + new Common.UI.MenuItem({ + caption : me.tableText, + value: 2 + }) + ] + }) + }); me.menuSpellTable = new Common.UI.MenuItem({ caption : me.loadSpellText, @@ -2359,29 +1272,18 @@ define([ }) }); - var menuIgnoreSpellTable = new Common.UI.MenuItem({ - caption : me.ignoreSpellText - }).on('click', function(item) { - if (me.api) { - me.api.asc_ignoreMisspelledWord(me._currentSpellObj, false); - me.fireEvent('editcomplete', me); - } + me.menuIgnoreSpellTable = new Common.UI.MenuItem({ + caption : me.ignoreSpellText, + value: false }); - var menuIgnoreAllSpellTable = new Common.UI.MenuItem({ - caption : me.ignoreAllSpellText - }).on('click', function(menu) { - if (me.api) { - me.api.asc_ignoreMisspelledWord(me._currentSpellObj, true); - me.fireEvent('editcomplete', me); - } + me.menuIgnoreAllSpellTable = new Common.UI.MenuItem({ + caption : me.ignoreAllSpellText, + value: true }); - var menuToDictionaryTable = new Common.UI.MenuItem({ + me.menuToDictionaryTable = new Common.UI.MenuItem({ caption : me.toDictionaryText - }).on('click', function(item, e) { - me.api.asc_spellCheckAddToDictionary(me._currentSpellObj); - me.fireEvent('editcomplete', me); }); var menuIgnoreSpellTableSeparator = new Common.UI.MenuItem({ @@ -2402,9 +1304,9 @@ define([ me.menuSpellTable, me.menuSpellMoreTable, menuIgnoreSpellTableSeparator, - menuIgnoreSpellTable, - menuIgnoreAllSpellTable, - menuToDictionaryTable, + me.menuIgnoreSpellTable, + me.menuIgnoreAllSpellTable, + me.menuToDictionaryTable, { caption: '--' }, me.langTableMenu ] @@ -2439,25 +1341,18 @@ define([ }) }); - var menuIgnoreSpellPara = new Common.UI.MenuItem({ - caption : me.ignoreSpellText - }).on('click', function(item, e) { - me.api.asc_ignoreMisspelledWord(me._currentSpellObj, false); - me.fireEvent('editcomplete', me); + me.menuIgnoreSpellPara = new Common.UI.MenuItem({ + caption : me.ignoreSpellText, + value: false }); - var menuIgnoreAllSpellPara = new Common.UI.MenuItem({ - caption : me.ignoreAllSpellText - }).on('click', function(item, e) { - me.api.asc_ignoreMisspelledWord(me._currentSpellObj, true); - me.fireEvent('editcomplete', me); + me.menuIgnoreAllSpellPara = new Common.UI.MenuItem({ + caption : me.ignoreAllSpellText, + value: true }); - var menuToDictionaryPara = new Common.UI.MenuItem({ + me.menuToDictionaryPara = new Common.UI.MenuItem({ caption : me.toDictionaryText - }).on('click', function(item, e) { - me.api.asc_spellCheckAddToDictionary(me._currentSpellObj); - me.fireEvent('editcomplete', me); }); var menuIgnoreSpellParaSeparator = new Common.UI.MenuItem({ @@ -2468,175 +1363,41 @@ define([ caption : '--' }); - var menuTableAdvanced = new Common.UI.MenuItem({ + me.menuTableAdvanced = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-table', caption : me.advancedTableText - }).on('click', function(item) { - if (me.api) { - var selectedElements = me.api.getSelectedElements(); - - if (selectedElements && selectedElements.length > 0){ - var elType, elValue; - for (var i = selectedElements.length - 1; i >= 0; i--) { - elType = selectedElements[i].get_ObjectType(); - elValue = selectedElements[i].get_ObjectValue(); - - if (Asc.c_oAscTypeSelectElement.Table == elType) { - (new PE.Views.TableSettingsAdvanced( - { - tableProps: elValue, - slideSize: PE.getController('Toolbar').currentPageSize, - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - me.api.tblApply(value.tableProps); - } - } - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Table Settings Advanced'); - } - })).show(); - break; - } - } - } - } }); - var menuImageAdvanced = new Common.UI.MenuItem({ + me.menuImageAdvanced = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-image', caption : me.advancedImageText - }).on('click', function(item) { - if (me.api){ - var selectedElements = me.api.getSelectedElements(); - if (selectedElements && selectedElements.length>0){ - var elType, elValue; - - for (var i = selectedElements.length - 1; i >= 0; i--) { - elType = selectedElements[i].get_ObjectType(); - elValue = selectedElements[i].get_ObjectValue(); - - if (Asc.c_oAscTypeSelectElement.Image == elType) { - var imgsizeOriginal; - - if (!menuImgOriginalSize.isDisabled()) { - imgsizeOriginal = me.api.get_OriginalSizeImage(); - if (imgsizeOriginal) - imgsizeOriginal = {width:imgsizeOriginal.get_ImageWidth(), height:imgsizeOriginal.get_ImageHeight()}; - } - - (new PE.Views.ImageSettingsAdvanced( - { - imageProps: elValue, - sizeOriginal: imgsizeOriginal, - slideSize: PE.getController('Toolbar').currentPageSize, - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - me.api.ImgApply(value.imageProps); - } - } - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Image Settings Advanced'); - } - })).show(); - break; - } - } - } - } }); - var menuShapeAdvanced = new Common.UI.MenuItem({ + me.menuShapeAdvanced = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-shape', caption : me.advancedShapeText - }).on('click', function(item) { - if (me.api){ - var selectedElements = me.api.getSelectedElements(); - if (selectedElements && selectedElements.length>0){ - var elType, elValue; - for (var i = selectedElements.length - 1; i >= 0; i--) { - elType = selectedElements[i].get_ObjectType(); - elValue = selectedElements[i].get_ObjectValue(); - if (Asc.c_oAscTypeSelectElement.Shape == elType) { - (new PE.Views.ShapeSettingsAdvanced( - { - shapeProps: elValue, - slideSize: PE.getController('Toolbar').currentPageSize, - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - me.api.ShapeApply(value.shapeProps); - } - } - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Image Shape Advanced'); - } - })).show(); - break; - } - } - } - } }); - var menuParagraphAdvanced = new Common.UI.MenuItem({ + me.menuParagraphAdvanced = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-paragraph', caption : me.advancedParagraphText - }).on('click', function(item) { - if (me.api){ - var selectedElements = me.api.getSelectedElements(); - - if (selectedElements && selectedElements.length > 0){ - var elType, elValue; - for (var i = selectedElements.length - 1; i >= 0; i--) { - elType = selectedElements[i].get_ObjectType(); - elValue = selectedElements[i].get_ObjectValue(); - - if (Asc.c_oAscTypeSelectElement.Paragraph == elType) { - (new PE.Views.ParagraphSettingsAdvanced( - { - paragraphProps: elValue, - api: me.api, - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - me.api.paraApply(value.paragraphProps); - } - } - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Image Paragraph Advanced'); - } - })).show(); - break; - } - } - } - } }); var menuCommentParaSeparator = new Common.UI.MenuItem({ caption : '--' }); - var menuAddHyperlinkPara = new Common.UI.MenuItem({ + me.menuAddHyperlinkPara = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-inserthyperlink', caption : me.hyperlinkText - }).on('click', _.bind(me.addHyperlink, me)); + }); - var menuEditHyperlinkPara = new Common.UI.MenuItem({ + me.menuEditHyperlinkPara = new Common.UI.MenuItem({ caption : me.editHyperlinkText - }).on('click', _.bind(me.editHyperlink, me)); + }); - var menuRemoveHyperlinkPara = new Common.UI.MenuItem({ + me.menuRemoveHyperlinkPara = new Common.UI.MenuItem({ caption : me.removeHyperlinkText - }).on('click', function(item) { - if (me.api){ - me.api.remove_Hyperlink(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Remove Hyperlink'); }); var menuHyperlinkPara = new Common.UI.MenuItem({ @@ -2646,30 +1407,23 @@ define([ cls: 'shifted-right', menuAlign: 'tl-tr', items: [ - menuEditHyperlinkPara, - menuRemoveHyperlinkPara + me.menuEditHyperlinkPara, + me.menuRemoveHyperlinkPara ] }) }); - var menuAddHyperlinkTable = new Common.UI.MenuItem({ + me.menuAddHyperlinkTable = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-inserthyperlink', caption : me.hyperlinkText - }).on('click', _.bind(me.addHyperlink, me)); + }); - var menuEditHyperlinkTable = new Common.UI.MenuItem({ + me.menuEditHyperlinkTable = new Common.UI.MenuItem({ caption : me.editHyperlinkText - }).on('click', _.bind(me.editHyperlink, me)); + }); - var menuRemoveHyperlinkTable = new Common.UI.MenuItem({ + me.menuRemoveHyperlinkTable = new Common.UI.MenuItem({ caption : me.removeHyperlinkText - }).on('click', function(item) { - if (me.api){ - me.api.remove_Hyperlink(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Remove Hyperlink Table'); }); var menuHyperlinkTable = new Common.UI.MenuItem({ @@ -2679,8 +1433,8 @@ define([ cls: 'shifted-right', menuAlign: 'tl-tr', items: [ - menuEditHyperlinkTable, - menuRemoveHyperlinkTable + me.menuEditHyperlinkTable, + me.menuRemoveHyperlinkTable ] }) }); @@ -2689,76 +1443,34 @@ define([ caption : '--' }); - var mnuGroupImg = new Common.UI.MenuItem({ + me.mnuGroupImg = new Common.UI.MenuItem({ caption : this.txtGroup, iconCls : 'menu__icon shape-group' - }).on('click', function(item) { - if (me.api) { - me.api.groupShapes(); - } - - me.fireEvent('editcomplete', this); - Common.component.Analytics.trackEvent('DocumentHolder', 'Group Image'); }); - var mnuUnGroupImg = new Common.UI.MenuItem({ + me.mnuUnGroupImg = new Common.UI.MenuItem({ caption : this.txtUngroup, iconCls : 'menu__icon shape-ungroup' - }).on('click', function(item) { - if (me.api) { - me.api.unGroupShapes(); - } - - me.fireEvent('editcomplete', this); - Common.component.Analytics.trackEvent('DocumentHolder', 'Ungroup Image'); }); - var mnuArrangeFront = new Common.UI.MenuItem({ + me.mnuArrangeFront = new Common.UI.MenuItem({ caption : this.textArrangeFront, iconCls : 'menu__icon arrange-front' - }).on('click', function(item) { - if (me.api) { - me.api.shapes_bringToFront(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Bring To Front'); }); - var mnuArrangeBack = new Common.UI.MenuItem({ + me.mnuArrangeBack = new Common.UI.MenuItem({ caption : this.textArrangeBack, iconCls : 'menu__icon arrange-back' - }).on('click', function(item) { - if (me.api) { - me.api.shapes_bringToBack(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Bring To Back'); }); - var mnuArrangeForward = new Common.UI.MenuItem({ + me.mnuArrangeForward = new Common.UI.MenuItem({ caption : this.textArrangeForward, iconCls : 'menu__icon arrange-forward' - }).on('click', function(item) { - if (me.api) { - me.api.shapes_bringForward(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Send Forward'); }); - var mnuArrangeBackward = new Common.UI.MenuItem({ + me.mnuArrangeBackward = new Common.UI.MenuItem({ caption : this.textArrangeBackward, iconCls : 'menu__icon arrange-backward' - }).on('click', function(item) { - if (me.api) { - me.api.shapes_bringBackward(); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Send Backward'); }); var menuImgShapeArrange = new Common.UI.MenuItem({ @@ -2767,153 +1479,109 @@ define([ cls: 'shifted-right', menuAlign: 'tl-tr', items: [ - mnuArrangeFront, - mnuArrangeBack, - mnuArrangeForward, - mnuArrangeBackward, + me.mnuArrangeFront, + me.mnuArrangeBack, + me.mnuArrangeForward, + me.mnuArrangeBackward, {caption: '--'}, - mnuGroupImg, - mnuUnGroupImg + me.mnuGroupImg, + me.mnuUnGroupImg ] }) }); - var menuImgShapeAlign = new Common.UI.MenuItem({ + me.menuImgShapeAlign = new Common.UI.MenuItem({ caption : me.txtAlign, - menu : (function(){ - function onItemClick(item) { - if (me.api) { - var value = me.api.asc_getSelectedDrawingObjectsCount()<2 || Common.Utils.InternalSettings.get("pe-align-to-slide"); - value = value ? Asc.c_oAscObjectsAlignType.Slide : Asc.c_oAscObjectsAlignType.Selected; - if (item.value < 6) { - me.api.put_ShapesAlign(item.value, value); - Common.component.Analytics.trackEvent('DocumentHolder', 'Shape Align'); - } else if (item.value == 6) { - me.api.DistributeHorizontally(value); - Common.component.Analytics.trackEvent('DocumentHolder', 'Distribute Horizontally'); - } else if (item.value == 7){ - me.api.DistributeVertically(value); - Common.component.Analytics.trackEvent('DocumentHolder', 'Distribute Vertically'); - } - } - me.fireEvent('editcomplete', me); - } - - return new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items: [ - new Common.UI.MenuItem({ - caption : me.textShapeAlignLeft, - iconCls : 'menu__icon shape-align-left', - value : Asc.c_oAscAlignShapeType.ALIGN_LEFT - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.textShapeAlignCenter, - iconCls : 'menu__icon shape-align-center', - value : Asc.c_oAscAlignShapeType.ALIGN_CENTER - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.textShapeAlignRight, - iconCls : 'menu__icon shape-align-right', - value : Asc.c_oAscAlignShapeType.ALIGN_RIGHT - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.textShapeAlignTop, - iconCls : 'menu__icon shape-align-top', - value : Asc.c_oAscAlignShapeType.ALIGN_TOP - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.textShapeAlignMiddle, - iconCls : 'menu__icon shape-align-middle', - value : Asc.c_oAscAlignShapeType.ALIGN_MIDDLE - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.textShapeAlignBottom, - iconCls : 'menu__icon shape-align-bottom', - value : Asc.c_oAscAlignShapeType.ALIGN_BOTTOM - }).on('click', _.bind(onItemClick, me)), - {caption : '--'}, - new Common.UI.MenuItem({ - caption : me.txtDistribHor, - iconCls : 'menu__icon shape-distribute-hor', - value : 6 - }).on('click', _.bind(onItemClick, me)), - new Common.UI.MenuItem({ - caption : me.txtDistribVert, - iconCls : 'menu__icon shape-distribute-vert', - value : 7 - }).on('click', _.bind(onItemClick, me)) - ] - }) - })() + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items: [ + new Common.UI.MenuItem({ + caption : me.textShapeAlignLeft, + iconCls : 'menu__icon shape-align-left', + value : Asc.c_oAscAlignShapeType.ALIGN_LEFT + }), + new Common.UI.MenuItem({ + caption : me.textShapeAlignCenter, + iconCls : 'menu__icon shape-align-center', + value : Asc.c_oAscAlignShapeType.ALIGN_CENTER + }), + new Common.UI.MenuItem({ + caption : me.textShapeAlignRight, + iconCls : 'menu__icon shape-align-right', + value : Asc.c_oAscAlignShapeType.ALIGN_RIGHT + }), + new Common.UI.MenuItem({ + caption : me.textShapeAlignTop, + iconCls : 'menu__icon shape-align-top', + value : Asc.c_oAscAlignShapeType.ALIGN_TOP + }), + new Common.UI.MenuItem({ + caption : me.textShapeAlignMiddle, + iconCls : 'menu__icon shape-align-middle', + value : Asc.c_oAscAlignShapeType.ALIGN_MIDDLE + }), + new Common.UI.MenuItem({ + caption : me.textShapeAlignBottom, + iconCls : 'menu__icon shape-align-bottom', + value : Asc.c_oAscAlignShapeType.ALIGN_BOTTOM + }), + {caption : '--'}, + new Common.UI.MenuItem({ + caption : me.txtDistribHor, + iconCls : 'menu__icon shape-distribute-hor', + value : 6 + }), + new Common.UI.MenuItem({ + caption : me.txtDistribVert, + iconCls : 'menu__icon shape-distribute-vert', + value : 7 + }) + ] + }) }); - var menuChartEdit = new Common.UI.MenuItem({ + me.menuChartEdit = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-chart', caption : me.editChartText - }).on('click', _.bind(me.editChartClick, me, undefined)); - - var menuParagraphVAlign = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-top', - caption : me.vertAlignText, - menu : (function(){ - function onItemClick(item) { - if (me.api) { - var properties = new Asc.asc_CShapeProperty(); - properties.put_VerticalTextAlign(item.value); - - me.api.ShapeApply(properties); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Text Vertical Align'); - } - - return new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items: [ - me.menuParagraphTop = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-top', - caption : me.textShapeAlignTop, - checkable : true, - checkmark : false, - toggleGroup : 'popupparagraphvalign', - value : Asc.c_oAscVAlign.Top - }).on('click', _.bind(onItemClick, me)), - me.menuParagraphCenter = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-middle', - caption : me.textShapeAlignMiddle, - checkable : true, - checkmark : false, - toggleGroup : 'popupparagraphvalign', - value : Asc.c_oAscVAlign.Center - }).on('click', _.bind(onItemClick, me)), - me.menuParagraphBottom = new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-align-bottom', - caption : me.textShapeAlignBottom, - checkable : true, - checkmark : false, - toggleGroup : 'popupparagraphvalign', - value : Asc.c_oAscVAlign.Bottom - }).on('click', _.bind(onItemClick, me)) - ] - }) - })() }); - var paragraphDirection = function(item, e) { - if (me.api) { - var properties = new Asc.asc_CShapeProperty(); - properties.put_Vert(item.options.direction); - me.api.ShapeApply(properties); - } - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Text Direction'); - }; + me.menuParagraphVAlign = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-top', + caption : me.vertAlignText, + menu : new Common.UI.Menu({ + cls: 'shifted-right', + menuAlign: 'tl-tr', + items: [ + me.menuParagraphTop = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-top', + caption : me.textShapeAlignTop, + checkable : true, + checkmark : false, + toggleGroup : 'popupparagraphvalign', + value : Asc.c_oAscVAlign.Top + }), + me.menuParagraphCenter = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-middle', + caption : me.textShapeAlignMiddle, + checkable : true, + checkmark : false, + toggleGroup : 'popupparagraphvalign', + value : Asc.c_oAscVAlign.Center + }), + me.menuParagraphBottom = new Common.UI.MenuItem({ + iconCls: 'menu__icon btn-align-bottom', + caption : me.textShapeAlignBottom, + checkable : true, + checkmark : false, + toggleGroup : 'popupparagraphvalign', + value : Asc.c_oAscVAlign.Bottom + }) + ] + }) + }); - var menuParagraphDirection = new Common.UI.MenuItem({ + me.menuParagraphDirection = new Common.UI.MenuItem({ iconCls: 'menu__icon text-orient-hor', caption : me.directionText, menu : new Common.UI.Menu({ @@ -2928,7 +1596,7 @@ define([ checked : false, toggleGroup : 'popupparagraphdirect', direction : Asc.c_oAscVertDrawingText.normal - }).on('click', _.bind(paragraphDirection, me)), + }), me.menuParagraphDirect90 = new Common.UI.MenuItem({ caption : me.direct90Text, iconCls : 'menu__icon text-orient-rdown', @@ -2937,7 +1605,7 @@ define([ checked : false, toggleGroup : 'popupparagraphdirect', direction : Asc.c_oAscVertDrawingText.vert - }).on('click', _.bind(paragraphDirection, me)), + }), me.menuParagraphDirect270 = new Common.UI.MenuItem({ caption : me.direct270Text, iconCls : 'menu__icon text-orient-rup', @@ -2946,7 +1614,7 @@ define([ checked : false, toggleGroup : 'popupparagraphdirect', direction : Asc.c_oAscVertDrawingText.vert270 - }).on('click', _.bind(paragraphDirection, me)) + }) ] }) }); @@ -2955,70 +1623,33 @@ define([ caption : '--' }); - var menuImgOriginalSize = new Common.UI.MenuItem({ + me.menuImgOriginalSize = new Common.UI.MenuItem({ caption : me.originalSizeText - }).on('click', function(item){ - if (me.api){ - var originalImageSize = me.api.get_OriginalSizeImage(); - - if (originalImageSize) { - var properties = new Asc.asc_CImgProperty(); - - properties.put_Width(originalImageSize.get_ImageWidth()); - properties.put_Height(originalImageSize.get_ImageHeight()); - properties.put_ResetCrop(true); - properties.put_Rot(0); - me.api.ImgApply(properties); - } - - me.fireEvent('editcomplete', me); - Common.component.Analytics.trackEvent('DocumentHolder', 'Set Image Original Size'); - } }); - var menuImgReplace = new Common.UI.MenuItem({ + me.menuImgReplace = new Common.UI.MenuItem({ caption : me.textReplace, menu : new Common.UI.Menu({ cls: 'shifted-right', menuAlign: 'tl-tr', items: [ new Common.UI.MenuItem({ - caption : this.textFromFile - }).on('click', function(item) { - setTimeout(function(){ - me.onInsertImage(); - }, 10); + caption : this.textFromFile, + value: 0 }), new Common.UI.MenuItem({ - caption : this.textFromUrl - }).on('click', _.bind(me.onInsertImageUrl, me, false)), + caption : this.textFromUrl, + value: 1 + }), new Common.UI.MenuItem({ - caption : this.textFromStorage - }).on('click', function(item) { - Common.NotificationCenter.trigger('storage:image-load', 'change'); + caption : this.textFromStorage, + value: 2 }) ] }) }); - var onImgRotate = function(item) { - var properties = new Asc.asc_CShapeProperty(); - properties.asc_putRotAdd((item.value==1 ? 90 : 270) * 3.14159265358979 / 180); - me.api.ShapeApply(properties); - me.fireEvent('editcomplete', me); - }; - - var onImgFlip = function(item) { - var properties = new Asc.asc_CShapeProperty(); - if (item.value==1) - properties.asc_putFlipHInvert(true); - else - properties.asc_putFlipVInvert(true); - me.api.ShapeApply(properties); - me.fireEvent('editcomplete', me); - }; - - var menuImgShapeRotate = new Common.UI.MenuItem({ + me.menuImgShapeRotate = new Common.UI.MenuItem({ caption : me.textRotate, menu : new Common.UI.Menu({ cls: 'shifted-right', @@ -3028,38 +1659,27 @@ define([ iconCls: 'menu__icon btn-rotate-90', caption: me.textRotate90, value : 1 - }).on('click', _.bind(onImgRotate, me)), + }), new Common.UI.MenuItem({ iconCls: 'menu__icon btn-rotate-270', caption: me.textRotate270, value : 0 - }).on('click', _.bind(onImgRotate, me)), + }), { caption: '--' }, new Common.UI.MenuItem({ iconCls: 'menu__icon btn-flip-hor', caption: me.textFlipH, value : 1 - }).on('click', _.bind(onImgFlip, me)), + }), new Common.UI.MenuItem({ iconCls: 'menu__icon btn-flip-vert', caption: me.textFlipV, value : 0 - }).on('click', _.bind(onImgFlip, me)) + }) ] }) }); - var onImgCrop = function(item) { - if (item.value == 1) { - me.api.asc_cropFill(); - } else if (item.value == 2) { - me.api.asc_cropFit(); - } else { - item.checked ? me.api.asc_startEditCrop() : me.api.asc_endEditCrop(); - } - me.fireEvent('editcomplete', me); - }; - me.menuImgCrop = new Common.UI.MenuItem({ caption : me.textCrop, menu : new Common.UI.Menu({ @@ -3071,101 +1691,101 @@ define([ checkable: true, allowDepress: true, value : 0 - }).on('click', _.bind(onImgCrop, me)), + }), new Common.UI.MenuItem({ caption: me.textCropFill, value : 1 - }).on('click', _.bind(onImgCrop, me)), + }), new Common.UI.MenuItem({ caption: me.textCropFit, value : 2 - }).on('click', _.bind(onImgCrop, me)) + }) ] }) }); /** coauthoring begin **/ - var menuAddCommentPara = new Common.UI.MenuItem({ + me.menuAddCommentPara = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-comments', caption : me.addCommentText - }).on('click', _.bind(me.addComment, me)); - menuAddCommentPara.hide(); + }); + me.menuAddCommentPara.hide(); - var menuAddCommentTable = new Common.UI.MenuItem({ + me.menuAddCommentTable = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-comments', caption : me.addCommentText - }).on('click', _.bind(me.addComment, me)); - menuAddCommentTable.hide(); + }); + me.menuAddCommentTable.hide(); var menuCommentSeparatorImg = new Common.UI.MenuItem({ caption : '--' }); menuCommentSeparatorImg.hide(); - var menuAddCommentImg = new Common.UI.MenuItem({ + me.menuAddCommentImg = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-menu-comments', caption : me.addCommentText - }).on('click', _.bind(me.addComment, me)); - menuAddCommentImg.hide(); + }); + me.menuAddCommentImg.hide(); /** coauthoring end **/ - var menuAddToLayoutImg = new Common.UI.MenuItem({ + me.menuAddToLayoutImg = new Common.UI.MenuItem({ caption : me.addToLayoutText - }).on('click', _.bind(me.addToLayout, me)); + }); - var menuParaCopy = new Common.UI.MenuItem({ + me.menuParaCopy = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-copy', caption : me.textCopy, value : 'copy' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuParaPaste = new Common.UI.MenuItem({ + me.menuParaPaste = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-paste', caption : me.textPaste, value : 'paste' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuParaCut = new Common.UI.MenuItem({ + me.menuParaCut = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-cut', caption : me.textCut, value : 'cut' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuImgCopy = new Common.UI.MenuItem({ + me.menuImgCopy = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-copy', caption : me.textCopy, value : 'copy' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuImgPaste = new Common.UI.MenuItem({ + me.menuImgPaste = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-paste', caption : me.textPaste, value : 'paste' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuImgCut = new Common.UI.MenuItem({ + me.menuImgCut = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-cut', caption : me.textCut, value : 'cut' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuTableCopy = new Common.UI.MenuItem({ + me.menuTableCopy = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-copy', caption : me.textCopy, value : 'copy' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuTablePaste = new Common.UI.MenuItem({ + me.menuTablePaste = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-paste', caption : me.textPaste, value : 'paste' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); - var menuTableCut = new Common.UI.MenuItem({ + me.menuTableCut = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-cut', caption : me.textCut, value : 'cut' - }).on('click', _.bind(me.onCutCopyPaste, me)); + }); var menuEquationSeparator = new Common.UI.MenuItem({ caption : '--' @@ -3175,14 +1795,12 @@ define([ caption : '--' }); - var menuAddToLayoutTable = new Common.UI.MenuItem({ + me.menuAddToLayoutTable = new Common.UI.MenuItem({ caption : me.addToLayoutText - }).on('click', _.bind(me.addToLayout, me)); + }); - var menuImgEditPoints = new Common.UI.MenuItem({ + me.menuImgEditPoints = new Common.UI.MenuItem({ caption: me.textEditPoints - }).on('click', function(item) { - me.api && me.api.asc_editPointsGeometry(); }); var menuImgEditPointsSeparator = new Common.UI.MenuItem({ @@ -3201,8 +1819,8 @@ define([ var isEquation= (value.mathProps && value.mathProps.value); me._currentParaObjDisabled = disabled; - menuParagraphVAlign.setVisible(isInShape && !isInChart && !isEquation); // после того, как заголовок можно будет растягивать по вертикали, вернуть "|| isInChart" !! - menuParagraphDirection.setVisible(isInShape && !isInChart && !isEquation); // после того, как заголовок можно будет растягивать по вертикали, вернуть "|| isInChart" !! + me.menuParagraphVAlign.setVisible(isInShape && !isInChart && !isEquation); // после того, как заголовок можно будет растягивать по вертикали, вернуть "|| isInChart" !! + me.menuParagraphDirection.setVisible(isInShape && !isInChart && !isEquation); // после того, как заголовок можно будет растягивать по вертикали, вернуть "|| isInChart" !! if (isInShape || isInChart) { var align = value.shapeProps.value.get_VerticalTextAlign(); var cls = ''; @@ -3217,7 +1835,7 @@ define([ cls = 'menu__icon btn-align-bottom'; break; } - menuParagraphVAlign.setIconCls(cls); + me.menuParagraphVAlign.setIconCls(cls); me.menuParagraphTop.setChecked(align == Asc.c_oAscVAlign.Top); me.menuParagraphCenter.setChecked(align == Asc.c_oAscVAlign.Center); me.menuParagraphBottom.setChecked(align == Asc.c_oAscVAlign.Bottom); @@ -3235,16 +1853,16 @@ define([ cls = 'menu__icon text-orient-rup'; break; } - menuParagraphDirection.setIconCls(cls); + me.menuParagraphDirection.setIconCls(cls); me.menuParagraphDirectH.setChecked(dir == Asc.c_oAscVertDrawingText.normal); me.menuParagraphDirect90.setChecked(dir == Asc.c_oAscVertDrawingText.vert); me.menuParagraphDirect270.setChecked(dir == Asc.c_oAscVertDrawingText.vert270); } else { - menuParagraphVAlign.setIconCls(''); - menuParagraphDirection.setIconCls(''); + me.menuParagraphVAlign.setIconCls(''); + me.menuParagraphDirection.setIconCls(''); } - menuParagraphVAlign.setDisabled(disabled); - menuParagraphDirection.setDisabled(disabled); + me.menuParagraphVAlign.setDisabled(disabled); + me.menuParagraphDirection.setDisabled(disabled); var text = null; @@ -3252,40 +1870,40 @@ define([ text = me.api.can_AddHyperlink(); } - menuAddHyperlinkPara.setVisible(value.hyperProps===undefined && text!==false); + me.menuAddHyperlinkPara.setVisible(value.hyperProps===undefined && text!==false); menuHyperlinkPara.setVisible(value.hyperProps!==undefined); - menuEditHyperlinkPara.hyperProps = value.hyperProps; + me.menuEditHyperlinkPara.hyperProps = value.hyperProps; if (text!==false) { - menuAddHyperlinkPara.hyperProps = {}; - menuAddHyperlinkPara.hyperProps.value = new Asc.CHyperlinkProperty(); - menuAddHyperlinkPara.hyperProps.value.put_Text(text); + me.menuAddHyperlinkPara.hyperProps = {}; + me.menuAddHyperlinkPara.hyperProps.value = new Asc.CHyperlinkProperty(); + me.menuAddHyperlinkPara.hyperProps.value.put_Text(text); } /** coauthoring begin **/ - menuAddCommentPara.setVisible(!isInChart && isInShape && me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); + me.menuAddCommentPara.setVisible(!isInChart && isInShape && me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); /** coauthoring end **/ - menuCommentParaSeparator.setVisible(/** coauthoring begin **/ menuAddCommentPara.isVisible() || /** coauthoring end **/ menuAddHyperlinkPara.isVisible() || menuHyperlinkPara.isVisible()); - menuAddHyperlinkPara.setDisabled(disabled); + menuCommentParaSeparator.setVisible(/** coauthoring begin **/ me.menuAddCommentPara.isVisible() || /** coauthoring end **/ me.menuAddHyperlinkPara.isVisible() || menuHyperlinkPara.isVisible()); + me.menuAddHyperlinkPara.setDisabled(disabled); menuHyperlinkPara.setDisabled(disabled); /** coauthoring begin **/ - menuAddCommentPara.setDisabled(disabled); + me.menuAddCommentPara.setDisabled(disabled); /** coauthoring end **/ - menuParagraphAdvanced.setDisabled(disabled); - menuParaCut.setDisabled(disabled); - menuParaPaste.setDisabled(disabled); + me.menuParagraphAdvanced.setDisabled(disabled); + me.menuParaCut.setDisabled(disabled); + me.menuParaPaste.setDisabled(disabled); // spellCheck var spell = (value.spellProps!==undefined && value.spellProps.value.get_Checked()===false); me.menuSpellPara.setVisible(spell); menuSpellcheckParaSeparator.setVisible(spell); - menuIgnoreSpellPara.setVisible(spell); - menuIgnoreAllSpellPara.setVisible(spell); - menuToDictionaryPara.setVisible(spell && me.mode.isDesktopApp); + me.menuIgnoreSpellPara.setVisible(spell); + me.menuIgnoreAllSpellPara.setVisible(spell); + me.menuToDictionaryPara.setVisible(spell && me.mode.isDesktopApp); me.langParaMenu.setVisible(spell); me.langParaMenu.setDisabled(disabled); menuIgnoreSpellParaSeparator.setVisible(spell); @@ -3314,24 +1932,24 @@ define([ me.menuSpellPara, me.menuSpellMorePara, menuSpellcheckParaSeparator, - menuIgnoreSpellPara, - menuIgnoreAllSpellPara, - menuToDictionaryPara, + me.menuIgnoreSpellPara, + me.menuIgnoreAllSpellPara, + me.menuToDictionaryPara, me.langParaMenu, menuIgnoreSpellParaSeparator, - menuParaCut, - menuParaCopy, - menuParaPaste, + me.menuParaCut, + me.menuParaCopy, + me.menuParaPaste, menuEquationSeparator, { caption: '--' }, - menuParagraphVAlign, - menuParagraphDirection, - menuParagraphAdvanced, + me.menuParagraphVAlign, + me.menuParagraphDirection, + me.menuParagraphAdvanced, menuCommentParaSeparator, /** coauthoring begin **/ - menuAddCommentPara, + me.menuAddCommentPara, /** coauthoring end **/ - menuAddHyperlinkPara, + me.menuAddHyperlinkPara, menuHyperlinkPara ] }).on('hide:after', function(menu, e, isFromInputControl) { @@ -3372,25 +1990,25 @@ define([ cls = 'menu__icon btn-align-bottom'; break; } - menuTableCellAlign.setIconCls(cls); + me.menuTableCellAlign.setIconCls(cls); me.menuTableCellTop.setChecked(align == Asc.c_oAscVertAlignJc.Top); me.menuTableCellCenter.setChecked(align == Asc.c_oAscVertAlignJc.Center); me.menuTableCellBottom.setChecked(align == Asc.c_oAscVertAlignJc.Bottom); if (me.api) { - mnuTableMerge.setDisabled(value.tableProps.locked || disabled || !me.api.CheckBeforeMergeCells()); - mnuTableSplit.setDisabled(value.tableProps.locked || disabled || !me.api.CheckBeforeSplitCells()); + me.mnuTableMerge.setDisabled(value.tableProps.locked || disabled || !me.api.CheckBeforeMergeCells()); + me.mnuTableSplit.setDisabled(value.tableProps.locked || disabled || !me.api.CheckBeforeSplitCells()); } - menuTableDistRows.setDisabled(value.tableProps.locked || disabled); - menuTableDistCols.setDisabled(value.tableProps.locked || disabled); + me.menuTableDistRows.setDisabled(value.tableProps.locked || disabled); + me.menuTableDistCols.setDisabled(value.tableProps.locked || disabled); me.tableMenu.items[7].setDisabled(value.tableProps.locked || disabled); me.tableMenu.items[8].setDisabled(value.tableProps.locked || disabled); - menuTableCellAlign.setDisabled(value.tableProps.locked || disabled); - menuTableAdvanced.setDisabled(value.tableProps.locked || disabled); - menuTableCut.setDisabled(value.tableProps.locked || disabled); - menuTablePaste.setDisabled(value.tableProps.locked || disabled); + me.menuTableCellAlign.setDisabled(value.tableProps.locked || disabled); + me.menuTableAdvanced.setDisabled(value.tableProps.locked || disabled); + me.menuTableCut.setDisabled(value.tableProps.locked || disabled); + me.menuTablePaste.setDisabled(value.tableProps.locked || disabled); // hyperlink properties var text = null; @@ -3399,30 +2017,30 @@ define([ text = me.api.can_AddHyperlink(); } - menuAddHyperlinkTable.setVisible(!_.isUndefined(value.paraProps) && _.isUndefined(value.hyperProps) && text!==false); + me.menuAddHyperlinkTable.setVisible(!_.isUndefined(value.paraProps) && _.isUndefined(value.hyperProps) && text!==false); menuHyperlinkTable.setVisible(!_.isUndefined(value.paraProps) && !_.isUndefined(value.hyperProps)); - menuEditHyperlinkTable.hyperProps = value.hyperProps; + me.menuEditHyperlinkTable.hyperProps = value.hyperProps; if (text!==false) { - menuAddHyperlinkTable.hyperProps = {}; - menuAddHyperlinkTable.hyperProps.value = new Asc.CHyperlinkProperty(); - menuAddHyperlinkTable.hyperProps.value.put_Text(text); + me.menuAddHyperlinkTable.hyperProps = {}; + me.menuAddHyperlinkTable.hyperProps.value = new Asc.CHyperlinkProperty(); + me.menuAddHyperlinkTable.hyperProps.value.put_Text(text); } if (!_.isUndefined(value.paraProps)) { - menuAddHyperlinkTable.setDisabled(value.paraProps.locked || disabled); + me.menuAddHyperlinkTable.setDisabled(value.paraProps.locked || disabled); menuHyperlinkTable.setDisabled(value.paraProps.locked || disabled); me._currentParaObjDisabled = value.paraProps.locked || disabled; } /** coauthoring begin **/ - menuAddCommentTable.setVisible(me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); - menuAddCommentTable.setDisabled(!_.isUndefined(value.paraProps) && value.paraProps.locked || disabled); + me.menuAddCommentTable.setVisible(me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); + me.menuAddCommentTable.setDisabled(!_.isUndefined(value.paraProps) && value.paraProps.locked || disabled); /** coauthoring end **/ - menuHyperlinkSeparator.setVisible(menuAddHyperlinkTable.isVisible() || menuHyperlinkTable.isVisible() /** coauthoring begin **/|| menuAddCommentTable.isVisible()/** coauthoring end **/); + menuHyperlinkSeparator.setVisible(me.menuAddHyperlinkTable.isVisible() || menuHyperlinkTable.isVisible() /** coauthoring begin **/|| me.menuAddCommentTable.isVisible()/** coauthoring end **/); me.menuSpellCheckTable.setVisible(value.spellProps!==undefined && value.spellProps.value.get_Checked()===false); - menuToDictionaryTable.setVisible(me.mode.isDesktopApp); + me.menuToDictionaryTable.setVisible(me.mode.isDesktopApp); menuSpellcheckTableSeparator.setVisible(value.spellProps!==undefined && value.spellProps.value.get_Checked()===false); me.langTableMenu.setDisabled(disabled); @@ -3450,103 +2068,31 @@ define([ items: [ me.menuSpellCheckTable, menuSpellcheckTableSeparator, - menuTableCut, - menuTableCopy, - menuTablePaste, + me.menuTableCut, + me.menuTableCopy, + me.menuTablePaste, { caption: '--' }, - new Common.UI.MenuItem({ - caption : me.selectText, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items: [ - new Common.UI.MenuItem({ - caption : me.rowText - }).on('click', function() {if (me.api) me.api.selectRow()}), - new Common.UI.MenuItem({ - caption : me.columnText - }).on('click', function() {if (me.api) me.api.selectColumn()}), - new Common.UI.MenuItem({ - caption : me.cellText - }).on('click', function() {if (me.api) me.api.selectCell()}), - new Common.UI.MenuItem({ - caption : me.tableText - }).on('click', function() {if (me.api) me.api.selectTable()}) - ] - }) - }), - { - iconCls: 'menu__icon btn-addcell', - caption : me.insertText, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - style : 'width: 100px', - items : [ - new Common.UI.MenuItem({ - caption: me.insertColumnLeftText - }).on('click', function(item) { - if (me.api) - me.api.addColumnLeft(); - }), - new Common.UI.MenuItem({ - caption: me.insertColumnRightText - }).on('click', function(item) { - if (me.api) - me.api.addColumnRight(); - }), - new Common.UI.MenuItem({ - caption: me.insertRowAboveText - }).on('click', function(item) { - if (me.api) - me.api.addRowAbove(); - }), - new Common.UI.MenuItem({ - caption: me.insertRowBelowText - }).on('click', function(item) { - if (me.api) - me.api.addRowBelow(); - }) - ] - }) - }, - new Common.UI.MenuItem({ - iconCls: 'menu__icon btn-delcell', - caption : me.deleteText, - menu : new Common.UI.Menu({ - cls: 'shifted-right', - menuAlign: 'tl-tr', - items: [ - new Common.UI.MenuItem({ - caption : me.rowText - }).on('click', function() {if (me.api) me.api.remRow()}), - new Common.UI.MenuItem({ - caption : me.columnText - }).on('click', function() {if (me.api) me.api.remColumn()}), - new Common.UI.MenuItem({ - caption : me.tableText - }).on('click', function() {if (me.api) me.api.remTable()}) - ] - }) - }), + me.menuTableSelectText, + me.menuTableInsertText, + me.menuTableDeleteText, { caption: '--' }, - mnuTableMerge, - mnuTableSplit, + me.mnuTableMerge, + me.mnuTableSplit, { caption: '--' }, - menuTableDistRows, - menuTableDistCols, + me.menuTableDistRows, + me.menuTableDistCols, { caption: '--' }, - menuTableCellAlign, + me.menuTableCellAlign, { caption: '--' }, - menuTableAdvanced, + me.menuTableAdvanced, menuHyperlinkSeparator, /** coauthoring begin **/ - menuAddCommentTable, + me.menuAddCommentTable, /** coauthoring end **/ - menuAddHyperlinkTable, + me.menuAddHyperlinkTable, menuHyperlinkTable, { caption: '--' }, - menuAddToLayoutTable + me.menuAddToLayoutTable ] }).on('hide:after', function(menu, e, isFromInputControl) { if (me.suppressEditComplete) { @@ -3563,8 +2109,8 @@ define([ restoreHeightAndTop: true, initMenu: function(value){ if (me.api) { - mnuUnGroupImg.setDisabled(!me.api.canUnGroup()); - mnuGroupImg.setDisabled(!me.api.canGroup()); + me.mnuUnGroupImg.setDisabled(!me.api.canUnGroup()); + me.mnuGroupImg.setDisabled(!me.api.canGroup()); } var isimage = (_.isUndefined(value.shapeProps) || value.shapeProps.value.get_FromImage()) && _.isUndefined(value.chartProps), @@ -3575,83 +2121,86 @@ define([ pluginGuid = (value.imgProps) ? value.imgProps.value.asc_getPluginGuid() : null, inSmartartInternal = value.shapeProps && value.shapeProps.value.get_FromSmartArtInternal(); - mnuArrangeFront.setDisabled(inSmartartInternal); - mnuArrangeBack.setDisabled(inSmartartInternal); - mnuArrangeForward.setDisabled(inSmartartInternal); - mnuArrangeBackward.setDisabled(inSmartartInternal); + me.mnuArrangeFront.setDisabled(inSmartartInternal); + me.mnuArrangeBack.setDisabled(inSmartartInternal); + me.mnuArrangeForward.setDisabled(inSmartartInternal); + me.mnuArrangeBackward.setDisabled(inSmartartInternal); - menuImgShapeRotate.setVisible(_.isUndefined(value.chartProps) && (pluginGuid===null || pluginGuid===undefined)); - if (menuImgShapeRotate.isVisible()) - menuImgShapeRotate.setDisabled(disabled || (value.shapeProps && value.shapeProps.value.get_FromSmartArt())); + me.menuImgShapeRotate.setVisible(_.isUndefined(value.chartProps) && (pluginGuid===null || pluginGuid===undefined)); + if (me.menuImgShapeRotate.isVisible()) { + me.menuImgShapeRotate.setDisabled(disabled || (value.shapeProps && value.shapeProps.value.get_FromSmartArt())); + me.menuImgShapeRotate.menu.items[3].setDisabled(inSmartartInternal); + me.menuImgShapeRotate.menu.items[4].setDisabled(inSmartartInternal); + } // image properties - menuImgOriginalSize.setVisible(isimage); - if (menuImgOriginalSize.isVisible()) - menuImgOriginalSize.setDisabled(disabled || _.isNull(value.imgProps.value.get_ImageUrl()) || _.isUndefined(value.imgProps.value.get_ImageUrl())); + me.menuImgOriginalSize.setVisible(isimage); + if (me.menuImgOriginalSize.isVisible()) + me.menuImgOriginalSize.setDisabled(disabled || _.isNull(value.imgProps.value.get_ImageUrl()) || _.isUndefined(value.imgProps.value.get_ImageUrl())); - menuImgReplace.setVisible(isimage && (pluginGuid===null || pluginGuid===undefined)); - if (menuImgReplace.isVisible()) - menuImgReplace.setDisabled(disabled || pluginGuid===null); - menuImgReplace.menu.items[2].setVisible(me.mode.canRequestInsertImage || me.mode.fileChoiceUrl && me.mode.fileChoiceUrl.indexOf("{documentType}")>-1); + me.menuImgReplace.setVisible(isimage && (pluginGuid===null || pluginGuid===undefined)); + if (me.menuImgReplace.isVisible()) + me.menuImgReplace.setDisabled(disabled || pluginGuid===null); + me.menuImgReplace.menu.items[2].setVisible(me.mode.canRequestInsertImage || me.mode.fileChoiceUrl && me.mode.fileChoiceUrl.indexOf("{documentType}")>-1); me.menuImgCrop.setVisible(me.api.asc_canEditCrop()); if (me.menuImgCrop.isVisible()) me.menuImgCrop.setDisabled(disabled); var canEditPoints = me.api && me.api.asc_canEditGeometry(); - menuImgEditPoints.setVisible(canEditPoints); + me.menuImgEditPoints.setVisible(canEditPoints); menuImgEditPointsSeparator.setVisible(canEditPoints); - canEditPoints && menuImgEditPoints.setDisabled(disabled); + canEditPoints && me.menuImgEditPoints.setDisabled(disabled); - menuImageAdvanced.setVisible(isimage); - menuShapeAdvanced.setVisible(_.isUndefined(value.imgProps) && _.isUndefined(value.chartProps)); - menuChartEdit.setVisible(_.isUndefined(value.imgProps) && !_.isUndefined(value.chartProps) && (_.isUndefined(value.shapeProps) || value.shapeProps.isChart)); - menuImgShapeSeparator.setVisible(menuImageAdvanced.isVisible() || menuShapeAdvanced.isVisible() || menuChartEdit.isVisible()); + me.menuImageAdvanced.setVisible(isimage); + me.menuShapeAdvanced.setVisible(_.isUndefined(value.imgProps) && _.isUndefined(value.chartProps)); + me.menuChartEdit.setVisible(_.isUndefined(value.imgProps) && !_.isUndefined(value.chartProps) && (_.isUndefined(value.shapeProps) || value.shapeProps.isChart)); + menuImgShapeSeparator.setVisible(me.menuImageAdvanced.isVisible() || me.menuShapeAdvanced.isVisible() || me.menuChartEdit.isVisible()); /** coauthoring begin **/ - menuAddCommentImg.setVisible(me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); - menuCommentSeparatorImg.setVisible(menuAddCommentImg.isVisible()); - menuAddCommentImg.setDisabled(disabled); + me.menuAddCommentImg.setVisible(me.api.can_AddQuotedComment()!==false && me.mode.canCoAuthoring && me.mode.canComments); + menuCommentSeparatorImg.setVisible(me.menuAddCommentImg.isVisible()); + me.menuAddCommentImg.setDisabled(disabled); /** coauthoring end **/ - menuImgShapeAlign.setDisabled(disabled); + me.menuImgShapeAlign.setDisabled(disabled); if (!disabled) { var objcount = me.api.asc_getSelectedDrawingObjectsCount(), slide_checked = Common.Utils.InternalSettings.get("pe-align-to-slide") || false; - menuImgShapeAlign.menu.items[7].setDisabled(objcount==2 && !slide_checked); - menuImgShapeAlign.menu.items[8].setDisabled(objcount==2 && !slide_checked); + me.menuImgShapeAlign.menu.items[7].setDisabled(objcount==2 && !slide_checked); + me.menuImgShapeAlign.menu.items[8].setDisabled(objcount==2 && !slide_checked); } - menuImageAdvanced.setDisabled(disabled); - menuShapeAdvanced.setDisabled(disabled); - if (menuChartEdit.isVisible()) - menuChartEdit.setDisabled(disabled); + me.menuImageAdvanced.setDisabled(disabled); + me.menuShapeAdvanced.setDisabled(disabled); + if (me.menuChartEdit.isVisible()) + me.menuChartEdit.setDisabled(disabled); - menuImgCut.setDisabled(disabled); - menuImgPaste.setDisabled(disabled); + me.menuImgCut.setDisabled(disabled); + me.menuImgPaste.setDisabled(disabled); menuImgShapeArrange.setDisabled(disabled); - menuAddToLayoutImg.setDisabled(disabled); + me.menuAddToLayoutImg.setDisabled(disabled); }, items: [ - menuImgCut, - menuImgCopy, - menuImgPaste, + me.menuImgCut, + me.menuImgCopy, + me.menuImgPaste, { caption: '--' }, - menuImgEditPoints, + me.menuImgEditPoints, menuImgEditPointsSeparator, menuImgShapeArrange, - menuImgShapeAlign, - menuImgShapeRotate, + me.menuImgShapeAlign, + me.menuImgShapeRotate, menuImgShapeSeparator, me.menuImgCrop, - menuImgOriginalSize, - menuImgReplace, - menuImageAdvanced, - menuShapeAdvanced - ,menuChartEdit + me.menuImgOriginalSize, + me.menuImgReplace, + me.menuImageAdvanced, + me.menuShapeAdvanced + ,me.menuChartEdit /** coauthoring begin **/ ,menuCommentSeparatorImg, - menuAddCommentImg, + me.menuAddCommentImg, /** coauthoring end **/ { caption: '--' }, - menuAddToLayoutImg + me.menuAddToLayoutImg ] }).on('hide:after', function(menu, e, isFromInputControl) { if (me.suppressEditComplete) { @@ -3676,6 +2225,8 @@ define([ title : me.textPrevPage + Common.Utils.String.platformKey('PgUp'), placement : 'top-right' }); + + this.fireEvent('createdelayedelements', [this, 'edit']); }, setLanguages: function(langs){ @@ -3695,26 +2246,6 @@ define([ }); me.langParaMenu.menu.resetItems(arrPara); me.langTableMenu.menu.resetItems(arrTable); - - me.langParaMenu.menu.on('item:click', function(menu, item){ - if (me.api){ - if (!_.isUndefined(item.langid)) - me.api.put_TextPrLang(item.langid); - - me._currLang.paraid = item.langid; - me.fireEvent('editcomplete', me); - } - }); - - me.langTableMenu.menu.on('item:click', function(menu, item, e){ - if (me.api){ - if (!_.isUndefined(item.langid)) - me.api.put_TextPrLang(item.langid); - - me._currLang.tableid = item.langid; - me.fireEvent('editcomplete', me); - } - }); } }, @@ -3722,165 +2253,6 @@ define([ this._isDisabled = state; }, - onInsertImage: function(placeholder, obj, x, y) { - if (this.api) - (placeholder) ? this.api.asc_addImage(obj) : this.api.ChangeImageFromFile(); - this.fireEvent('editcomplete', this); - }, - - onInsertImageUrl: function(placeholder, obj, x, y) { - var me = this; - (new Common.Views.ImageFromUrlDialog({ - handler: function(result, value) { - if (result == 'ok') { - if (me.api) { - var checkUrl = value.replace(/ /g, ''); - if (!_.isEmpty(checkUrl)) { - if (placeholder) - me.api.AddImageUrl([checkUrl], undefined, undefined, obj); - else { - var props = new Asc.asc_CImgProperty(); - props.put_ImageUrl(checkUrl); - me.api.ImgApply(props, obj); - } - } - } - } - me.fireEvent('editcomplete', me); - } - })).show(); - }, - - onClickPlaceholderChart: function(obj, x, y) { - if (!this.api) return; - - this._state.placeholderObj = obj; - var menu = this.placeholderMenuChart, - menuContainer = menu ? this.cmpEl.find(Common.Utils.String.format('#menu-container-{0}', menu.id)) : null, - me = this; - this._fromShowPlaceholder = true; - Common.UI.Menu.Manager.hideAll(); - - if (!menu) { - this.placeholderMenuChart = menu = new Common.UI.Menu({ - style: 'width: 364px;padding-top: 12px;', - items: [ - {template: _.template('')} - ] - }); - // Prepare menu container - menuContainer = $(Common.Utils.String.format('', menu.id)); - this.cmpEl.append(menuContainer); - menu.render(menuContainer); - menu.cmpEl.attr({tabindex: "-1"}); - menu.on('hide:after', function(){ - if (!me._fromShowPlaceholder) - me.api.asc_uncheckPlaceholders(); - }); - - var picker = new Common.UI.DataView({ - el: $('#id-placeholder-menu-chart'), - parentMenu: menu, - showLast: false, - // restoreHeight: 421, - groups: new Common.UI.DataViewGroupStore(Common.define.chartData.getChartGroupData()), - store: new Common.UI.DataViewStore(Common.define.chartData.getChartData()), - itemTemplate: _.template('
        \">
        ') - }); - picker.on('item:click', function (picker, item, record, e) { - me.editChartClick(record.get('type'), me._state.placeholderObj); - }); - } - menuContainer.css({left: x, top : y}); - menuContainer.attr('data-value', 'prevent-canvas-click'); - this._preventClick = true; - menu.show(); - - menu.alignPosition(); - _.delay(function() { - menu.cmpEl.find('.dataview').focus(); - }, 10); - this._fromShowPlaceholder = false; - }, - - onClickPlaceholderTable: function(obj, x, y) { - if (!this.api) return; - - this._state.placeholderObj = obj; - var menu = this.placeholderMenuTable, - menuContainer = menu ? this.cmpEl.find(Common.Utils.String.format('#menu-container-{0}', menu.id)) : null, - me = this; - this._fromShowPlaceholder = true; - Common.UI.Menu.Manager.hideAll(); - - if (!menu) { - this.placeholderMenuTable = menu = new Common.UI.Menu({ - cls: 'shifted-left', - items: [ - {template: _.template('
        ')}, - {caption: me.mniCustomTable, value: 'custom'} - ] - }); - // Prepare menu container - menuContainer = $(Common.Utils.String.format('', menu.id)); - this.cmpEl.append(menuContainer); - menu.render(menuContainer); - menu.cmpEl.attr({tabindex: "-1"}); - menu.on('hide:after', function(){ - if (!me._fromShowPlaceholder) - me.api.asc_uncheckPlaceholders(); - }); - - var picker = new Common.UI.DimensionPicker({ - el: $('#id-placeholder-menu-tablepicker'), - minRows: 8, - minColumns: 10, - maxRows: 8, - maxColumns: 10 - }); - picker.on('select', function(picker, columns, rows){ - me.api.put_Table(columns, rows, me._state.placeholderObj); - me.fireEvent('editcomplete', me); - }); - menu.on('item:click', function(menu, item, e){ - if (item.value === 'custom') { - (new Common.Views.InsertTableDialog({ - handler: function(result, value) { - if (result == 'ok') - me.api.put_Table(value.columns, value.rows, me._state.placeholderObj); - me.fireEvent('editcomplete', me); - } - })).show(); - } - }); - } - menuContainer.css({left: x, top : y}); - menuContainer.attr('data-value', 'prevent-canvas-click'); - this._preventClick = true; - menu.show(); - - menu.alignPosition(); - _.delay(function() { - menu.cmpEl.focus(); - }, 10); - this._fromShowPlaceholder = false; - }, - - onHidePlaceholderActions: function() { - this.placeholderMenuChart && this.placeholderMenuChart.hide(); - this.placeholderMenuTable && this.placeholderMenuTable.hide(); - }, - - onClickPlaceholder: function(type, obj, x, y) { - if (!this.api) return; - if (type == AscCommon.PlaceholderButtonType.Video) { - this.api.asc_AddVideo(obj); - } else if (type == AscCommon.PlaceholderButtonType.Audio) { - this.api.asc_AddAudio(obj); - } - this.fireEvent('editcomplete', this); - }, - insertRowAboveText : 'Row Above', insertRowBelowText : 'Row Below', insertColumnLeftText : 'Column Left', diff --git a/apps/presentationeditor/main/app/view/FileMenu.js b/apps/presentationeditor/main/app/view/FileMenu.js index c03f8c44b..65bb5a394 100644 --- a/apps/presentationeditor/main/app/view/FileMenu.js +++ b/apps/presentationeditor/main/app/view/FileMenu.js @@ -369,7 +369,7 @@ define([ isVisible && (lastSeparator = this.miClose.$el.find('+.devider')); this.miDownload[(this.mode.canDownload && (!this.mode.isDesktopApp || !this.mode.isOffline))?'show':'hide'](); - var isBCSupport = window["AscDesktopEditor"] ? window["AscDesktopEditor"]["isBlockchainSupport"]() : false; + var isBCSupport = Common.Controllers.Desktop.isActive() ? Common.Controllers.Desktop.call("isBlockchainSupport") : false; this.miSaveCopyAs[(this.mode.canDownload && (!this.mode.isDesktopApp || !this.mode.isOffline)) && (this.mode.canRequestSaveAs || this.mode.saveAsUrl) && !isBCSupport ?'show':'hide'](); this.miSaveAs[(this.mode.canDownload && this.mode.isDesktopApp && this.mode.isOffline)?'show':'hide'](); this.miSave[this.mode.isEdit && Common.UI.LayoutManager.isElementVisible('toolbar-file-save') ?'show':'hide'](); diff --git a/apps/presentationeditor/main/app/view/FileMenuPanels.js b/apps/presentationeditor/main/app/view/FileMenuPanels.js index a566631be..770749a44 100644 --- a/apps/presentationeditor/main/app/view/FileMenuPanels.js +++ b/apps/presentationeditor/main/app/view/FileMenuPanels.js @@ -76,9 +76,9 @@ define([ '', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.PPTM || fileType=="pptm") { %>', - '
        ', - '', - '
        ', + '
        ', + '
        ', + '
        ', '<% } %>', '<% }) %>', '', @@ -147,9 +147,9 @@ define([ '', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.PPTM || fileType=="pptm") { %>', - '
        ', - '', - '
        ', + '
        ', + '
        ', + '
        ', '<% } %>', '<% }) %>', '', @@ -234,12 +234,25 @@ define([ '
        ', '', '', + '', + '', + '', + '', + '
        ', + '', + '', '', '', '', '', '
        ', '', + '', + '', + '', + '', + '', + '', '', '
        ', '', @@ -253,6 +266,9 @@ define([ '', '
        ', '', + '', + '
        ', + '', '', '', @@ -307,6 +323,25 @@ define([ dataHint: '2', dataHintDirection: 'left', dataHintOffset: 'small' + }).on('change', function(field, newValue, oldValue, eOpts){ + me.chIgnoreUppercase.setDisabled(field.getValue()!=='checked'); + me.chIgnoreNumbers.setDisabled(field.getValue()!=='checked'); + }); + + this.chIgnoreUppercase = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-ignore-uppercase-words'), + labelText: this.strIgnoreWordsInUPPERCASE, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + + this.chIgnoreNumbers = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-ignore-numbers-words'), + labelText: this.strIgnoreWordsWithNumbers, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' }); this.chInputMode = new Common.UI.CheckBox({ @@ -317,6 +352,14 @@ define([ dataHintOffset: 'small' }); + this.chUseAltKey = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-use-alt-key'), + labelText: Common.Utils.isMac ? this.txtUseOptionKey : this.txtUseAltKey, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + this.cmbZoom = new Common.UI.ComboBox({ el : $markup.findById('#fms-cmb-zoom'), style : 'width: 160px;', @@ -367,6 +410,14 @@ define([ }); this.rbCoAuthModeStrict.$el.parent().on('click', function (){me.rbCoAuthModeStrict.setValue(true);}); + this.chLiveViewer = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-live-viewer'), + labelText: this.strShowOthersChanges, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + this.chAutosave = new Common.UI.CheckBox({ el: $markup.findById('#fms-chb-autosave'), labelText: this.textAutoSave, @@ -553,6 +604,7 @@ define([ /** coauthoring begin **/ $('tr.coauth.changes', this.el)[mode.isEdit && !mode.isOffline && mode.canCoAuthoring && mode.canChangeCoAuthoring ? 'show' : 'hide'](); /** coauthoring end **/ + $('tr.live-viewer', this.el)[mode.canLiveView && !mode.isOffline && mode.canChangeCoAuthoring ? 'show' : 'hide'](); $('tr.macros', this.el)[(mode.customization && mode.customization.macros===false) ? 'hide' : 'show'](); $('tr.spellcheck', this.el)[mode.isEdit && Common.UI.FeaturesManager.canChange('spellcheck') ? 'show' : 'hide'](); @@ -567,11 +619,16 @@ define([ }, updateSettings: function() { - if (Common.UI.FeaturesManager.canChange('spellcheck')) + if (Common.UI.FeaturesManager.canChange('spellcheck')) { this.chSpell.setValue(Common.Utils.InternalSettings.get("pe-settings-spellcheck")); + this.chIgnoreUppercase.setValue(Common.Utils.InternalSettings.get("pe-spellcheck-ignore-uppercase-words")); + this.chIgnoreNumbers.setValue(Common.Utils.InternalSettings.get("pe-spellcheck-ignore-numbers-words")); + } this.chInputMode.setValue(Common.Utils.InternalSettings.get("pe-settings-inputmode")); + this.chUseAltKey.setValue(Common.Utils.InternalSettings.get("pe-settings-use-alt-key")); + var value = Common.Utils.InternalSettings.get("pe-settings-zoom"); value = (value!==null) ? parseInt(value) : (this.mode.customization && this.mode.customization.zoom ? parseInt(this.mode.customization.zoom) : -1); var item = this.cmbZoom.store.findWhere({value: value}); @@ -582,6 +639,7 @@ define([ this.rbCoAuthModeFast.setValue(fast_coauth); this.rbCoAuthModeStrict.setValue(!fast_coauth); /** coauthoring end **/ + this.chLiveViewer.setValue(Common.Utils.InternalSettings.get("pe-settings-coauthmode")); value = Common.Utils.InternalSettings.get("pe-settings-fontrender"); item = this.cmbFontRender.store.findWhere({value: parseInt(value)}); @@ -627,21 +685,28 @@ define([ applySettings: function() { Common.UI.Themes.setTheme(this.cmbTheme.getValue()); - if (Common.UI.FeaturesManager.canChange('spellcheck')) + if (Common.UI.FeaturesManager.canChange('spellcheck') && this.mode.isEdit) { Common.localStorage.setItem("pe-settings-spellcheck", this.chSpell.isChecked() ? 1 : 0); + Common.localStorage.setBool("pe-spellcheck-ignore-uppercase-words", this.chIgnoreUppercase.isChecked()); + Common.localStorage.setBool("pe-spellcheck-ignore-numbers-words", this.chIgnoreNumbers.isChecked()); + } Common.localStorage.setItem("pe-settings-inputmode", this.chInputMode.isChecked() ? 1 : 0); + Common.localStorage.setItem("pe-settings-use-alt-key", this.chUseAltKey.isChecked() ? 1 : 0); + Common.Utils.InternalSettings.set("pe-settings-use-alt-key", Common.localStorage.getBool("pe-settings-use-alt-key")); Common.localStorage.setItem("pe-settings-zoom", this.cmbZoom.getValue()); Common.Utils.InternalSettings.set("pe-settings-zoom", Common.localStorage.getItem("pe-settings-zoom")); /** coauthoring begin **/ if (this.mode.isEdit && !this.mode.isOffline && this.mode.canCoAuthoring && this.mode.canChangeCoAuthoring) { Common.localStorage.setItem("pe-settings-coauthmode", this.rbCoAuthModeFast.getValue()); + } else if (this.mode.canLiveView && !this.mode.isOffline && this.mode.canChangeCoAuthoring) { // viewer + Common.localStorage.setItem("pe-settings-view-coauthmode", this.chLiveViewer.isChecked() ? 1 : 0); } /** coauthoring end **/ Common.localStorage.setItem("pe-settings-fontrender", this.cmbFontRender.getValue()); var item = this.cmbFontRender.store.findWhere({value: 'custom'}); Common.localStorage.setItem("pe-settings-cachemode", item && !item.get('checked') ? 0 : 1); Common.localStorage.setItem("pe-settings-unit", this.cmbUnit.getValue()); - if (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("pe-settings-coauthmode")) + if (this.mode.isEdit && (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("pe-settings-coauthmode"))) Common.localStorage.setItem("pe-settings-autosave", this.chAutosave.isChecked() ? 1 : 0); if (this.mode.canForcesave) Common.localStorage.setItem("pe-settings-forcesave", this.chForcesave.isChecked() ? 1 : 0); @@ -723,8 +788,13 @@ define([ txtCollaboration: 'Collaboration', txtWorkspace: 'Workspace', txtHieroglyphs: 'Hieroglyphs', + txtUseAltKey: 'Use Alt key to navigate the user interface using the keyboard', + txtUseOptionKey: 'Use Option key to navigate the user interface using the keyboard', txtFastTip: 'Real-time co-editing. All changes are saved automatically', - txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make' + txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make', + strIgnoreWordsInUPPERCASE: 'Ignore words in UPPERCASE', + strIgnoreWordsWithNumbers: 'Ignore words with numbers', + strShowOthersChanges: 'Show changes from other users' }, PE.Views.FileMenuPanels.Settings || {})); PE.Views.FileMenuPanels.RecentFiles = Common.UI.BaseView.extend({ @@ -751,9 +821,9 @@ define([ itemTemplate: _.template([ '
        ', '
        ', - '', - '', - '', + '
        ', + '
        ', + '
        ', '
        ', '
        <% if (typeof title !== "undefined") {%><%= Common.Utils.String.htmlEncode(title || "") %><% } %>
        ', '
        <% if (typeof folder !== "undefined") {%><%= Common.Utils.String.htmlEncode(folder || "") %><% } %>
        ', @@ -802,7 +872,7 @@ define([ '<% if (blank) { %> ', '
        ', '
        ', - '', + '
        ', '
        ', '
        <%= scope.txtBlank %>
        ', '
        ', @@ -813,7 +883,7 @@ define([ '<% if (!_.isEmpty(item.image)) {%> ', ' style="background-image: url(<%= item.image %>);">', ' <%} else {' + - 'print(\">\")' + + 'print(\">
        \")' + ' } %>', '
        ', '
        <%= Common.Utils.String.htmlEncode(item.title || item.name || "") %>
        ', diff --git a/apps/presentationeditor/main/app/view/ImageSettings.js b/apps/presentationeditor/main/app/view/ImageSettings.js index 25bc35c55..9eb8ef3e9 100644 --- a/apps/presentationeditor/main/app/view/ImageSettings.js +++ b/apps/presentationeditor/main/app/view/ImageSettings.js @@ -148,7 +148,18 @@ define([ this.btnOriginalSize.on('click', _.bind(this.setOriginalSize, this)); this.btnEditObject.on('click', _.bind(function(btn){ - if (this.api) this.api.asc_startEditCurrentOleObject(); + if (this.api) { + var oleobj = this.api.asc_canEditTableOleObject(true); + if (oleobj) { + var oleEditor = PE.getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor'); + if (oleEditor) { + oleEditor.setEditMode(true); + oleEditor.show(); + oleEditor.setOleData(Asc.asc_putBinaryDataToFrameFromTableOleObject(oleobj)); + } + } else + this.api.asc_startEditCurrentOleObject(); + } this.fireEvent('editcomplete', this); }, this)); @@ -348,7 +359,7 @@ define([ if (this._state.isOleObject) { var plugin = PE.getCollection('Common.Collections.Plugins').findWhere({guid: pluginGuid}); - this.btnEditObject.setDisabled(plugin===null || plugin ===undefined || this._locked); + this.btnEditObject.setDisabled(!this.api.asc_canEditTableOleObject() && (plugin===null || plugin ===undefined) || this._locked); } else { this.btnSelectImage.setDisabled(pluginGuid===null || this._locked); } diff --git a/apps/presentationeditor/main/app/view/LeftMenu.js b/apps/presentationeditor/main/app/view/LeftMenu.js index c1868b7db..1dd9e130c 100644 --- a/apps/presentationeditor/main/app/view/LeftMenu.js +++ b/apps/presentationeditor/main/app/view/LeftMenu.js @@ -72,6 +72,10 @@ define([ 'click #left-btn-chat': _.bind(this.onCoauthOptions, this), 'click #left-btn-plugins': _.bind(this.onCoauthOptions, this), /** coauthoring end **/ + 'click #left-btn-searchbar': _.bind(function () { + this.onCoauthOptions(); + this.fireEvent('search:aftershow', this.leftMenu); + }, this), 'click #left-btn-support': function() { var config = this.mode.customization; config && !!config.feedback && !!config.feedback.url ? @@ -89,12 +93,13 @@ define([ render: function () { var $markup = $(this.template({})); - this.btnSearch = new Common.UI.Button({ - action: 'search', - el: $markup.elementById('#left-btn-search'), - hint: this.tipSearch + Common.Utils.String.platformKey('Ctrl+F'), + this.btnSearchBar = new Common.UI.Button({ + action: 'advancedsearch', + el: $markup.elementById('#left-btn-searchbar'), + hint: this.tipSearch, disabled: true, - enableToggle: true + enableToggle: true, + toggleGroup: 'leftMenuGroup' }); this.btnThumbs = new Common.UI.Button({ @@ -155,8 +160,7 @@ define([ }); this.btnPlugins.hide(); this.btnPlugins.on('click', _.bind(this.onBtnMenuClick, this)); - - this.btnSearch.on('click', _.bind(this.onBtnMenuClick, this)); + this.btnSearchBar.on('click', _.bind(this.onBtnMenuClick, this)); this.btnThumbs.on('click', _.bind(this.onBtnMenuClick, this)); this.btnAbout.on('toggle', _.bind(this.onBtnMenuToggle, this)); this.btnAbout.on('click', _.bind(this.onFullMenuClick, this)); @@ -173,9 +177,6 @@ define([ btn.panel['show'](); if (!this._state.pluginIsRunning) this.$el.width(SCALE_MIN); - - if (this.btnSearch.isActive()) - this.btnSearch.toggle(false); } else { btn.panel['hide'](); } @@ -241,6 +242,14 @@ define([ } } /** coauthoring end **/ + if (this.panelSearch) { + if (this.btnSearchBar.pressed) { + this.panelSearch.show(); + this.panelSearch.focus() + } else { + this.panelSearch.hide(); + } + } // if (this.mode.canPlugins && this.panelPlugins) { // if (this.btnPlugins.pressed) { // this.panelPlugins.show(); @@ -260,6 +269,9 @@ define([ this.panelPlugins = panel.render('#left-panel-plugins'); } else if (name == 'history') { this.panelHistory = panel.render('#left-panel-history'); + } else + if (name == 'advancedsearch') { + this.panelSearch = panel.render('#left-panel-search'); } }, @@ -299,11 +311,15 @@ define([ this.panelPlugins['hide'](); this.btnPlugins.toggle(false, true); } + if (this.panelSearch) { + this.panelSearch['hide'](); + this.btnSearchBar.toggle(false, true); + } this.fireEvent('panel:show', [this, '', false]); }, isOpened: function() { - var isopened = this.btnSearch.pressed; + var isopened = this.btnSearchBar.pressed; /** coauthoring begin **/ !isopened && (isopened = this.btnComments.pressed || this.btnChat.pressed); /** coauthoring end **/ @@ -311,6 +327,7 @@ define([ }, disableMenu: function(menu, disable) { + this.btnSearchBar.setDisabled(disable); this.btnThumbs.setDisabled(disable); this.btnAbout.setDisabled(disable); this.btnSupport.setDisabled(disable); @@ -320,7 +337,7 @@ define([ this.btnPlugins.setDisabled(disable); }, - showMenu: function(menu, opts) { + showMenu: function(menu, opts, suspendAfter) { var re = /^(\w+):?(\w*)$/.exec(menu); if ( re[1] == 'file' ) { this.menuFile.show(re[2].length ? re[2] : undefined, opts); @@ -342,6 +359,14 @@ define([ this.onBtnMenuClick(this.btnComments); this.onCoauthOptions(); } + } else if (menu == 'advancedsearch') { + if (this.btnSearchBar.isVisible() && + !this.btnSearchBar.isDisabled() && !this.btnSearchBar.pressed) { + this.btnSearchBar.toggle(true); + this.onBtnMenuClick(this.btnSearchBar); + this.onCoauthOptions(); + !suspendAfter && this.fireEvent('search:aftershow', this); + } } /** coauthoring end **/ } diff --git a/apps/presentationeditor/main/app/view/ShapeSettings.js b/apps/presentationeditor/main/app/view/ShapeSettings.js index 1b598f2ac..fde3bdb0a 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettings.js +++ b/apps/presentationeditor/main/app/view/ShapeSettings.js @@ -767,6 +767,8 @@ define([ { this._originalProps = props; this._noApply = true; + this._state.isFromImage = !!props.get_FromImage(); + this._state.isFromSmartArtInternal = !!props.get_FromSmartArtInternal(); var shapetype = props.asc_getType(); @@ -779,10 +781,8 @@ define([ || shapetype=='curvedConnector3' || shapetype=='curvedConnector4' || shapetype=='curvedConnector5' || shapetype=='straightConnector1'; this.hideChangeTypeSettings(hidechangetype); - this._state.isFromImage = !!props.get_FromImage(); - this._state.isFromSmartArtInternal = !!props.get_FromSmartArtInternal(); if (!hidechangetype && this.btnChangeShape.menu.items.length) { - this.btnChangeShape.shapePicker.hideTextRect(props.get_FromImage() || props.get_FromSmartArtInternal()); + this.btnChangeShape.shapePicker.hideTextRect(props.get_FromImage() || this._state.isFromSmartArtInternal); } // background colors @@ -1850,6 +1850,8 @@ define([ }); this.linkAdvanced.toggleClass('disabled', disable); } + this.btnFlipV.setDisabled(disable || this._state.isFromSmartArtInternal); + this.btnFlipH.setDisabled(disable || this._state.isFromSmartArtInternal); }, hideShapeOnlySettings: function(value) { diff --git a/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js b/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js index e26025801..d7eda7afd 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js +++ b/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js @@ -627,6 +627,9 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem this.radioNofit.setDisabled(true); this.radioShrink.setDisabled(true); this.radioFit.setDisabled(true); + this.chFlipHor.setDisabled(true); + this.chFlipVert.setDisabled(true); + this.btnsCategory[0].setDisabled(true); } this.spnWidth.setValue(Common.Utils.Metric.fnRecalcFromMM(props.asc_getWidth()).toFixed(2), true); @@ -636,7 +639,8 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem this._nRatio = props.asc_getWidth()/props.asc_getHeight(); var value = props.asc_getLockAspect(); - this.btnRatio.toggle(value); + this.btnRatio.toggle(value || props.get_FromSmartArt()); + this.btnRatio.setDisabled(!!props.get_FromSmartArt()); // can resize smart art only proportionately this.cmbFromX.setValue('left'); this.cmbFromY.setValue('left'); diff --git a/apps/presentationeditor/main/app/view/TableSettings.js b/apps/presentationeditor/main/app/view/TableSettings.js index 2c37f45ba..ca9a5424b 100644 --- a/apps/presentationeditor/main/app/view/TableSettings.js +++ b/apps/presentationeditor/main/app/view/TableSettings.js @@ -726,9 +726,9 @@ define([ }); if (this._state.beginPreviewStyles) { this._state.beginPreviewStyles = false; - self.mnuTableTemplatePicker.store.reset(arr); + self.mnuTableTemplatePicker && self.mnuTableTemplatePicker.store.reset(arr); } else - self.mnuTableTemplatePicker.store.add(arr); + self.mnuTableTemplatePicker && self.mnuTableTemplatePicker.store.add(arr); !this._state.currentStyleFound && this.selectCurrentTableStyle(); }, diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js index 4e05a53e2..1e7558d0e 100644 --- a/apps/presentationeditor/main/app/view/Toolbar.js +++ b/apps/presentationeditor/main/app/view/Toolbar.js @@ -98,7 +98,8 @@ define([ noMoveAnimationLater: 'no-move-animation-later', noAnimationPreview: 'no-animation-preview', noAnimationRepeat: 'no-animation-repeat', - noAnimationDuration: 'no-animation-duration' + noAnimationDuration: 'no-animation-duration', + timingLock: 'timing-lock' }; for (var key in enumLock) { if (enumLock.hasOwnProperty(key)) { @@ -409,11 +410,11 @@ define([ enableToggle: true, allowDepress: true, split: true, - lock: [_set.slideDeleted, _set.paragraphLock, _set.lostConnect, _set.noSlides, _set.noTextSelected, _set.shapeLock, _set.inSmartart, _set.inSmartartInternal], + 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('
        ')}, + {template: _.template('
        ')}, {caption: '--'}, me.mnuHighlightTransparent = new Common.UI.MenuItem({ caption: me.strMenuNoFill, @@ -832,7 +833,9 @@ define([ }); me.slideOnlyControls.push(me.btnInsSlideNum); - if (window["AscDesktopEditor"] && window["AscDesktopEditor"]["IsSupportMedia"] && window["AscDesktopEditor"]["IsSupportMedia"]()) { + if (Common.Controllers.Desktop.isActive() && + Common.Controllers.Desktop.isFeatureAvailable("IsSupportMedia") && Common.Controllers.Desktop.call("IsSupportMedia")) + { me.btnInsAudio = new Common.UI.Button({ id: 'tlbtn-insaudio', cls: 'btn-toolbar x-huge icon-top', @@ -1457,6 +1460,17 @@ define([ // set dataviews + this._markersArr = [ + {type: Asc.asc_PreviewBulletType.text, text: 'None'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00B7), specialFont: 'Symbol'}, + {type: Asc.asc_PreviewBulletType.char, char: 'o', specialFont: 'Courier New'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A7), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x0076), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00D8), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00FC), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A8), specialFont: 'Symbol'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x2013), specialFont: 'Arial'} + ]; var _conf = this.mnuMarkersPicker.conf; this.mnuMarkersPicker = new Common.UI.DataView({ el: $('#id-toolbar-menu-markers'), @@ -1466,15 +1480,15 @@ define([ allowScrollbar: false, delayRenderTips: true, store: new Common.UI.DataViewStore([ - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: -1}, skipRenderOnChange: true, tip: this.tipNone}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 1}, skipRenderOnChange: true, tip: this.tipMarkersFRound}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 2}, skipRenderOnChange: true, tip: this.tipMarkersHRound}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 3}, skipRenderOnChange: true, tip: this.tipMarkersFSquare}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 4}, skipRenderOnChange: true, tip: this.tipMarkersStar}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 5}, skipRenderOnChange: true, tip: this.tipMarkersArrow}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 6}, skipRenderOnChange: true, tip: this.tipMarkersCheckmark}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 7}, skipRenderOnChange: true, tip: this.tipMarkersFRhombus}, - {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 8}, skipRenderOnChange: true, tip: this.tipMarkersDash} + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: -1},drawdata: this._markersArr[0], skipRenderOnChange: true, tip: this.tipNone}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 1}, drawdata: this._markersArr[1], skipRenderOnChange: true, tip: this.tipMarkersFRound}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 2}, drawdata: this._markersArr[2], skipRenderOnChange: true, tip: this.tipMarkersHRound}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 3}, drawdata: this._markersArr[3], skipRenderOnChange: true, tip: this.tipMarkersFSquare}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 4}, drawdata: this._markersArr[4], skipRenderOnChange: true, tip: this.tipMarkersStar}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 5}, drawdata: this._markersArr[5], skipRenderOnChange: true, tip: this.tipMarkersArrow}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 6}, drawdata: this._markersArr[6], skipRenderOnChange: true, tip: this.tipMarkersCheckmark}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 7}, drawdata: this._markersArr[7], skipRenderOnChange: true, tip: this.tipMarkersFRhombus}, + {id: 'id-markers-' + Common.UI.getId(), data: {type: 0, subtype: 8}, drawdata: this._markersArr[8], skipRenderOnChange: true, tip: this.tipMarkersDash} ]), itemTemplate: _.template('
        ') }); @@ -1490,14 +1504,14 @@ define([ allowScrollbar: false, delayRenderTips: true, store: new Common.UI.DataViewStore([ - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: -1}, skipRenderOnChange: true, tip: this.tipNone}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 4}, skipRenderOnChange: true, tip: this.tipNumCapitalLetters}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 5}, skipRenderOnChange: true, tip: this.tipNumLettersParentheses}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 6}, skipRenderOnChange: true, tip: this.tipNumLettersPoints}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 1}, skipRenderOnChange: true, tip: this.tipNumNumbersPoint}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 2}, skipRenderOnChange: true, tip: this.tipNumNumbersParentheses}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 3}, skipRenderOnChange: true, tip: this.tipNumRoman}, - {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 7}, skipRenderOnChange: true, tip: this.tipNumRomanSmall} + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: -1},drawdata: {type: Asc.asc_PreviewBulletType.text, text: 'None'}, skipRenderOnChange: true, tip: this.tipNone}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 4}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperLetterDot_Left}, skipRenderOnChange: true, tip: this.tipNumCapitalLetters}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 5}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterBracket_Left}, skipRenderOnChange: true, tip: this.tipNumLettersParentheses}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 6}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterDot_Left}, skipRenderOnChange: true, tip: this.tipNumLettersPoints}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 1}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalDot_Right}, skipRenderOnChange: true, tip: this.tipNumNumbersPoint}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 2}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalBracket_Right}, skipRenderOnChange: true, tip: this.tipNumNumbersParentheses}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 3}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperRomanDot_Right}, skipRenderOnChange: true, tip: this.tipNumRoman}, + {id: 'id-numbers-' + Common.UI.getId(), data: {type: 1, subtype: 7}, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerRomanDot_Right}, skipRenderOnChange: true, tip: this.tipNumRomanSmall} ]), itemTemplate: _.template('
        ') }); @@ -1534,15 +1548,19 @@ define([ if (this.btnHighlightColor.cmpEl) { this.btnHighlightColor.currentColor = 'FFFF00'; this.btnHighlightColor.setColor(this.btnHighlightColor.currentColor); - this.mnuHighlightColorPicker = new Common.UI.ColorPalette({ + this.mnuHighlightColorPicker = new Common.UI.ThemeColorPalette({ el: $('#id-toolbar-menu-highlight'), colors: [ 'FFFF00', '00FF00', '00FFFF', 'FF00FF', '0000FF', 'FF0000', '00008B', '008B8B', '006400', '800080', '8B0000', '808000', 'FFFFFF', 'D3D3D3', 'A9A9A9', '000000' - ] + ], + value: 'FFFF00', + dynamiccolors: 0, + columns: 4, + outerMenu: {menu: this.btnHighlightColor.menu, index: 0, focusOnShow: true} }); - this.mnuHighlightColorPicker.select('FFFF00'); this.btnHighlightColor.setPicker(this.mnuHighlightColorPicker); + this.btnHighlightColor.menu.setInnerMenu([{menu: this.mnuHighlightColorPicker, index: 0}]); } }, diff --git a/apps/presentationeditor/main/app/view/ViewTab.js b/apps/presentationeditor/main/app/view/ViewTab.js index eb85507a4..45ea8deae 100644 --- a/apps/presentationeditor/main/app/view/ViewTab.js +++ b/apps/presentationeditor/main/app/view/ViewTab.js @@ -68,7 +68,7 @@ define([ '
        ' + '' + '
        ' + - '
        ' + + '
        ' + '
        ' + '
        ' + '' + diff --git a/apps/presentationeditor/main/app_dev.js b/apps/presentationeditor/main/app_dev.js index 37ddc109a..cf8684101 100644 --- a/apps/presentationeditor/main/app_dev.js +++ b/apps/presentationeditor/main/app_dev.js @@ -144,6 +144,7 @@ require([ 'LeftMenu', 'Main', 'ViewTab', + 'Search', 'Common.Controllers.Fonts', 'Common.Controllers.History' /** coauthoring begin **/ @@ -152,6 +153,7 @@ require([ /** coauthoring end **/ ,'Common.Controllers.Plugins' ,'Common.Controllers.ExternalDiagramEditor' + ,'Common.Controllers.ExternalOleEditor' ,'Common.Controllers.ReviewChanges' ,'Common.Controllers.Protection' ,'Transitions' @@ -161,6 +163,9 @@ require([ Common.Locale.apply(function(){ require([ + 'common/main/lib/util/LocalStorage', + 'common/main/lib/controller/Themes', + 'common/main/lib/controller/Desktop', 'presentationeditor/main/app/controller/Viewport', 'presentationeditor/main/app/controller/DocumentHolder', 'presentationeditor/main/app/controller/Toolbar', @@ -169,6 +174,7 @@ require([ 'presentationeditor/main/app/controller/LeftMenu', 'presentationeditor/main/app/controller/Main', 'presentationeditor/main/app/controller/ViewTab', + 'presentationeditor/main/app/controller/Search', 'presentationeditor/main/app/view/FileMenuPanels', 'presentationeditor/main/app/view/ParagraphSettings', 'presentationeditor/main/app/view/ImageSettings', @@ -178,7 +184,6 @@ require([ 'presentationeditor/main/app/view/TextArtSettings', 'presentationeditor/main/app/view/SignatureSettings', 'common/main/lib/util/utils', - 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Fonts', 'common/main/lib/controller/History' /** coauthoring begin **/ @@ -188,10 +193,9 @@ require([ 'common/main/lib/controller/Plugins', 'presentationeditor/main/app/view/ChartSettings', 'common/main/lib/controller/ExternalDiagramEditor' + ,'common/main/lib/controller/ExternalOleEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' - ,'common/main/lib/controller/Themes' - ,'common/main/lib/controller/Desktop' ,'presentationeditor/main/app/controller/Transitions' ,'presentationeditor/main/app/controller/Animation' ], function() { diff --git a/apps/presentationeditor/main/index.html b/apps/presentationeditor/main/index.html index d97ecfad9..9011ca82b 100644 --- a/apps/presentationeditor/main/index.html +++ b/apps/presentationeditor/main/index.html @@ -270,8 +270,10 @@ window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; - if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) + if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) { document.write(' @@ -330,22 +332,9 @@ - - - - - - - - - - - - + - - - - - - - - - - - - - - + - - diff --git a/apps/presentationeditor/main/index_loader.html b/apps/presentationeditor/main/index_loader.html index 10f46bc1e..27078a161 100644 --- a/apps/presentationeditor/main/index_loader.html +++ b/apps/presentationeditor/main/index_loader.html @@ -258,22 +258,9 @@
        - - - - - - - - - - - - + - - - - - - - - - - - - - - + - -
        diff --git a/apps/presentationeditor/main/locale/az.json b/apps/presentationeditor/main/locale/az.json index 609676c0d..f21aeaf3d 100644 --- a/apps/presentationeditor/main/locale/az.json +++ b/apps/presentationeditor/main/locale/az.json @@ -1086,6 +1086,8 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Slayda uyğun tənzimlə", "PE.Controllers.Viewport.textFitWidth": "Enə uyğun tənzimlə", + "PE.Views.Animation.textNoRepeat": "(yoxdur)", + "PE.Views.Animation.txtParameters": "Parametreler", "PE.Views.ChartSettings.textAdvanced": "Qabaqcıl Parametrləri Göstər", "PE.Views.ChartSettings.textChartType": "Diaqramın növünü dəyiş", "PE.Views.ChartSettings.textEditData": "Məlumatları Redaktə edin", @@ -1347,21 +1349,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Elektron imzalar etibarsızdır və ya yoxlanıla bilməz. Sənəd dəyişikliklərdən qorunur.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzalara baxın", "PE.Views.FileMenuPanels.Settings.okButtonText": "Tətbiq et", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Düzülüş bələdçilərini aktivləşdirin", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Avtomatik bərpanı aktivləşdirin", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Avtomatik Saxla funksiyasını aktivləşdirin", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Birgə redaktə Rejimi", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Digər istifadəçilər dəyişikliklərinizi dərhal görəcəklər", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dəyişiklikləri görməzdən əvvəl onları qəbul etməlisiniz", "PE.Views.FileMenuPanels.Settings.strFast": "Sürətli", "PE.Views.FileMenuPanels.Settings.strFontRender": "Şrift Hamarlaşdırma", "PE.Views.FileMenuPanels.Settings.strForcesave": "Yadda saxla və ya Ctrl+S düyməsinə kliklədikdən sonra versiyanı yaddaşa əlavə edin", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Heroqlifi aktivləşdirin", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makro Parametrləri", "PE.Views.FileMenuPanels.Settings.strPaste": "Kes, kopyala ve yapıştır", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Məzmun yapışdırıldıqda Yapışdırma Seçimləri düyməsini göstərin", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Birgə Redaktədə Dəyişikliklər", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Orfoqrafiya yoxlamasını aktivləşdirin", "PE.Views.FileMenuPanels.Settings.strStrict": "Məhdudlaşdır", "PE.Views.FileMenuPanels.Settings.strTheme": "İnterfeys mövzusu", "PE.Views.FileMenuPanels.Settings.strUnit": "Ölçü Vahidi", diff --git a/apps/presentationeditor/main/locale/be.json b/apps/presentationeditor/main/locale/be.json index 317cc7223..097de55d8 100644 --- a/apps/presentationeditor/main/locale/be.json +++ b/apps/presentationeditor/main/locale/be.json @@ -53,7 +53,7 @@ "Common.define.effectData.textZoom": "Маштаб", "Common.Translation.warnFileLocked": "Дакумент выкарыстоўваецца іншай праграмай. Вы можаце працягнуць рэдагаванне і захаваць яго як копію.", "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", - "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", + "Common.UI.ButtonColored.textNewColor": "Адвольны колер", "Common.UI.ComboBorderSize.txtNoBorders": "Без межаў", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Без межаў", "Common.UI.ComboDataView.emptyComboText": "Без стыляў", @@ -1318,21 +1318,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Некаторыя з лічбавых подпісаў у прэзентацыі хібныя альбо іх немагчыма праверыць. Прэзентацыя абароненая ад рэдагавання.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Прагляд подпісаў", "PE.Views.FileMenuPanels.Settings.okButtonText": "Ужыць", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Уключыць кірункі выраўноўвання", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Уключыць аўтааднаўленне", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Уключыць аўтазахаванне", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Рэжым сумеснага рэдагавання", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Іншыя карыстальнікі адразу будуць бачыць вашыя змены.", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Перш чым убачыць змены іх патрэбна ухваліць", "PE.Views.FileMenuPanels.Settings.strFast": "Хуткі", "PE.Views.FileMenuPanels.Settings.strFontRender": "Хінтынг шрыфтоў", "PE.Views.FileMenuPanels.Settings.strForcesave": "Заўсёды захоўваць на серверы (інакш захоўваць на серверы падчас закрыцця дакумента)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Уключыць іерогліфы", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Налады макрасаў", "PE.Views.FileMenuPanels.Settings.strPaste": "Выразаць, капіяваць і ўставіць", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Паказваць кнопку параметраў устаўкі падчас устаўкі", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Адлюстроўваць змены падчас сумеснай працы", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Уключыць праверку правапісу", "PE.Views.FileMenuPanels.Settings.strStrict": "Строгі", "PE.Views.FileMenuPanels.Settings.strUnit": "Адзінкі вымярэння", "PE.Views.FileMenuPanels.Settings.strZoom": "Прадвызначанае значэнне маштабу", diff --git a/apps/presentationeditor/main/locale/bg.json b/apps/presentationeditor/main/locale/bg.json index f4ec170be..c228f1005 100644 --- a/apps/presentationeditor/main/locale/bg.json +++ b/apps/presentationeditor/main/locale/bg.json @@ -14,6 +14,7 @@ "Common.define.chartData.textPoint": "XY (точкова)", "Common.define.chartData.textStock": "Борсова", "Common.define.chartData.textSurface": "Повърхност", + "Common.UI.ButtonColored.textNewColor": "Нов Потребителски Цвят", "Common.UI.ComboBorderSize.txtNoBorders": "Няма граници", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Няма граници", "Common.UI.ComboDataView.emptyComboText": "Няма стилове", @@ -1147,18 +1148,10 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Някои от цифровите подписи в презентацията са невалидни или не могат да бъдат проверени. Презентацията е защитена от редактиране.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Преглед на подписи", "PE.Views.FileMenuPanels.Settings.okButtonText": "Приложи", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Включете водачите за подравняване", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Включете функцията за автоматично откриване", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Включете автоматичното запазване", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Режим на съвместно редактиране", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Други потребители ще видят промените Ви наведнъж", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Трябва да приемете промените, преди да можете да ги видите", "PE.Views.FileMenuPanels.Settings.strFast": "Бърз", "PE.Views.FileMenuPanels.Settings.strFontRender": "Подсказване на шрифт", "PE.Views.FileMenuPanels.Settings.strForcesave": "Винаги да се съхранява в сървъра (в противен случай да се запази на сървър на документ затворен)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Включете йероглифите", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Промени в системата в реално време", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включване на опцията за проверка на правописа", "PE.Views.FileMenuPanels.Settings.strStrict": "Стриктен", "PE.Views.FileMenuPanels.Settings.strUnit": "Единица за измерване", "PE.Views.FileMenuPanels.Settings.strZoom": "Стойност на мащаба по подразбиране", diff --git a/apps/presentationeditor/main/locale/ca.json b/apps/presentationeditor/main/locale/ca.json index d3569eaad..fc6c116aa 100644 --- a/apps/presentationeditor/main/locale/ca.json +++ b/apps/presentationeditor/main/locale/ca.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Arc cap avall", "Common.define.effectData.textArcLeft": "Arc cap a l'esquerra", "Common.define.effectData.textArcRight": "Arc cap a la dreta", + "Common.define.effectData.textArcs": "Arcs", "Common.define.effectData.textArcUp": "Arc cap amunt", "Common.define.effectData.textBasic": "Bàsic", "Common.define.effectData.textBasicSwivel": "Gir bàsic", @@ -98,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Dissoldre per desaparèixer", "Common.define.effectData.textDown": "Avall", "Common.define.effectData.textDrop": "Gota", - "Common.define.effectData.textEmphasis": " Efecte d'èmfasi", - "Common.define.effectData.textEntrance": "Efecte d'entrada", + "Common.define.effectData.textEmphasis": "Efectes d'èmfasi", + "Common.define.effectData.textEntrance": "Efectes d'entrada", "Common.define.effectData.textEqualTriangle": "Triangle equilàter", "Common.define.effectData.textExciting": "Atrevits", - "Common.define.effectData.textExit": " Efecte de sortida", + "Common.define.effectData.textExit": "Efectes de sortida", "Common.define.effectData.textExpand": "Expandeix", "Common.define.effectData.textFade": "Esvaïment", "Common.define.effectData.textFigureFour": "Figura 8 quatre", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "Entrant", "Common.define.effectData.textInFromScreenCenter": "Amplia des del centre de la pantalla", "Common.define.effectData.textInSlightly": "Amplia lleugerament", + "Common.define.effectData.textInToScreenBottom": "A la Part Inferior de la Pantalla", "Common.define.effectData.textInvertedSquare": "Quadrat invertit", "Common.define.effectData.textInvertedTriangle": "Triangle invertit", "Common.define.effectData.textLeft": "Esquerra", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "Esquerra i amunt", "Common.define.effectData.textLighten": "Il·luminar", "Common.define.effectData.textLineColor": "Color de la línia", + "Common.define.effectData.textLines": "Línies", "Common.define.effectData.textLinesCurves": "Línies i corbes", "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textLoops": "Bucles", "Common.define.effectData.textModerate": "Moderats", "Common.define.effectData.textNeutron": "Neutró", "Common.define.effectData.textObjectCenter": "Centre d'objectes", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "Fora", "Common.define.effectData.textOutFromScreenBottom": "Redueix des de la part inferior de la pantalla", "Common.define.effectData.textOutSlightly": "Redueix lleugerament", + "Common.define.effectData.textOutToScreenCenter": "Fora del centre de la pantalla", "Common.define.effectData.textParallelogram": "Paral·lelogram", - "Common.define.effectData.textPath": "Recorregut", + "Common.define.effectData.textPath": "Trajectòries de desplaçament", "Common.define.effectData.textPeanut": "Cacauet", "Common.define.effectData.textPeekIn": "Ullada endins", "Common.define.effectData.textPeekOut": "Ullada enfora", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Corba S 1", "Common.define.effectData.textSCurve2": "Corba S 2", "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Formes", "Common.define.effectData.textShimmer": "Resplendir", "Common.define.effectData.textShrinkTurn": "Encongir i girar", "Common.define.effectData.textSineWave": "Corba sinusoide", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Trapezi", "Common.define.effectData.textTurnDown": "Girar cap avall", "Common.define.effectData.textTurnDownRight": "Girar cap a la dreta i avall", + "Common.define.effectData.textTurns": "Girar", "Common.define.effectData.textTurnUp": "Girar cap amunt", "Common.define.effectData.textTurnUpRight": "Girar cap a la dreta i amunt", "Common.define.effectData.textUnderline": "Subratlla", @@ -238,7 +245,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", "Common.Translation.warnFileLockedBtnView": "Obre per a la seva visualització", "Common.UI.ButtonColored.textAutoColor": "Automàtic", - "Common.UI.ButtonColored.textNewColor": "Afegeix un color personalitzat nou ", + "Common.UI.ButtonColored.textNewColor": "Color personalitzat nou ", "Common.UI.ComboBorderSize.txtNoBorders": "Sense vores", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores", "Common.UI.ComboDataView.emptyComboText": "Sense estils", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Llistes automàtiques de pics", "Common.Views.AutoCorrectDialog.textBy": "Per", "Common.Views.AutoCorrectDialog.textDelete": "Suprimeix", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Afegir punt amb espai doble", "Common.Views.AutoCorrectDialog.textFLCells": "Posa en majúscula la primera lletra de les cel·les de la taula", "Common.Views.AutoCorrectDialog.textFLSentence": "Escriu en majúscules la primera lletra de les frases", "Common.Views.AutoCorrectDialog.textHyperlink": "Camins de xarxa i d'Internet per enllaços", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Resolt", "Common.Views.Comments.textSort": "Ordena els comentaris", "Common.Views.Comments.textViewResolved": "No teniu permís per tornar a obrir el comentari", + "Common.Views.Comments.txtEmpty": "No hi ha cap comentari al document", "Common.Views.CopyWarningDialog.textDontShow": "No tornis a mostrar aquest missatge", "Common.Views.CopyWarningDialog.textMsg": "Les accions de copiar, tallar i enganxar mitjançant els botons de la barra d’eines de l’editor i les accions del menú contextual només es realitzaran dins d’aquesta pestanya editor.

        Per copiar o enganxar a o des d’aplicacions fora de la pestanya de l'editor, utilitzeu les combinacions de teclat següents:", "Common.Views.CopyWarningDialog.textTitle": "Accions de copiar, tallar i enganxar ", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Ajusta a la diapositiva", "PE.Controllers.Viewport.textFitWidth": "Ajusta-ho a l'amplària", + "PE.Views.Animation.str0_5": "0.5 s (Molt ràpid)", + "PE.Views.Animation.str1": "1 s (Ràpid)", + "PE.Views.Animation.str2": "2 s (Mitjana)", + "PE.Views.Animation.str20": "20 s (Extremament lent)", + "PE.Views.Animation.str3": "3 s (Lent)", + "PE.Views.Animation.str5": "5 s (Molt Lent)", "PE.Views.Animation.strDelay": "Retard", "PE.Views.Animation.strDuration": "Durada", "PE.Views.Animation.strRepeat": "Repeteix", "PE.Views.Animation.strRewind": "Rebobina", "PE.Views.Animation.strStart": "Inici", "PE.Views.Animation.strTrigger": "Disparador", + "PE.Views.Animation.textAutoPreview": "Visualització prèvia automàtica", "PE.Views.Animation.textMoreEffects": "Mostra més efectes", "PE.Views.Animation.textMoveEarlier": "Abans", "PE.Views.Animation.textMoveLater": "Després", "PE.Views.Animation.textMultiple": "múltiple", "PE.Views.Animation.textNone": "cap", + "PE.Views.Animation.textNoRepeat": "(cap)", "PE.Views.Animation.textOnClickOf": "Al desclicar", "PE.Views.Animation.textOnClickSequence": "Al fer una Seqüència de clics", "PE.Views.Animation.textStartAfterPrevious": "Després de l'anterior", "PE.Views.Animation.textStartOnClick": "En clicar", "PE.Views.Animation.textStartWithPrevious": "Amb l'anterior", + "PE.Views.Animation.textUntilEndOfSlide": "Fins al final de la diapositiva", + "PE.Views.Animation.textUntilNextClick": "Fins al següent clic", "PE.Views.Animation.txtAddEffect": "Afegeix una animació", "PE.Views.Animation.txtAnimationPane": "Subfinestra d'animacions", "PE.Views.Animation.txtParameters": "Paràmetres", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Tanca el menú", "PE.Views.FileMenu.btnCreateNewCaption": "Crea'n un de nou", "PE.Views.FileMenu.btnDownloadCaption": "Baixa-ho com a...", - "PE.Views.FileMenu.btnExitCaption": "Surt", + "PE.Views.FileMenu.btnExitCaption": "Tancar", "PE.Views.FileMenu.btnFileOpenCaption": "Obre...", "PE.Views.FileMenu.btnHelpCaption": "Ajuda...", "PE.Views.FileMenu.btnHistoryCaption": "Historial de versions", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunes de les signatures digitals presentades no són vàlides o no s'han pogut verificar. La presentació està protegida i no es pot editar.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra les signatures", "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplica", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Activa les guies d'alineació", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Activa la recuperació automàtica", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Activa el desament automàtic", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode de coedició", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Els altres usuaris veuran els vostres canvis immediatament", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Cal acceptar els canvis abans de poder-los veure", "PE.Views.FileMenuPanels.Settings.strFast": "Ràpid", "PE.Views.FileMenuPanels.Settings.strFontRender": "Tipus de lletra suggerides", "PE.Views.FileMenuPanels.Settings.strForcesave": "Afegeix la versió a l'emmagatzematge després de clicar a Desa o Ctrl + S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Activa els jeroglífics", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuració de les macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Tallar copia i enganxa", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Mostra el botó d'opcions d’enganxar quan s’enganxa contingut", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Canvis de col·laboració en temps real", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activa l’opció de correcció ortogràfica", "PE.Views.FileMenuPanels.Settings.strStrict": "Estricte", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema de la interfície", "PE.Views.FileMenuPanels.Settings.strUnit": "Unitat de mesura", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Insereix un vídeo", "PE.Views.Toolbar.tipLineSpace": "Interlineat", "PE.Views.Toolbar.tipMarkers": "Pics", + "PE.Views.Toolbar.tipMarkersArrow": "Vinyetes de fletxa", + "PE.Views.Toolbar.tipMarkersCheckmark": "Vinyetes de marca de selecció", + "PE.Views.Toolbar.tipMarkersDash": "Vinyetes de guió", + "PE.Views.Toolbar.tipMarkersFRhombus": "Vinyetes de rombes plenes", + "PE.Views.Toolbar.tipMarkersFRound": "Vinyetes rodones plenes", + "PE.Views.Toolbar.tipMarkersFSquare": "Vinyetes quadrades plenes", + "PE.Views.Toolbar.tipMarkersHRound": "Vinyetes rodones buides", + "PE.Views.Toolbar.tipMarkersStar": "Vinyetes d'estrella", + "PE.Views.Toolbar.tipNone": "cap", "PE.Views.Toolbar.tipNumbers": "Numeració", "PE.Views.Toolbar.tipPaste": "Enganxar", "PE.Views.Toolbar.tipPreview": "Inicia la presentació de diapositives", diff --git a/apps/presentationeditor/main/locale/cs.json b/apps/presentationeditor/main/locale/cs.json index 67d9dbeb7..68f172fc5 100644 --- a/apps/presentationeditor/main/locale/cs.json +++ b/apps/presentationeditor/main/locale/cs.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Oblouk dole", "Common.define.effectData.textArcLeft": "Oblouk vlevo", "Common.define.effectData.textArcRight": "Oblouk vpravo", + "Common.define.effectData.textArcs": "Oblouky", "Common.define.effectData.textArcUp": "Oblouk nahoře", "Common.define.effectData.textBasic": "Základní", "Common.define.effectData.textBasicSwivel": "Základní otočný", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "Dovnitř", "Common.define.effectData.textInFromScreenCenter": "Dovnitř ze středu obrazovky", "Common.define.effectData.textInSlightly": "Dovnitř mírně", + "Common.define.effectData.textInToScreenBottom": "Dovnitř na dolní část obrazovky", "Common.define.effectData.textInvertedSquare": "Převrácený čtverec", "Common.define.effectData.textInvertedTriangle": "Převrácený trojúhelník", "Common.define.effectData.textLeft": "Vlevo", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "Vlevo nahoru", "Common.define.effectData.textLighten": "Zesvětlit", "Common.define.effectData.textLineColor": "Barva ohraničení", + "Common.define.effectData.textLines": "Čáry", "Common.define.effectData.textLinesCurves": "Křivky čar", "Common.define.effectData.textLoopDeLoop": "Smyčkovitě", + "Common.define.effectData.textLoops": "Smyčky", "Common.define.effectData.textModerate": "Mírné", "Common.define.effectData.textNeutron": "Neutron", "Common.define.effectData.textObjectCenter": "Střed objektu", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "Vně", "Common.define.effectData.textOutFromScreenBottom": "Pryč skrze dolní část obrazovky", "Common.define.effectData.textOutSlightly": "Vně mírně", + "Common.define.effectData.textOutToScreenCenter": "Vně na střed obrazovky", "Common.define.effectData.textParallelogram": "Rovnoběžník", - "Common.define.effectData.textPath": "Trasa pohybu", + "Common.define.effectData.textPath": "Trasy pohybu", "Common.define.effectData.textPeanut": "Burský oříšek", "Common.define.effectData.textPeekIn": "Přilétnutí", "Common.define.effectData.textPeekOut": "Odlétnutí", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Křivka 1", "Common.define.effectData.textSCurve2": "Křivka 2", "Common.define.effectData.textShape": "Tvar", + "Common.define.effectData.textShapes": "Obrazce", "Common.define.effectData.textShimmer": "Třpit", "Common.define.effectData.textShrinkTurn": "Zmenšit a otočit", "Common.define.effectData.textSineWave": "Sinusová vlna", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Lichoběžník", "Common.define.effectData.textTurnDown": "Otočit dolů", "Common.define.effectData.textTurnDownRight": "Otočit vpravo dolů", + "Common.define.effectData.textTurns": "Zatáčky", "Common.define.effectData.textTurnUp": "Převrátit nahoru", "Common.define.effectData.textTurnUpRight": "Převrátit vpravo", "Common.define.effectData.textUnderline": "Podtrhnout", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatické odrážkové seznamy", "Common.Views.AutoCorrectDialog.textBy": "Od", "Common.Views.AutoCorrectDialog.textDelete": "Odstranit", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Přidat interval s dvojitou mezerou", "Common.Views.AutoCorrectDialog.textFLCells": "První písmeno v obsahu buněk tabulky měnit na velké", "Common.Views.AutoCorrectDialog.textFLSentence": "Velká na začátku věty", "Common.Views.AutoCorrectDialog.textHyperlink": "Internetové a síťové přístupy s hypertextovými odkazy", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Vyřešeno", "Common.Views.Comments.textSort": "Řadit komentáře", "Common.Views.Comments.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", + "Common.Views.Comments.txtEmpty": "Dokument neobsahuje komentáře.", "Common.Views.CopyWarningDialog.textDontShow": "Tuto zprávu už nezobrazovat", "Common.Views.CopyWarningDialog.textMsg": "Akce kopírovat, vyjmout a vložit použitím lišty nástrojů editoru a kontextové nabídky budou prováděny pouze v tomto okně editoru.

        Pro kopírování do nebo vkládání z aplikací mimo okno editoru použijte následující klávesové zkratky:", "Common.Views.CopyWarningDialog.textTitle": "Akce kopírovat, vyjmout a vložit", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Přizpůsobit snímku", "PE.Controllers.Viewport.textFitWidth": "Přizpůsobit šířce", + "PE.Views.Animation.str0_5": "0,5 s (Velmi rychle)", + "PE.Views.Animation.str1": "1 s (Rychle)", + "PE.Views.Animation.str2": "2 s (Střední)", + "PE.Views.Animation.str20": "20 s (Extrémně pomalu)", + "PE.Views.Animation.str3": "3s (Pomalu)", + "PE.Views.Animation.str5": "5 s (Velmi pomalu)", "PE.Views.Animation.strDelay": "Prodleva", "PE.Views.Animation.strDuration": "Doba trvání", "PE.Views.Animation.strRepeat": "Zopakovat", "PE.Views.Animation.strRewind": "Vrátit na začátek", "PE.Views.Animation.strStart": "Spustit", "PE.Views.Animation.strTrigger": "Spouštěč", + "PE.Views.Animation.textAutoPreview": "Automatický náhled", "PE.Views.Animation.textMoreEffects": "Zobrazit další efekty", "PE.Views.Animation.textMoveEarlier": "Přesunout dřívější", "PE.Views.Animation.textMoveLater": "Přesunout pozdější", "PE.Views.Animation.textMultiple": "vícenásobný", "PE.Views.Animation.textNone": "Žádné", + "PE.Views.Animation.textNoRepeat": "(žádné)", "PE.Views.Animation.textOnClickOf": "Při kliknutí na", "PE.Views.Animation.textOnClickSequence": "Při posloupnosti kliknutí", "PE.Views.Animation.textStartAfterPrevious": "Po předchozí", "PE.Views.Animation.textStartOnClick": "Při kliknutí", "PE.Views.Animation.textStartWithPrevious": "S předchozí", + "PE.Views.Animation.textUntilEndOfSlide": "Do konce snímku", + "PE.Views.Animation.textUntilNextClick": "Do příštího kliknutí", "PE.Views.Animation.txtAddEffect": "Přidat animaci", "PE.Views.Animation.txtAnimationPane": "Podokno animací", "PE.Views.Animation.txtParameters": "Parametry", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Zavřít nabídku", "PE.Views.FileMenu.btnCreateNewCaption": "Vytvořit nový", "PE.Views.FileMenu.btnDownloadCaption": "Stáhnout jako…", - "PE.Views.FileMenu.btnExitCaption": "Konec", + "PE.Views.FileMenu.btnExitCaption": "Zavřít", "PE.Views.FileMenu.btnFileOpenCaption": "Otevřít...", "PE.Views.FileMenu.btnHelpCaption": "Nápověda…", "PE.Views.FileMenu.btnHistoryCaption": "Historie verzí", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Některé z digitálních podpisů v prezentaci nejsou platné nebo se je nedaří ověřit. Prezentace je zabezpečena proti úpravám.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobrazit podpisy", "PE.Views.FileMenuPanels.Settings.okButtonText": "Použít", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Zapnout vodítka pro zarovnávání", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Zapnout automatickou obnovu", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Zapnout automatické ukládání", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Režim spolupráce na úpravách", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ostatní uživatelé okamžitě uvidí vámi prováděné změny", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Abyste změny uviděli, je třeba je nejprve přijmout", "PE.Views.FileMenuPanels.Settings.strFast": "Automatický", "PE.Views.FileMenuPanels.Settings.strFontRender": "Vyhlazování hran znaků", "PE.Views.FileMenuPanels.Settings.strForcesave": "Přidejte verzi do úložiště kliknutím na Uložit nebo Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Zapnout podporu pro obrázková písma", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Nastavení maker", "PE.Views.FileMenuPanels.Settings.strPaste": "Vyjmout, kopírovat, vložit", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Zobrazit možnosti vložení, při vkládání obsahu", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Změny při spolupráci v reálném čase", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Kontrolovat pravopis", "PE.Views.FileMenuPanels.Settings.strStrict": "Striktní", "PE.Views.FileMenuPanels.Settings.strTheme": "Vzhled prostředí", "PE.Views.FileMenuPanels.Settings.strUnit": "Měřit v jednotkách", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Vložit video", "PE.Views.Toolbar.tipLineSpace": "Řádkování", "PE.Views.Toolbar.tipMarkers": "Odrážky", + "PE.Views.Toolbar.tipMarkersArrow": "Šipkové odrážky", + "PE.Views.Toolbar.tipMarkersCheckmark": "Zatržítkové odrážky", + "PE.Views.Toolbar.tipMarkersDash": "Pomlčkové odrážky", + "PE.Views.Toolbar.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", + "PE.Views.Toolbar.tipMarkersFRound": "Vyplněné kulaté odrážky", + "PE.Views.Toolbar.tipMarkersFSquare": "Plné čtvercové odrážky", + "PE.Views.Toolbar.tipMarkersHRound": "Duté kulaté odrážky", + "PE.Views.Toolbar.tipMarkersStar": "Hvězdičkové odrážky", + "PE.Views.Toolbar.tipNone": "žádný", "PE.Views.Toolbar.tipNumbers": "Číslování", "PE.Views.Toolbar.tipPaste": "Vložit", "PE.Views.Toolbar.tipPreview": "Spustit prezentaci", diff --git a/apps/presentationeditor/main/locale/da.json b/apps/presentationeditor/main/locale/da.json index a8b6f4a1c..0b6c12005 100644 --- a/apps/presentationeditor/main/locale/da.json +++ b/apps/presentationeditor/main/locale/da.json @@ -51,7 +51,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Opret en kopi", "Common.Translation.warnFileLockedBtnView": "Åben for visning", "Common.UI.ButtonColored.textAutoColor": "Automatisk", - "Common.UI.ButtonColored.textNewColor": "Tilføj ny brugerdefineret farve", + "Common.UI.ButtonColored.textNewColor": "Brugerdefineret farve", "Common.UI.ComboBorderSize.txtNoBorders": "Ingen rammer", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ingen rammer", "Common.UI.ComboDataView.emptyComboText": "Ingen stilarter", @@ -1347,21 +1347,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Nogle af de digitale signaturer i præsentationen er ugyldige eller kunne ikke verificeres. Præsentationen er beskyttet mod redigering", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Se underskrifter", "PE.Views.FileMenuPanels.Settings.okButtonText": "Anvend", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Slå justeringsguide til", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Slå automatisk genoprettelse til", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Slå gem automatisk til", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Fællesredigeringstilstand", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andre brugere vil se dine ændringer på en gang", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Du skal acceptere ændringer før du kan se dem", "PE.Views.FileMenuPanels.Settings.strFast": "Hurtig", "PE.Views.FileMenuPanels.Settings.strFontRender": "Skrifttype hentydning", "PE.Views.FileMenuPanels.Settings.strForcesave": "Tilføj version til lageret efter at have klikket på Gem eller Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Slå hieroglyfher til ", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makroindstillinger", "PE.Views.FileMenuPanels.Settings.strPaste": "Klip, kopier og indsæt", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Vis knappen for Indsæt-optioner når indhold indsættes", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Real tids samarbejdsændringer", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Slå stavekontrolstilstand til ", "PE.Views.FileMenuPanels.Settings.strStrict": "Striks", "PE.Views.FileMenuPanels.Settings.strTheme": "Interface tema", "PE.Views.FileMenuPanels.Settings.strUnit": "Måleenhed", diff --git a/apps/presentationeditor/main/locale/de.json b/apps/presentationeditor/main/locale/de.json index 0e69ffd4a..bdedaf5eb 100644 --- a/apps/presentationeditor/main/locale/de.json +++ b/apps/presentationeditor/main/locale/de.json @@ -1288,6 +1288,7 @@ "PE.Views.Animation.strRewind": "Zurückspulen", "PE.Views.Animation.strStart": "Start", "PE.Views.Animation.strTrigger": "Trigger", + "PE.Views.Animation.textAutoPreview": "AutoVorschau", "PE.Views.Animation.textMoreEffects": "Mehr Effekte anzeigen", "PE.Views.Animation.textMoveEarlier": "Früher", "PE.Views.Animation.textMoveLater": "Später", @@ -1569,21 +1570,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Einige der digitalen Signaturen in der Präsentation sind ungültig oder konnten nicht verifiziert werden. Die Präsentation ist vor der Bearbeitung geschützt.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Signaturen anzeigen", "PE.Views.FileMenuPanels.Settings.okButtonText": "Anwenden", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Ausrichtungslinien einschalten", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "AutoWiederherstellen einschalten ", - "PE.Views.FileMenuPanels.Settings.strAutosave": "AutoSpeichern einschalten", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modus \"Gemeinsame Bearbeitung\"", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andere Benutzer werden Ihre Änderungen gleichzeitig sehen", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Sie müssen die Änderungen annehmen, bevor Sie diese sehen können", "PE.Views.FileMenuPanels.Settings.strFast": "Schnell", "PE.Views.FileMenuPanels.Settings.strFontRender": "Schriftglättung", "PE.Views.FileMenuPanels.Settings.strForcesave": "Immer auf dem Server speichern (ansonsten auf dem Server beim Schließen des Dokuments speichern)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Hieroglyphen einschalten", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Einstellungen von Makros", "PE.Views.FileMenuPanels.Settings.strPaste": "Ausschneiden, Kopieren und Einfügen", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Änderungen bei der Echtzeit-Zusammenarbeit zeigen", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Rechtschreibprüfung einschalten", "PE.Views.FileMenuPanels.Settings.strStrict": "Formal", "PE.Views.FileMenuPanels.Settings.strTheme": "Thema der Benutzeroberfläche", "PE.Views.FileMenuPanels.Settings.strUnit": "Maßeinheit", @@ -2168,6 +2161,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Video einfügen", "PE.Views.Toolbar.tipLineSpace": "Zeilenabstand", "PE.Views.Toolbar.tipMarkers": "Aufzählung", + "PE.Views.Toolbar.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersCheckmark": "Häkchenaufzählungszeichen", + "PE.Views.Toolbar.tipMarkersDash": "Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersHRound": "Leere runde Aufzählungszeichen", + "PE.Views.Toolbar.tipMarkersStar": "Sternförmige Aufzählungszeichen", "PE.Views.Toolbar.tipNumbers": "Nummerierung", "PE.Views.Toolbar.tipPaste": "Einfügen", "PE.Views.Toolbar.tipPreview": "Vorschau starten", diff --git a/apps/presentationeditor/main/locale/el.json b/apps/presentationeditor/main/locale/el.json index 498655dfa..3c94702bf 100644 --- a/apps/presentationeditor/main/locale/el.json +++ b/apps/presentationeditor/main/locale/el.json @@ -146,6 +146,7 @@ "Common.define.effectData.textLeftUp": "Αριστερά Πάνω", "Common.define.effectData.textLighten": "Φώτισμα", "Common.define.effectData.textLineColor": "Χρώμα Γραμμής", + "Common.define.effectData.textLines": "Γραμμές", "Common.define.effectData.textLinesCurves": "Καμπύλες", "Common.define.effectData.textLoopDeLoop": "Κυκλική Περιστροφή", "Common.define.effectData.textModerate": "Μέτριο", @@ -179,6 +180,7 @@ "Common.define.effectData.textSCurve1": "S Καμπύλη 1", "Common.define.effectData.textSCurve2": "S Καμπύλη 2", "Common.define.effectData.textShape": "Σχήμα", + "Common.define.effectData.textShapes": "Σχήματα", "Common.define.effectData.textShimmer": "Λαμπύρισμα", "Common.define.effectData.textShrinkTurn": "Σμίκρυνση και Στροφή", "Common.define.effectData.textSineWave": "Ημιτονοειδές Κύμα", @@ -238,7 +240,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Δημιουργία αντιγράφου", "Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή", "Common.UI.ButtonColored.textAutoColor": "Αυτόματα", - "Common.UI.ButtonColored.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "Common.UI.ButtonColored.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "Common.UI.ComboBorderSize.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboDataView.emptyComboText": "Χωρίς τεχνοτροπίες", @@ -293,6 +295,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Αυτόματες λίστες κουκκίδων", "Common.Views.AutoCorrectDialog.textBy": "Κατά", "Common.Views.AutoCorrectDialog.textDelete": "Διαγραφή", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Εισαγωγή διπλού διαστήματος", "Common.Views.AutoCorrectDialog.textFLCells": "Να γίνει κεφαλαίο το πρώτο γράμμα των κελιών του πίνακα", "Common.Views.AutoCorrectDialog.textFLSentence": "Κεφαλαιοποιήστε το πρώτο γράμμα των προτάσεων", "Common.Views.AutoCorrectDialog.textHyperlink": "Μονοπάτια δικτύου και διαδικτύου με υπερσυνδέσμους", @@ -1288,11 +1291,13 @@ "PE.Views.Animation.strRewind": "Επανάληψη", "PE.Views.Animation.strStart": "Εκκίνηση", "PE.Views.Animation.strTrigger": "Ενεργοποίηση", + "PE.Views.Animation.textAutoPreview": "Αυτόματη προεπισκόπηση", "PE.Views.Animation.textMoreEffects": "Εμφάνιση Περισσότερων Εφφέ", "PE.Views.Animation.textMoveEarlier": "Μετακίνησε Νωρίτερα", "PE.Views.Animation.textMoveLater": "Μετακίνησε Αργότερα", "PE.Views.Animation.textMultiple": "Πολλαπλός", "PE.Views.Animation.textNone": "Κανένα", + "PE.Views.Animation.textNoRepeat": "(κανένα)", "PE.Views.Animation.textOnClickOf": "Με το Κλικ σε", "PE.Views.Animation.textOnClickSequence": "Με την Ακολουθία Κλικ", "PE.Views.Animation.textStartAfterPrevious": "Μετά το Προηγούμενο", @@ -1569,21 +1574,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Κάποιες από τις ψηφιακές υπογραφές στην παρουσίαση είναι άκυρες ή δεν επαληθεύτηκαν. Η παρουσίαση έχει προστασία τροποποίησης.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Προβολή υπογραφών", "PE.Views.FileMenuPanels.Settings.okButtonText": "Εφαρμογή", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Ενεργοποίηση οδηγών στοίχισης", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Ενεργοποίηση αυτόματης αποκατάστασης", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Ενεργοποίηση αυτόματης αποθήκευσης", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Κατάσταση Συν-επεξεργασίας", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Οι άλλοι χρήστες θα δουν τις αλλαγές σας ταυτόχρονα", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Θα χρειαστεί να αποδεχτείτε αλλαγές πριν να τις δείτε", "PE.Views.FileMenuPanels.Settings.strFast": "Γρήγορη", "PE.Views.FileMenuPanels.Settings.strFontRender": "Βελτιστοποίηση Γραμματοσειράς", "PE.Views.FileMenuPanels.Settings.strForcesave": "Προσθήκη έκδοσης στο χώρο αποθήκευσης μετά την Αποθήκευση ή Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Ενεργοποίηση ιερογλυφικών", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ρυθμίσεις Mακροεντολών", "PE.Views.FileMenuPanels.Settings.strPaste": "Αποκοπή, αντιγραφή και επικόλληση", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Εμφάνιση κουμπιού Επιλογών Επικόλλησης κατά την επικόλληση περιεχομένου", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Αλλαγές Συνεργασίας Πραγματικού Χρόνου", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ενεργοποίηση επιλογής ορθογραφικού ελέγχου", "PE.Views.FileMenuPanels.Settings.strStrict": "Αυστηρή", "PE.Views.FileMenuPanels.Settings.strTheme": "Θέμα", "PE.Views.FileMenuPanels.Settings.strUnit": "Μονάδα Μέτρησης", @@ -2168,6 +2165,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Εισαγωγή βίντεο", "PE.Views.Toolbar.tipLineSpace": "Διάστιχο", "PE.Views.Toolbar.tipMarkers": "Κουκκίδες", + "PE.Views.Toolbar.tipMarkersArrow": "Κουκίδες βέλη", + "PE.Views.Toolbar.tipMarkersCheckmark": "Κουκίδες τσεκαρίσματος", + "PE.Views.Toolbar.tipMarkersDash": "Κουκίδες παύλας", + "PE.Views.Toolbar.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", + "PE.Views.Toolbar.tipMarkersFRound": "Κουκίδες πλήρεις στρογγυλές", + "PE.Views.Toolbar.tipMarkersFSquare": "Κουκίδες πλήρεις τετράγωνες", + "PE.Views.Toolbar.tipMarkersHRound": "Κουκίδες κούφιες στρογγυλές", + "PE.Views.Toolbar.tipMarkersStar": "Κουκίδες αστέρια", "PE.Views.Toolbar.tipNumbers": "Αρίθμηση", "PE.Views.Toolbar.tipPaste": "Επικόλληση", "PE.Views.Toolbar.tipPreview": "Εκκίνηση παρουσίασης", diff --git a/apps/presentationeditor/main/locale/en.json b/apps/presentationeditor/main/locale/en.json index 27af300b4..923b2f25a 100644 --- a/apps/presentationeditor/main/locale/en.json +++ b/apps/presentationeditor/main/locale/en.json @@ -99,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Dissolve Out", "Common.define.effectData.textDown": "Down", "Common.define.effectData.textDrop": "Drop", - "Common.define.effectData.textEmphasis": "Emphasis Effect", - "Common.define.effectData.textEntrance": "Entrance Effect", + "Common.define.effectData.textEmphasis": "Emphasis Effects", + "Common.define.effectData.textEntrance": "Entrance Effects", "Common.define.effectData.textEqualTriangle": "Equal Triangle", "Common.define.effectData.textExciting": "Exciting", - "Common.define.effectData.textExit": "Exit Effect", + "Common.define.effectData.textExit": "Exit Effects", "Common.define.effectData.textExpand": "Expand", "Common.define.effectData.textFade": "Fade", "Common.define.effectData.textFigureFour": "Figure 8 Four", @@ -162,7 +162,7 @@ "Common.define.effectData.textOutSlightly": "Out Slightly", "Common.define.effectData.textOutToScreenCenter": "Out To Screen Center", "Common.define.effectData.textParallelogram": "Parallelogram", - "Common.define.effectData.textPath": "Motion Path", + "Common.define.effectData.textPath": "Motion Paths", "Common.define.effectData.textPeanut": "Peanut", "Common.define.effectData.textPeekIn": "Peek In", "Common.define.effectData.textPeekOut": "Peek Out", @@ -270,11 +270,13 @@ "Common.UI.SearchDialog.txtBtnReplaceAll": "Replace All", "Common.UI.SynchronizeTip.textDontShow": "Don't show this message again", "Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.
        Please click to save your changes and reload the updates.", + "Common.UI.ThemeColorPalette.textRecentColors": "Recent Colors", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.UI.Themes.txtThemeClassicLight": "Classic Light", "Common.UI.Themes.txtThemeDark": "Dark", "Common.UI.Themes.txtThemeLight": "Light", + "Common.UI.Themes.txtThemeSystem": "Same as system", "Common.UI.Window.cancelButtonText": "Cancel", "Common.UI.Window.closeButtonText": "Close", "Common.UI.Window.noButtonText": "No", @@ -285,6 +287,11 @@ "Common.UI.Window.textInformation": "Information", "Common.UI.Window.textWarning": "Warning", "Common.UI.Window.yesButtonText": "Yes", + "Common.UI.SearchBar.textFind": "Find", + "Common.UI.SearchBar.tipPreviousResult": "Previous result", + "Common.UI.SearchBar.tipNextResult": "Next result", + "Common.UI.SearchBar.tipOpenAdvancedSettings": "Open advanced settings", + "Common.UI.SearchBar.tipCloseSearch": "Close search", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", "Common.Views.About.txtAddress": "address: ", @@ -350,6 +357,7 @@ "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", + "Common.Views.Comments.txtEmpty": "There are no comments in the document.", "Common.Views.CopyWarningDialog.textDontShow": "Don't show this message again", "Common.Views.CopyWarningDialog.textMsg": "Copy, cut and paste actions using the editor toolbar buttons and context menu actions will be performed within this editor tab only.

        To copy or paste to or from applications outside the editor tab use the following keyboard combinations:", "Common.Views.CopyWarningDialog.textTitle": "Copy, Cut and Paste Actions", @@ -374,6 +382,7 @@ "Common.Views.Header.textSaveChanged": "Modified", "Common.Views.Header.textSaveEnd": "All changes saved", "Common.Views.Header.textSaveExpander": "All changes saved", + "Common.Views.Header.textShare": "Share", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Manage document access rights", "Common.Views.Header.tipDownload": "Download file", @@ -383,12 +392,12 @@ "Common.Views.Header.tipSave": "Save", "Common.Views.Header.tipUndo": "Undo", "Common.Views.Header.tipUndock": "Undock into separate window", + "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.tipViewSettings": "View settings", "Common.Views.Header.tipViewUsers": "View users and manage document access rights", - "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.txtAccessRights": "Change access rights", "Common.Views.Header.txtRename": "Rename", - "Common.Views.Header.textShare": "Share", + "Common.Views.Header.tipSearch": "Search", "Common.Views.History.textCloseHistory": "Close History", "Common.Views.History.textHide": "Collapse", "Common.Views.History.textHideAll": "Hide detailed changes", @@ -577,6 +586,22 @@ "Common.Views.UserNameDialog.textDontShow": "Don't ask me again", "Common.Views.UserNameDialog.textLabel": "Label:", "Common.Views.UserNameDialog.textLabelError": "Label must not be empty.", + "Common.Views.SearchPanel.textFind": "Find", + "Common.Views.SearchPanel.textFindAndReplace": "Find and replace", + "Common.Views.SearchPanel.textCloseSearch": "Close search", + "Common.Views.SearchPanel.textReplace": "Replace", + "Common.Views.SearchPanel.textReplaceAll": "Replace All", + "Common.Views.SearchPanel.textSearchResults": "Search results: {0}/{1}", + "Common.Views.SearchPanel.textReplaceWith": "Replace with", + "Common.Views.SearchPanel.textCaseSensitive": "Case sensitive", + "Common.Views.SearchPanel.textMatchUsingRegExp": "Match using regular expressions", + "Common.Views.SearchPanel.textWholeWords": "Whole words only", + "Common.Views.SearchPanel.textNoMatches": "No matches", + "Common.Views.SearchPanel.textNoSearchResults": "No search results", + "Common.Views.SearchPanel.textTooManyResults": "There are too many results to show here", + "Common.Views.SearchPanel.tipPreviousResult": "Previous result", + "Common.Views.SearchPanel.tipNextResult": "Next result", + "del_PE.Views.FileMenuPanels.Settings.strAutoRecover": "Turn on autorecover", "PE.Controllers.LeftMenu.leavePageText": "All unsaved changes in this document will be lost.
        Click \"Cancel\" then \"Save\" to save them. Click \"OK\" to discard all the unsaved changes.", "PE.Controllers.LeftMenu.newDocumentTitle": "Unnamed presentation", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Warning", @@ -676,6 +701,7 @@ "PE.Controllers.Main.textPaidFeature": "Paid feature", "PE.Controllers.Main.textReconnect": "Connection is restored", "PE.Controllers.Main.textRemember": "Remember my choice for all files", + "PE.Controllers.Main.textRememberMacros": "Remember my choice for all macros", "PE.Controllers.Main.textRenameError": "User name must not be empty.", "PE.Controllers.Main.textRenameLabel": "Enter a name to be used for collaboration", "PE.Controllers.Main.textShape": "Shape", @@ -956,6 +982,7 @@ "PE.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.", "PE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", "PE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", + "PE.Controllers.Main.textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?", "PE.Controllers.Statusbar.textDisconnect": "Connection is lost
        Trying to connect. Please check connection settings.", "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
        The text style will be displayed using one of the system fonts, the saved font will be used when it is available.
        Do you want to continue?", @@ -1293,6 +1320,8 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Fit to Slide", "PE.Controllers.Viewport.textFitWidth": "Fit to Width", + "PE.Controllers.Search.notcriticalErrorTitle": "Warning", + "PE.Controllers.Search.warnReplaceString": "{0} is not a valid special character for the Replace With box.", "PE.Views.Animation.str0_5": "0.5 s (Very Fast)", "PE.Views.Animation.str1": "1 s (Fast)", "PE.Views.Animation.str2": "2 s (Medium)", @@ -1305,6 +1334,7 @@ "PE.Views.Animation.strRewind": "Rewind", "PE.Views.Animation.strStart": "Start", "PE.Views.Animation.strTrigger": "Trigger", + "PE.Views.Animation.textAutoPreview": "AutoPreview", "PE.Views.Animation.textMoreEffects": "Show More Effects", "PE.Views.Animation.textMoveEarlier": "Move Earlier", "PE.Views.Animation.textMoveLater": "Move Later", @@ -1337,18 +1367,18 @@ "PE.Views.ChartSettingsAdvanced.textAltDescription": "Description", "PE.Views.ChartSettingsAdvanced.textAltTip": "The alternative text-based representation of the visual object information, which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image, autoshape, chart, or table.", "PE.Views.ChartSettingsAdvanced.textAltTitle": "Title", - "PE.Views.ChartSettingsAdvanced.textTitle": "Chart - Advanced Settings", - "PE.Views.ChartSettingsAdvanced.textPlacement": "Placement", - "PE.Views.ChartSettingsAdvanced.textSize": "Size", - "PE.Views.ChartSettingsAdvanced.textWidth": "Width", - "PE.Views.ChartSettingsAdvanced.textHeight": "Height", - "PE.Views.ChartSettingsAdvanced.textPosition": "Position", - "PE.Views.ChartSettingsAdvanced.textHorizontal": "Horizontal", - "PE.Views.ChartSettingsAdvanced.textVertical": "Vertical", - "PE.Views.ChartSettingsAdvanced.textFrom": "From", - "PE.Views.ChartSettingsAdvanced.textTopLeftCorner": "Top Left Corner", "PE.Views.ChartSettingsAdvanced.textCenter": "Center", + "PE.Views.ChartSettingsAdvanced.textFrom": "From", + "PE.Views.ChartSettingsAdvanced.textHeight": "Height", + "PE.Views.ChartSettingsAdvanced.textHorizontal": "Horizontal", "PE.Views.ChartSettingsAdvanced.textKeepRatio": "Constant Proportions", + "PE.Views.ChartSettingsAdvanced.textPlacement": "Placement", + "PE.Views.ChartSettingsAdvanced.textPosition": "Position", + "PE.Views.ChartSettingsAdvanced.textSize": "Size", + "PE.Views.ChartSettingsAdvanced.textTitle": "Chart - Advanced Settings", + "PE.Views.ChartSettingsAdvanced.textTopLeftCorner": "Top Left Corner", + "PE.Views.ChartSettingsAdvanced.textVertical": "Vertical", + "PE.Views.ChartSettingsAdvanced.textWidth": "Width", "PE.Views.DateTimeDialog.confirmDefault": "Set default format for {0}: \"{1}\"", "PE.Views.DateTimeDialog.textDefault": "Set as default", "PE.Views.DateTimeDialog.textFormat": "Formats", @@ -1553,7 +1583,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Close Menu", "PE.Views.FileMenu.btnCreateNewCaption": "Create New", "PE.Views.FileMenu.btnDownloadCaption": "Download as...", - "PE.Views.FileMenu.btnExitCaption": "Exit", + "PE.Views.FileMenu.btnExitCaption": "Close", "PE.Views.FileMenu.btnFileOpenCaption": "Open...", "PE.Views.FileMenu.btnHelpCaption": "Help...", "PE.Views.FileMenu.btnHistoryCaption": "Version History", @@ -1601,7 +1631,6 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtView": "View signatures", "PE.Views.FileMenuPanels.Settings.okButtonText": "Apply", "del_PE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "dwl_PE.Views.FileMenuPanels.Settings.strAutoRecover": "Turn on autorecover", "del_PE.Views.FileMenuPanels.Settings.strAutosave": "Turn on autosave", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing Mode", "del_PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", @@ -1610,6 +1639,8 @@ "PE.Views.FileMenuPanels.Settings.strFontRender": "Font Hinting", "PE.Views.FileMenuPanels.Settings.strForcesave": "Add version to storage after clicking Save or Ctrl+S", "del_PE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs", + "PE.Views.FileMenuPanels.Settings.strIgnoreWordsInUPPERCASE": "Ignore words in UPPERCASE", + "PE.Views.FileMenuPanels.Settings.strIgnoreWordsWithNumbers": "Ignore words with numbers", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Macros Settings", "PE.Views.FileMenuPanels.Settings.strPaste": "Cut, copy and paste", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Show the Paste Options button when the content is pasted", @@ -1639,6 +1670,8 @@ "PE.Views.FileMenuPanels.Settings.txtFitSlide": "Fit to Slide", "PE.Views.FileMenuPanels.Settings.txtFitWidth": "Fit to Width", "PE.Views.FileMenuPanels.Settings.txtHieroglyphs": "Hieroglyphs", + "PE.Views.FileMenuPanels.Settings.txtUseAltKey": "Use Alt key to navigate the user interface using the keyboard", + "PE.Views.FileMenuPanels.Settings.txtUseOptionKey": "Use Option key to navigate the user interface using the keyboard", "PE.Views.FileMenuPanels.Settings.txtInch": "Inch", "PE.Views.FileMenuPanels.Settings.txtInput": "Alternate Input", "PE.Views.FileMenuPanels.Settings.txtLast": "View Last", @@ -1718,8 +1751,11 @@ "PE.Views.ImageSettingsAdvanced.textAltTip": "The alternative text-based representation of the visual object information, which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image, autoshape, chart, or table.", "PE.Views.ImageSettingsAdvanced.textAltTitle": "Title", "PE.Views.ImageSettingsAdvanced.textAngle": "Angle", + "PE.Views.ImageSettingsAdvanced.textCenter": "Center", "PE.Views.ImageSettingsAdvanced.textFlipped": "Flipped", + "PE.Views.ImageSettingsAdvanced.textFrom": "From", "PE.Views.ImageSettingsAdvanced.textHeight": "Height", + "PE.Views.ImageSettingsAdvanced.textHorizontal": "Horizontal", "PE.Views.ImageSettingsAdvanced.textHorizontally": "Horizontally", "PE.Views.ImageSettingsAdvanced.textKeepRatio": "Constant proportions", "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Actual Size", @@ -1728,13 +1764,10 @@ "PE.Views.ImageSettingsAdvanced.textRotation": "Rotation", "PE.Views.ImageSettingsAdvanced.textSize": "Size", "PE.Views.ImageSettingsAdvanced.textTitle": "Image - Advanced Settings", + "PE.Views.ImageSettingsAdvanced.textTopLeftCorner": "Top Left Corner", + "PE.Views.ImageSettingsAdvanced.textVertical": "Vertical", "PE.Views.ImageSettingsAdvanced.textVertically": "Vertically", "PE.Views.ImageSettingsAdvanced.textWidth": "Width", - "PE.Views.ImageSettingsAdvanced.textHorizontal": "Horizontal", - "PE.Views.ImageSettingsAdvanced.textVertical": "Vertical", - "PE.Views.ImageSettingsAdvanced.textFrom": "From", - "PE.Views.ImageSettingsAdvanced.textTopLeftCorner": "Top Left Corner", - "PE.Views.ImageSettingsAdvanced.textCenter": "Center", "PE.Views.LeftMenu.tipAbout": "About", "PE.Views.LeftMenu.tipChat": "Chat", "PE.Views.LeftMenu.tipComments": "Comments", @@ -1872,12 +1905,15 @@ "PE.Views.ShapeSettingsAdvanced.textBevel": "Bevel", "PE.Views.ShapeSettingsAdvanced.textBottom": "Bottom", "PE.Views.ShapeSettingsAdvanced.textCapType": "Cap Type", + "PE.Views.ShapeSettingsAdvanced.textCenter": "Center", "PE.Views.ShapeSettingsAdvanced.textColNumber": "Number of columns", "PE.Views.ShapeSettingsAdvanced.textEndSize": "End Size", "PE.Views.ShapeSettingsAdvanced.textEndStyle": "End Style", "PE.Views.ShapeSettingsAdvanced.textFlat": "Flat", "PE.Views.ShapeSettingsAdvanced.textFlipped": "Flipped", + "PE.Views.ShapeSettingsAdvanced.textFrom": "From", "PE.Views.ShapeSettingsAdvanced.textHeight": "Height", + "PE.Views.ShapeSettingsAdvanced.textHorizontal": "Horizontal", "PE.Views.ShapeSettingsAdvanced.textHorizontally": "Horizontally", "PE.Views.ShapeSettingsAdvanced.textJoinType": "Join Type", "PE.Views.ShapeSettingsAdvanced.textKeepRatio": "Constant proportions", @@ -1885,6 +1921,8 @@ "PE.Views.ShapeSettingsAdvanced.textLineStyle": "Line Style", "PE.Views.ShapeSettingsAdvanced.textMiter": "Miter", "PE.Views.ShapeSettingsAdvanced.textNofit": "Do not Autofit", + "PE.Views.ShapeSettingsAdvanced.textPlacement": "Placement", + "PE.Views.ShapeSettingsAdvanced.textPosition": "Position", "PE.Views.ShapeSettingsAdvanced.textResizeFit": "Resize shape to fit text", "PE.Views.ShapeSettingsAdvanced.textRight": "Right", "PE.Views.ShapeSettingsAdvanced.textRotation": "Rotation", @@ -1896,17 +1934,12 @@ "PE.Views.ShapeSettingsAdvanced.textTextBox": "Text Box", "PE.Views.ShapeSettingsAdvanced.textTitle": "Shape - Advanced Settings", "PE.Views.ShapeSettingsAdvanced.textTop": "Top", + "PE.Views.ShapeSettingsAdvanced.textTopLeftCorner": "Top Left Corner", + "PE.Views.ShapeSettingsAdvanced.textVertical": "Vertical", "PE.Views.ShapeSettingsAdvanced.textVertically": "Vertically", "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Weights & Arrows", "PE.Views.ShapeSettingsAdvanced.textWidth": "Width", "PE.Views.ShapeSettingsAdvanced.txtNone": "None", - "PE.Views.ShapeSettingsAdvanced.textPlacement": "Placement", - "PE.Views.ShapeSettingsAdvanced.textPosition": "Position", - "PE.Views.ShapeSettingsAdvanced.textHorizontal": "Horizontal", - "PE.Views.ShapeSettingsAdvanced.textFrom": "From", - "PE.Views.ShapeSettingsAdvanced.textVertical": "Vertical", - "PE.Views.ShapeSettingsAdvanced.textTopLeftCorner": "Top Left Corner", - "PE.Views.ShapeSettingsAdvanced.textCenter": "Center", "PE.Views.SignatureSettings.notcriticalErrorTitle": "Warning", "PE.Views.SignatureSettings.strDelete": "Remove Signature", "PE.Views.SignatureSettings.strDetails": "Signature Details", @@ -2056,25 +2089,25 @@ "PE.Views.TableSettingsAdvanced.textAltTip": "The alternative text-based representation of the visual object information, which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image, autoshape, chart, or table.", "PE.Views.TableSettingsAdvanced.textAltTitle": "Title", "PE.Views.TableSettingsAdvanced.textBottom": "Bottom", + "PE.Views.TableSettingsAdvanced.textCenter": "Center", "PE.Views.TableSettingsAdvanced.textCheckMargins": "Use default margins", "PE.Views.TableSettingsAdvanced.textDefaultMargins": "Default Margins", + "PE.Views.TableSettingsAdvanced.textFrom": "From", + "PE.Views.TableSettingsAdvanced.textHeight": "Height", + "PE.Views.TableSettingsAdvanced.textHorizontal": "Horizontal", + "PE.Views.TableSettingsAdvanced.textKeepRatio": "Constant Proportions", "PE.Views.TableSettingsAdvanced.textLeft": "Left", "PE.Views.TableSettingsAdvanced.textMargins": "Cell Margins", + "PE.Views.TableSettingsAdvanced.textPlacement": "Placement", + "PE.Views.TableSettingsAdvanced.textPosition": "Position", "PE.Views.TableSettingsAdvanced.textRight": "Right", + "PE.Views.TableSettingsAdvanced.textSize": "Size", "PE.Views.TableSettingsAdvanced.textTitle": "Table - Advanced Settings", "PE.Views.TableSettingsAdvanced.textTop": "Top", - "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Margins", - "PE.Views.TableSettingsAdvanced.textPlacement": "Placement", - "PE.Views.TableSettingsAdvanced.textSize": "Size", - "PE.Views.TableSettingsAdvanced.textWidth": "Width", - "PE.Views.TableSettingsAdvanced.textHeight": "Height", - "PE.Views.TableSettingsAdvanced.textPosition": "Position", - "PE.Views.TableSettingsAdvanced.textHorizontal": "Horizontal", - "PE.Views.TableSettingsAdvanced.textVertical": "Vertical", - "PE.Views.TableSettingsAdvanced.textFrom": "From", "PE.Views.TableSettingsAdvanced.textTopLeftCorner": "Top Left Corner", - "PE.Views.TableSettingsAdvanced.textCenter": "Center", - "PE.Views.TableSettingsAdvanced.textKeepRatio": "Constant Proportions", + "PE.Views.TableSettingsAdvanced.textVertical": "Vertical", + "PE.Views.TableSettingsAdvanced.textWidth": "Width", + "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Margins", "PE.Views.TextArtSettings.strBackground": "Background color", "PE.Views.TextArtSettings.strColor": "Color", "PE.Views.TextArtSettings.strFill": "Fill", @@ -2228,6 +2261,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Insert video", "PE.Views.Toolbar.tipLineSpace": "Line spacing", "PE.Views.Toolbar.tipMarkers": "Bullets", + "PE.Views.Toolbar.tipMarkersArrow": "Arrow bullets", + "PE.Views.Toolbar.tipMarkersCheckmark": "Checkmark bullets", + "PE.Views.Toolbar.tipMarkersDash": "Dash bullets", + "PE.Views.Toolbar.tipMarkersFRhombus": "Filled rhombus bullets", + "PE.Views.Toolbar.tipMarkersFRound": "Filled round bullets", + "PE.Views.Toolbar.tipMarkersFSquare": "Filled square bullets", + "PE.Views.Toolbar.tipMarkersHRound": "Hollow round bullets", + "PE.Views.Toolbar.tipMarkersStar": "Star bullets", + "PE.Views.Toolbar.tipNone": "None", "PE.Views.Toolbar.tipNumbers": "Numbering", "PE.Views.Toolbar.tipPaste": "Paste", "PE.Views.Toolbar.tipPreview": "Start slideshow", diff --git a/apps/presentationeditor/main/locale/es.json b/apps/presentationeditor/main/locale/es.json index a54532638..0a3217fcc 100644 --- a/apps/presentationeditor/main/locale/es.json +++ b/apps/presentationeditor/main/locale/es.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Arco hacia abajo", "Common.define.effectData.textArcLeft": "Arco hacia a la izquierda", "Common.define.effectData.textArcRight": "Arco hacia la derecha", + "Common.define.effectData.textArcs": "Arcos", "Common.define.effectData.textArcUp": "Arco hacia arriba", "Common.define.effectData.textBasic": "Básico", "Common.define.effectData.textBasicSwivel": "Giro básico", @@ -98,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Disolver hacia fuera", "Common.define.effectData.textDown": "Abajo", "Common.define.effectData.textDrop": "Colocar", - "Common.define.effectData.textEmphasis": "Efecto de énfasis", - "Common.define.effectData.textEntrance": "Efecto de entrada", + "Common.define.effectData.textEmphasis": "Efectos de énfasis", + "Common.define.effectData.textEntrance": "Efectos de entrada", "Common.define.effectData.textEqualTriangle": "Triángulo equilátero", "Common.define.effectData.textExciting": "Llamativo", - "Common.define.effectData.textExit": "Efecto de salida", + "Common.define.effectData.textExit": "Efectos de salida", "Common.define.effectData.textExpand": "Expandir", "Common.define.effectData.textFade": "Desvanecer", "Common.define.effectData.textFigureFour": "Figura 8 cuatro veces", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "Hacia dentro", "Common.define.effectData.textInFromScreenCenter": "Aumentar desde el centro de pantalla", "Common.define.effectData.textInSlightly": "Acercar ligeramente", + "Common.define.effectData.textInToScreenBottom": "Acercar hacia parte inferior de la pantalla", "Common.define.effectData.textInvertedSquare": "Cuadrado invertido", "Common.define.effectData.textInvertedTriangle": "Triángulo invertido", "Common.define.effectData.textLeft": "Izquierda", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "Izquierda y arriba", "Common.define.effectData.textLighten": "Iluninar", "Common.define.effectData.textLineColor": "Color de línea", + "Common.define.effectData.textLines": "Líneas", "Common.define.effectData.textLinesCurves": "Líneas curvas", "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textLoops": "Bucles", "Common.define.effectData.textModerate": "Moderado", "Common.define.effectData.textNeutron": "Neutrón", "Common.define.effectData.textObjectCenter": "Centro del objeto", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "Hacia fuera", "Common.define.effectData.textOutFromScreenBottom": "Alejar desde la zona inferior de la pantalla", "Common.define.effectData.textOutSlightly": "Alejar ligeramente", + "Common.define.effectData.textOutToScreenCenter": "Alejar hacia el centro de la pantalla", "Common.define.effectData.textParallelogram": "Paralelogramo", - "Common.define.effectData.textPath": "Ruta de movimiento", + "Common.define.effectData.textPath": "Rutas de movimiento", "Common.define.effectData.textPeanut": "Cacahuete", "Common.define.effectData.textPeekIn": "Desplegar hacia arriba", "Common.define.effectData.textPeekOut": "Desplegar hacia abajo", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Curva S 1", "Common.define.effectData.textSCurve2": "Curva S 2", "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Formas", "Common.define.effectData.textShimmer": "Reflejos", "Common.define.effectData.textShrinkTurn": "Reducir y girar", "Common.define.effectData.textSineWave": "Sine Wave", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Trapecio", "Common.define.effectData.textTurnDown": "Giro hacia abajo", "Common.define.effectData.textTurnDownRight": "Girar hacia abajo y a la derecha", + "Common.define.effectData.textTurns": "Giros", "Common.define.effectData.textTurnUp": "Girar hacia arriba", "Common.define.effectData.textTurnUpRight": "Girar hacia arriba a la derecha", "Common.define.effectData.textUnderline": "Subrayar", @@ -238,7 +245,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Color personalizado", "Common.UI.ComboBorderSize.txtNoBorders": "Sin bordes", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sin bordes", "Common.UI.ComboDataView.emptyComboText": "Sin estilo", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listas con viñetas automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Añadir punto con doble espacio", "Common.Views.AutoCorrectDialog.textFLCells": "Poner en mayúsculas la primera letra de las celdas de la tabla", "Common.Views.AutoCorrectDialog.textFLSentence": "Poner en mayúscula la primera letra de una oración", "Common.Views.AutoCorrectDialog.textHyperlink": "Rutas de red e Internet por hipervínculos", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Resuelto", "Common.Views.Comments.textSort": "Ordenar comentarios", "Common.Views.Comments.textViewResolved": "No tiene permiso para volver a abrir el documento", + "Common.Views.Comments.txtEmpty": "Sin comentarios en el documento", "Common.Views.CopyWarningDialog.textDontShow": "No volver a mostrar este mensaje", "Common.Views.CopyWarningDialog.textMsg": "Se puede realizar las acciones de copiar, cortar y pegar usando los botones en la barra de herramientas y el menú contextual sólo en esta pestaña del editor.

        Si quiere copiar o pegar algo fuera de esta pestaña, usa las combinaciones de teclas siguientes:", "Common.Views.CopyWarningDialog.textTitle": "Funciones de Copiar, Cortar y Pegar", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Dseda", "PE.Controllers.Viewport.textFitPage": "Ajustar a la diapositiva", "PE.Controllers.Viewport.textFitWidth": "Ajustar al ancho", + "PE.Views.Animation.str0_5": "0,5 s (muy rápido)", + "PE.Views.Animation.str1": "1 s (rápido)", + "PE.Views.Animation.str2": "2 s (medio)", + "PE.Views.Animation.str20": "20 s (muy lento)", + "PE.Views.Animation.str3": "3 s (lento)", + "PE.Views.Animation.str5": "5 s (muy lento)", "PE.Views.Animation.strDelay": "Retraso", "PE.Views.Animation.strDuration": "Duración ", "PE.Views.Animation.strRepeat": "Repetir", "PE.Views.Animation.strRewind": "Rebobinar", "PE.Views.Animation.strStart": "Iniciar", "PE.Views.Animation.strTrigger": "Desencadenador", + "PE.Views.Animation.textAutoPreview": "Vista previa automática", "PE.Views.Animation.textMoreEffects": "Mostrar más efectos", "PE.Views.Animation.textMoveEarlier": "Mover antes", "PE.Views.Animation.textMoveLater": "Mover después", "PE.Views.Animation.textMultiple": "Múltiple", "PE.Views.Animation.textNone": "Ninguno", + "PE.Views.Animation.textNoRepeat": "(ninguno)", "PE.Views.Animation.textOnClickOf": "Al hacer clic con", "PE.Views.Animation.textOnClickSequence": "Secuencia de clics", "PE.Views.Animation.textStartAfterPrevious": "Después de la anterior", "PE.Views.Animation.textStartOnClick": "Al hacer clic", "PE.Views.Animation.textStartWithPrevious": "Con la anterior", + "PE.Views.Animation.textUntilEndOfSlide": "Hasta el final de la diapositiva", + "PE.Views.Animation.textUntilNextClick": "Hasta el siguiente clic", "PE.Views.Animation.txtAddEffect": "Agregar animación", "PE.Views.Animation.txtAnimationPane": "Panel de animación", "PE.Views.Animation.txtParameters": "Parámetros", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Cerrar menú", "PE.Views.FileMenu.btnCreateNewCaption": "Crear nuevo", "PE.Views.FileMenu.btnDownloadCaption": "Descargar como...", - "PE.Views.FileMenu.btnExitCaption": "Salir", + "PE.Views.FileMenu.btnExitCaption": "Cerrar", "PE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "PE.Views.FileMenu.btnHelpCaption": "Ayuda...", "PE.Views.FileMenu.btnHistoryCaption": "Historial de versiones", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunas de las firmas digitales en la presentación son inválidas o no se pudieron verificar. La presentación está protegida y no se puede editar.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver firmas", "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Activar guías de alineación", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Activar autorecuperación", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Activar autoguardado", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "El modo Co-edición", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Otros usuarios verán los cambios a la vez", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Usted tendrá que aceptar los cambios antes de poder verlos", "PE.Views.FileMenuPanels.Settings.strFast": "rápido", "PE.Views.FileMenuPanels.Settings.strFontRender": "Hinting", "PE.Views.FileMenuPanels.Settings.strForcesave": "Agregar la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Activar jeroglíficos", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ajustes de macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar y pegar", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar el botón Opciones de pegado cuando se pegue contenido", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Cambios de colaboración en tiempo real", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar corrección ortográfica", "PE.Views.FileMenuPanels.Settings.strStrict": "Estricto", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema de interfaz", "PE.Views.FileMenuPanels.Settings.strUnit": "Unidad de medida", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Insertar vídeo", "PE.Views.Toolbar.tipLineSpace": "Espaciado de línea", "PE.Views.Toolbar.tipMarkers": "Viñetas", + "PE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", + "PE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", + "PE.Views.Toolbar.tipMarkersDash": "Viñetas guión", + "PE.Views.Toolbar.tipMarkersFRhombus": "Rombos rellenos", + "PE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas rellenas", + "PE.Views.Toolbar.tipMarkersFSquare": "Viñetas cuadradas rellenas", + "PE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas huecas", + "PE.Views.Toolbar.tipMarkersStar": "Viñetas de estrella", + "PE.Views.Toolbar.tipNone": "Ninguno", "PE.Views.Toolbar.tipNumbers": "Numeración", "PE.Views.Toolbar.tipPaste": "Pegar", "PE.Views.Toolbar.tipPreview": "Iniciar presentación", diff --git a/apps/presentationeditor/main/locale/fi.json b/apps/presentationeditor/main/locale/fi.json index 314033f1e..877281a4c 100644 --- a/apps/presentationeditor/main/locale/fi.json +++ b/apps/presentationeditor/main/locale/fi.json @@ -6,6 +6,7 @@ "Common.Controllers.ExternalDiagramEditor.warningText": "Ohjekti ei ole käytössä koska toinen käyttäjä muokkaa sitä.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "Varoitus", "Common.UI.ButtonColored.textAutoColor": "Automaattinen", + "Common.UI.ButtonColored.textNewColor": "Lisää uusi mukautettu väri", "Common.UI.ComboBorderSize.txtNoBorders": "Ei reunuksia", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ei reunuksia", "Common.UI.ComboDataView.emptyComboText": "Ei tyylejä", @@ -891,17 +892,9 @@ "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "Suojaa esitys", "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Muokkaa esitystä", "PE.Views.FileMenuPanels.Settings.okButtonText": "Käytä", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Aseta päälle tasauksen oppaat", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Aseta päälle automaattinen palautus", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Aseta päälle automaattinen talletus", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Yhteismuokkauksen tila", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Muut käyttäjät näkevät muutoksesi välittömästi", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Sinun tulee hyväksyä muutokset ennenkuin näet ne", "PE.Views.FileMenuPanels.Settings.strFast": "Pika", "PE.Views.FileMenuPanels.Settings.strFontRender": "Fontin ehdotukset", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Aseta päälle hieroglyfit", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Reaaliaikaiset yhteistyöhön perustuvat muutokset ", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Aseta päälle oikeintarkistuksen tarkistu", "PE.Views.FileMenuPanels.Settings.strStrict": "Ehdoton", "PE.Views.FileMenuPanels.Settings.strUnit": "Mittausyksikkö", "PE.Views.FileMenuPanels.Settings.strZoom": "Suurennoksen oletusarvo", diff --git a/apps/presentationeditor/main/locale/fr.json b/apps/presentationeditor/main/locale/fr.json index b46c2bfb5..9b4623071 100644 --- a/apps/presentationeditor/main/locale/fr.json +++ b/apps/presentationeditor/main/locale/fr.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Arc vers le bas", "Common.define.effectData.textArcLeft": "Arc à gauche", "Common.define.effectData.textArcRight": "Arc à droite", + "Common.define.effectData.textArcs": "Arcs", "Common.define.effectData.textArcUp": "Arc vers le haut", "Common.define.effectData.textBasic": "Simple", "Common.define.effectData.textBasicSwivel": "Rotation de base", @@ -98,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Dissolution externe", "Common.define.effectData.textDown": "Bas", "Common.define.effectData.textDrop": "Déplacer", - "Common.define.effectData.textEmphasis": "Effet d’accentuation", - "Common.define.effectData.textEntrance": "Effet d’entrée", + "Common.define.effectData.textEmphasis": "Effets d’accentuation", + "Common.define.effectData.textEntrance": "Effets d’entrée", "Common.define.effectData.textEqualTriangle": "Triangle équilatéral", "Common.define.effectData.textExciting": "Captivant", - "Common.define.effectData.textExit": "Effet de sortie", + "Common.define.effectData.textExit": "Effets de sortie", "Common.define.effectData.textExpand": "Développer", "Common.define.effectData.textFade": "Fondu", "Common.define.effectData.textFigureFour": "Figure quatre 8", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "Vers l’intérieur", "Common.define.effectData.textInFromScreenCenter": "Avant depuis le centre de l’écran", "Common.define.effectData.textInSlightly": "Avant léger", + "Common.define.effectData.textInToScreenBottom": "Zoomer vers le bas de l'écran", "Common.define.effectData.textInvertedSquare": "Carré inversé", "Common.define.effectData.textInvertedTriangle": "Triangle inversé", "Common.define.effectData.textLeft": "Gauche", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "Gauche haut", "Common.define.effectData.textLighten": "Éclaircir", "Common.define.effectData.textLineColor": "Couleur du trait", + "Common.define.effectData.textLines": "Lignes", "Common.define.effectData.textLinesCurves": "Lignes сourbes", "Common.define.effectData.textLoopDeLoop": "Boucle", + "Common.define.effectData.textLoops": "Boucles", "Common.define.effectData.textModerate": "Modérer", "Common.define.effectData.textNeutron": "Neutron", "Common.define.effectData.textObjectCenter": "Centre de l’objet", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "Arrière", "Common.define.effectData.textOutFromScreenBottom": "Arrière depuis le bas de l’écran", "Common.define.effectData.textOutSlightly": "Arrière léger", + "Common.define.effectData.textOutToScreenCenter": "Diminuer au centre de l'écran", "Common.define.effectData.textParallelogram": "Parallélogramme", - "Common.define.effectData.textPath": "Trajectoire du mouvement", + "Common.define.effectData.textPath": "Trajectoires du mouvement", "Common.define.effectData.textPeanut": "Cacahuète", "Common.define.effectData.textPeekIn": "Insertion furtive", "Common.define.effectData.textPeekOut": "Sortie furtive", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Courbe S 1", "Common.define.effectData.textSCurve2": "Courbe S 2", "Common.define.effectData.textShape": "Forme", + "Common.define.effectData.textShapes": "Formes", "Common.define.effectData.textShimmer": "Miroiter", "Common.define.effectData.textShrinkTurn": "Rétrécir et faire pivoter", "Common.define.effectData.textSineWave": "Vague sinusoïdale", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Trapèze", "Common.define.effectData.textTurnDown": "Tourner vers le bas", "Common.define.effectData.textTurnDownRight": "Tourner vers le bas à droite", + "Common.define.effectData.textTurns": "Tours", "Common.define.effectData.textTurnUp": "Tourner vers le haut", "Common.define.effectData.textTurnUpRight": "Tourner vers le haut à droite", "Common.define.effectData.textUnderline": "Souligner", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listes à puces automatiques", "Common.Views.AutoCorrectDialog.textBy": "Par", "Common.Views.AutoCorrectDialog.textDelete": "Supprimer", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Ajouter un point avec un double espace", "Common.Views.AutoCorrectDialog.textFLCells": "Mettre la première lettre des cellules du tableau en majuscule", "Common.Views.AutoCorrectDialog.textFLSentence": "Majuscule en début de phrase", "Common.Views.AutoCorrectDialog.textHyperlink": "Adresses Internet et réseau avec des liens hypertextes", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Résolu", "Common.Views.Comments.textSort": "Trier les commentaires", "Common.Views.Comments.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", + "Common.Views.Comments.txtEmpty": "Il n'y a pas de commentaires dans le document.", "Common.Views.CopyWarningDialog.textDontShow": "Ne plus afficher ce message", "Common.Views.CopyWarningDialog.textMsg": "Vous pouvez réaliser les actions de copier, couper et coller en utilisant les boutons de la barre d'outils et à l'aide du menu contextuel à partir de cet onglet uniquement.

        Pour copier ou coller de / vers les applications en dehors de l'onglet de l'éditeur, utilisez les combinaisons de touches suivantes :", "Common.Views.CopyWarningDialog.textTitle": "Fonctions de Copier, Couper et Coller", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zêta", "PE.Controllers.Viewport.textFitPage": "Ajuster à la diapositive", "PE.Controllers.Viewport.textFitWidth": "Ajuster à la largeur", + "PE.Views.Animation.str0_5": "0,5 s (très rapide)", + "PE.Views.Animation.str1": "1 s (Rapide)", + "PE.Views.Animation.str2": "2 s (Moyen)", + "PE.Views.Animation.str20": "20 s (Extrêmement lent)", + "PE.Views.Animation.str3": "3 s (Lent)", + "PE.Views.Animation.str5": "5 s (Très lent)", "PE.Views.Animation.strDelay": "Retard", "PE.Views.Animation.strDuration": "Durée", "PE.Views.Animation.strRepeat": "Répéter", "PE.Views.Animation.strRewind": "Rembobiner", "PE.Views.Animation.strStart": "Démarrer", "PE.Views.Animation.strTrigger": "Déclencheur", + "PE.Views.Animation.textAutoPreview": "Aperçu partiel", "PE.Views.Animation.textMoreEffects": "Afficher plus d'effets", "PE.Views.Animation.textMoveEarlier": "Déplacer avant", "PE.Views.Animation.textMoveLater": "Déplacer après", "PE.Views.Animation.textMultiple": "Multiple ", "PE.Views.Animation.textNone": "Aucun", + "PE.Views.Animation.textNoRepeat": "(aucun)", "PE.Views.Animation.textOnClickOf": "Au clic sur", "PE.Views.Animation.textOnClickSequence": "Séquence de clics", - "PE.Views.Animation.textStartAfterPrevious": "Après le précédent", + "PE.Views.Animation.textStartAfterPrevious": "Après la précédente", "PE.Views.Animation.textStartOnClick": "Au clic", "PE.Views.Animation.textStartWithPrevious": "Avec la précédente", + "PE.Views.Animation.textUntilEndOfSlide": "Jusqu’à la fin de la diapositive", + "PE.Views.Animation.textUntilNextClick": "Jusqu’au clic suivant", "PE.Views.Animation.txtAddEffect": "Ajouter une animation", "PE.Views.Animation.txtAnimationPane": "Volet Animation", "PE.Views.Animation.txtParameters": "Paramètres", @@ -1379,7 +1398,7 @@ "PE.Views.DocumentHolder.textArrangeFront": "Mettre au premier plan", "PE.Views.DocumentHolder.textCopy": "Copier", "PE.Views.DocumentHolder.textCrop": "Rogner", - "PE.Views.DocumentHolder.textCropFill": "Remplissage", + "PE.Views.DocumentHolder.textCropFill": "Remplir", "PE.Views.DocumentHolder.textCropFit": "Ajuster", "PE.Views.DocumentHolder.textCut": "Couper", "PE.Views.DocumentHolder.textDistributeCols": "Distribuer les colonnes", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Fermer le menu", "PE.Views.FileMenu.btnCreateNewCaption": "Nouvelle présentation", "PE.Views.FileMenu.btnDownloadCaption": "Télécharger comme...", - "PE.Views.FileMenu.btnExitCaption": "Quitter", + "PE.Views.FileMenu.btnExitCaption": "Fermer", "PE.Views.FileMenu.btnFileOpenCaption": "Ouvrir...", "PE.Views.FileMenu.btnHelpCaption": "Aide...", "PE.Views.FileMenu.btnHistoryCaption": "Historique des versions", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Des signatures électroniques sont non valides ou n'ont pas pu être vérifiées. Le document est protégé contre la modification.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Voir les signatures", "PE.Views.FileMenuPanels.Settings.okButtonText": "Appliquer", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Activer les repères d'alignement", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Activer la récupération automatique", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Activer l'enregistrement automatique", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode de co-édition ", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Les autres utilisateurs pourront voir immédiatement vos modifications ", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Avant de pouvoir afficher les modifications, vous avez besoin de les accépter ", "PE.Views.FileMenuPanels.Settings.strFast": "Rapide", "PE.Views.FileMenuPanels.Settings.strFontRender": "Hinting de la police", "PE.Views.FileMenuPanels.Settings.strForcesave": "Ajouter une version dans l'espace de stockage en cliquant Enregistrer ou Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Activer les hiéroglyphes", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Réglages macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Couper, copier et coller", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Afficher le bouton \"Options de collage\" lorsque le contenu est collé ", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Visibilité des modifications en co-édition", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activer l'option de vérification de l’orthographe", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strTheme": "Thème d’interface", "PE.Views.FileMenuPanels.Settings.strUnit": "Unité de mesure", @@ -2131,7 +2142,7 @@ "PE.Views.Toolbar.textTabInsert": "Insertion", "PE.Views.Toolbar.textTabProtect": "Protection", "PE.Views.Toolbar.textTabTransitions": "Transitions", - "PE.Views.Toolbar.textTabView": "Afficher", + "PE.Views.Toolbar.textTabView": "Affichage", "PE.Views.Toolbar.textTitleError": "Erreur", "PE.Views.Toolbar.textUnderline": "Souligné", "PE.Views.Toolbar.tipAddSlide": "Ajouter diapositive", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Insérer vidéo", "PE.Views.Toolbar.tipLineSpace": "Interligne", "PE.Views.Toolbar.tipMarkers": "Puces", + "PE.Views.Toolbar.tipMarkersArrow": "Puces fléchées", + "PE.Views.Toolbar.tipMarkersCheckmark": "Puces coches", + "PE.Views.Toolbar.tipMarkersDash": "Tirets", + "PE.Views.Toolbar.tipMarkersFRhombus": "Losanges remplis", + "PE.Views.Toolbar.tipMarkersFRound": "Puces arrondies remplies", + "PE.Views.Toolbar.tipMarkersFSquare": "Puces carrées remplies", + "PE.Views.Toolbar.tipMarkersHRound": "Puces rondes vides", + "PE.Views.Toolbar.tipMarkersStar": "Puces en étoile", + "PE.Views.Toolbar.tipNone": "Aucun", "PE.Views.Toolbar.tipNumbers": "Numérotation", "PE.Views.Toolbar.tipPaste": "Coller", "PE.Views.Toolbar.tipPreview": "Démarrer le diaporama", diff --git a/apps/presentationeditor/main/locale/gl.json b/apps/presentationeditor/main/locale/gl.json index fbf7977bc..332848093 100644 --- a/apps/presentationeditor/main/locale/gl.json +++ b/apps/presentationeditor/main/locale/gl.json @@ -238,7 +238,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear unha copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Engadir nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.ComboBorderSize.txtNoBorders": "Sen bordos", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sen bordos", "Common.UI.ComboDataView.emptyComboText": "Sen estilo", @@ -1569,21 +1569,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunhas das sinaturas dixitais na presentación son inválidas ou non se puideron verificar. A presentación está protexida e non se pode editar.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver sinaturas", "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Activar guías de aliñación", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Activar autorecuperación", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Activar autogardado", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "O modo Co-edición", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Outras persoas usuarias verán os cambios á vez", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Terá que aceptar os cambios antes de poder velos", "PE.Views.FileMenuPanels.Settings.strFast": "Rápido", "PE.Views.FileMenuPanels.Settings.strFontRender": "Busca das fontes", "PE.Views.FileMenuPanels.Settings.strForcesave": "Engadir a versión ao almacenamento despois de premer en Gardar ou Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Activar xeroglíficos", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configuración das macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar e pegar", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Amosar o botón Opcións de pegado cando se pegue contido", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Cambios de colaboración en tempo real", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activar corrección ortográfica", "PE.Views.FileMenuPanels.Settings.strStrict": "Estrito", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema da interface", "PE.Views.FileMenuPanels.Settings.strUnit": "Unidade de medida", @@ -2168,6 +2160,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Inserir vídeo", "PE.Views.Toolbar.tipLineSpace": "Espazo entre liñas", "PE.Views.Toolbar.tipMarkers": "Viñetas", + "PE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", + "PE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", + "PE.Views.Toolbar.tipMarkersDash": "Viñetas guión", + "PE.Views.Toolbar.tipMarkersFRhombus": "Rombos recheos", + "PE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas recheas", + "PE.Views.Toolbar.tipMarkersFSquare": "Viñetas cadradas recheas", + "PE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas ocas", + "PE.Views.Toolbar.tipMarkersStar": "Viñetas de estrela", "PE.Views.Toolbar.tipNumbers": "Numeración", "PE.Views.Toolbar.tipPaste": "Pegar", "PE.Views.Toolbar.tipPreview": "Iniciar presentación", diff --git a/apps/presentationeditor/main/locale/hu.json b/apps/presentationeditor/main/locale/hu.json index 9ac5a3b5d..78bd2b90b 100644 --- a/apps/presentationeditor/main/locale/hu.json +++ b/apps/presentationeditor/main/locale/hu.json @@ -47,10 +47,31 @@ "Common.define.chartData.textScatterSmoothMarker": "Szórás sima vonalakkal és jelölőkkel", "Common.define.chartData.textStock": "Részvény", "Common.define.chartData.textSurface": "Felület", + "Common.define.effectData.textAcross": "Keresztül", + "Common.define.effectData.textAppear": "Megjelen", + "Common.define.effectData.textArcDown": "Lefelé ívelő", + "Common.define.effectData.textArcLeft": "Balra ívelő", + "Common.define.effectData.textArcRight": "Jobbra ívelő", + "Common.define.effectData.textArcs": "Ívek", + "Common.define.effectData.textArcUp": "Felfelé ívelő", + "Common.define.effectData.textBasic": "Alap", + "Common.define.effectData.textBasicSwivel": "Alap forgó", + "Common.define.effectData.textBasicZoom": "Alapvető zoom", + "Common.define.effectData.textBean": "Bab", "Common.define.effectData.textLeftDown": "Balra le", "Common.define.effectData.textLeftUp": "Balra fel", + "Common.define.effectData.textPointStar": "Ágas csillag", + "Common.define.effectData.textPointStar4": "4 ágú csillag", + "Common.define.effectData.textPointStar5": "5 ágú csillag", + "Common.define.effectData.textPointStar6": "6 ágú csillag", + "Common.define.effectData.textPointStar8": "8 ágú csillag", "Common.define.effectData.textRightDown": "Jobbra le", "Common.define.effectData.textRightUp": "Jobbra fel", + "Common.define.effectData.textSpoke1": "1 küllő", + "Common.define.effectData.textSpoke2": "2 küllő", + "Common.define.effectData.textSpoke3": "3 küllő", + "Common.define.effectData.textSpoke4": "4 küllő", + "Common.define.effectData.textSpoke8": "8 küllő", "Common.Translation.warnFileLocked": "A fájlt egy másik alkalmazásban szerkesztik. Folytathatja a szerkesztést és elmentheti másolatként.", "Common.Translation.warnFileLockedBtnEdit": "Másolat létrehozása", "Common.Translation.warnFileLockedBtnView": "Megnyitás megtekintéshez", @@ -108,6 +129,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Automatikus felsorolásos listák", "Common.Views.AutoCorrectDialog.textBy": "Által", "Common.Views.AutoCorrectDialog.textDelete": "Törlés", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Pont hozzáadása dupla szóközzel", "Common.Views.AutoCorrectDialog.textFLSentence": "A mondatok nagy betűvel kezdődjenek", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet és hálózati utak hiperhivatkozásokkal", "Common.Views.AutoCorrectDialog.textHyphens": "Kötőjelek (--) gondolatjellel (—)", @@ -139,6 +161,7 @@ "Common.Views.Comments.textAddComment": "Megjegyzés hozzáadása", "Common.Views.Comments.textAddCommentToDoc": "Megjegyzés hozzáadása a dokumentumhoz", "Common.Views.Comments.textAddReply": "Válasz hozzáadása", + "Common.Views.Comments.textAll": "Összes", "Common.Views.Comments.textAnonym": "Vendég", "Common.Views.Comments.textCancel": "Mégse", "Common.Views.Comments.textClose": "Bezár", @@ -526,14 +549,14 @@ "PE.Controllers.Main.txtShape_actionButtonMovie": "Filmklip gomb", "PE.Controllers.Main.txtShape_actionButtonReturn": "Visszatérés gomb", "PE.Controllers.Main.txtShape_actionButtonSound": "Hang gomb", - "PE.Controllers.Main.txtShape_arc": "Körív", + "PE.Controllers.Main.txtShape_arc": "Ív", "PE.Controllers.Main.txtShape_bentArrow": "Hajlított nyíl", "PE.Controllers.Main.txtShape_bentConnector5": "Könyökcsatlakozó", "PE.Controllers.Main.txtShape_bentConnector5WithArrow": "Tört összekötő nyíl", "PE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Tört dupla összekötő nyíl", "PE.Controllers.Main.txtShape_bentUpArrow": "Felhajlított nyíl", "PE.Controllers.Main.txtShape_bevel": "Tompaszög", - "PE.Controllers.Main.txtShape_blockArc": "Körív blokk", + "PE.Controllers.Main.txtShape_blockArc": "Ív blokk", "PE.Controllers.Main.txtShape_borderCallout1": "1. vonalfelirat", "PE.Controllers.Main.txtShape_borderCallout2": "2. szövegbuborék", "PE.Controllers.Main.txtShape_borderCallout3": "3. szövegbuborék", @@ -654,16 +677,16 @@ "PE.Controllers.Main.txtShape_snip2SameRect": "Egy oldalon lemetszett sarkú téglalap", "PE.Controllers.Main.txtShape_snipRoundRect": "Lemetszett és egy oldalon lekerekített téglalap", "PE.Controllers.Main.txtShape_spline": "Görbe", - "PE.Controllers.Main.txtShape_star10": "10 pontos csillag", - "PE.Controllers.Main.txtShape_star12": "12 pontos csillag", - "PE.Controllers.Main.txtShape_star16": "16 pontos csillag", - "PE.Controllers.Main.txtShape_star24": "24 pontos csillag", - "PE.Controllers.Main.txtShape_star32": "32 pontos csillag", - "PE.Controllers.Main.txtShape_star4": "4 pontos csillag", - "PE.Controllers.Main.txtShape_star5": "5 pontos csillag", - "PE.Controllers.Main.txtShape_star6": "6 pontos csillag", - "PE.Controllers.Main.txtShape_star7": "7 pontos csillag", - "PE.Controllers.Main.txtShape_star8": "8 pontos csillag", + "PE.Controllers.Main.txtShape_star10": "10-ágú csillag", + "PE.Controllers.Main.txtShape_star12": "12-ágú csillag", + "PE.Controllers.Main.txtShape_star16": "16-ágú csillag", + "PE.Controllers.Main.txtShape_star24": "24-ágú csillag", + "PE.Controllers.Main.txtShape_star32": "32-ágú csillag", + "PE.Controllers.Main.txtShape_star4": "4-ágú csillag", + "PE.Controllers.Main.txtShape_star5": "5-ágú csillag", + "PE.Controllers.Main.txtShape_star6": "6-ágú csillag", + "PE.Controllers.Main.txtShape_star7": "7-ágú csillag", + "PE.Controllers.Main.txtShape_star8": "8-ágú csillag", "PE.Controllers.Main.txtShape_stripedRightArrow": "Csíkos jobb nyíl", "PE.Controllers.Main.txtShape_sun": "Vas", "PE.Controllers.Main.txtShape_teardrop": "Könnycsepp", @@ -1091,6 +1114,17 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Dzéta", "PE.Controllers.Viewport.textFitPage": "A diához igazít", "PE.Controllers.Viewport.textFitWidth": "Szélességhez igazít", + "PE.Views.Animation.str0_5": "0,5 s (nagyon gyors)", + "PE.Views.Animation.str1": "1 s (gyors)", + "PE.Views.Animation.str2": "2 s (közepes)", + "PE.Views.Animation.str20": "20 s (rendkívül lassú)", + "PE.Views.Animation.str3": "3 s (lassú)", + "PE.Views.Animation.str5": "5 s (nagyon lassú)", + "PE.Views.Animation.textAutoPreview": "AutoElőnézet", + "PE.Views.Animation.textNoRepeat": "(nincs)", + "PE.Views.Animation.textStartAfterPrevious": "Az előző után", + "PE.Views.Animation.txtAddEffect": "Animáció hozzáadása", + "PE.Views.Animation.txtAnimationPane": "Animációs sáv", "PE.Views.ChartSettings.textAdvanced": "Speciális beállítások megjelenítése", "PE.Views.ChartSettings.textChartType": "Diagramtípus módosítása", "PE.Views.ChartSettings.textEditData": "Adat szerkesztése", @@ -1352,21 +1386,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "A prezentációban szereplő digitális aláírások némelyike érvénytelen vagy nem ellenőrizhető. A prezentáció védve van a szerkesztéstől.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Aláírások megtekintése", "PE.Views.FileMenuPanels.Settings.okButtonText": "Alkalmaz", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Elrendezési segéd bekapcsolása", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Automatikus visszaállítás bekapcsolása", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Automatikus mentés bekapcsolása", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Együttes szerkesztési mód", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Más felhasználók azonnal látják a módosításokat", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "El kell fogadnia a módosításokat mielőtt meg tudná nézni", "PE.Views.FileMenuPanels.Settings.strFast": "Gyors", "PE.Views.FileMenuPanels.Settings.strFontRender": "Betűtípus ajánlás", "PE.Views.FileMenuPanels.Settings.strForcesave": "A Mentés vagy a Ctrl+S gomb megnyomása után adja hozzá a verziót a tárhelyhez", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Hieroglifák bekapcsolása", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makró beállítások", "PE.Views.FileMenuPanels.Settings.strPaste": "Kivágás, másolás és beillesztés", "PE.Views.FileMenuPanels.Settings.strPasteButton": "A tartalom beillesztésekor jelenítse meg a beillesztési beállítások gombot", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Valós idejű együttműködés módosításai", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Helyesírás-ellenőrzés bekapcsolása", "PE.Views.FileMenuPanels.Settings.strStrict": "Biztonságos", "PE.Views.FileMenuPanels.Settings.strTheme": "Felhasználói felület témája", "PE.Views.FileMenuPanels.Settings.strUnit": "Mérési egység", @@ -1903,6 +1929,7 @@ "PE.Views.Toolbar.textStrikeout": "Áthúzott", "PE.Views.Toolbar.textSubscript": "Alsó index", "PE.Views.Toolbar.textSuperscript": "Felső index", + "PE.Views.Toolbar.textTabAnimation": "Animáció", "PE.Views.Toolbar.textTabCollaboration": "Együttműködés", "PE.Views.Toolbar.textTabFile": "Fájl", "PE.Views.Toolbar.textTabHome": "Kezdőlap", @@ -1945,6 +1972,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Videó beszúrása", "PE.Views.Toolbar.tipLineSpace": "Sortávolság", "PE.Views.Toolbar.tipMarkers": "Felsorolás", + "PE.Views.Toolbar.tipMarkersArrow": "Nyíl felsorolásjelek", + "PE.Views.Toolbar.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", + "PE.Views.Toolbar.tipMarkersDash": "Kötőjel felsorolásjelek", + "PE.Views.Toolbar.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", + "PE.Views.Toolbar.tipMarkersFRound": "Tömör kör felsorolásjelek", + "PE.Views.Toolbar.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", + "PE.Views.Toolbar.tipMarkersHRound": "Üreges kör felsorolásjelek", + "PE.Views.Toolbar.tipMarkersStar": "Csillag felsorolásjelek", "PE.Views.Toolbar.tipNumbers": "Számozás", "PE.Views.Toolbar.tipPaste": "Beilleszt", "PE.Views.Toolbar.tipPreview": "Diavetítés elindítása", @@ -2023,5 +2058,6 @@ "PE.Views.Transitions.txtApplyToAll": "Minden diára alkalmaz", "PE.Views.Transitions.txtParameters": "Paraméterek", "PE.Views.Transitions.txtPreview": "Előnézet", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Mindig mutasd az eszköztárat" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/id.json b/apps/presentationeditor/main/locale/id.json index e3e328972..5916b4f0e 100644 --- a/apps/presentationeditor/main/locale/id.json +++ b/apps/presentationeditor/main/locale/id.json @@ -1,327 +1,959 @@ { - "Common.Controllers.Chat.notcriticalErrorTitle": "Warning", - "Common.Controllers.Chat.textEnterMessage": "Enter your message here", - "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Anonymous", - "Common.Controllers.ExternalDiagramEditor.textClose": "Close", - "Common.Controllers.ExternalDiagramEditor.warningText": "The object is disabled because it is being edited by another user.", - "Common.Controllers.ExternalDiagramEditor.warningTitle": "Warning", - "Common.define.chartData.textArea": "Grafik Area", + "Common.Controllers.Chat.notcriticalErrorTitle": "Peringatan", + "Common.Controllers.Chat.textEnterMessage": "Tuliskan pesan Anda di sini", + "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Anonim", + "Common.Controllers.ExternalDiagramEditor.textClose": "Tutup", + "Common.Controllers.ExternalDiagramEditor.warningText": "Obyek dinonaktifkan karena sedang diedit oleh pengguna lain.", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "Peringatan", + "Common.define.chartData.textArea": "Area", + "Common.define.chartData.textAreaStacked": "Area yang ditumpuk", + "Common.define.chartData.textAreaStackedPer": "Area bertumpuk 100%", "Common.define.chartData.textBar": "Palang", + "Common.define.chartData.textBarNormal": "Grafik kolom klaster", + "Common.define.chartData.textBarNormal3d": "Kolom cluster 3-D", + "Common.define.chartData.textBarNormal3dPerspective": "Kolom 3-D", + "Common.define.chartData.textBarStacked": "Diagram kolom bertumpuk", + "Common.define.chartData.textBarStacked3d": "Kolom bertumpuk 3-D", + "Common.define.chartData.textBarStackedPer": "Kolom bertumpuk 100%", + "Common.define.chartData.textBarStackedPer3d": "Kolom bertumpuk 100% 3-D", "Common.define.chartData.textCharts": "Bagan", "Common.define.chartData.textColumn": "Kolom", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Area yang ditumpuk - kolom klaster", + "Common.define.chartData.textComboBarLine": "Grafik kolom klaster - garis", + "Common.define.chartData.textComboBarLineSecondary": "Grafik kolom klaster - garis pada sumbu sekunder", + "Common.define.chartData.textComboCustom": "Custom kombinasi", + "Common.define.chartData.textDoughnut": "Doughnut", + "Common.define.chartData.textHBarNormal": "Grafik batang klaster", + "Common.define.chartData.textHBarNormal3d": "Diagram Batang Cluster 3-D", + "Common.define.chartData.textHBarStacked": "Diagram batang bertumpuk", + "Common.define.chartData.textHBarStacked3d": "Diagram batang bertumpuk 3-D", + "Common.define.chartData.textHBarStackedPer": "Diagram batang bertumpuk 100%", + "Common.define.chartData.textHBarStackedPer3d": "Diagram batang bertumpuk 100% 3-D", "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textLine3d": "Garis 3-D", + "Common.define.chartData.textLineMarker": "Garis dengan tanda", + "Common.define.chartData.textLineStacked": "Diagram garis bertumpuk", + "Common.define.chartData.textLineStackedMarker": "Diagram garis bertumpuk dengan marker", + "Common.define.chartData.textLineStackedPer": "Garis bertumpuk 100%", + "Common.define.chartData.textLineStackedPerMarker": "Garis bertumpuk 100% dengan marker", + "Common.define.chartData.textPie": "Diagram Lingkaran", + "Common.define.chartData.textPie3d": "Pie 3-D", + "Common.define.chartData.textPoint": "XY (Scatter)", + "Common.define.chartData.textScatter": "Sebar", + "Common.define.chartData.textScatterLine": "Diagram sebar dengan garis lurus", + "Common.define.chartData.textScatterLineMarker": "Diagram sebar dengan garis lurus dan marker", + "Common.define.chartData.textScatterSmooth": "Diagram sebar dengan garis mulus", + "Common.define.chartData.textScatterSmoothMarker": "Diagram sebar dengan garis mulus dan marker", "Common.define.chartData.textStock": "Diagram Garis", - "Common.define.effectData.textFillColor": "Fill Color", + "Common.define.chartData.textSurface": "Permukaan", + "Common.define.effectData.textAcross": "Melintasi", + "Common.define.effectData.textAppear": "Muncul", + "Common.define.effectData.textArcDown": "Arc Bawah", + "Common.define.effectData.textArcLeft": "Arc Kiri", + "Common.define.effectData.textArcRight": "Arc Kanan", + "Common.define.effectData.textArcUp": "Arc Atas", + "Common.define.effectData.textBasic": "Dasar", + "Common.define.effectData.textBasicSwivel": "Swivel Dasar", + "Common.define.effectData.textBasicZoom": "Zoom Dasar", + "Common.define.effectData.textBean": "Bean", + "Common.define.effectData.textBlinds": "Blinds", + "Common.define.effectData.textBlink": "Blink", + "Common.define.effectData.textBoldFlash": "Flash Tebal", + "Common.define.effectData.textBoldReveal": "Reveal Tebal", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Bounce", + "Common.define.effectData.textBounceLeft": "Bounce Kiri", + "Common.define.effectData.textBounceRight": "Bounce Kanan", + "Common.define.effectData.textBox": "Kotak", + "Common.define.effectData.textBrushColor": "Warna Kuas", + "Common.define.effectData.textCenterRevolve": "Putar Tengah", + "Common.define.effectData.textCheckerboard": "Checkerboard", + "Common.define.effectData.textCircle": "Lingkaran", + "Common.define.effectData.textCollapse": "Collapse", + "Common.define.effectData.textColorPulse": "Skema Warna", + "Common.define.effectData.textComplementaryColor": "Warna Pelengkap", + "Common.define.effectData.textComplementaryColor2": "Warna Pelengkap 2", + "Common.define.effectData.textCompress": "Tekan", + "Common.define.effectData.textContrast": "Kontras", + "Common.define.effectData.textContrastingColor": "Warna Kontras", + "Common.define.effectData.textCredits": "Kredit", + "Common.define.effectData.textCrescentMoon": "Bulan Sabit", + "Common.define.effectData.textCurveDown": "Lengkung Kebawah", + "Common.define.effectData.textCurvedSquare": "Persegi Melengkung", + "Common.define.effectData.textCurvedX": "Lengkung X", + "Common.define.effectData.textCurvyLeft": "Kiri Melengkung", + "Common.define.effectData.textCurvyRight": "Kanan Melengkung", + "Common.define.effectData.textCurvyStar": "Bintang Melengkung", + "Common.define.effectData.textCustomPath": "Atur Jalur", + "Common.define.effectData.textCuverUp": "Lengkung Keatas", + "Common.define.effectData.textDarken": "Gelapkan", + "Common.define.effectData.textDecayingWave": "Gelombang Luruh", + "Common.define.effectData.textDesaturate": "Desaturasi", + "Common.define.effectData.textDiagonalDownRight": "Diagonal Bawah Kanan", + "Common.define.effectData.textDiagonalUpRight": "Diagonal Atas Kanan", + "Common.define.effectData.textDiamond": "Diamond", + "Common.define.effectData.textDisappear": "Menghilang", + "Common.define.effectData.textDissolveIn": "Melebur Kedalam", + "Common.define.effectData.textDissolveOut": "Melebur Keluar", + "Common.define.effectData.textDown": "Bawah", + "Common.define.effectData.textDrop": "Drop", + "Common.define.effectData.textEmphasis": "Efek Penekanan", + "Common.define.effectData.textEntrance": "Efek Masuk", + "Common.define.effectData.textEqualTriangle": "Segitiga Sama Sisi", + "Common.define.effectData.textExciting": "Exciting", + "Common.define.effectData.textExit": "Keluar Efek", + "Common.define.effectData.textExpand": "Perluas", + "Common.define.effectData.textFade": "Pudar", + "Common.define.effectData.textFigureFour": "Figure 8 Four", + "Common.define.effectData.textFillColor": "Isi Warna", + "Common.define.effectData.textFlip": "Flip", + "Common.define.effectData.textFloat": "Mengambang", + "Common.define.effectData.textFloatDown": "Mengambang Kebawah", + "Common.define.effectData.textFloatIn": "Mengambang Kedalam", + "Common.define.effectData.textFloatOut": "Mengambang Keluar", + "Common.define.effectData.textFloatUp": "Mengambang Keatas", + "Common.define.effectData.textFlyIn": "Terbang Kedalam", + "Common.define.effectData.textFlyOut": "Terbang Keluar", "Common.define.effectData.textFontColor": "Warna Huruf", + "Common.define.effectData.textFootball": "Football", + "Common.define.effectData.textFromBottom": "Dari Bawah", + "Common.define.effectData.textFromBottomLeft": "Dari Bawah-Kiri", + "Common.define.effectData.textFromBottomRight": "Dari Bawah-Kanan", + "Common.define.effectData.textFromLeft": "Dari Kiri", + "Common.define.effectData.textFromRight": "Dari Kanan", + "Common.define.effectData.textFromTop": "Dari Atas", + "Common.define.effectData.textFromTopLeft": "Dari Atas-Kiri", + "Common.define.effectData.textFromTopRight": "Dari Atas-Kanan", + "Common.define.effectData.textFunnel": "Funnel", + "Common.define.effectData.textGrowShrink": "Grow/Shrink", + "Common.define.effectData.textGrowTurn": "Grow & Turn", + "Common.define.effectData.textGrowWithColor": "Grow Dengan Warna", + "Common.define.effectData.textHeart": "Hati", + "Common.define.effectData.textHeartbeat": "Heartbeat", + "Common.define.effectData.textHexagon": "Heksagon", "Common.define.effectData.textHorizontal": "Horisontal", + "Common.define.effectData.textHorizontalFigure": "Figure 8 Horizontal", + "Common.define.effectData.textHorizontalIn": "Horizontal Masuk", + "Common.define.effectData.textHorizontalOut": "Horizontal Keluar", "Common.define.effectData.textIn": "Dalam", + "Common.define.effectData.textInFromScreenCenter": "Di Dari Pusat Layar", + "Common.define.effectData.textInSlightly": "Di Sedikit", + "Common.define.effectData.textInvertedSquare": "Persegi Terbalik", + "Common.define.effectData.textInvertedTriangle": "Segitiga Terbalik", "Common.define.effectData.textLeft": "Kiri", + "Common.define.effectData.textLeftDown": "Kiri Bawah", + "Common.define.effectData.textLeftUp": "Kiri Atas", + "Common.define.effectData.textLighten": "Lighten", + "Common.define.effectData.textLineColor": "Warna Garis", + "Common.define.effectData.textLines": "Garis", + "Common.define.effectData.textLinesCurves": "Garis Melengkung", + "Common.define.effectData.textLoopDeLoop": "Loop de Loop", + "Common.define.effectData.textModerate": "Moderat", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Pusat Objek", + "Common.define.effectData.textObjectColor": "Warna Objek", + "Common.define.effectData.textOctagon": "Oktagon", + "Common.define.effectData.textOut": "Luar", + "Common.define.effectData.textOutFromScreenBottom": "Keluar Dari Bawah Screen", + "Common.define.effectData.textOutSlightly": "Keluar Sedikit", + "Common.define.effectData.textParallelogram": "Parallelogram", + "Common.define.effectData.textPeanut": "Peanut", + "Common.define.effectData.textPeekIn": "Intip Masuk", + "Common.define.effectData.textPeekOut": "Intip Keluar", + "Common.define.effectData.textPentagon": "Pentagon", + "Common.define.effectData.textPinwheel": "Pinwheel", "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Bintang Titik", + "Common.define.effectData.textPointStar4": "Bintang Titik-4", + "Common.define.effectData.textPointStar5": "Bintang Titik-5", + "Common.define.effectData.textPointStar6": "Bintang Titik-6", + "Common.define.effectData.textPointStar8": "Bintang Titik-8", + "Common.define.effectData.textPulse": "Pulse", + "Common.define.effectData.textRandomBars": "Bar Acak ", "Common.define.effectData.textRight": "Kanan", + "Common.define.effectData.textRightDown": "Kanan Bawah", + "Common.define.effectData.textRightTriangle": "Segitiga Siku-Siku", + "Common.define.effectData.textRightUp": "Kanan Atas", + "Common.define.effectData.textRiseUp": "Bangkit", + "Common.define.effectData.textSCurve1": "S Curve 1", + "Common.define.effectData.textSCurve2": "S Curve 2", + "Common.define.effectData.textShape": "Bentuk", + "Common.define.effectData.textShapes": "Bentuk", + "Common.define.effectData.textShimmer": "Berkilau", + "Common.define.effectData.textShrinkTurn": "Shrink & Turn", + "Common.define.effectData.textSineWave": "Sine Wave", + "Common.define.effectData.textSinkDown": "Sink Down", + "Common.define.effectData.textSlideCenter": "Pusat Slide", + "Common.define.effectData.textSpecial": "Spesial", + "Common.define.effectData.textSpin": "Spin", + "Common.define.effectData.textSpinner": "Spinner", + "Common.define.effectData.textSpiralIn": "Spiral Masuk", + "Common.define.effectData.textSpiralLeft": "Spiral Kiri", + "Common.define.effectData.textSpiralOut": "Spiral Keluar", + "Common.define.effectData.textSpiralRight": "Spiral Kanan", + "Common.define.effectData.textSplit": "Split", + "Common.define.effectData.textSpoke1": "1 Spoke", + "Common.define.effectData.textSpoke2": "2 Spoke", + "Common.define.effectData.textSpoke3": "3 Spoke", + "Common.define.effectData.textSpoke4": "4 Spoke", + "Common.define.effectData.textSpoke8": "8 Spoke", + "Common.define.effectData.textSpring": "Spring", "Common.define.effectData.textSquare": "Persegi", + "Common.define.effectData.textStairsDown": "Stairs Down", "Common.define.effectData.textStretch": "Rentangkan", + "Common.define.effectData.textStrips": "Strips", + "Common.define.effectData.textSubtle": "Subtle", + "Common.define.effectData.textSwivel": "Swivel", + "Common.define.effectData.textSwoosh": "Swoosh", + "Common.define.effectData.textTeardrop": "Teardrop", + "Common.define.effectData.textTeeter": "Teeter", + "Common.define.effectData.textToBottom": "Ke Bawah", + "Common.define.effectData.textToBottomLeft": "Ke Bawah-Kiri", + "Common.define.effectData.textToBottomRight": "Ke Bawah-Kanan", + "Common.define.effectData.textToLeft": "Ke Kiri", + "Common.define.effectData.textToRight": "Ke Kanan", + "Common.define.effectData.textToTop": "Ke Atas", + "Common.define.effectData.textToTopLeft": "Ke Atas-Kiri", + "Common.define.effectData.textToTopRight": "Ke Atas-Kanan", + "Common.define.effectData.textTransparency": "Transparansi", + "Common.define.effectData.textTrapezoid": "Trapezoid", + "Common.define.effectData.textTurnDown": "Turun Ke Bawah", + "Common.define.effectData.textTurnDownRight": "Turun Kanan Bawah", + "Common.define.effectData.textTurnUp": "Putar ke Atas", + "Common.define.effectData.textTurnUpRight": "Putar ke Atas Kanan", "Common.define.effectData.textUnderline": "Garis bawah", "Common.define.effectData.textUp": "Naik", "Common.define.effectData.textVertical": "Vertikal", - "Common.define.effectData.textZoom": "Perbesar", + "Common.define.effectData.textVerticalFigure": "Figure 8 Vertikal", + "Common.define.effectData.textVerticalIn": "Masuk Vertikal", + "Common.define.effectData.textVerticalOut": "Keluar Horizontal", + "Common.define.effectData.textWave": "Gelombang", + "Common.define.effectData.textWedge": "Wedge", + "Common.define.effectData.textWheel": "Roda", + "Common.define.effectData.textWhip": "Whip", + "Common.define.effectData.textWipe": "Wipe", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Pembesaran", + "Common.Translation.warnFileLocked": "File sedang diedit di aplikasi lain. Anda bisa melanjutkan edit dan menyimpannya sebagai salinan.", "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "Common.Translation.warnFileLockedBtnView": "Buka untuk dilihat", "Common.UI.ButtonColored.textAutoColor": "Otomatis", - "Common.UI.ButtonColored.textNewColor": "Tambahkan Warna Khusus Baru", - "Common.UI.ComboBorderSize.txtNoBorders": "No borders", - "Common.UI.ComboBorderSizeEditable.txtNoBorders": "No borders", - "Common.UI.ComboDataView.emptyComboText": "No styles", - "Common.UI.ExtendedColorDialog.addButtonText": "Add", - "Common.UI.ExtendedColorDialog.textCurrent": "Current", - "Common.UI.ExtendedColorDialog.textHexErr": "The entered value is incorrect.
        Please enter a value between 000000 and FFFFFF.", - "Common.UI.ExtendedColorDialog.textNew": "New", - "Common.UI.ExtendedColorDialog.textRGBErr": "The entered value is incorrect.
        Please enter a numeric value between 0 and 255.", - "Common.UI.HSBColorPicker.textNoColor": "No Color", - "Common.UI.SearchDialog.textHighlight": "Highlight results", - "Common.UI.SearchDialog.textMatchCase": "Case sensitive", - "Common.UI.SearchDialog.textReplaceDef": "Enter the replacement text", - "Common.UI.SearchDialog.textSearchStart": "Enter your text here", - "Common.UI.SearchDialog.textTitle": "Search", - "Common.UI.SearchDialog.textTitle2": "Search", - "Common.UI.SearchDialog.textWholeWords": "Whole words only", - "Common.UI.SearchDialog.txtBtnReplace": "Replace", - "Common.UI.SearchDialog.txtBtnReplaceAll": "Replace All", - "Common.UI.SynchronizeTip.textDontShow": "Don't show this message again", - "Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.
        Please click to save your changes and reload the updates.", + "Common.UI.ButtonColored.textNewColor": "Tambahkan warna khusus baru", + "Common.UI.ComboBorderSize.txtNoBorders": "Tidak ada pembatas", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Tidak ada pembatas", + "Common.UI.ComboDataView.emptyComboText": "Tidak ada model", + "Common.UI.ExtendedColorDialog.addButtonText": "Tambahkan", + "Common.UI.ExtendedColorDialog.textCurrent": "Saat ini", + "Common.UI.ExtendedColorDialog.textHexErr": "Input yang dimasukkan salah.
        Silakan masukkan input antara 000000 dan FFFFFF.", + "Common.UI.ExtendedColorDialog.textNew": "Baru", + "Common.UI.ExtendedColorDialog.textRGBErr": "Input yang Anda masukkan salah.
        Silakan masukkan input numerik antara 0 dan 255.", + "Common.UI.HSBColorPicker.textNoColor": "Tidak ada Warna", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Sembunyikan password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Tampilkan password", + "Common.UI.SearchDialog.textHighlight": "Sorot hasil", + "Common.UI.SearchDialog.textMatchCase": "Harus sama persis", + "Common.UI.SearchDialog.textReplaceDef": "Tuliskan teks pengganti", + "Common.UI.SearchDialog.textSearchStart": "Tuliskan teks Anda di sini", + "Common.UI.SearchDialog.textTitle": "Cari dan Ganti", + "Common.UI.SearchDialog.textTitle2": "Cari", + "Common.UI.SearchDialog.textWholeWords": "Seluruh kata saja", + "Common.UI.SearchDialog.txtBtnHideReplace": "Sembunyikan Replace", + "Common.UI.SearchDialog.txtBtnReplace": "Ganti", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Ganti Semua", + "Common.UI.SynchronizeTip.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.UI.SynchronizeTip.textSynchronize": "Dokumen telah diubah oleh pengguna lain.
        Silakan klik untuk menyimpan perubahan dan memuat ulang pembaruan.", "Common.UI.ThemeColorPalette.textStandartColors": "Warna Standar", "Common.UI.ThemeColorPalette.textThemeColors": "Warna Tema", - "Common.UI.Window.cancelButtonText": "Cancel", - "Common.UI.Window.closeButtonText": "Close", - "Common.UI.Window.noButtonText": "No", + "Common.UI.Themes.txtThemeClassicLight": "Terang Klasik", + "Common.UI.Themes.txtThemeDark": "Gelap", + "Common.UI.Themes.txtThemeLight": "Cerah", + "Common.UI.Window.cancelButtonText": "Batalkan", + "Common.UI.Window.closeButtonText": "Tutup", + "Common.UI.Window.noButtonText": "Tidak", "Common.UI.Window.okButtonText": "OK", - "Common.UI.Window.textConfirmation": "Confirmation", - "Common.UI.Window.textDontShow": "Don't show this message again", - "Common.UI.Window.textError": "Error", - "Common.UI.Window.textInformation": "Information", - "Common.UI.Window.textWarning": "Warning", - "Common.UI.Window.yesButtonText": "Yes", - "Common.Views.About.txtAddress": "address: ", - "Common.Views.About.txtLicensee": "LICENSEE", - "Common.Views.About.txtLicensor": "LICENSOR", - "Common.Views.About.txtMail": "email: ", + "Common.UI.Window.textConfirmation": "Konfirmasi", + "Common.UI.Window.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.UI.Window.textError": "Kesalahan", + "Common.UI.Window.textInformation": "Informasi", + "Common.UI.Window.textWarning": "Peringatan", + "Common.UI.Window.yesButtonText": "Ya", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "alamat:", + "Common.Views.About.txtLicensee": "PEMEGANG LISENSI", + "Common.Views.About.txtLicensor": "PEMBERI LISENSI", + "Common.Views.About.txtMail": "email:", "Common.Views.About.txtPoweredBy": "Powered by", - "Common.Views.About.txtTel": "tel.: ", - "Common.Views.About.txtVersion": "Version ", + "Common.Views.About.txtTel": "tel:", + "Common.Views.About.txtVersion": "Versi", "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textApplyText": "Terapkan Sesuai yang Anda Tulis", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "AutoKoreksi Teks", + "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoFormat Sesuai yang Anda Mau", + "Common.Views.AutoCorrectDialog.textBulleted": "Butir list otomatis", "Common.Views.AutoCorrectDialog.textBy": "oleh", "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Tambahkan titik dengan spasi ganda", + "Common.Views.AutoCorrectDialog.textFLCells": "Besarkan huruf pertama di sel tabel", + "Common.Views.AutoCorrectDialog.textFLSentence": "Besarkan huruf pertama di kalimat", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet dan jalur jaringan dengan hyperlink.", + "Common.Views.AutoCorrectDialog.textHyphens": "Hyphens (--) dengan garis putus-putus (—)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "AutoCorrect Matematika", + "Common.Views.AutoCorrectDialog.textNumbered": "Penomoran list otomatis", + "Common.Views.AutoCorrectDialog.textQuotes": "\"Straight quotes\" dengan \"smart quotes\"", + "Common.Views.AutoCorrectDialog.textRecognized": "Fungsi yang Diterima", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Ekspresi ini merupakan ekspresi matematika. Ekspresi ini tidak akan dimiringkan secara otomatis.", "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "Common.Views.AutoCorrectDialog.textReplaceText": "Ganti Saat Anda Mengetik", + "Common.Views.AutoCorrectDialog.textReplaceType": "Ganti teks saat Anda mengetik", "Common.Views.AutoCorrectDialog.textReset": "Atur ulang", "Common.Views.AutoCorrectDialog.textResetAll": "Atur ulang kembali ke awal", "Common.Views.AutoCorrectDialog.textRestore": "Pemulihan", - "Common.Views.Chat.textSend": "Send", - "Common.Views.Comments.textAdd": "Add", - "Common.Views.Comments.textAddComment": "Tambahkan", - "Common.Views.Comments.textAddCommentToDoc": "Add Comment to Document", - "Common.Views.Comments.textAddReply": "Add Reply", + "Common.Views.AutoCorrectDialog.textTitle": "AutoCorrect", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "Fungsi yang diterima harus memiliki huruf A sampai Z, huruf besar atau huruf kecil.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Semua ekspresi yang Anda tambahkan akan dihilangkan dan yang sudah terhapus akan dikembalikan. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnReplace": "Entri autocorrect untuk %1 sudah ada. Apakah Anda ingin menggantinya?", + "Common.Views.AutoCorrectDialog.warnReset": "Semua autocorrect yang Anda tambahkan akan dihilangkan dan yang sudah diganti akan dikembalikan ke nilai awalnya. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnRestore": "Entri autocorrect untuk %1 akan di reset ke nilai awal. Apakah Anda ingin melanjutkan?", + "Common.Views.Chat.textSend": "Kirim", + "Common.Views.Comments.mniAuthorAsc": "Penulis A sampai Z", + "Common.Views.Comments.mniAuthorDesc": "Penulis Z sampai A", + "Common.Views.Comments.mniDateAsc": "Tertua", + "Common.Views.Comments.mniDateDesc": "Terbaru", + "Common.Views.Comments.mniFilterGroups": "Filter Berdasarkan Grup", + "Common.Views.Comments.mniPositionAsc": "Dari atas", + "Common.Views.Comments.mniPositionDesc": "Dari bawah", + "Common.Views.Comments.textAdd": "Tambahkan", + "Common.Views.Comments.textAddComment": "Tambahkan Komentar", + "Common.Views.Comments.textAddCommentToDoc": "Tambahkan Komentar untuk Dokumen", + "Common.Views.Comments.textAddReply": "Tambahkan Balasan", "Common.Views.Comments.textAll": "Semua", - "Common.Views.Comments.textAnonym": "Guest", - "Common.Views.Comments.textCancel": "Cancel", - "Common.Views.Comments.textClose": "Close", - "Common.Views.Comments.textComments": "Comments", - "Common.Views.Comments.textEdit": "Edit", - "Common.Views.Comments.textEnterCommentHint": "Enter your comment here", + "Common.Views.Comments.textAnonym": "Tamu", + "Common.Views.Comments.textCancel": "Batalkan", + "Common.Views.Comments.textClose": "Tutup", + "Common.Views.Comments.textClosePanel": "Tutup komentar", + "Common.Views.Comments.textComments": "Komentar", + "Common.Views.Comments.textEdit": "OK", + "Common.Views.Comments.textEnterCommentHint": "Tuliskan komentar Anda di sini", "Common.Views.Comments.textHintAddComment": "Tambahkan komentar", - "Common.Views.Comments.textOpenAgain": "Open Again", - "Common.Views.Comments.textReply": "Reply", - "Common.Views.Comments.textResolve": "Resolve", - "Common.Views.Comments.textResolved": "Resolved", - "Common.Views.CopyWarningDialog.textDontShow": "Don't show this message again", - "Common.Views.CopyWarningDialog.textMsg": "Copy, cut and paste actions using the editor toolbar buttons and context menu actions will be performed within this editor tab only.

        To copy or paste to or from applications outside the editor tab use the following keyboard combinations:", - "Common.Views.CopyWarningDialog.textTitle": "Copy, Cut and Paste Actions", - "Common.Views.CopyWarningDialog.textToCopy": "for Copy", - "Common.Views.CopyWarningDialog.textToCut": "for Cut", - "Common.Views.CopyWarningDialog.textToPaste": "for Paste", - "Common.Views.DocumentAccessDialog.textLoading": "Loading...", - "Common.Views.DocumentAccessDialog.textTitle": "Sharing Settings", - "Common.Views.ExternalDiagramEditor.textClose": "Close", - "Common.Views.ExternalDiagramEditor.textSave": "Save & Exit", - "Common.Views.ExternalDiagramEditor.textTitle": "Chart Editor", + "Common.Views.Comments.textOpenAgain": "Buka Lagi", + "Common.Views.Comments.textReply": "Balas", + "Common.Views.Comments.textResolve": "Selesaikan", + "Common.Views.Comments.textResolved": "Diselesaikan", + "Common.Views.Comments.textSort": "Sortir komentar", + "Common.Views.Comments.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", + "Common.Views.CopyWarningDialog.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.Views.CopyWarningDialog.textMsg": "Langkah salin, potong dan tempel menggunakan tombol editor toolbar dan menu konteks dapat dilakukan hanya dengan tab editor ni saja.

        Untuk menyalin atau menempel ke atau dari aplikasi di luar tab editor, gunakan kombinasi tombol keyboard berikut ini:", + "Common.Views.CopyWarningDialog.textTitle": "Salin, Potong dan Tempel", + "Common.Views.CopyWarningDialog.textToCopy": "untuk Salin", + "Common.Views.CopyWarningDialog.textToCut": "untuk Potong", + "Common.Views.CopyWarningDialog.textToPaste": "untuk Tempel", + "Common.Views.DocumentAccessDialog.textLoading": "Memuat...", + "Common.Views.DocumentAccessDialog.textTitle": "Pengaturan Berbagi", + "Common.Views.ExternalDiagramEditor.textClose": "Tutup", + "Common.Views.ExternalDiagramEditor.textSave": "Simpan & Keluar", + "Common.Views.ExternalDiagramEditor.textTitle": "Editor Bagan", + "Common.Views.Header.labelCoUsersDescr": "User yang sedang edit file:", + "Common.Views.Header.textAddFavorite": "Tandai sebagai favorit", "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", - "Common.Views.Header.textBack": "Go to Documents", + "Common.Views.Header.textBack": "Buka Dokumen", + "Common.Views.Header.textCompactView": "Sembunyikan Toolbar", "Common.Views.Header.textHideLines": "Sembunyikan Mistar", + "Common.Views.Header.textHideNotes": "Sembunyikan Catatan", "Common.Views.Header.textHideStatusBar": "Sembunyikan Bilah Status", - "Common.Views.Header.textZoom": "Perbesar", + "Common.Views.Header.textRemoveFavorite": "Hilangkan dari Favorit", + "Common.Views.Header.textSaveBegin": "Menyimpan...", + "Common.Views.Header.textSaveChanged": "Dimodifikasi", + "Common.Views.Header.textSaveEnd": "Semua perubahan tersimpan", + "Common.Views.Header.textSaveExpander": "Semua perubahan tersimpan", + "Common.Views.Header.textZoom": "Pembesaran", + "Common.Views.Header.tipAccessRights": "Atur perizinan akses dokumen", "Common.Views.Header.tipDownload": "Unduh File", + "Common.Views.Header.tipGoEdit": "Edit file saat ini", + "Common.Views.Header.tipPrint": "Print file", "Common.Views.Header.tipRedo": "Ulangi", "Common.Views.Header.tipSave": "Simpan", "Common.Views.Header.tipUndo": "Batalkan", + "Common.Views.Header.tipUndock": "Buka dock ke jendela terpisah", "Common.Views.Header.tipViewSettings": "Lihat Pengaturan", + "Common.Views.Header.tipViewUsers": "Tampilkan user dan atur hak akses dokumen", "Common.Views.Header.txtAccessRights": "Ubah hak akses", "Common.Views.Header.txtRename": "Ganti nama", "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textHide": "Collapse", + "Common.Views.History.textHideAll": "Sembunyikan detail perubahan", "Common.Views.History.textRestore": "Pemulihan", + "Common.Views.History.textShow": "Perluas", + "Common.Views.History.textShowAll": "Tampilkan detail perubahan", "Common.Views.History.textVer": "ver.", - "Common.Views.ImageFromUrlDialog.textUrl": "Paste an image URL:", - "Common.Views.ImageFromUrlDialog.txtEmpty": "This field is required", - "Common.Views.ImageFromUrlDialog.txtNotUrl": "This field should be a URL in the \"http://www.example.com\" format", - "Common.Views.InsertTableDialog.textInvalidRowsCols": "You need to specify valid rows and columns number.", - "Common.Views.InsertTableDialog.txtColumns": "Number of Columns", - "Common.Views.InsertTableDialog.txtMaxText": "The maximum value for this field is {0}.", - "Common.Views.InsertTableDialog.txtMinText": "The minimum value for this field is {0}.", - "Common.Views.InsertTableDialog.txtRows": "Number of Rows", - "Common.Views.InsertTableDialog.txtTitle": "Table Size", + "Common.Views.ImageFromUrlDialog.textUrl": "Tempel URL gambar:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "Anda harus menentukan baris dan jumlah kolom yang benar.", + "Common.Views.InsertTableDialog.txtColumns": "Jumlah Kolom", + "Common.Views.InsertTableDialog.txtMaxText": "Input maksimal untuk kolom ini adalah {0}.", + "Common.Views.InsertTableDialog.txtMinText": "Input minimal untuk kolom ini adalah {0}.", + "Common.Views.InsertTableDialog.txtRows": "Jumlah Baris", + "Common.Views.InsertTableDialog.txtTitle": "Ukuran Tabel", "Common.Views.InsertTableDialog.txtTitleSplit": "Pisahkan Sel", "Common.Views.LanguageDialog.labelSelect": "Pilih bahasa dokumen", + "Common.Views.ListSettingsDialog.textBulleted": "Poin", + "Common.Views.ListSettingsDialog.textNumbering": "Bernomor", + "Common.Views.ListSettingsDialog.tipChange": "Ubah butir", + "Common.Views.ListSettingsDialog.txtBullet": "Butir", "Common.Views.ListSettingsDialog.txtColor": "Warna", + "Common.Views.ListSettingsDialog.txtNewBullet": "Butir baru", "Common.Views.ListSettingsDialog.txtNone": "Tidak ada", + "Common.Views.ListSettingsDialog.txtOfText": "% dari teks", "Common.Views.ListSettingsDialog.txtSize": "Ukuran", + "Common.Views.ListSettingsDialog.txtStart": "Dimulai pada", + "Common.Views.ListSettingsDialog.txtSymbol": "Simbol", + "Common.Views.ListSettingsDialog.txtTitle": "List Pengaturan", "Common.Views.ListSettingsDialog.txtType": "Tipe", + "Common.Views.OpenDialog.closeButtonText": "Tutup File", "Common.Views.OpenDialog.txtEncoding": "Enkoding", + "Common.Views.OpenDialog.txtIncorrectPwd": "Password salah.", "Common.Views.OpenDialog.txtOpenFile": "Masukkan kata sandi untuk buka file", "Common.Views.OpenDialog.txtPassword": "Kata Sandi", + "Common.Views.OpenDialog.txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", + "Common.Views.OpenDialog.txtTitle": "Pilih %1 opsi", + "Common.Views.OpenDialog.txtTitleProtected": "File yang Diproteksi", + "Common.Views.PasswordDialog.txtDescription": "Buat password untuk melindungi dokumen ini", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Password konfirmasi tidak sama", "Common.Views.PasswordDialog.txtPassword": "Kata Sandi", + "Common.Views.PasswordDialog.txtRepeat": "Ulangi password", "Common.Views.PasswordDialog.txtTitle": "Setel kata sandi", - "Common.Views.PasswordDialog.txtWarning": "Perhatian: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PasswordDialog.txtWarning": "Peringatan: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PluginDlg.textLoading": "Memuat", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "Memuat", "Common.Views.Plugins.textStart": "Mulai", + "Common.Views.Plugins.textStop": "Stop", + "Common.Views.Protection.hintAddPwd": "Enkripsi dengan password", + "Common.Views.Protection.hintPwd": "Ganti atau hapus password", + "Common.Views.Protection.hintSignature": "Tambah tanda tangan digital atau garis tanda tangan", + "Common.Views.Protection.txtAddPwd": "Tambah password", "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.Protection.txtDeletePwd": "Nama file", + "Common.Views.Protection.txtEncrypt": "Enkripsi", + "Common.Views.Protection.txtInvisibleSignature": "Tambah tanda tangan digital", + "Common.Views.Protection.txtSignature": "Tanda Tangan", + "Common.Views.Protection.txtSignatureLine": "Tambah garis tanda tangan", "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.RenameDialog.txtInvalidName": "Nama file tidak boleh berisi karakter seperti:", + "Common.Views.ReviewChanges.hintNext": "Ke perubahan berikutnya", + "Common.Views.ReviewChanges.hintPrev": "Ke perubahan sebelumnya", + "Common.Views.ReviewChanges.strFast": "Cepat", + "Common.Views.ReviewChanges.strFastDesc": "Co-editing real-time. Semua perubahan disimpan otomatis.", + "Common.Views.ReviewChanges.strStrict": "Strict", + "Common.Views.ReviewChanges.strStrictDesc": "Gunakan tombol 'Simpan' untuk sinkronisasi perubahan yang dibuat Anda dan orang lain.", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Terima perubahan saat ini", + "Common.Views.ReviewChanges.tipCoAuthMode": "Atur mode co-editing", + "Common.Views.ReviewChanges.tipCommentRem": "Hilangkan komentar", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Hilangkan komentar saat ini", + "Common.Views.ReviewChanges.tipCommentResolve": "Selesaikan komentar", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Selesaikan komentar saat ini", "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "Common.Views.ReviewChanges.tipRejectCurrent": "Tolak perubahan saat ini", + "Common.Views.ReviewChanges.tipReview": "Lacak perubahan", + "Common.Views.ReviewChanges.tipReviewView": "Pilih mode yang perubahannya ingin Anda tampilkan", "Common.Views.ReviewChanges.tipSetDocLang": "Atur Bahasa Dokumen", "Common.Views.ReviewChanges.tipSetSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.tipSharing": "Atur perizinan akses dokumen", "Common.Views.ReviewChanges.txtAccept": "Terima", "Common.Views.ReviewChanges.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChanges.txtAcceptChanges": "Terima perubahan", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Terima Perubahan Saat Ini", "Common.Views.ReviewChanges.txtChat": "Chat", "Common.Views.ReviewChanges.txtClose": "Tutup", + "Common.Views.ReviewChanges.txtCoAuthMode": "Mode Edit Bersama", + "Common.Views.ReviewChanges.txtCommentRemAll": "Hilangkan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Hilangkan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentRemMy": "Hilangkan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Hilangkan Komentar Saya Saat Ini", "Common.Views.ReviewChanges.txtCommentRemove": "Hapus", "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Selesaikan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Selesaikan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Selesaikan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Selesaikan Komentar Saya Saat Ini", "Common.Views.ReviewChanges.txtDocLang": "Bahasa", - "Common.Views.ReviewChanges.txtHistory": "Riwayat versi", - "Common.Views.ReviewChanges.txtNext": "Berikutnya", + "Common.Views.ReviewChanges.txtFinal": "Semua perubahan diterima (Preview)", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Riwayat Versi", + "Common.Views.ReviewChanges.txtMarkup": "Semua perubahan (Editing)", + "Common.Views.ReviewChanges.txtMarkupCap": "Markup", + "Common.Views.ReviewChanges.txtNext": "Selanjutnya", + "Common.Views.ReviewChanges.txtOriginal": "Semua perubahan ditolak (Preview)", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", "Common.Views.ReviewChanges.txtPrev": "Sebelumnya", "Common.Views.ReviewChanges.txtReject": "Tolak", + "Common.Views.ReviewChanges.txtRejectAll": "Tolak Semua Perubahan", + "Common.Views.ReviewChanges.txtRejectChanges": "Tolak Perubahan", + "Common.Views.ReviewChanges.txtRejectCurrent": "Tolak Perubahan Saat Ini", + "Common.Views.ReviewChanges.txtSharing": "Bagikan", "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.txtTurnon": "Lacak Perubahan", + "Common.Views.ReviewChanges.txtView": "Mode Tampilan", "Common.Views.ReviewPopover.textAdd": "Tambahkan", "Common.Views.ReviewPopover.textAddReply": "Tambahkan Balasan", "Common.Views.ReviewPopover.textCancel": "Batalkan", "Common.Views.ReviewPopover.textClose": "Tutup", "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textMention": "+mention akan memberikan akses ke dokumen dan mengirimkan email", + "Common.Views.ReviewPopover.textMentionNotify": "+mention akan mengingatkan user lewat email", "Common.Views.ReviewPopover.textOpenAgain": "Buka Lagi", "Common.Views.ReviewPopover.textReply": "Balas", "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", "Common.Views.ReviewPopover.txtEditTip": "Sunting", + "Common.Views.SaveAsDlg.textLoading": "Memuat", + "Common.Views.SaveAsDlg.textTitle": "Folder untuk simpan", + "Common.Views.SelectFileDlg.textLoading": "Memuat", "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textCertificate": "Sertifikat", "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textInputName": "Masukkan nama penandatangan", "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textNameError": "Nama penandatangan tidak boleh kosong.", + "Common.Views.SignDialog.textPurpose": "Tujuan menandatangani dokumen ini", "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.textSelectImage": "Pilih Gambar", + "Common.Views.SignDialog.textSignature": "Tandatangan terlihat seperti", + "Common.Views.SignDialog.textTitle": "Tanda Tangan Dokumen", + "Common.Views.SignDialog.textUseImage": "atau klik 'Pilih Gambar' untuk menjadikan gambar sebagai tandatangan", + "Common.Views.SignDialog.textValid": "Valid dari %1 sampai %2", + "Common.Views.SignDialog.tipFontName": "Nama Font", "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textAllowComment": "Izinkan penandatangan untuk menambahkan komentar di dialog tanda tangan", + "Common.Views.SignSettingsDialog.textInfo": "Info Penandatangan", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Nama", - "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SignSettingsDialog.textInfoTitle": "Gelar Penandatangan", + "Common.Views.SignSettingsDialog.textInstructions": "Instruksi untuk Penandatangan", + "Common.Views.SignSettingsDialog.textShowDate": "Tampilkan tanggal di garis tandatangan", + "Common.Views.SignSettingsDialog.textTitle": "Setup Tanda Tangan", + "Common.Views.SignSettingsDialog.txtEmpty": "Area ini dibutuhkan", "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textCode": "Nilai Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Copyright Sign", + "Common.Views.SymbolTableDialog.textDCQuote": "Kutip Dua Penutup", + "Common.Views.SymbolTableDialog.textDOQuote": "Kutip Dua Pembuka", + "Common.Views.SymbolTableDialog.textEllipsis": "Ellipsis Horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Em Dash", + "Common.Views.SymbolTableDialog.textEmSpace": "Em Space", + "Common.Views.SymbolTableDialog.textEnDash": "En Dash", + "Common.Views.SymbolTableDialog.textEnSpace": "En Space", "Common.Views.SymbolTableDialog.textFont": "Huruf", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hyphen Non-breaking", + "Common.Views.SymbolTableDialog.textNBSpace": "Spasi Tanpa-break", + "Common.Views.SymbolTableDialog.textPilcrow": "Simbol Pilcrow", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 Em Space", + "Common.Views.SymbolTableDialog.textRange": "Rentang", + "Common.Views.SymbolTableDialog.textRecent": "Simbol yang baru digunakan", + "Common.Views.SymbolTableDialog.textRegistered": "Tandatangan Teregistrasi", + "Common.Views.SymbolTableDialog.textSCQuote": "Kutip Satu Penutup", + "Common.Views.SymbolTableDialog.textSection": "Sesi Tandatangan", + "Common.Views.SymbolTableDialog.textShortcut": "Kunci Shortcut", + "Common.Views.SymbolTableDialog.textSHyphen": "Soft Hyphen", + "Common.Views.SymbolTableDialog.textSOQuote": "Kutip Satu Pembuka", "Common.Views.SymbolTableDialog.textSpecial": "Karakter khusus", "Common.Views.SymbolTableDialog.textSymbols": "Simbol", - "PE.Controllers.LeftMenu.newDocumentTitle": "Unnamed presentation", + "Common.Views.SymbolTableDialog.textTitle": "Simbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Simbol Trademark", + "Common.Views.UserNameDialog.textDontShow": "Jangan tanya saya lagi", + "Common.Views.UserNameDialog.textLabel": "Label:", + "Common.Views.UserNameDialog.textLabelError": "Label tidak boleh kosong.", + "PE.Controllers.LeftMenu.leavePageText": "Semua perubahan yang tidak tersimpan di dokumen ini akan hilang.
        Klik \"Batal\" lalu \"Simpan\" untuk menyimpan. Klik \"OK\" untuk membuang semua perubahan yang tidak tersimpan.", + "PE.Controllers.LeftMenu.newDocumentTitle": "Presentasi tanpa nama", "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Peringatan", - "PE.Controllers.LeftMenu.requestEditRightsText": "Requesting editing rights...", - "PE.Controllers.LeftMenu.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.", + "PE.Controllers.LeftMenu.requestEditRightsText": "Meminta hak editing...", + "PE.Controllers.LeftMenu.textLoadHistory": "Loading versi riwayat...", + "PE.Controllers.LeftMenu.textNoTextFound": "Data yang Anda cari tidak ditemukan. Silakan atur opsi pencarian Anda.", "PE.Controllers.LeftMenu.textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", - "PE.Controllers.LeftMenu.textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti.", - "PE.Controllers.Main.applyChangesTextText": "Loading data...", - "PE.Controllers.Main.applyChangesTitleText": "Loading Data", - "PE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", - "PE.Controllers.Main.criticalErrorExtText": "Press \"OK\" to return to document list.", - "PE.Controllers.Main.criticalErrorTitle": "Error", - "PE.Controllers.Main.downloadErrorText": "Download failed.", - "PE.Controllers.Main.downloadTextText": "Downloading presentation...", - "PE.Controllers.Main.downloadTitleText": "Downloading Presentation", - "PE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", - "PE.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.", - "PE.Controllers.Main.errorDatabaseConnection": "External error.
        Database connection error. Please contact support in case the error persists.", - "PE.Controllers.Main.errorDataRange": "Incorrect data range.", - "PE.Controllers.Main.errorDefaultMessage": "Error code: %1", - "PE.Controllers.Main.errorFilePassProtect": "The document is password protected and could not be opened.", - "PE.Controllers.Main.errorKeyEncrypt": "Unknown key descriptor", - "PE.Controllers.Main.errorKeyExpire": "Key descriptor expired", - "PE.Controllers.Main.errorProcessSaveResult": "Saving failed.", - "PE.Controllers.Main.errorStockChart": "Incorrect row order. To build a stock chart place the data on the sheet in the following order:
        opening price, max price, min price, closing price.", - "PE.Controllers.Main.errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "PE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", - "PE.Controllers.Main.errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "PE.Controllers.Main.leavePageText": "You have unsaved changes in this presentation. Click \"Stay on This Page\", then \"Save\" to save them. Click \"Leave This Page\" to discard all the unsaved changes.", - "PE.Controllers.Main.loadFontsTextText": "Loading data...", - "PE.Controllers.Main.loadFontsTitleText": "Loading Data", - "PE.Controllers.Main.loadFontTextText": "Loading data...", - "PE.Controllers.Main.loadFontTitleText": "Loading Data", - "PE.Controllers.Main.loadImagesTextText": "Loading images...", - "PE.Controllers.Main.loadImagesTitleText": "Loading Images", - "PE.Controllers.Main.loadImageTextText": "Loading image...", - "PE.Controllers.Main.loadImageTitleText": "Loading Image", - "PE.Controllers.Main.loadingDocumentTextText": "Loading presentation...", - "PE.Controllers.Main.loadingDocumentTitleText": "Loading presentation", - "PE.Controllers.Main.loadThemeTextText": "Loading theme...", - "PE.Controllers.Main.loadThemeTitleText": "Loading Theme", - "PE.Controllers.Main.notcriticalErrorTitle": "Warning", - "PE.Controllers.Main.openTextText": "Opening presentation...", - "PE.Controllers.Main.openTitleText": "Opening Presentation", - "PE.Controllers.Main.printTextText": "Printing presentation...", - "PE.Controllers.Main.printTitleText": "Printing Presentation", - "PE.Controllers.Main.reloadButtonText": "Reload Page", - "PE.Controllers.Main.requestEditFailedMessageText": "Someone is editing this presentation right now. Please try again later.", - "PE.Controllers.Main.requestEditFailedTitleText": "Access denied", - "PE.Controllers.Main.splitDividerErrorText": "The number of rows must be a divisor of %1.", - "PE.Controllers.Main.splitMaxColsErrorText": "The number of columns must be less than %1.", - "PE.Controllers.Main.splitMaxRowsErrorText": "The number of rows must be less than %1.", - "PE.Controllers.Main.textAnonymous": "Anonymous", + "PE.Controllers.LeftMenu.textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti {0}", + "PE.Controllers.LeftMenu.txtUntitled": "Tanpa Judul", + "PE.Controllers.Main.applyChangesTextText": "Memuat data...", + "PE.Controllers.Main.applyChangesTitleText": "Memuat Data", + "PE.Controllers.Main.convertationTimeoutText": "Waktu konversi habis.", + "PE.Controllers.Main.criticalErrorExtText": "Tekan \"OK\" untuk kembali ke daftar dokumen.", + "PE.Controllers.Main.criticalErrorTitle": "Kesalahan", + "PE.Controllers.Main.downloadErrorText": "Unduhan gagal.", + "PE.Controllers.Main.downloadTextText": "Mengunduh penyajian...", + "PE.Controllers.Main.downloadTitleText": "Mengunduh penyajian", + "PE.Controllers.Main.errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
        Silakan hubungi admin Server Dokumen Anda.", + "PE.Controllers.Main.errorBadImageUrl": "URL Gambar salah", + "PE.Controllers.Main.errorCoAuthoringDisconnect": "Koneksi server terputus. Saat ini dokumen tidak dapat diedit.", + "PE.Controllers.Main.errorComboSeries": "Untuk membuat grafik kombinasi, pilih setidaknya dua seri data.", + "PE.Controllers.Main.errorConnectToServer": "Dokumen tidak bisa disimpan. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
        Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "PE.Controllers.Main.errorDatabaseConnection": "Eror eksternal.
        Koneksi database bermasalah. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "PE.Controllers.Main.errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", + "PE.Controllers.Main.errorDataRange": "Rentang data salah.", + "PE.Controllers.Main.errorDefaultMessage": "Kode kesalahan: %1", + "PE.Controllers.Main.errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
        Gunakan opsi 'Download sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "PE.Controllers.Main.errorEditingSaveas": "Ada kesalahan saat bekerja dengan dokumen.
        Gunakan opsi 'Simpan sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "PE.Controllers.Main.errorEmailClient": "Email klein tidak bisa ditemukan.", + "PE.Controllers.Main.errorFilePassProtect": "Dokumen dilindungi dengan kata sandi dan tidak dapat dibuka.", + "PE.Controllers.Main.errorFileSizeExceed": "Ukuran file melewati batas server Anda.
        Silakan hubungi admin Server Dokumen Anda untuk detail.", + "PE.Controllers.Main.errorForceSave": "Ada kesalahan saat menyimpan file. Silakan gunakan opsi 'Download sebagai' untuk menyimpan file ke komputer Anda dan coba lagi.", + "PE.Controllers.Main.errorKeyEncrypt": "Deskriptor kunci tidak dikenal", + "PE.Controllers.Main.errorKeyExpire": "Deskriptor kunci tidak berfungsi", + "PE.Controllers.Main.errorLoadingFont": "Font tidak bisa dimuat.
        Silakan kontak admin Server Dokumen Anda.", + "PE.Controllers.Main.errorProcessSaveResult": "Gagal menyimpan.", + "PE.Controllers.Main.errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "PE.Controllers.Main.errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "PE.Controllers.Main.errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "PE.Controllers.Main.errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "PE.Controllers.Main.errorSetPassword": "Password tidak bisa diatur.", + "PE.Controllers.Main.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
        harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "PE.Controllers.Main.errorToken": "Token keamanan dokumen tidak dibentuk dengan tepat.
        Silakan hubungi admin Server Dokumen Anda.", + "PE.Controllers.Main.errorTokenExpire": "Token keamanan dokumen sudah kadaluwarsa.
        Silakan hubungi admin Server Dokumen Anda.", + "PE.Controllers.Main.errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", + "PE.Controllers.Main.errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
        Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "PE.Controllers.Main.errorUserDrop": "File tidak bisa diakses sekarang.", + "PE.Controllers.Main.errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", + "PE.Controllers.Main.errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
        tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "PE.Controllers.Main.leavePageText": "Anda memiliki perubahan yang belum tersimpan di presentasi ini. Klik \"Tetap di Halaman Ini” kemudian \"Simpan\" untuk menyimpan perubahan tersebut. Klik \"Tinggalkan Halaman Ini\" untuk membatalkan semua perubahan yang belum disimpan.", + "PE.Controllers.Main.leavePageTextOnClose": "Semua perubahan yang belum disimpan dalam presentasi ini akan hilang.
        Klik \"Batal\" lalu \"Simpan\" untuk menyimpan. Klik \"OK\" untuk membuang semua perubahan yang tidak tersimpan.", + "PE.Controllers.Main.loadFontsTextText": "Memuat data...", + "PE.Controllers.Main.loadFontsTitleText": "Memuat Data", + "PE.Controllers.Main.loadFontTextText": "Memuat data...", + "PE.Controllers.Main.loadFontTitleText": "Memuat Data", + "PE.Controllers.Main.loadImagesTextText": "Memuat gambar...", + "PE.Controllers.Main.loadImagesTitleText": "Memuat Gambar", + "PE.Controllers.Main.loadImageTextText": "Memuat gambar...", + "PE.Controllers.Main.loadImageTitleText": "Memuat Gambar", + "PE.Controllers.Main.loadingDocumentTextText": "Memuat penyajian...", + "PE.Controllers.Main.loadingDocumentTitleText": "Memuat penyajian", + "PE.Controllers.Main.loadThemeTextText": "Loading Tema...", + "PE.Controllers.Main.loadThemeTitleText": "Loading Tema", + "PE.Controllers.Main.notcriticalErrorTitle": "Peringatan", + "PE.Controllers.Main.openErrorText": "Eror ketika membuka file.", + "PE.Controllers.Main.openTextText": "Membuka presentasi...", + "PE.Controllers.Main.openTitleText": "Membuka presentasi", + "PE.Controllers.Main.printTextText": "Mencetak presentasi...", + "PE.Controllers.Main.printTitleText": "Mencetak presentasi", + "PE.Controllers.Main.reloadButtonText": "Muat Ulang Halaman", + "PE.Controllers.Main.requestEditFailedMessageText": "Seseorang sedang mengedit presentasi sekarang Silakan coba beberapa saat lagi.", + "PE.Controllers.Main.requestEditFailedTitleText": "Akses ditolak", + "PE.Controllers.Main.saveErrorText": "Eror ketika menyimpan file.", + "PE.Controllers.Main.saveErrorTextDesktop": "File tidak bisa disimpan atau dibuat.
        Alasan yang mungkin adalah:
        1. File hanya bisa dibaca.
        2. File sedang diedit user lain.
        3. Memori penuh atau terkorupsi.", + "PE.Controllers.Main.saveTextText": "Menyimpan presentasi...", + "PE.Controllers.Main.saveTitleText": "Menyimpan presentasi", + "PE.Controllers.Main.scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "PE.Controllers.Main.splitDividerErrorText": "Jumlah baris harus merupakan pembagi %1.", + "PE.Controllers.Main.splitMaxColsErrorText": "Jumlah kolom harus kurang dari %1.", + "PE.Controllers.Main.splitMaxRowsErrorText": "Jumlah haris harus kurang dari %1.", + "PE.Controllers.Main.textAnonymous": "Anonim", + "PE.Controllers.Main.textApplyAll": "Terapkan untuk semua persamaan", + "PE.Controllers.Main.textBuyNow": "Kunjungi website", + "PE.Controllers.Main.textChangesSaved": "Semua perubahan tersimpan", "PE.Controllers.Main.textClose": "Tutup", - "PE.Controllers.Main.textCloseTip": "Click to close the tip", + "PE.Controllers.Main.textCloseTip": "Klik untuk menutup tips", + "PE.Controllers.Main.textContactUs": "Hubungi sales", + "PE.Controllers.Main.textConvertEquation": "Persamaan ini dibuat dengan editor persamaan versi lama yang sudah tidak didukung. Untuk edit, konversikan persamaan ke format Office Math ML.
        Konversi sekarang?", + "PE.Controllers.Main.textCustomLoader": "Perlu diketahui bahwa berdasarkan syarat dari lisensi, Anda tidak bisa untuk mengganti loader.
        Silakan hubungi Departemen Penjualan kami untuk mendapatkan harga.", + "PE.Controllers.Main.textDisconnect": "Koneksi terputus", "PE.Controllers.Main.textGuest": "Tamu", + "PE.Controllers.Main.textHasMacros": "File berisi macros otomatis.
        Apakah Anda ingin menjalankan macros?", "PE.Controllers.Main.textLearnMore": "Pelajari selengkapnya", - "PE.Controllers.Main.textLoadingDocument": "Loading presentation", - "PE.Controllers.Main.textShape": "Shape", - "PE.Controllers.Main.textStrict": "Strict mode", - "PE.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.", - "PE.Controllers.Main.txtArt": "Your text here", - "PE.Controllers.Main.txtBasicShapes": "Basic Shapes", - "PE.Controllers.Main.txtButtons": "Buttons", - "PE.Controllers.Main.txtCallouts": "Callouts", - "PE.Controllers.Main.txtCharts": "Charts", - "PE.Controllers.Main.txtDiagramTitle": "Chart Title", - "PE.Controllers.Main.txtEditingMode": "Set editing mode...", - "PE.Controllers.Main.txtFiguredArrows": "Figured Arrows", + "PE.Controllers.Main.textLoadingDocument": "Memuat penyajian", + "PE.Controllers.Main.textLongName": "Masukkan nama maksimum 128 karakter.", + "PE.Controllers.Main.textNoLicenseTitle": "Batas lisensi sudah tercapai", + "PE.Controllers.Main.textPaidFeature": "Fitur berbayar", + "PE.Controllers.Main.textReconnect": "Koneksi terhubung kembali", + "PE.Controllers.Main.textRemember": "Ingat pilihan saya untuk semua file", + "PE.Controllers.Main.textRenameError": "Nama user tidak boleh kosong.", + "PE.Controllers.Main.textRenameLabel": "Masukkan nama untuk digunakan di kolaborasi", + "PE.Controllers.Main.textShape": "Bentuk", + "PE.Controllers.Main.textStrict": "Mode strict", + "PE.Controllers.Main.textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.
        Klik tombol 'Mode strict' untuk mengganti ke Mode Strict Co-editing untuk edit file tanpa gangguan dari user lain dan kirim perubahan Anda hanya setelah Anda menyimpannya. Anda bisa mengganti mode co-editing menggunakan editor di pengaturan lanjut.", + "PE.Controllers.Main.textTryUndoRedoWarn": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "PE.Controllers.Main.titleLicenseExp": "Lisensi kadaluwarsa", + "PE.Controllers.Main.titleServerVersion": "Editor mengupdate", + "PE.Controllers.Main.txtAddFirstSlide": "Klik untuk tambah slide pertama", + "PE.Controllers.Main.txtAddNotes": "Klik untuk tambah catatan", + "PE.Controllers.Main.txtArt": "Teks Anda di sini", + "PE.Controllers.Main.txtBasicShapes": "Bentuk Dasar", + "PE.Controllers.Main.txtButtons": "Tombol", + "PE.Controllers.Main.txtCallouts": "Balon Kata", + "PE.Controllers.Main.txtCharts": "Bagan", + "PE.Controllers.Main.txtClipArt": "Clip Art", + "PE.Controllers.Main.txtDateTime": "Tanggal dan Jam", + "PE.Controllers.Main.txtDiagram": "SmartArt", + "PE.Controllers.Main.txtDiagramTitle": "Judul Grafik", + "PE.Controllers.Main.txtEditingMode": "Mengatur mode editing...", + "PE.Controllers.Main.txtErrorLoadHistory": "Memuat riwayat gagal", + "PE.Controllers.Main.txtFiguredArrows": "Tanda Panah Berpola", + "PE.Controllers.Main.txtFooter": "Footer", + "PE.Controllers.Main.txtHeader": "Header", "PE.Controllers.Main.txtImage": "Gambar", - "PE.Controllers.Main.txtLines": "Lines", + "PE.Controllers.Main.txtLines": "Garis", "PE.Controllers.Main.txtLoading": "Memuat...", - "PE.Controllers.Main.txtMath": "Math", + "PE.Controllers.Main.txtMath": "Matematika", "PE.Controllers.Main.txtMedia": "Media", - "PE.Controllers.Main.txtNeedSynchronize": "You have updates", + "PE.Controllers.Main.txtNeedSynchronize": "Ada pembaruan", "PE.Controllers.Main.txtNone": "Tidak ada", - "PE.Controllers.Main.txtRectangles": "Rectangles", - "PE.Controllers.Main.txtSeries": "Series", + "PE.Controllers.Main.txtPicture": "Gambar", + "PE.Controllers.Main.txtRectangles": "Persegi Panjang", + "PE.Controllers.Main.txtSeries": "Seri", + "PE.Controllers.Main.txtShape_accentBorderCallout1": "Garis Callout 1 (Border dan Accent Bar)", + "PE.Controllers.Main.txtShape_accentBorderCallout2": "Garis Callout 2 (Border dan Accent Bar)", + "PE.Controllers.Main.txtShape_accentBorderCallout3": "Garis Callout 3 (Border dan Accent Bar)", + "PE.Controllers.Main.txtShape_accentCallout1": "Garis Callout 1 (Accent Bar)", + "PE.Controllers.Main.txtShape_accentCallout2": "Garis Callout 2 (Accent Bar)", + "PE.Controllers.Main.txtShape_accentCallout3": "Garis Callout 3 (Accent Bar)", + "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tombol Kembali atau Sebelumnya", + "PE.Controllers.Main.txtShape_actionButtonBeginning": "Tombol Awal", + "PE.Controllers.Main.txtShape_actionButtonBlank": "Tombol Kosong", + "PE.Controllers.Main.txtShape_actionButtonDocument": "Tombol Dokumen", + "PE.Controllers.Main.txtShape_actionButtonEnd": "Tombol Akhir", + "PE.Controllers.Main.txtShape_actionButtonForwardNext": "Maju atau Tombol Selanjutnya", + "PE.Controllers.Main.txtShape_actionButtonHelp": "Tombol Batuan", + "PE.Controllers.Main.txtShape_actionButtonHome": "Tombol Beranda", + "PE.Controllers.Main.txtShape_actionButtonInformation": "Tombol Informasi", + "PE.Controllers.Main.txtShape_actionButtonMovie": "Tombol Movie", + "PE.Controllers.Main.txtShape_actionButtonReturn": "Tombol Kembali", + "PE.Controllers.Main.txtShape_actionButtonSound": "Tombol Suara", + "PE.Controllers.Main.txtShape_arc": "Arc", + "PE.Controllers.Main.txtShape_bentArrow": "Panah Bengkok", + "PE.Controllers.Main.txtShape_bentConnector5": "Konektor Siku", + "PE.Controllers.Main.txtShape_bentConnector5WithArrow": "Panah Konektor Siku", + "PE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Panah Ganda Konektor Siku", + "PE.Controllers.Main.txtShape_bentUpArrow": "Panah Kelok Atas", "PE.Controllers.Main.txtShape_bevel": "Miring", - "PE.Controllers.Main.txtShape_downArrow": "Panah Bawah", + "PE.Controllers.Main.txtShape_blockArc": "Block Arc", + "PE.Controllers.Main.txtShape_borderCallout1": "Garis Callout 1", + "PE.Controllers.Main.txtShape_borderCallout2": "Garis Callout 2", + "PE.Controllers.Main.txtShape_borderCallout3": "Garis Callout 3", + "PE.Controllers.Main.txtShape_bracePair": "Kurung Ganda", + "PE.Controllers.Main.txtShape_callout1": "Garis Callout 1 (No Border)", + "PE.Controllers.Main.txtShape_callout2": "Garis Callout 2 (No Border)", + "PE.Controllers.Main.txtShape_callout3": "Garis Callout 3 (No Border)", + "PE.Controllers.Main.txtShape_can": "Bisa", + "PE.Controllers.Main.txtShape_chevron": "Chevron", + "PE.Controllers.Main.txtShape_chord": "Chord", + "PE.Controllers.Main.txtShape_circularArrow": "Panah Sirkular", + "PE.Controllers.Main.txtShape_cloud": "Cloud", + "PE.Controllers.Main.txtShape_cloudCallout": "Cloud Callout", + "PE.Controllers.Main.txtShape_corner": "Sudut", + "PE.Controllers.Main.txtShape_cube": "Kubus", + "PE.Controllers.Main.txtShape_curvedConnector3": "Konektor Lengkung", + "PE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Panah Konektor Lengkung", + "PE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Panah Ganda Konektor Lengkung", + "PE.Controllers.Main.txtShape_curvedDownArrow": "Panah Kelok Bawah", + "PE.Controllers.Main.txtShape_curvedLeftArrow": "Panah Kelok Kiri", + "PE.Controllers.Main.txtShape_curvedRightArrow": "Panah Kelok Kanan", + "PE.Controllers.Main.txtShape_curvedUpArrow": "Panah Kelok Atas", + "PE.Controllers.Main.txtShape_decagon": "Decagon", + "PE.Controllers.Main.txtShape_diagStripe": "Strip Diagonal", + "PE.Controllers.Main.txtShape_diamond": "Diamond", + "PE.Controllers.Main.txtShape_dodecagon": "Dodecagon", + "PE.Controllers.Main.txtShape_donut": "Donut", + "PE.Controllers.Main.txtShape_doubleWave": "Gelombang Ganda", + "PE.Controllers.Main.txtShape_downArrow": "Panah Kebawah", + "PE.Controllers.Main.txtShape_downArrowCallout": "Seranta Panah Bawah", + "PE.Controllers.Main.txtShape_ellipse": "Elips", + "PE.Controllers.Main.txtShape_ellipseRibbon": "Pita Kelok Bawah", + "PE.Controllers.Main.txtShape_ellipseRibbon2": "Pita Kelok Atas", + "PE.Controllers.Main.txtShape_flowChartAlternateProcess": "Diagram Alir: Proses Alternatif", + "PE.Controllers.Main.txtShape_flowChartCollate": "Diagram Alir: Collate", + "PE.Controllers.Main.txtShape_flowChartConnector": "Diagram Alir: Konektor", + "PE.Controllers.Main.txtShape_flowChartDecision": "Diagram Alir: Keputusan", + "PE.Controllers.Main.txtShape_flowChartDelay": "Diagram Alir: Delay", + "PE.Controllers.Main.txtShape_flowChartDisplay": "Diagram Alir: Tampilan", + "PE.Controllers.Main.txtShape_flowChartDocument": "Diagram Alir: Dokumen", + "PE.Controllers.Main.txtShape_flowChartExtract": "Diagram Alir: Ekstrak", + "PE.Controllers.Main.txtShape_flowChartInputOutput": "Diagram Alir: Data", + "PE.Controllers.Main.txtShape_flowChartInternalStorage": "Diagram Alir: Memori Internal", + "PE.Controllers.Main.txtShape_flowChartMagneticDisk": "Diagram Alir: Magnetic Disk", + "PE.Controllers.Main.txtShape_flowChartMagneticDrum": "Diagram Alir: Direct Access Storage", + "PE.Controllers.Main.txtShape_flowChartMagneticTape": "Diagram Alir: Sequential Access Storage", + "PE.Controllers.Main.txtShape_flowChartManualInput": "Diagram Alir: Input Manual", + "PE.Controllers.Main.txtShape_flowChartManualOperation": "Diagram Alir: Operasi Manual", + "PE.Controllers.Main.txtShape_flowChartMerge": "Diagram Alir: Merge", + "PE.Controllers.Main.txtShape_flowChartMultidocument": "Diagram Alir: Multidokumen ", + "PE.Controllers.Main.txtShape_flowChartOffpageConnector": "Diagram Alir: Off-page Penghubung", + "PE.Controllers.Main.txtShape_flowChartOnlineStorage": "Diagram Alir: Stored Data", + "PE.Controllers.Main.txtShape_flowChartOr": "Diagram Alir: Atau", + "PE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Diagram Alir: Predefined Process", + "PE.Controllers.Main.txtShape_flowChartPreparation": "Diagram Alir: Preparasi", + "PE.Controllers.Main.txtShape_flowChartProcess": "Diagram Alir: Proses", + "PE.Controllers.Main.txtShape_flowChartPunchedCard": "Diagram Alir: Kartu", + "PE.Controllers.Main.txtShape_flowChartPunchedTape": "Diagram Alir: Punched Tape", + "PE.Controllers.Main.txtShape_flowChartSort": "Diagram Alir: Sortasi", + "PE.Controllers.Main.txtShape_flowChartSummingJunction": "Diagram Alir: Summing Junction", + "PE.Controllers.Main.txtShape_flowChartTerminator": "Diagram Alir: Terminator", + "PE.Controllers.Main.txtShape_foldedCorner": "Sudut Folder", "PE.Controllers.Main.txtShape_frame": "Kerangka", + "PE.Controllers.Main.txtShape_halfFrame": "Setengah Bingkai", + "PE.Controllers.Main.txtShape_heart": "Hati", + "PE.Controllers.Main.txtShape_heptagon": "Heptagon", + "PE.Controllers.Main.txtShape_hexagon": "Heksagon", + "PE.Controllers.Main.txtShape_homePlate": "Pentagon", + "PE.Controllers.Main.txtShape_horizontalScroll": "Scroll Horizontal", + "PE.Controllers.Main.txtShape_irregularSeal1": "Ledakan 1", + "PE.Controllers.Main.txtShape_irregularSeal2": "Ledakan 2", "PE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "PE.Controllers.Main.txtShape_leftArrowCallout": "Seranta Panah Kiri", + "PE.Controllers.Main.txtShape_leftBrace": "Brace Kiri", + "PE.Controllers.Main.txtShape_leftBracket": "Kurung Kurawal Kiri", + "PE.Controllers.Main.txtShape_leftRightArrow": "Panah Kiri Kanan", + "PE.Controllers.Main.txtShape_leftRightArrowCallout": "Seranta Panah Kiri Kanan", + "PE.Controllers.Main.txtShape_leftRightUpArrow": "Panah Kiri Kanan Atas", + "PE.Controllers.Main.txtShape_leftUpArrow": "Panah Kiri Atas", + "PE.Controllers.Main.txtShape_lightningBolt": "Petir", "PE.Controllers.Main.txtShape_line": "Garis", + "PE.Controllers.Main.txtShape_lineWithArrow": "Panah", + "PE.Controllers.Main.txtShape_lineWithTwoArrows": "Panah Ganda", + "PE.Controllers.Main.txtShape_mathDivide": "Divisi", "PE.Controllers.Main.txtShape_mathEqual": "Setara", "PE.Controllers.Main.txtShape_mathMinus": "Minus", + "PE.Controllers.Main.txtShape_mathMultiply": "Perkalian", + "PE.Controllers.Main.txtShape_mathNotEqual": "Tidak Sama", "PE.Controllers.Main.txtShape_mathPlus": "Plus", + "PE.Controllers.Main.txtShape_moon": "Bulan", + "PE.Controllers.Main.txtShape_noSmoking": "\"No\" simbol", + "PE.Controllers.Main.txtShape_notchedRightArrow": "Panah Takik Kanan", + "PE.Controllers.Main.txtShape_octagon": "Oktagon", + "PE.Controllers.Main.txtShape_parallelogram": "Parallelogram", + "PE.Controllers.Main.txtShape_pentagon": "Pentagon", + "PE.Controllers.Main.txtShape_pie": "Diagram Lingkaran", + "PE.Controllers.Main.txtShape_plaque": "Plus", "PE.Controllers.Main.txtShape_plus": "Plus", + "PE.Controllers.Main.txtShape_polyline1": "Scribble", + "PE.Controllers.Main.txtShape_polyline2": "Bentuk bebas", + "PE.Controllers.Main.txtShape_quadArrow": "Panah Empat Mata", + "PE.Controllers.Main.txtShape_quadArrowCallout": "Seranta Panah Empat Mata", + "PE.Controllers.Main.txtShape_rect": "Kotak", + "PE.Controllers.Main.txtShape_ribbon": "Pita Bawah", + "PE.Controllers.Main.txtShape_ribbon2": "Pita Keatas", "PE.Controllers.Main.txtShape_rightArrow": "Tanda Panah ke Kanan", - "PE.Controllers.Main.txtSldLtTBlank": "Blank", - "PE.Controllers.Main.txtSldLtTChart": "Chart", - "PE.Controllers.Main.txtSldLtTChartAndTx": "Chart and Text", - "PE.Controllers.Main.txtSldLtTClipArtAndTx": "Clip Art and Text", - "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Clip Art and Vertical Text", - "PE.Controllers.Main.txtSldLtTCust": "Custom", + "PE.Controllers.Main.txtShape_rightArrowCallout": "Seranta Panah Kanan", + "PE.Controllers.Main.txtShape_rightBrace": "Brace Kanan", + "PE.Controllers.Main.txtShape_rightBracket": "Kurung Kurawal Kanan", + "PE.Controllers.Main.txtShape_round1Rect": "Persegi Panjang Sudut Lengkung Single", + "PE.Controllers.Main.txtShape_round2DiagRect": "Persegi Panjang Sudut Lengkung Diagonal", + "PE.Controllers.Main.txtShape_round2SameRect": "Persegi Panjang Sudut Lengkung Sama Sisi", + "PE.Controllers.Main.txtShape_roundRect": "Persegi Panjang Sudut Lengkung", + "PE.Controllers.Main.txtShape_rtTriangle": "Segitiga Siku-Siku", + "PE.Controllers.Main.txtShape_smileyFace": "Wajah Senyum", + "PE.Controllers.Main.txtShape_snip1Rect": "Snip Persegi Panjang Sudut Single", + "PE.Controllers.Main.txtShape_snip2DiagRect": "Snip Persegi Panjang Sudut Lengkung Diagonal", + "PE.Controllers.Main.txtShape_snip2SameRect": "Snip Persegi Panjang Sudut Lengkung Sama Sisi", + "PE.Controllers.Main.txtShape_snipRoundRect": "Snip dan Persegi Panjang Sudut Lengkung Single", + "PE.Controllers.Main.txtShape_spline": "Lengkung", + "PE.Controllers.Main.txtShape_star10": "Bintang Titik-10", + "PE.Controllers.Main.txtShape_star12": "Bintang Titik-12", + "PE.Controllers.Main.txtShape_star16": "Bintang Titik-16", + "PE.Controllers.Main.txtShape_star24": "Bintang Titik-24", + "PE.Controllers.Main.txtShape_star32": "Bintang Titik-32", + "PE.Controllers.Main.txtShape_star4": "Bintang Titik-4", + "PE.Controllers.Main.txtShape_star5": "Bintang Titik-5", + "PE.Controllers.Main.txtShape_star6": "Bintang Titik-6", + "PE.Controllers.Main.txtShape_star7": "Bintang Titik-7", + "PE.Controllers.Main.txtShape_star8": "Bintang Titik-8", + "PE.Controllers.Main.txtShape_stripedRightArrow": "Panah Putus-Putus Kanan", + "PE.Controllers.Main.txtShape_sun": "Matahari", + "PE.Controllers.Main.txtShape_teardrop": "Teardrop", + "PE.Controllers.Main.txtShape_textRect": "Kotak Teks", + "PE.Controllers.Main.txtShape_trapezoid": "Trapezoid", + "PE.Controllers.Main.txtShape_triangle": "Segitiga", + "PE.Controllers.Main.txtShape_upArrow": "Panah keatas", + "PE.Controllers.Main.txtShape_upArrowCallout": "Seranta Panah Atas", + "PE.Controllers.Main.txtShape_upDownArrow": "Panah Atas Bawah", + "PE.Controllers.Main.txtShape_uturnArrow": "Panah Balik", + "PE.Controllers.Main.txtShape_verticalScroll": "Scroll Vertikal", + "PE.Controllers.Main.txtShape_wave": "Gelombang", + "PE.Controllers.Main.txtShape_wedgeEllipseCallout": "Callout Oval", + "PE.Controllers.Main.txtShape_wedgeRectCallout": "Callout Kotak", + "PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Callout Persegi Panjang Sudut Lengkung", + "PE.Controllers.Main.txtSldLtTBlank": "Kosong", + "PE.Controllers.Main.txtSldLtTChart": "Grafik", + "PE.Controllers.Main.txtSldLtTChartAndTx": "Grafik dan Teks", + "PE.Controllers.Main.txtSldLtTClipArtAndTx": "Clip Art dan Teks", + "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Clip Art dan Teks Vertikal", + "PE.Controllers.Main.txtSldLtTCust": "Khusus", "PE.Controllers.Main.txtSldLtTDgm": "Diagram", - "PE.Controllers.Main.txtSldLtTFourObj": "Four Objects", - "PE.Controllers.Main.txtSldLtTMediaAndTx": "Media and Text", - "PE.Controllers.Main.txtSldLtTObj": "Title and Object", - "PE.Controllers.Main.txtSldLtTObjAndTwoObj": "Object and Two Objects", - "PE.Controllers.Main.txtSldLtTObjAndTx": "Object and Text", - "PE.Controllers.Main.txtSldLtTObjOnly": "Object", - "PE.Controllers.Main.txtSldLtTObjOverTx": "Object over Text", - "PE.Controllers.Main.txtSldLtTObjTx": "Title, Object, and Caption", - "PE.Controllers.Main.txtSldLtTPicTx": "Picture and Caption", - "PE.Controllers.Main.txtSldLtTSecHead": "Section Header", - "PE.Controllers.Main.txtSldLtTTbl": "Table", - "PE.Controllers.Main.txtSldLtTTitle": "Title", - "PE.Controllers.Main.txtSldLtTTitleOnly": "Title Only", - "PE.Controllers.Main.txtSldLtTTwoColTx": "Two Column Text", - "PE.Controllers.Main.txtSldLtTTwoObj": "Two Objects", - "PE.Controllers.Main.txtSldLtTTwoObjAndObj": "Two Objects and Object", - "PE.Controllers.Main.txtSldLtTTwoObjAndTx": "Two Objects and Text", - "PE.Controllers.Main.txtSldLtTTwoObjOverTx": "Two Objects over Text", - "PE.Controllers.Main.txtSldLtTTwoTxTwoObj": "Two Text and Two Objects", - "PE.Controllers.Main.txtSldLtTTx": "Text", - "PE.Controllers.Main.txtSldLtTTxAndChart": "Text and Chart", - "PE.Controllers.Main.txtSldLtTTxAndClipArt": "Text and Clip Art", - "PE.Controllers.Main.txtSldLtTTxAndMedia": "Text and Media", - "PE.Controllers.Main.txtSldLtTTxAndObj": "Text and Object", - "PE.Controllers.Main.txtSldLtTTxAndTwoObj": "Text and Two Objects", - "PE.Controllers.Main.txtSldLtTTxOverObj": "Text over Object", - "PE.Controllers.Main.txtSldLtTVertTitleAndTx": "Vertical Title and Text", - "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "Vertical Title and Text Over Chart", - "PE.Controllers.Main.txtSldLtTVertTx": "Vertical Text", - "PE.Controllers.Main.txtStarsRibbons": "Stars & Ribbons", + "PE.Controllers.Main.txtSldLtTFourObj": "Empat Objek", + "PE.Controllers.Main.txtSldLtTMediaAndTx": "Media dan Teks", + "PE.Controllers.Main.txtSldLtTObj": "Judul dan Objek", + "PE.Controllers.Main.txtSldLtTObjAndTwoObj": "Objek dan Dua Objek", + "PE.Controllers.Main.txtSldLtTObjAndTx": "Objek dan Teks", + "PE.Controllers.Main.txtSldLtTObjOnly": "Objek", + "PE.Controllers.Main.txtSldLtTObjOverTx": "Objek Diatas Teks", + "PE.Controllers.Main.txtSldLtTObjTx": "Judul, Objek, dan Caption", + "PE.Controllers.Main.txtSldLtTPicTx": "Gambar dan Caption", + "PE.Controllers.Main.txtSldLtTSecHead": "Header Sesi", + "PE.Controllers.Main.txtSldLtTTbl": "Tabel", + "PE.Controllers.Main.txtSldLtTTitle": "Judul", + "PE.Controllers.Main.txtSldLtTTitleOnly": "Hanya Judul", + "PE.Controllers.Main.txtSldLtTTwoColTx": "Dua Teks Kolom", + "PE.Controllers.Main.txtSldLtTTwoObj": "Dua Objek", + "PE.Controllers.Main.txtSldLtTTwoObjAndObj": "Dua Objects dan Objek", + "PE.Controllers.Main.txtSldLtTTwoObjAndTx": "Dua Objek dan Teks", + "PE.Controllers.Main.txtSldLtTTwoObjOverTx": "Dua Objek diatas Teks", + "PE.Controllers.Main.txtSldLtTTwoTxTwoObj": "Dua Teks dan Dua Objek", + "PE.Controllers.Main.txtSldLtTTx": "Teks", + "PE.Controllers.Main.txtSldLtTTxAndChart": "Teks dan Grafik", + "PE.Controllers.Main.txtSldLtTTxAndClipArt": "Teks dan Clip Art", + "PE.Controllers.Main.txtSldLtTTxAndMedia": "Teks dan Media", + "PE.Controllers.Main.txtSldLtTTxAndObj": "Teks dan Objek", + "PE.Controllers.Main.txtSldLtTTxAndTwoObj": "Teks dan Dua Objek", + "PE.Controllers.Main.txtSldLtTTxOverObj": "Teks Di Atas Objek", + "PE.Controllers.Main.txtSldLtTVertTitleAndTx": "Judul dan Teks Vertikal", + "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "Judul Vertikal dan Teks di Atas Grafik", + "PE.Controllers.Main.txtSldLtTVertTx": "Teks Vertikal", + "PE.Controllers.Main.txtSlideNumber": "Nomor Slide", + "PE.Controllers.Main.txtSlideSubtitle": "Subtitle Slide", + "PE.Controllers.Main.txtSlideText": "Teks Slide", + "PE.Controllers.Main.txtSlideTitle": "Judul Slide", + "PE.Controllers.Main.txtStarsRibbons": "Bintang & Pita", + "PE.Controllers.Main.txtTheme_basic": "Dasar", + "PE.Controllers.Main.txtTheme_blank": "Kosong", + "PE.Controllers.Main.txtTheme_classic": "Klasik", + "PE.Controllers.Main.txtTheme_corner": "Sudut", + "PE.Controllers.Main.txtTheme_dotted": "Titik-Titik", "PE.Controllers.Main.txtTheme_green": "Hijau", + "PE.Controllers.Main.txtTheme_green_leaf": "Hijau Daun", "PE.Controllers.Main.txtTheme_lines": "Garis", - "PE.Controllers.Main.txtXAxis": "X Axis", - "PE.Controllers.Main.txtYAxis": "Y Axis", - "PE.Controllers.Main.unknownErrorText": "Unknown error.", - "PE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.", - "PE.Controllers.Main.uploadImageExtMessage": "Unknown image format.", - "PE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.", - "PE.Controllers.Main.uploadImageSizeMessage": "Maximum image size limit exceeded.", - "PE.Controllers.Main.uploadImageTextText": "Uploading image...", - "PE.Controllers.Main.uploadImageTitleText": "Uploading Image", - "PE.Controllers.Main.waitText": "Silahkan menunggu...", - "PE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", - "PE.Controllers.Main.warnBrowserZoom": "Your browser current zoom setting is not fully supported. Please reset to the default zoom by pressing Ctrl+0.", - "PE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", - "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", - "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
        The text style will be displayed using one of the system fonts, the saved font will be used when it is available.
        Do you want to continue?", + "PE.Controllers.Main.txtTheme_office": "Office", + "PE.Controllers.Main.txtTheme_office_theme": "Tema Office", + "PE.Controllers.Main.txtTheme_official": "Official", + "PE.Controllers.Main.txtTheme_pixel": "Pixel", + "PE.Controllers.Main.txtTheme_safari": "Safari", + "PE.Controllers.Main.txtTheme_turtle": "Turtle", + "PE.Controllers.Main.txtXAxis": "Sumbu X", + "PE.Controllers.Main.txtYAxis": "Sumbu Y", + "PE.Controllers.Main.unknownErrorText": "Kesalahan tidak diketahui.", + "PE.Controllers.Main.unsupportedBrowserErrorText": "Peramban kamu tidak didukung.", + "PE.Controllers.Main.uploadImageExtMessage": "Format gambar tidak dikenal.", + "PE.Controllers.Main.uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", + "PE.Controllers.Main.uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB.", + "PE.Controllers.Main.uploadImageTextText": "Mengunggah gambar...", + "PE.Controllers.Main.uploadImageTitleText": "Mengunggah Gambar", + "PE.Controllers.Main.waitText": "Silahkan menunggu", + "PE.Controllers.Main.warnBrowserIE9": "Aplikasi ini tidak berjalan dengan baik di IE9. Gunakan IE10 atau versi yang terbaru.", + "PE.Controllers.Main.warnBrowserZoom": "Pengaturan pembesaran tampilan pada browser Anda saat ini tidak didukung sepenuhnya. Silakan atur ulang ke tampilan standar dengan menekan Ctrl+0.", + "PE.Controllers.Main.warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
        Hubungi admin Anda untuk mempelajari lebih lanjut.", + "PE.Controllers.Main.warnLicenseExp": "Lisensi Anda sudah kadaluwarsa.
        Silakan update lisensi Anda dan muat ulang halaman.", + "PE.Controllers.Main.warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa.
        Anda tidak memiliki akses untuk editing dokumen secara keseluruhan.
        Silakan hubungi admin Anda.", + "PE.Controllers.Main.warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui.
        Anda memiliki akses terbatas untuk edit dokumen.
        Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "PE.Controllers.Main.warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "PE.Controllers.Main.warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
        Hubungi %1 tim sales untuk syarat personal upgrade.", + "PE.Controllers.Main.warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", + "PE.Controllers.Main.warnProcessRightsChange": "Hak Anda untuk mengedit file ditolak.", + "PE.Controllers.Statusbar.textDisconnect": "Koneksi terputus
        Mencoba menghubungkan. Silakan periksa pengaturan koneksi.", + "PE.Controllers.Statusbar.zoomText": "Perbesar {0}%", + "PE.Controllers.Toolbar.confirmAddFontName": "Font yang akan Anda simpan tidak tersedia di perangkat sekarang.
        Style teks akan ditampilkan menggunakan salah satu font sistem, font yang disimpan akan digunakan jika sudah tersedia.
        Apakah Anda ingin melanjutkan?", "PE.Controllers.Toolbar.textAccent": "Aksen", "PE.Controllers.Toolbar.textBracket": "Tanda Kurung", - "PE.Controllers.Toolbar.textEmptyImgUrl": "You need to specify image URL.", - "PE.Controllers.Toolbar.textFontSizeErr": "The entered value is incorrect.
        Please enter a numeric value between 1 and 300", + "PE.Controllers.Toolbar.textEmptyImgUrl": "Anda harus menentukan URL gambar.", + "PE.Controllers.Toolbar.textFontSizeErr": "Input yang dimasukkan salah.
        Silakan masukkan input numerik antara 1 dan 300", "PE.Controllers.Toolbar.textFraction": "Pecahan", "PE.Controllers.Toolbar.textFunction": "Fungsi", "PE.Controllers.Toolbar.textInsert": "Sisipkan", @@ -331,18 +963,25 @@ "PE.Controllers.Toolbar.textMatrix": "Matriks", "PE.Controllers.Toolbar.textOperator": "Operator", "PE.Controllers.Toolbar.textRadical": "Perakaran", - "PE.Controllers.Toolbar.textWarning": "Warning", + "PE.Controllers.Toolbar.textScript": "Scripts", + "PE.Controllers.Toolbar.textSymbols": "Simbol", + "PE.Controllers.Toolbar.textWarning": "Peringatan", "PE.Controllers.Toolbar.txtAccent_Accent": "Akut", "PE.Controllers.Toolbar.txtAccent_ArrowD": "Tanda Panah Kanan-Kiri Atas", "PE.Controllers.Toolbar.txtAccent_ArrowL": "Panah Kiri Atas", "PE.Controllers.Toolbar.txtAccent_ArrowR": "Tanda Panah ke Kanan Atas", "PE.Controllers.Toolbar.txtAccent_Bar": "Palang", + "PE.Controllers.Toolbar.txtAccent_BarBot": "Underbar", "PE.Controllers.Toolbar.txtAccent_BarTop": "Garis Atas", "PE.Controllers.Toolbar.txtAccent_BorderBox": "Kotak Formula (Dengan Placeholder)", - "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Kotak Formula (Contoh)", + "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Kotak Formula(Contoh)", "PE.Controllers.Toolbar.txtAccent_Check": "Periksa", + "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Underbrace", "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Kurung Kurawal Atas", + "PE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", "PE.Controllers.Toolbar.txtAccent_Custom_2": "ABC Dengan Overbar", + "PE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y dengan overbar", + "PE.Controllers.Toolbar.txtAccent_DDDot": "Triple Dot", "PE.Controllers.Toolbar.txtAccent_DDot": "Titik Dua", "PE.Controllers.Toolbar.txtAccent_Dot": "Titik", "PE.Controllers.Toolbar.txtAccent_DoubleBar": "Overbar Ganda", @@ -350,35 +989,60 @@ "PE.Controllers.Toolbar.txtAccent_GroupBot": "Pengelompokan Karakter Di Bawah", "PE.Controllers.Toolbar.txtAccent_GroupTop": "Pengelompokan Karakter Di Atas", "PE.Controllers.Toolbar.txtAccent_HarpoonL": "Panah Tiga Kiri Atas", - "PE.Controllers.Toolbar.txtAccent_Hat": "Caping", - "PE.Controllers.Toolbar.txtAccent_Smile": "Prosodi ", + "PE.Controllers.Toolbar.txtAccent_HarpoonR": "Harpoon kanan di bawah", + "PE.Controllers.Toolbar.txtAccent_Hat": "Topi", + "PE.Controllers.Toolbar.txtAccent_Smile": "Prosodi", + "PE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", "PE.Controllers.Toolbar.txtBracket_Angle": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Tanda Kurung dengan Pemisah", "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Tanda Kurung dengan Pemisah", + "PE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_Curve": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Tanda Kurung dengan Pemisah", + "PE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_Custom_1": "Kasus (Dua Kondisi)", "PE.Controllers.Toolbar.txtBracket_Custom_2": "Kasus (Tiga Kondisi)", + "PE.Controllers.Toolbar.txtBracket_Custom_3": "Tumpuk objek", + "PE.Controllers.Toolbar.txtBracket_Custom_4": "Tumpuk objek", "PE.Controllers.Toolbar.txtBracket_Custom_5": "Contoh Kasus", "PE.Controllers.Toolbar.txtBracket_Custom_6": "Koefisien Binomial", "PE.Controllers.Toolbar.txtBracket_Custom_7": "Koefisien Binomial", "PE.Controllers.Toolbar.txtBracket_Line": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_LineDouble": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_LowLim": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_Round": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Tanda Kurung dengan Pemisah", + "PE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_Square": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Tanda Kurung", "PE.Controllers.Toolbar.txtBracket_SquareDouble": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Kurung Kurawal Single", "PE.Controllers.Toolbar.txtBracket_UppLim": "Tanda Kurung", + "PE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Kurung Kurawal Single", + "PE.Controllers.Toolbar.txtFractionDiagonal": "Pecahan miring", "PE.Controllers.Toolbar.txtFractionDifferential_1": "Diferensial", "PE.Controllers.Toolbar.txtFractionDifferential_2": "Diferensial", "PE.Controllers.Toolbar.txtFractionDifferential_3": "Diferensial", "PE.Controllers.Toolbar.txtFractionDifferential_4": "Diferensial", "PE.Controllers.Toolbar.txtFractionHorizontal": "Pecahan Linear", "PE.Controllers.Toolbar.txtFractionPi_2": "Pi Dibagi 2", + "PE.Controllers.Toolbar.txtFractionSmall": "Pecahan kecil", + "PE.Controllers.Toolbar.txtFractionVertical": "Pecahan bertumpuk", "PE.Controllers.Toolbar.txtFunction_1_Cos": "Fungsi Kosin Terbalik", "PE.Controllers.Toolbar.txtFunction_1_Cosh": "Fungsi Kosin Hiperbolik Terbalik", "PE.Controllers.Toolbar.txtFunction_1_Cot": "Fungsi Kotangen Terbalik", @@ -397,8 +1061,14 @@ "PE.Controllers.Toolbar.txtFunction_Coth": "Fungsi Kotangen Hiperbolik", "PE.Controllers.Toolbar.txtFunction_Csc": "Fungsi Kosekans", "PE.Controllers.Toolbar.txtFunction_Csch": "Fungsi Kosekans Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Custom_1": "Sine theta", + "PE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "PE.Controllers.Toolbar.txtFunction_Custom_3": "Tangent formula", + "PE.Controllers.Toolbar.txtFunction_Sec": "Fungsi sekan", "PE.Controllers.Toolbar.txtFunction_Sech": "Fungsi Sekans Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Sin": "Fungsi sinus", "PE.Controllers.Toolbar.txtFunction_Sinh": "Fungsi Sin Hiperbolik", + "PE.Controllers.Toolbar.txtFunction_Tan": "Fungsi tangen", "PE.Controllers.Toolbar.txtFunction_Tanh": "Fungsi Tangen Hiperbolik", "PE.Controllers.Toolbar.txtIntegral": "Integral", "PE.Controllers.Toolbar.txtIntegral_dtheta": "Theta Diferensial", @@ -410,20 +1080,57 @@ "PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integral Ganda", "PE.Controllers.Toolbar.txtIntegralOriented": "Integral Kontur", "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral Kontur", + "PE.Controllers.Toolbar.txtIntegralOrientedDouble": "Permukaan integral", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Permukaan integral", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Permukaan integral", "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral Kontur", + "PE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume integral", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume integral", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume integral", "PE.Controllers.Toolbar.txtIntegralSubSup": "Integral", + "PE.Controllers.Toolbar.txtIntegralTriple": "Triple integral", + "PE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple integral", + "PE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple integral", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Wedge", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Wedge", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Wedge", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Wedge", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Wedge", "PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Ko-Produk", "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Ko-Produk", "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Ko-Produk", "PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Ko-Produk", "PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Ko-Produk", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Penjumlahan", "PE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produk", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union", "PE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection": "Perpotongan", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Perpotongan", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Perpotongan", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Perpotongan", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Perpotongan", "PE.Controllers.Toolbar.txtLargeOperator_Prod": "Produk", "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produk", "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produk", "PE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produk", "PE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produk", + "PE.Controllers.Toolbar.txtLargeOperator_Sum": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Penjumlahan", + "PE.Controllers.Toolbar.txtLargeOperator_Union": "Union", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union", + "PE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Union", + "PE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Union", "PE.Controllers.Toolbar.txtLimitLog_Custom_1": "Contoh Limit", "PE.Controllers.Toolbar.txtLimitLog_Custom_2": "Contoh Maksimal", "PE.Controllers.Toolbar.txtLimitLog_Lim": "Limit", @@ -447,6 +1154,9 @@ "PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Titik Bawah", "PE.Controllers.Toolbar.txtMatrix_Dots_Center": "Titik Tengah", "PE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Titik Diagonal", + "PE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Titik Vertikal", + "PE.Controllers.Toolbar.txtMatrix_Flat_Round": "Sparse Matrix", + "PE.Controllers.Toolbar.txtMatrix_Flat_Square": "Sparse Matrix", "PE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 Matriks Identitas", "PE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 Matriks Identitas", "PE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 Matriks Identitas", @@ -455,8 +1165,10 @@ "PE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "PE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Panah Kiri Bawah", "PE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Panah Kiri Atas", + "PE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Panah kanan di bawah", "PE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Tanda Panah ke Kanan Atas", "PE.Controllers.Toolbar.txtOperator_ColonEquals": "Titik Dua", + "PE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", "PE.Controllers.Toolbar.txtOperator_Custom_2": "Hasil Delta", "PE.Controllers.Toolbar.txtOperator_Definition": "Setara Menurut Definisi", "PE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta Setara Dengan", @@ -464,6 +1176,7 @@ "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Panah Kiri Bawah", "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Panah Kiri Atas", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Panah kanan di bawah", "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Tanda Panah ke Kanan Atas", "PE.Controllers.Toolbar.txtOperator_EqualsEquals": "Setara Setara", "PE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus Sama Dengan", @@ -471,9 +1184,16 @@ "PE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Diukur Berdasar", "PE.Controllers.Toolbar.txtRadicalCustom_1": "Akar", "PE.Controllers.Toolbar.txtRadicalCustom_2": "Akar", + "PE.Controllers.Toolbar.txtRadicalRoot_2": "Akar dengan pangkat", "PE.Controllers.Toolbar.txtRadicalRoot_3": "Akar Pangkat Tiga", "PE.Controllers.Toolbar.txtRadicalRoot_n": "Akar Dengan Derajat", + "PE.Controllers.Toolbar.txtRadicalSqrt": "Akar pangkat dua", + "PE.Controllers.Toolbar.txtScriptCustom_1": "Akar", + "PE.Controllers.Toolbar.txtScriptCustom_2": "Akar", + "PE.Controllers.Toolbar.txtScriptCustom_3": "Akar", + "PE.Controllers.Toolbar.txtScriptCustom_4": "Akar", "PE.Controllers.Toolbar.txtScriptSub": "Subskrip", + "PE.Controllers.Toolbar.txtScriptSubSup": "Subskrip-SuperskripKiri", "PE.Controllers.Toolbar.txtScriptSubSupLeft": "Subskrip-SuperskripKiri", "PE.Controllers.Toolbar.txtScriptSup": "Superskrip", "PE.Controllers.Toolbar.txtSymbol_about": "Kira-Kira", @@ -485,11 +1205,14 @@ "PE.Controllers.Toolbar.txtSymbol_beta": "Beta", "PE.Controllers.Toolbar.txtSymbol_beth": "Taruhan", "PE.Controllers.Toolbar.txtSymbol_bullet": "Operator Butir", + "PE.Controllers.Toolbar.txtSymbol_cap": "Perpotongan", "PE.Controllers.Toolbar.txtSymbol_cbrt": "Akar Pangkat Tiga", "PE.Controllers.Toolbar.txtSymbol_cdots": "Elipsis Tengah Horisontal", "PE.Controllers.Toolbar.txtSymbol_celsius": "Derajat Celcius", "PE.Controllers.Toolbar.txtSymbol_chi": "Chi", "PE.Controllers.Toolbar.txtSymbol_cong": "Kira-Kira Setara Dengan", + "PE.Controllers.Toolbar.txtSymbol_cup": "Union", + "PE.Controllers.Toolbar.txtSymbol_ddots": "Serong Kanan Bawah", "PE.Controllers.Toolbar.txtSymbol_degree": "Derajat", "PE.Controllers.Toolbar.txtSymbol_delta": "Delta", "PE.Controllers.Toolbar.txtSymbol_div": "Tanda Pembagi", @@ -499,6 +1222,7 @@ "PE.Controllers.Toolbar.txtSymbol_equals": "Setara", "PE.Controllers.Toolbar.txtSymbol_equiv": "Identik Dengan", "PE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "PE.Controllers.Toolbar.txtSymbol_exists": "Ada di sana", "PE.Controllers.Toolbar.txtSymbol_factorial": "Faktorial", "PE.Controllers.Toolbar.txtSymbol_fahrenheit": "Derajat Fahrenheit", "PE.Controllers.Toolbar.txtSymbol_forall": "Untuk Semua", @@ -519,8 +1243,12 @@ "PE.Controllers.Toolbar.txtSymbol_ll": "Kurang Dari", "PE.Controllers.Toolbar.txtSymbol_minus": "Minus", "PE.Controllers.Toolbar.txtSymbol_mp": "Minus Plus", + "PE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "PE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "PE.Controllers.Toolbar.txtSymbol_neq": "Tidak Sama Dengan", "PE.Controllers.Toolbar.txtSymbol_ni": "Sertakan sebagai Anggota", "PE.Controllers.Toolbar.txtSymbol_not": "Tanda Negasi", + "PE.Controllers.Toolbar.txtSymbol_notexists": "Tidak ada di sana", "PE.Controllers.Toolbar.txtSymbol_nu": "Nu", "PE.Controllers.Toolbar.txtSymbol_o": "Omikron", "PE.Controllers.Toolbar.txtSymbol_omega": "Omega", @@ -534,648 +1262,1001 @@ "PE.Controllers.Toolbar.txtSymbol_psi": "Psi", "PE.Controllers.Toolbar.txtSymbol_qdrt": "Akar Kuadrat", "PE.Controllers.Toolbar.txtSymbol_qed": "Pembuktian Akhir", + "PE.Controllers.Toolbar.txtSymbol_rddots": "Elipsis diagonal kanan atas", "PE.Controllers.Toolbar.txtSymbol_rho": "Rho", "PE.Controllers.Toolbar.txtSymbol_rightarrow": "Tanda Panah ke Kanan", "PE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "PE.Controllers.Toolbar.txtSymbol_sqrt": "Tanda Akar", "PE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "PE.Controllers.Toolbar.txtSymbol_therefore": "Oleh karena itu", "PE.Controllers.Toolbar.txtSymbol_theta": "Theta", "PE.Controllers.Toolbar.txtSymbol_times": "Tanda Perkalian", + "PE.Controllers.Toolbar.txtSymbol_uparrow": "Panah keatas", + "PE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Varian Epsilon", "PE.Controllers.Toolbar.txtSymbol_varphi": "Varian Phi", "PE.Controllers.Toolbar.txtSymbol_varpi": "Varian Pi", "PE.Controllers.Toolbar.txtSymbol_varrho": "Varian Rho", - "PE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Variant", - "PE.Controllers.Toolbar.txtSymbol_vartheta": "Theta Variant", + "PE.Controllers.Toolbar.txtSymbol_varsigma": "Varian Sigma", + "PE.Controllers.Toolbar.txtSymbol_vartheta": "Varian Theta", + "PE.Controllers.Toolbar.txtSymbol_vdots": "Elipsis vertikal", "PE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "PE.Controllers.Viewport.textFitPage": "Fit Slide", "PE.Controllers.Viewport.textFitWidth": "Sesuaikan Lebar", + "PE.Views.Animation.strDelay": "Delay", + "PE.Views.Animation.strDuration": "Durasi", + "PE.Views.Animation.strRepeat": "Ulangi", + "PE.Views.Animation.strRewind": "Rewind", "PE.Views.Animation.strStart": "Mulai", + "PE.Views.Animation.strTrigger": "Trigger", + "PE.Views.Animation.textMoreEffects": "Tampilkan Lebih Banyak Efek", + "PE.Views.Animation.textMoveEarlier": "Pindah Lebih Awal", + "PE.Views.Animation.textMoveLater": "Pindah Lebih Akhir", "PE.Views.Animation.textMultiple": "Banyak", "PE.Views.Animation.textNone": "Tidak ada", + "PE.Views.Animation.textNoRepeat": "(tidak ada)", + "PE.Views.Animation.textOnClickOf": "Saat Klik dari", + "PE.Views.Animation.textOnClickSequence": "Saat Klik Sekuens", + "PE.Views.Animation.textStartAfterPrevious": "Setelah Sebelumnya", + "PE.Views.Animation.textStartOnClick": "Saat Klik", + "PE.Views.Animation.textStartWithPrevious": "Dengan Sebelumnya", + "PE.Views.Animation.txtAddEffect": "Tambah animasi", + "PE.Views.Animation.txtAnimationPane": "Panel Animasi", "PE.Views.Animation.txtParameters": "Parameter", "PE.Views.Animation.txtPreview": "Pratinjau", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Preview Efek", + "PE.Views.AnimationDialog.textTitle": "Lebih Banyak Efek", "PE.Views.ChartSettings.textAdvanced": "Tampilkan pengaturan lanjut", - "PE.Views.ChartSettings.textChartType": "Change Chart Type", + "PE.Views.ChartSettings.textChartType": "Ubah Tipe Bagan", "PE.Views.ChartSettings.textEditData": "Edit Data", - "PE.Views.ChartSettings.textHeight": "Height", - "PE.Views.ChartSettings.textKeepRatio": "Constant Proportions", - "PE.Views.ChartSettings.textSize": "Size", - "PE.Views.ChartSettings.textStyle": "Style", - "PE.Views.ChartSettings.textWidth": "Width", + "PE.Views.ChartSettings.textHeight": "Tinggi", + "PE.Views.ChartSettings.textKeepRatio": "Proporsi Konstan", + "PE.Views.ChartSettings.textSize": "Ukuran", + "PE.Views.ChartSettings.textStyle": "Model", + "PE.Views.ChartSettings.textWidth": "Lebar", + "PE.Views.ChartSettingsAdvanced.textAlt": "Teks Alternatif", "PE.Views.ChartSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.ChartSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "PE.Views.ChartSettingsAdvanced.textAltTitle": "Judul", "PE.Views.ChartSettingsAdvanced.textTitle": "Bagan - Pengaturan Lanjut", + "PE.Views.DateTimeDialog.confirmDefault": "Atur format default untuk {0}: \"{1}\"", + "PE.Views.DateTimeDialog.textDefault": "Atur sesuai default", + "PE.Views.DateTimeDialog.textFormat": "Format", "PE.Views.DateTimeDialog.textLang": "Bahasa", - "PE.Views.DocumentHolder.aboveText": "Above", - "PE.Views.DocumentHolder.addCommentText": "Add Comment", - "PE.Views.DocumentHolder.advancedImageText": "Image Advanced Settings", - "PE.Views.DocumentHolder.advancedParagraphText": "Text Advanced Settings", - "PE.Views.DocumentHolder.advancedShapeText": "Shape Advanced Settings", - "PE.Views.DocumentHolder.advancedTableText": "Table Advanced Settings", + "PE.Views.DateTimeDialog.textUpdate": "Update secara otomatis", + "PE.Views.DateTimeDialog.txtTitle": "Tanggal & Jam", + "PE.Views.DocumentHolder.aboveText": "Di atas", + "PE.Views.DocumentHolder.addCommentText": "Tambahkan Komentar", + "PE.Views.DocumentHolder.addToLayoutText": "Tambah ke Layout", + "PE.Views.DocumentHolder.advancedImageText": "Pengaturan Lanjut untuk Gambar", + "PE.Views.DocumentHolder.advancedParagraphText": "Pengaturan Lanjut untuk Paragraf", + "PE.Views.DocumentHolder.advancedShapeText": "Pengaturan Lanjut untuk Bentuk", + "PE.Views.DocumentHolder.advancedTableText": "Pengaturan Lanjut untuk Tabel", "PE.Views.DocumentHolder.alignmentText": "Perataan", - "PE.Views.DocumentHolder.belowText": "Below", - "PE.Views.DocumentHolder.cellAlignText": "Cell Vertical Alignment", - "PE.Views.DocumentHolder.cellText": "Cell", + "PE.Views.DocumentHolder.belowText": "Di bawah", + "PE.Views.DocumentHolder.cellAlignText": "Sel Rata Atas", + "PE.Views.DocumentHolder.cellText": "Sel", "PE.Views.DocumentHolder.centerText": "Tengah", - "PE.Views.DocumentHolder.columnText": "Column", - "PE.Views.DocumentHolder.deleteColumnText": "Delete Column", - "PE.Views.DocumentHolder.deleteRowText": "Delete Row", - "PE.Views.DocumentHolder.deleteTableText": "Delete Table", - "PE.Views.DocumentHolder.deleteText": "Delete", - "PE.Views.DocumentHolder.direct270Text": "Rotate at 270°", - "PE.Views.DocumentHolder.direct90Text": "Rotate at 90°", - "PE.Views.DocumentHolder.directHText": "Horizontal", - "PE.Views.DocumentHolder.directionText": "Text Direction", + "PE.Views.DocumentHolder.columnText": "Kolom", + "PE.Views.DocumentHolder.deleteColumnText": "Hapus Kolom", + "PE.Views.DocumentHolder.deleteRowText": "Hapus Baris", + "PE.Views.DocumentHolder.deleteTableText": "Hapus Tabel", + "PE.Views.DocumentHolder.deleteText": "Hapus", + "PE.Views.DocumentHolder.direct270Text": "Rotasi Teks Keatas", + "PE.Views.DocumentHolder.direct90Text": "Rotasi Teks Kebawah", + "PE.Views.DocumentHolder.directHText": "Horisontal", + "PE.Views.DocumentHolder.directionText": "Arah Teks", "PE.Views.DocumentHolder.editChartText": "Edit Data", "PE.Views.DocumentHolder.editHyperlinkText": "Edit Hyperlink", "PE.Views.DocumentHolder.hyperlinkText": "Hyperlink", "PE.Views.DocumentHolder.ignoreAllSpellText": "Abaikan Semua", "PE.Views.DocumentHolder.ignoreSpellText": "Abaikan", - "PE.Views.DocumentHolder.insertColumnLeftText": "Column Left", - "PE.Views.DocumentHolder.insertColumnRightText": "Column Right", - "PE.Views.DocumentHolder.insertColumnText": "Insert Column", - "PE.Views.DocumentHolder.insertRowAboveText": "Row Above", - "PE.Views.DocumentHolder.insertRowBelowText": "Row Below", - "PE.Views.DocumentHolder.insertRowText": "Insert Row", - "PE.Views.DocumentHolder.insertText": "Insert", + "PE.Views.DocumentHolder.insertColumnLeftText": "Kolom Kiri", + "PE.Views.DocumentHolder.insertColumnRightText": "Kolom Kanan", + "PE.Views.DocumentHolder.insertColumnText": "Sisipkan Kolom", + "PE.Views.DocumentHolder.insertRowAboveText": "Baris di Atas", + "PE.Views.DocumentHolder.insertRowBelowText": "Baris di Bawah", + "PE.Views.DocumentHolder.insertRowText": "Sisipkan Baris", + "PE.Views.DocumentHolder.insertText": "Sisipkan", "PE.Views.DocumentHolder.langText": "Pilih Bahasa", "PE.Views.DocumentHolder.leftText": "Kiri", "PE.Views.DocumentHolder.loadSpellText": "Memuat varian...", - "PE.Views.DocumentHolder.mergeCellsText": "Merge Cells", + "PE.Views.DocumentHolder.mergeCellsText": "Gabungkan Sel", "PE.Views.DocumentHolder.mniCustomTable": "Sisipkan Tabel Khusus", "PE.Views.DocumentHolder.moreText": "Varian lain...", "PE.Views.DocumentHolder.noSpellVariantsText": "Tidak ada varian", - "PE.Views.DocumentHolder.originalSizeText": "Default Size", - "PE.Views.DocumentHolder.removeHyperlinkText": "Remove Hyperlink", + "PE.Views.DocumentHolder.originalSizeText": "Ukuran Sebenarnya", + "PE.Views.DocumentHolder.removeHyperlinkText": "Hapus Hyperlink", "PE.Views.DocumentHolder.rightText": "Kanan", - "PE.Views.DocumentHolder.rowText": "Row", - "PE.Views.DocumentHolder.selectText": "Select", + "PE.Views.DocumentHolder.rowText": "Baris", + "PE.Views.DocumentHolder.selectText": "Pilih", "PE.Views.DocumentHolder.spellcheckText": "Periksa ejaan", - "PE.Views.DocumentHolder.splitCellsText": "Split Cell...", - "PE.Views.DocumentHolder.splitCellTitleText": "Split Cell", - "PE.Views.DocumentHolder.tableText": "Table", - "PE.Views.DocumentHolder.textArrangeBack": "Send to Background", - "PE.Views.DocumentHolder.textArrangeBackward": "Move Backward", - "PE.Views.DocumentHolder.textArrangeForward": "Move Forward", - "PE.Views.DocumentHolder.textArrangeFront": "Bring To Foreground", - "PE.Views.DocumentHolder.textCopy": "Copy", - "PE.Views.DocumentHolder.textCropFill": "Isian", - "PE.Views.DocumentHolder.textCut": "Cut", + "PE.Views.DocumentHolder.splitCellsText": "Pisahkan Sel...", + "PE.Views.DocumentHolder.splitCellTitleText": "Pisahkan Sel", + "PE.Views.DocumentHolder.tableText": "Tabel", + "PE.Views.DocumentHolder.textArrangeBack": "Jalankan di Background", + "PE.Views.DocumentHolder.textArrangeBackward": "Mundurkan", + "PE.Views.DocumentHolder.textArrangeForward": "Majukan", + "PE.Views.DocumentHolder.textArrangeFront": "Tampilkan di Halaman Muka", + "PE.Views.DocumentHolder.textCopy": "Salin", + "PE.Views.DocumentHolder.textCrop": "Isian", + "PE.Views.DocumentHolder.textCropFill": "Isi", + "PE.Views.DocumentHolder.textCropFit": "Fit", + "PE.Views.DocumentHolder.textCut": "Potong", + "PE.Views.DocumentHolder.textDistributeCols": "Distribusikan kolom", + "PE.Views.DocumentHolder.textDistributeRows": "Distribusikan baris", + "PE.Views.DocumentHolder.textEditPoints": "Edit Titik", + "PE.Views.DocumentHolder.textFlipH": "Flip Horizontal", + "PE.Views.DocumentHolder.textFlipV": "Flip Vertikal", "PE.Views.DocumentHolder.textFromFile": "Dari File", + "PE.Views.DocumentHolder.textFromStorage": "Dari Penyimpanan", "PE.Views.DocumentHolder.textFromUrl": "Dari URL", - "PE.Views.DocumentHolder.textNextPage": "Next Slide", - "PE.Views.DocumentHolder.textPaste": "Paste", - "PE.Views.DocumentHolder.textPrevPage": "Previous Slide", + "PE.Views.DocumentHolder.textNextPage": "Slide Berikutnya", + "PE.Views.DocumentHolder.textPaste": "Tempel", + "PE.Views.DocumentHolder.textPrevPage": "Slide sebelumnya", "PE.Views.DocumentHolder.textReplace": "Ganti Gambar", - "PE.Views.DocumentHolder.textShapeAlignBottom": "Align Bottom", - "PE.Views.DocumentHolder.textShapeAlignCenter": "Align Center", - "PE.Views.DocumentHolder.textShapeAlignLeft": "Align Left", - "PE.Views.DocumentHolder.textShapeAlignMiddle": "Align Middle", - "PE.Views.DocumentHolder.textShapeAlignRight": "Align Right", - "PE.Views.DocumentHolder.textShapeAlignTop": "Align Top", - "PE.Views.DocumentHolder.textSlideSettings": "Slide Settings", + "PE.Views.DocumentHolder.textRotate": "Rotasi", + "PE.Views.DocumentHolder.textRotate270": "Rotasi 90° Berlawanan Jarum Jam", + "PE.Views.DocumentHolder.textRotate90": "Rotasi 90° Searah Jarum Jam", + "PE.Views.DocumentHolder.textShapeAlignBottom": "Rata Bawah", + "PE.Views.DocumentHolder.textShapeAlignCenter": "Rata Tengah", + "PE.Views.DocumentHolder.textShapeAlignLeft": "Rata Kiri", + "PE.Views.DocumentHolder.textShapeAlignMiddle": "Rata di Tengah", + "PE.Views.DocumentHolder.textShapeAlignRight": "Rata Kanan", + "PE.Views.DocumentHolder.textShapeAlignTop": "Rata Atas", + "PE.Views.DocumentHolder.textSlideSettings": "Pengaturan slide", "PE.Views.DocumentHolder.textUndo": "Batalkan", - "PE.Views.DocumentHolder.tipIsLocked": "This element is currently being edited by another user.", - "PE.Views.DocumentHolder.txtAlign": "Align", - "PE.Views.DocumentHolder.txtArrange": "Arrange", + "PE.Views.DocumentHolder.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "PE.Views.DocumentHolder.toDictionaryText": "Tambah ke Kamus", + "PE.Views.DocumentHolder.txtAddBottom": "Tambah pembatas bawah", + "PE.Views.DocumentHolder.txtAddFractionBar": "Tambah bar pecahan", + "PE.Views.DocumentHolder.txtAddHor": "Tambah garis horizontal", + "PE.Views.DocumentHolder.txtAddLB": "Tambah garis kiri bawah", + "PE.Views.DocumentHolder.txtAddLeft": "Tambah pembatas kiri", + "PE.Views.DocumentHolder.txtAddLT": "Tambah garis kiri atas", + "PE.Views.DocumentHolder.txtAddRight": "Tambah pembatas kiri", + "PE.Views.DocumentHolder.txtAddTop": "Tambah pembatas atas", + "PE.Views.DocumentHolder.txtAddVer": "Tambah garis vertikal", + "PE.Views.DocumentHolder.txtAlign": "Ratakan", + "PE.Views.DocumentHolder.txtAlignToChar": "Rata dengan karakter", + "PE.Views.DocumentHolder.txtArrange": "Susun", "PE.Views.DocumentHolder.txtBackground": "Background", + "PE.Views.DocumentHolder.txtBorderProps": "Properti pembatas", "PE.Views.DocumentHolder.txtBottom": "Bawah", - "PE.Views.DocumentHolder.txtChangeLayout": "Change Layout", - "PE.Views.DocumentHolder.txtDeleteSlide": "Delete Slide", - "PE.Views.DocumentHolder.txtDistribHor": "Distribute Horizontally", - "PE.Views.DocumentHolder.txtDistribVert": "Distribute Vertically", - "PE.Views.DocumentHolder.txtDuplicateSlide": "Duplicate Slide", - "PE.Views.DocumentHolder.txtGroup": "Group", - "PE.Views.DocumentHolder.txtNewSlide": "New Slide", - "PE.Views.DocumentHolder.txtPressLink": "Press CTRL and click link", - "PE.Views.DocumentHolder.txtPreview": "Preview", - "PE.Views.DocumentHolder.txtSelectAll": "Select All", + "PE.Views.DocumentHolder.txtChangeLayout": "Ubah Layout", + "PE.Views.DocumentHolder.txtChangeTheme": "Ubah Tema", + "PE.Views.DocumentHolder.txtColumnAlign": "Rata kolom", + "PE.Views.DocumentHolder.txtDecreaseArg": "Kurangi ukuran argumen", + "PE.Views.DocumentHolder.txtDeleteArg": "Hapus argumen", + "PE.Views.DocumentHolder.txtDeleteBreak": "Hapus break manual", + "PE.Views.DocumentHolder.txtDeleteChars": "Hapus karakter terlampir", + "PE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Hapus karakter dan separator terlampir", + "PE.Views.DocumentHolder.txtDeleteEq": "Hapus persamaan", + "PE.Views.DocumentHolder.txtDeleteGroupChar": "Hapus char", + "PE.Views.DocumentHolder.txtDeleteRadical": "Hapus radikal", + "PE.Views.DocumentHolder.txtDeleteSlide": "Hapus Slide", + "PE.Views.DocumentHolder.txtDistribHor": "Distribusikan Horizontal", + "PE.Views.DocumentHolder.txtDistribVert": "Distribusikan Vertikal", + "PE.Views.DocumentHolder.txtDuplicateSlide": "Duplikasi Slide", + "PE.Views.DocumentHolder.txtFractionLinear": "Ubah ke pecahan linear", + "PE.Views.DocumentHolder.txtFractionSkewed": "Ubah ke pecahan", + "PE.Views.DocumentHolder.txtFractionStacked": "Ubah ke pecahan bertumpuk", + "PE.Views.DocumentHolder.txtGroup": "Grup", + "PE.Views.DocumentHolder.txtGroupCharOver": "Karakter di atas teks", + "PE.Views.DocumentHolder.txtGroupCharUnder": "Karakter di bawah teks", + "PE.Views.DocumentHolder.txtHideBottom": "Sembunyikan pembatas bawah", + "PE.Views.DocumentHolder.txtHideBottomLimit": "Sembunyikan nilai batas bawah", + "PE.Views.DocumentHolder.txtHideCloseBracket": "Sembunyikan tanda kurung tutup", + "PE.Views.DocumentHolder.txtHideDegree": "Sembunyikan degree", + "PE.Views.DocumentHolder.txtHideHor": "Sembunyikan garis horizontal", + "PE.Views.DocumentHolder.txtHideLB": "Sembunyikan garis bawah kiri", + "PE.Views.DocumentHolder.txtHideLeft": "Sembunyikan pembatas kiri", + "PE.Views.DocumentHolder.txtHideLT": "Sembunyikan garis atas kiri", + "PE.Views.DocumentHolder.txtHideOpenBracket": "Sembunyikan tanda kurung buka", + "PE.Views.DocumentHolder.txtHidePlaceholder": "Sembunyikan placeholder", + "PE.Views.DocumentHolder.txtHideRight": "Sembunyikan pembatas kanan", + "PE.Views.DocumentHolder.txtHideTop": "Sembunyikan pembatas atas", + "PE.Views.DocumentHolder.txtHideTopLimit": "Sembunyikan nilai batas atas", + "PE.Views.DocumentHolder.txtHideVer": "Sembunyikan garis vertikal", + "PE.Views.DocumentHolder.txtIncreaseArg": "Tingkatkan ukuran argumen", + "PE.Views.DocumentHolder.txtInsertArgAfter": "Sisipkan argumen setelah", + "PE.Views.DocumentHolder.txtInsertArgBefore": "Sisipkan argumen sebelum", + "PE.Views.DocumentHolder.txtInsertBreak": "Sisipkan break manual", + "PE.Views.DocumentHolder.txtInsertEqAfter": "Sisipkan persamaan setelah", + "PE.Views.DocumentHolder.txtInsertEqBefore": "Sisipkan persamaan sebelum", + "PE.Views.DocumentHolder.txtKeepTextOnly": "Pertahankan hanya teks", + "PE.Views.DocumentHolder.txtLimitChange": "Ganti lokasi limit", + "PE.Views.DocumentHolder.txtLimitOver": "Batasi di atas teks", + "PE.Views.DocumentHolder.txtLimitUnder": "Batasi di bawah teks", + "PE.Views.DocumentHolder.txtMatchBrackets": "Sesuaikan tanda kurung dengan tinggi argumen", + "PE.Views.DocumentHolder.txtMatrixAlign": "Rata matriks", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Pindah slide ke Akhir", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Pindah slide ke Awal", + "PE.Views.DocumentHolder.txtNewSlide": "Slide Baru", + "PE.Views.DocumentHolder.txtOverbar": "Bar di atas teks", + "PE.Views.DocumentHolder.txtPasteDestFormat": "Gunakan tema destinasi", + "PE.Views.DocumentHolder.txtPastePicture": "Gambar", + "PE.Views.DocumentHolder.txtPasteSourceFormat": "Pertahankan formatting sumber", + "PE.Views.DocumentHolder.txtPressLink": "Tekan Ctrl dan klik link", + "PE.Views.DocumentHolder.txtPreview": "Mulai slideshow", + "PE.Views.DocumentHolder.txtPrintSelection": "Print Pilihan", + "PE.Views.DocumentHolder.txtRemFractionBar": "Hilangkan bar pecahan", + "PE.Views.DocumentHolder.txtRemLimit": "Hilangkan limit", + "PE.Views.DocumentHolder.txtRemoveAccentChar": "Hilangkan aksen karakter", + "PE.Views.DocumentHolder.txtRemoveBar": "Hilangkan diagram batang", + "PE.Views.DocumentHolder.txtRemScripts": "Hilangkan skrip", + "PE.Views.DocumentHolder.txtRemSubscript": "Hilangkan subscript", + "PE.Views.DocumentHolder.txtRemSuperscript": "Hilangkan superscript", + "PE.Views.DocumentHolder.txtResetLayout": "Reset Slide", + "PE.Views.DocumentHolder.txtScriptsAfter": "Scripts setelah teks", + "PE.Views.DocumentHolder.txtScriptsBefore": "Scripts sebelum teks", + "PE.Views.DocumentHolder.txtSelectAll": "Pilih semua", + "PE.Views.DocumentHolder.txtShowBottomLimit": "Tampilkan batas bawah", + "PE.Views.DocumentHolder.txtShowCloseBracket": "Tampilkan kurung penutup", + "PE.Views.DocumentHolder.txtShowDegree": "Tampilkan degree", + "PE.Views.DocumentHolder.txtShowOpenBracket": "Tampilkan kurung pembuka", + "PE.Views.DocumentHolder.txtShowPlaceholder": "Tampilkan placeholder", + "PE.Views.DocumentHolder.txtShowTopLimit": "Tampilkan batas atas", "PE.Views.DocumentHolder.txtSlide": "Slide", + "PE.Views.DocumentHolder.txtSlideHide": "Sembunyikan Slide", + "PE.Views.DocumentHolder.txtStretchBrackets": "Regangkan dalam kurung", "PE.Views.DocumentHolder.txtTop": "Atas", - "PE.Views.DocumentHolder.txtUngroup": "Ungroup", - "PE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", - "PE.Views.DocumentPreview.goToSlideText": "Go to Slide", - "PE.Views.DocumentPreview.slideIndexText": "Slide {0} of {1}", - "PE.Views.DocumentPreview.txtClose": "Close Preview", - "PE.Views.DocumentPreview.txtExitFullScreen": "Exit Full Screen", - "PE.Views.DocumentPreview.txtFinalMessage": "The end of slide preview. Click to exit.", - "PE.Views.DocumentPreview.txtFullScreen": "Full Screen", - "PE.Views.DocumentPreview.txtNext": "Next Slide", - "PE.Views.DocumentPreview.txtPageNumInvalid": "Invalid slide number", - "PE.Views.DocumentPreview.txtPause": "Pause Presentation", - "PE.Views.DocumentPreview.txtPlay": "Start Presentation", - "PE.Views.DocumentPreview.txtPrev": "Previous Slide", + "PE.Views.DocumentHolder.txtUnderbar": "Bar di bawah teks", + "PE.Views.DocumentHolder.txtUngroup": "Pisahkan dari grup", + "PE.Views.DocumentHolder.txtWarnUrl": "Klik link ini bisa berbahaya untuk perangkat dan data Anda.
        Apakah Anda ingin tetap lanjut?", + "PE.Views.DocumentHolder.vertAlignText": "Perataan Vertikal", + "PE.Views.DocumentPreview.goToSlideText": "Pergi ke Slide", + "PE.Views.DocumentPreview.slideIndexText": "Slide {0} dari {1}", + "PE.Views.DocumentPreview.txtClose": "Tutup slideshow", + "PE.Views.DocumentPreview.txtEndSlideshow": "Akhir slideshow", + "PE.Views.DocumentPreview.txtExitFullScreen": "Keluar layar penuh", + "PE.Views.DocumentPreview.txtFinalMessage": "Akhir dari preview slide. Klik untuk keluar.", + "PE.Views.DocumentPreview.txtFullScreen": "Layar penuh", + "PE.Views.DocumentPreview.txtNext": "Slide berikutnya", + "PE.Views.DocumentPreview.txtPageNumInvalid": "Nomor slide tidak tepat", + "PE.Views.DocumentPreview.txtPause": "Pause presentasi", + "PE.Views.DocumentPreview.txtPlay": "Mulai presentasi", + "PE.Views.DocumentPreview.txtPrev": "Slide sebelumnya", "PE.Views.DocumentPreview.txtReset": "Atur ulang", - "PE.Views.FileMenu.btnAboutCaption": "About", - "PE.Views.FileMenu.btnBackCaption": "Go to Documents", - "PE.Views.FileMenu.btnCreateNewCaption": "Create New", - "PE.Views.FileMenu.btnDownloadCaption": "Download as...", - "PE.Views.FileMenu.btnHelpCaption": "Help...", - "PE.Views.FileMenu.btnHistoryCaption": "Riwayat versi", - "PE.Views.FileMenu.btnInfoCaption": "Presentation Info...", - "PE.Views.FileMenu.btnPrintCaption": "Print", - "PE.Views.FileMenu.btnRecentFilesCaption": "Open Recent...", - "PE.Views.FileMenu.btnReturnCaption": "Back to Presentation", - "PE.Views.FileMenu.btnRightsCaption": "Access Rights...", - "PE.Views.FileMenu.btnSaveAsCaption": "Save as", - "PE.Views.FileMenu.btnSaveCaption": "Save", - "PE.Views.FileMenu.btnSettingsCaption": "Advanced Settings...", - "PE.Views.FileMenu.btnToEditCaption": "Edit Presentation", + "PE.Views.FileMenu.btnAboutCaption": "Tentang", + "PE.Views.FileMenu.btnBackCaption": "Buka Dokumen", + "PE.Views.FileMenu.btnCloseMenuCaption": "Tutup Menu", + "PE.Views.FileMenu.btnCreateNewCaption": "Buat Baru", + "PE.Views.FileMenu.btnDownloadCaption": "Unduh sebagai...", + "PE.Views.FileMenu.btnExitCaption": "Tutup", + "PE.Views.FileMenu.btnFileOpenCaption": "Buka...", + "PE.Views.FileMenu.btnHelpCaption": "Bantuan...", + "PE.Views.FileMenu.btnHistoryCaption": "Riwayat Versi", + "PE.Views.FileMenu.btnInfoCaption": "Info Presentasi...", + "PE.Views.FileMenu.btnPrintCaption": "Cetak", + "PE.Views.FileMenu.btnProtectCaption": "Proteksi", + "PE.Views.FileMenu.btnRecentFilesCaption": "Membuka yang Terbaru...", + "PE.Views.FileMenu.btnRenameCaption": "Ganti nama...", + "PE.Views.FileMenu.btnReturnCaption": "Kembali ke Presentasi", + "PE.Views.FileMenu.btnRightsCaption": "Hak Akses...", + "PE.Views.FileMenu.btnSaveAsCaption": "Simpan sebagai", + "PE.Views.FileMenu.btnSaveCaption": "Simpan", + "PE.Views.FileMenu.btnSaveCopyAsCaption": "Simpan Salinan sebagai...", + "PE.Views.FileMenu.btnSettingsCaption": "Pengaturan Lanjut...", + "PE.Views.FileMenu.btnToEditCaption": "Edit presentasi", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "Presentasi Kosong", "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Buat Baru", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Terapkan", "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Tambahkan penulis", - "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Author", - "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Change access rights", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Tambah teks", + "PE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikasi", + "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Penyusun", + "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Ubah hak akses", "PE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentar", "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Dibuat", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Terakhir Dimodifikasi Oleh", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Terakhir Dimodifikasi", "PE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Pemilik", - "PE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Location", - "PE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persons who have rights", + "PE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasi", + "PE.Views.FileMenuPanels.DocumentInfo.txtRights": "Orang yang memiliki hak", "PE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subyek", - "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Presentation Title", + "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Judul", "PE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Diunggah", - "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Change access rights", - "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Persons who have rights", + "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Ubah hak akses", + "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Orang yang memiliki hak", "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Peringatan", - "PE.Views.FileMenuPanels.Settings.okButtonText": "Apply", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Turn on autosave", - "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "PE.Views.FileMenuPanels.Settings.strFast": "Fast", + "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Dengan password", + "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteksi Presentasi", + "PE.Views.FileMenuPanels.ProtectDoc.strSignature": "Dengan tanda tangan", + "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Edit presentasi", + "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Perubahan akan menghilangkan tanda tangan dari presentasi.
        Lanjutkan?", + "PE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Presentasi ini diproteksi oleh password", + "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Tandatangan valid sudah ditambahkan ke presentasi. Presentasi ini diproteksi untuk diedit.", + "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Beberapa tanda tangan digital di presentasi tidak valid atau tidak bisa diverifikasi. Presentasi ini diproteksi untuk diedit.", + "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Tampilkan tanda tangan", + "PE.Views.FileMenuPanels.Settings.okButtonText": "Terapkan", + "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Mode Edit Bersama", + "PE.Views.FileMenuPanels.Settings.strFast": "Cepat", "PE.Views.FileMenuPanels.Settings.strFontRender": "Contoh Huruf", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Realtime Collaboration Changes", + "PE.Views.FileMenuPanels.Settings.strForcesave": "Tambah versi ke penyimpanan setelah klik menu Siman atau Ctrl+S", + "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Pengaturan Macros", + "PE.Views.FileMenuPanels.Settings.strPaste": "Cut, copy, dan paste", + "PE.Views.FileMenuPanels.Settings.strPasteButton": "Tampilkan tombol Opsi Paste ketika konten sedang dipaste", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", - "PE.Views.FileMenuPanels.Settings.strUnit": "Unit of Measurement", - "PE.Views.FileMenuPanels.Settings.strZoom": "Default Zoom Value", - "PE.Views.FileMenuPanels.Settings.text10Minutes": "Every 10 Minutes", - "PE.Views.FileMenuPanels.Settings.text30Minutes": "Every 30 Minutes", - "PE.Views.FileMenuPanels.Settings.text5Minutes": "Every 5 Minutes", - "PE.Views.FileMenuPanels.Settings.text60Minutes": "Every Hour", - "PE.Views.FileMenuPanels.Settings.textAlignGuides": "Alignment Guides", - "PE.Views.FileMenuPanels.Settings.textAutoSave": "Autosave", - "PE.Views.FileMenuPanels.Settings.textDisabled": "Disabled", - "PE.Views.FileMenuPanels.Settings.textMinute": "Every Minute", - "PE.Views.FileMenuPanels.Settings.txtAll": "View All", - "PE.Views.FileMenuPanels.Settings.txtCm": "Centimeter", + "PE.Views.FileMenuPanels.Settings.strTheme": "Tema interface", + "PE.Views.FileMenuPanels.Settings.strUnit": "Satuan Ukuran", + "PE.Views.FileMenuPanels.Settings.strZoom": "Skala Pembesaran Standar", + "PE.Views.FileMenuPanels.Settings.text10Minutes": "Tiap 10 Menit", + "PE.Views.FileMenuPanels.Settings.text30Minutes": "Tiap 30 Menit", + "PE.Views.FileMenuPanels.Settings.text5Minutes": "Tiap 5 Menit", + "PE.Views.FileMenuPanels.Settings.text60Minutes": "Tiap Jam", + "PE.Views.FileMenuPanels.Settings.textAlignGuides": "Panduan Penjajaran", + "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recover otmoatis", + "PE.Views.FileMenuPanels.Settings.textAutoSave": "Simpan otomatis", + "PE.Views.FileMenuPanels.Settings.textDisabled": "Nonaktif", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Menyimpan versi intermedier", + "PE.Views.FileMenuPanels.Settings.textMinute": "Tiap Menit", + "PE.Views.FileMenuPanels.Settings.txtAll": "Lihat Semua", + "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opsi AutoCorrect...", + "PE.Views.FileMenuPanels.Settings.txtCacheMode": "Mode cache default", + "PE.Views.FileMenuPanels.Settings.txtCm": "Sentimeter", "PE.Views.FileMenuPanels.Settings.txtFitSlide": "Fit Slide", "PE.Views.FileMenuPanels.Settings.txtFitWidth": "Sesuaikan Lebar", - "PE.Views.FileMenuPanels.Settings.txtInput": "Alternate Input", - "PE.Views.FileMenuPanels.Settings.txtLast": "View Last", + "PE.Views.FileMenuPanels.Settings.txtInch": "Inci", + "PE.Views.FileMenuPanels.Settings.txtInput": "Ganti Input", + "PE.Views.FileMenuPanels.Settings.txtLast": "Lihat yang Terakhir", "PE.Views.FileMenuPanels.Settings.txtMac": "sebagai OS X", "PE.Views.FileMenuPanels.Settings.txtNative": "Asli", - "PE.Views.FileMenuPanels.Settings.txtPt": "Point", + "PE.Views.FileMenuPanels.Settings.txtProofing": "Proofing", + "PE.Views.FileMenuPanels.Settings.txtPt": "Titik", + "PE.Views.FileMenuPanels.Settings.txtRunMacros": "Aktifkan Semua", + "PE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Aktifkan semua macros tanpa notifikasi", "PE.Views.FileMenuPanels.Settings.txtSpellCheck": "Periksa Ejaan", + "PE.Views.FileMenuPanels.Settings.txtStopMacros": "Nonaktifkan Semua", + "PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Nonaktifkan semua macros tanpa notifikasi", + "PE.Views.FileMenuPanels.Settings.txtWarnMacros": "Tampilkan Notifikasi", + "PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Nonaktifkan semua macros dengan notifikasi", "PE.Views.FileMenuPanels.Settings.txtWin": "sebagai Windows", + "PE.Views.HeaderFooterDialog.applyAllText": "Terapkan untuk Semua", "PE.Views.HeaderFooterDialog.applyText": "Terapkan", + "PE.Views.HeaderFooterDialog.diffLanguage": "Anda tidak dapat menggunakan format tanggal dalam bahasa yang berbeda dari master slide.
        Untuk mengubah master, klik 'Terapkan ke semua' bukan 'Terapkan'", "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Peringatan", + "PE.Views.HeaderFooterDialog.textDateTime": "Tanggal dan Jam", + "PE.Views.HeaderFooterDialog.textFixed": "Fixed", + "PE.Views.HeaderFooterDialog.textFooter": "Teks di footer", + "PE.Views.HeaderFooterDialog.textFormat": "Format", "PE.Views.HeaderFooterDialog.textLang": "Bahasa", + "PE.Views.HeaderFooterDialog.textNotTitle": "Jangan tampilkan di judul slide", "PE.Views.HeaderFooterDialog.textPreview": "Pratinjau", - "PE.Views.HyperlinkSettingsDialog.strDisplay": "Display", - "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Link To", - "PE.Views.HyperlinkSettingsDialog.textDefault": "Selected text fragment", - "PE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Enter caption here", - "PE.Views.HyperlinkSettingsDialog.textEmptyLink": "Enter link here", - "PE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Enter tooltip here", - "PE.Views.HyperlinkSettingsDialog.textExternalLink": "External Link", - "PE.Views.HyperlinkSettingsDialog.textInternalLink": "Slide In This Presentation", - "PE.Views.HyperlinkSettingsDialog.textTipText": "ScreenTip Text", - "PE.Views.HyperlinkSettingsDialog.textTitle": "Hyperlink Settings", - "PE.Views.HyperlinkSettingsDialog.txtEmpty": "This field is required", - "PE.Views.HyperlinkSettingsDialog.txtFirst": "First Slide", - "PE.Views.HyperlinkSettingsDialog.txtLast": "Last Slide", - "PE.Views.HyperlinkSettingsDialog.txtNext": "Next Slide", - "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "This field should be a URL in the \"http://www.example.com\" format", - "PE.Views.HyperlinkSettingsDialog.txtPrev": "Previous Slide", + "PE.Views.HeaderFooterDialog.textSlideNum": "Nomor Slide", + "PE.Views.HeaderFooterDialog.textTitle": "Pengaturan Footer", + "PE.Views.HeaderFooterDialog.textUpdate": "Update secara otomatis", + "PE.Views.HyperlinkSettingsDialog.strDisplay": "Tampilan", + "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Tautkan dengan", + "PE.Views.HyperlinkSettingsDialog.textDefault": "Fragmen teks yang dipilih", + "PE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Masukkan caption di sini", + "PE.Views.HyperlinkSettingsDialog.textEmptyLink": "Masukkan link di sini", + "PE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Masukkan tooltip disini", + "PE.Views.HyperlinkSettingsDialog.textExternalLink": "Tautan eksternal", + "PE.Views.HyperlinkSettingsDialog.textInternalLink": "Slide di Presentasi ini", + "PE.Views.HyperlinkSettingsDialog.textSlides": "Slide", + "PE.Views.HyperlinkSettingsDialog.textTipText": "Teks ScreenTip", + "PE.Views.HyperlinkSettingsDialog.textTitle": "Pengaturan Hyperlink", + "PE.Views.HyperlinkSettingsDialog.txtEmpty": "Area ini dibutuhkan", + "PE.Views.HyperlinkSettingsDialog.txtFirst": "Slide Pertama", + "PE.Views.HyperlinkSettingsDialog.txtLast": "Slide Terakhir", + "PE.Views.HyperlinkSettingsDialog.txtNext": "Slide Berikutnya", + "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", + "PE.Views.HyperlinkSettingsDialog.txtPrev": "Slide sebelumnya", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Area ini dibatasi 2083 karakter", "PE.Views.HyperlinkSettingsDialog.txtSlide": "Slide", - "PE.Views.ImageSettings.textAdvanced": "Show advanced settings", - "PE.Views.ImageSettings.textCropFill": "Isian", + "PE.Views.ImageSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "PE.Views.ImageSettings.textCrop": "Isian", + "PE.Views.ImageSettings.textCropFill": "Isi", + "PE.Views.ImageSettings.textCropFit": "Fit", + "PE.Views.ImageSettings.textCropToShape": "Crop menjadi bentuk", "PE.Views.ImageSettings.textEdit": "Sunting", - "PE.Views.ImageSettings.textFromFile": "From File", - "PE.Views.ImageSettings.textFromUrl": "From URL", - "PE.Views.ImageSettings.textHeight": "Height", - "PE.Views.ImageSettings.textInsert": "Replace Image", - "PE.Views.ImageSettings.textOriginalSize": "Default Size", - "PE.Views.ImageSettings.textSize": "Size", - "PE.Views.ImageSettings.textWidth": "Width", + "PE.Views.ImageSettings.textEditObject": "Edit Objek", + "PE.Views.ImageSettings.textFitSlide": "Fit Slide", + "PE.Views.ImageSettings.textFlip": "Flip", + "PE.Views.ImageSettings.textFromFile": "Dari File", + "PE.Views.ImageSettings.textFromStorage": "Dari Penyimpanan", + "PE.Views.ImageSettings.textFromUrl": "Dari URL", + "PE.Views.ImageSettings.textHeight": "Tinggi", + "PE.Views.ImageSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "PE.Views.ImageSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "PE.Views.ImageSettings.textHintFlipH": "Flip Horizontal", + "PE.Views.ImageSettings.textHintFlipV": "Flip Vertikal", + "PE.Views.ImageSettings.textInsert": "Ganti Gambar", + "PE.Views.ImageSettings.textOriginalSize": "Ukuran Sebenarnya", + "PE.Views.ImageSettings.textRecentlyUsed": "Baru Digunakan", + "PE.Views.ImageSettings.textRotate90": "Rotasi 90°", + "PE.Views.ImageSettings.textRotation": "Rotasi", + "PE.Views.ImageSettings.textSize": "Ukuran", + "PE.Views.ImageSettings.textWidth": "Lebar", + "PE.Views.ImageSettingsAdvanced.textAlt": "Teks Alternatif", "PE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.ImageSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "PE.Views.ImageSettingsAdvanced.textAltTitle": "Judul", - "PE.Views.ImageSettingsAdvanced.textHeight": "Height", - "PE.Views.ImageSettingsAdvanced.textKeepRatio": "Constant Proportions", - "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Default Size", + "PE.Views.ImageSettingsAdvanced.textAngle": "Sudut", + "PE.Views.ImageSettingsAdvanced.textFlipped": "Flipped", + "PE.Views.ImageSettingsAdvanced.textHeight": "Tinggi", + "PE.Views.ImageSettingsAdvanced.textHorizontally": "Secara Horizontal", + "PE.Views.ImageSettingsAdvanced.textKeepRatio": "Proporsi Konstan", + "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Ukuran Sebenarnya", "PE.Views.ImageSettingsAdvanced.textPlacement": "Penempatan", - "PE.Views.ImageSettingsAdvanced.textPosition": "Position", - "PE.Views.ImageSettingsAdvanced.textSize": "Size", - "PE.Views.ImageSettingsAdvanced.textTitle": "Image - Advanced Settings", - "PE.Views.ImageSettingsAdvanced.textWidth": "Width", - "PE.Views.LeftMenu.tipAbout": "About", + "PE.Views.ImageSettingsAdvanced.textPosition": "Posisi", + "PE.Views.ImageSettingsAdvanced.textRotation": "Rotasi", + "PE.Views.ImageSettingsAdvanced.textSize": "Ukuran", + "PE.Views.ImageSettingsAdvanced.textTitle": "Gambar - Pengaturan Lanjut", + "PE.Views.ImageSettingsAdvanced.textVertically": "Secara Vertikal", + "PE.Views.ImageSettingsAdvanced.textWidth": "Lebar", + "PE.Views.LeftMenu.tipAbout": "Tentang", "PE.Views.LeftMenu.tipChat": "Chat", - "PE.Views.LeftMenu.tipComments": "Comments", - "PE.Views.LeftMenu.tipSearch": "Search", - "PE.Views.LeftMenu.tipSlides": "Slides", - "PE.Views.LeftMenu.tipSupport": "Feedback & Support", - "PE.Views.LeftMenu.tipTitles": "Titles", - "PE.Views.ParagraphSettings.strLineHeight": "Line Spacing", - "PE.Views.ParagraphSettings.strParagraphSpacing": "Spacing", - "PE.Views.ParagraphSettings.strSpacingAfter": "After", - "PE.Views.ParagraphSettings.strSpacingBefore": "Before", - "PE.Views.ParagraphSettings.textAdvanced": "Show advanced settings", - "PE.Views.ParagraphSettings.textAt": "At", - "PE.Views.ParagraphSettings.textAtLeast": "At least", - "PE.Views.ParagraphSettings.textAuto": "Multiple", - "PE.Views.ParagraphSettings.textExact": "Exactly", - "PE.Views.ParagraphSettings.txtAutoText": "Auto", - "PE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", - "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps", - "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", + "PE.Views.LeftMenu.tipComments": "Komentar", + "PE.Views.LeftMenu.tipPlugins": "Plugins", + "PE.Views.LeftMenu.tipSearch": "Cari", + "PE.Views.LeftMenu.tipSlides": "Slide", + "PE.Views.LeftMenu.tipSupport": "Masukan & Dukungan", + "PE.Views.LeftMenu.tipTitles": "Judul", + "PE.Views.LeftMenu.txtDeveloper": "MODE DEVELOPER", + "PE.Views.LeftMenu.txtLimit": "Batas Akses", + "PE.Views.LeftMenu.txtTrial": "MODE TRIAL", + "PE.Views.LeftMenu.txtTrialDev": "Mode Trial Developer", + "PE.Views.ParagraphSettings.strLineHeight": "Spasi Antar Baris", + "PE.Views.ParagraphSettings.strParagraphSpacing": "Spasi", + "PE.Views.ParagraphSettings.strSpacingAfter": "Sesudah", + "PE.Views.ParagraphSettings.strSpacingBefore": "Sebelum", + "PE.Views.ParagraphSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "PE.Views.ParagraphSettings.textAt": "Pada", + "PE.Views.ParagraphSettings.textAtLeast": "Sekurang-kurangnya", + "PE.Views.ParagraphSettings.textAuto": "Banyak", + "PE.Views.ParagraphSettings.textExact": "Persis", + "PE.Views.ParagraphSettings.txtAutoText": "Otomatis", + "PE.Views.ParagraphSettingsAdvanced.noTabs": "Tab yang ditentukan akan muncul pada bagian ini", + "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Huruf kapital semua", + "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Garis coret ganda", "PE.Views.ParagraphSettingsAdvanced.strIndent": "Indentasi", - "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Kiri", "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", - "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", + "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Kanan", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Setelah", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Sebelum", - "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font", - "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Placement", - "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Spesial", + "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Huruf", + "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indentasi & Peletakan", + "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Huruf Ukuran Kecil", "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Spasi", - "PE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", - "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", - "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", + "PE.Views.ParagraphSettingsAdvanced.strStrike": "Coret ganda", + "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subskrip", + "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superskrip", "PE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", - "PE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", + "PE.Views.ParagraphSettingsAdvanced.textAlign": "Perataan", "PE.Views.ParagraphSettingsAdvanced.textAuto": "Banyak", - "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing", - "PE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab", - "PE.Views.ParagraphSettingsAdvanced.textEffects": "Effects", + "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spasi Antar Karakter", + "PE.Views.ParagraphSettingsAdvanced.textDefault": "Tab Standar", + "PE.Views.ParagraphSettingsAdvanced.textEffects": "Efek", "PE.Views.ParagraphSettingsAdvanced.textExact": "Persis", "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama", + "PE.Views.ParagraphSettingsAdvanced.textHanging": "Menggantung", "PE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan", - "PE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", - "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", - "PE.Views.ParagraphSettingsAdvanced.textSet": "Specify", - "PE.Views.ParagraphSettingsAdvanced.textTabCenter": "Center", - "PE.Views.ParagraphSettingsAdvanced.textTabLeft": "Left", - "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", - "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", - "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(tidak ada)", + "PE.Views.ParagraphSettingsAdvanced.textRemove": "Hapus", + "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Hapus Semua", + "PE.Views.ParagraphSettingsAdvanced.textSet": "Tentukan", + "PE.Views.ParagraphSettingsAdvanced.textTabCenter": "Tengah", + "PE.Views.ParagraphSettingsAdvanced.textTabLeft": "Kiri", + "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posisi Tab", + "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Kanan", + "PE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraf - Pengaturan Lanjut", "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", - "PE.Views.RightMenu.txtChartSettings": "Chart Settings", - "PE.Views.RightMenu.txtImageSettings": "Image Settings", - "PE.Views.RightMenu.txtParagraphSettings": "Text Settings", - "PE.Views.RightMenu.txtShapeSettings": "Shape Settings", - "PE.Views.RightMenu.txtSlideSettings": "Slide Settings", - "PE.Views.RightMenu.txtTableSettings": "Table Settings", - "PE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", - "PE.Views.ShapeSettings.strBackground": "Background color", - "PE.Views.ShapeSettings.strChange": "Change Autoshape", - "PE.Views.ShapeSettings.strColor": "Color", - "PE.Views.ShapeSettings.strFill": "Fill", - "PE.Views.ShapeSettings.strForeground": "Foreground color", - "PE.Views.ShapeSettings.strPattern": "Pattern", - "PE.Views.ShapeSettings.strSize": "Size", - "PE.Views.ShapeSettings.strStroke": "Stroke", - "PE.Views.ShapeSettings.strTransparency": "Opacity", + "PE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan", + "PE.Views.RightMenu.txtImageSettings": "Pengaturan Gambar", + "PE.Views.RightMenu.txtParagraphSettings": "Pengaturan Paragraf", + "PE.Views.RightMenu.txtShapeSettings": "Pengaturan Bentuk", + "PE.Views.RightMenu.txtSignatureSettings": "Pengaturan tanda tangan", + "PE.Views.RightMenu.txtSlideSettings": "Pengaturan slide", + "PE.Views.RightMenu.txtTableSettings": "Pengaturan Tabel", + "PE.Views.RightMenu.txtTextArtSettings": "Pengaturan Text Art", + "PE.Views.ShapeSettings.strBackground": "Warna latar", + "PE.Views.ShapeSettings.strChange": "Ubah Bentuk Otomatis", + "PE.Views.ShapeSettings.strColor": "Warna", + "PE.Views.ShapeSettings.strFill": "Isi", + "PE.Views.ShapeSettings.strForeground": "Warna latar depan", + "PE.Views.ShapeSettings.strPattern": "Pola", + "PE.Views.ShapeSettings.strShadow": "Tampilkan bayangan", + "PE.Views.ShapeSettings.strSize": "Ukuran", + "PE.Views.ShapeSettings.strStroke": "Garis", + "PE.Views.ShapeSettings.strTransparency": "Opasitas", "PE.Views.ShapeSettings.strType": "Tipe", - "PE.Views.ShapeSettings.textAdvanced": "Show advanced settings", - "PE.Views.ShapeSettings.textBorderSizeErr": "The entered value is incorrect.
        Please enter a value between 0 pt and 1584 pt.", - "PE.Views.ShapeSettings.textColor": "Color Fill", - "PE.Views.ShapeSettings.textDirection": "Direction", - "PE.Views.ShapeSettings.textEmptyPattern": "No Pattern", - "PE.Views.ShapeSettings.textFromFile": "From File", - "PE.Views.ShapeSettings.textFromUrl": "From URL", - "PE.Views.ShapeSettings.textGradient": "Gradient", - "PE.Views.ShapeSettings.textGradientFill": "Gradient Fill", - "PE.Views.ShapeSettings.textImageTexture": "Picture or Texture", - "PE.Views.ShapeSettings.textLinear": "Linear", - "PE.Views.ShapeSettings.textNoFill": "No Fill", - "PE.Views.ShapeSettings.textPatternFill": "Pattern", + "PE.Views.ShapeSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "PE.Views.ShapeSettings.textAngle": "Sudut", + "PE.Views.ShapeSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
        Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "PE.Views.ShapeSettings.textColor": "Warna Isi", + "PE.Views.ShapeSettings.textDirection": "Arah", + "PE.Views.ShapeSettings.textEmptyPattern": "Tidak ada Pola", + "PE.Views.ShapeSettings.textFlip": "Flip", + "PE.Views.ShapeSettings.textFromFile": "Dari File", + "PE.Views.ShapeSettings.textFromStorage": "Dari Penyimpanan", + "PE.Views.ShapeSettings.textFromUrl": "Dari URL", + "PE.Views.ShapeSettings.textGradient": "Gradien", + "PE.Views.ShapeSettings.textGradientFill": "Isian Gradien", + "PE.Views.ShapeSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "PE.Views.ShapeSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "PE.Views.ShapeSettings.textHintFlipH": "Flip Horizontal", + "PE.Views.ShapeSettings.textHintFlipV": "Flip Vertikal", + "PE.Views.ShapeSettings.textImageTexture": "Gambar atau Tekstur", + "PE.Views.ShapeSettings.textLinear": "Linier", + "PE.Views.ShapeSettings.textNoFill": "Tidak ada Isian", + "PE.Views.ShapeSettings.textPatternFill": "Pola", "PE.Views.ShapeSettings.textPosition": "Posisi", "PE.Views.ShapeSettings.textRadial": "Radial", - "PE.Views.ShapeSettings.textSelectTexture": "Select", - "PE.Views.ShapeSettings.textStretch": "Stretch", - "PE.Views.ShapeSettings.textStyle": "Style", - "PE.Views.ShapeSettings.textTexture": "From Texture", - "PE.Views.ShapeSettings.textTile": "Tile", - "PE.Views.ShapeSettings.txtBrownPaper": "Brown Paper", - "PE.Views.ShapeSettings.txtCanvas": "Canvas", - "PE.Views.ShapeSettings.txtCarton": "Carton", - "PE.Views.ShapeSettings.txtDarkFabric": "Dark Fabric", - "PE.Views.ShapeSettings.txtGrain": "Grain", - "PE.Views.ShapeSettings.txtGranite": "Granite", - "PE.Views.ShapeSettings.txtGreyPaper": "Gray Paper", - "PE.Views.ShapeSettings.txtKnit": "Knit", - "PE.Views.ShapeSettings.txtLeather": "Leather", - "PE.Views.ShapeSettings.txtNoBorders": "No Line", - "PE.Views.ShapeSettings.txtPapyrus": "Papyrus", - "PE.Views.ShapeSettings.txtWood": "Wood", + "PE.Views.ShapeSettings.textRecentlyUsed": "Baru Digunakan", + "PE.Views.ShapeSettings.textRotate90": "Rotasi 90°", + "PE.Views.ShapeSettings.textRotation": "Rotasi", + "PE.Views.ShapeSettings.textSelectImage": "Pilih Foto", + "PE.Views.ShapeSettings.textSelectTexture": "Pilih", + "PE.Views.ShapeSettings.textStretch": "Rentangkan", + "PE.Views.ShapeSettings.textStyle": "Model", + "PE.Views.ShapeSettings.textTexture": "Dari Tekstur", + "PE.Views.ShapeSettings.textTile": "Petak", + "PE.Views.ShapeSettings.tipAddGradientPoint": "Tambah titik gradien", + "PE.Views.ShapeSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "PE.Views.ShapeSettings.txtBrownPaper": "Kertas Coklat", + "PE.Views.ShapeSettings.txtCanvas": "Kanvas", + "PE.Views.ShapeSettings.txtCarton": "Karton", + "PE.Views.ShapeSettings.txtDarkFabric": "Kain Gelap", + "PE.Views.ShapeSettings.txtGrain": "Butiran", + "PE.Views.ShapeSettings.txtGranite": "Granit", + "PE.Views.ShapeSettings.txtGreyPaper": "Kertas Abu-Abu", + "PE.Views.ShapeSettings.txtKnit": "Rajut", + "PE.Views.ShapeSettings.txtLeather": "Kulit", + "PE.Views.ShapeSettings.txtNoBorders": "Tidak ada Garis", + "PE.Views.ShapeSettings.txtPapyrus": "Papirus", + "PE.Views.ShapeSettings.txtWood": "Kayu", "PE.Views.ShapeSettingsAdvanced.strColumns": "Kolom", - "PE.Views.ShapeSettingsAdvanced.strMargins": "Text Padding", + "PE.Views.ShapeSettingsAdvanced.strMargins": "Lapisan Teks", + "PE.Views.ShapeSettingsAdvanced.textAlt": "Teks Alternatif", "PE.Views.ShapeSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.ShapeSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "PE.Views.ShapeSettingsAdvanced.textAltTitle": "Judul", - "PE.Views.ShapeSettingsAdvanced.textArrows": "Arrows", - "PE.Views.ShapeSettingsAdvanced.textBeginSize": "Begin Size", - "PE.Views.ShapeSettingsAdvanced.textBeginStyle": "Begin Style", - "PE.Views.ShapeSettingsAdvanced.textBevel": "Bevel", - "PE.Views.ShapeSettingsAdvanced.textBottom": "Bottom", - "PE.Views.ShapeSettingsAdvanced.textCapType": "Cap Type", + "PE.Views.ShapeSettingsAdvanced.textAngle": "Sudut", + "PE.Views.ShapeSettingsAdvanced.textArrows": "Tanda panah", + "PE.Views.ShapeSettingsAdvanced.textAutofit": "AutoFit", + "PE.Views.ShapeSettingsAdvanced.textBeginSize": "Ukuran Mulai", + "PE.Views.ShapeSettingsAdvanced.textBeginStyle": "Gaya Mulai", + "PE.Views.ShapeSettingsAdvanced.textBevel": "Miring", + "PE.Views.ShapeSettingsAdvanced.textBottom": "Bawah", + "PE.Views.ShapeSettingsAdvanced.textCapType": "Tipe Cap", "PE.Views.ShapeSettingsAdvanced.textColNumber": "Jumlah Kolom", - "PE.Views.ShapeSettingsAdvanced.textEndSize": "End Size", - "PE.Views.ShapeSettingsAdvanced.textEndStyle": "End Style", - "PE.Views.ShapeSettingsAdvanced.textFlat": "Flat", - "PE.Views.ShapeSettingsAdvanced.textHeight": "Height", - "PE.Views.ShapeSettingsAdvanced.textJoinType": "Join Type", - "PE.Views.ShapeSettingsAdvanced.textKeepRatio": "Constant Proportions", - "PE.Views.ShapeSettingsAdvanced.textLeft": "Left", - "PE.Views.ShapeSettingsAdvanced.textLineStyle": "Line Style", - "PE.Views.ShapeSettingsAdvanced.textMiter": "Miter", - "PE.Views.ShapeSettingsAdvanced.textRight": "Right", - "PE.Views.ShapeSettingsAdvanced.textRound": "Round", - "PE.Views.ShapeSettingsAdvanced.textSize": "Size", - "PE.Views.ShapeSettingsAdvanced.textSquare": "Square", - "PE.Views.ShapeSettingsAdvanced.textTitle": "Shape - Advanced Settings", - "PE.Views.ShapeSettingsAdvanced.textTop": "Top", - "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Weights & Arrows", - "PE.Views.ShapeSettingsAdvanced.textWidth": "Width", - "PE.Views.ShapeSettingsAdvanced.txtNone": "None", + "PE.Views.ShapeSettingsAdvanced.textEndSize": "Ukuran Akhir", + "PE.Views.ShapeSettingsAdvanced.textEndStyle": "Model Akhir", + "PE.Views.ShapeSettingsAdvanced.textFlat": "Datar", + "PE.Views.ShapeSettingsAdvanced.textFlipped": "Flipped", + "PE.Views.ShapeSettingsAdvanced.textHeight": "Tinggi", + "PE.Views.ShapeSettingsAdvanced.textHorizontally": "Secara Horizontal", + "PE.Views.ShapeSettingsAdvanced.textJoinType": "Gabungkan Tipe", + "PE.Views.ShapeSettingsAdvanced.textKeepRatio": "Proporsi Konstan", + "PE.Views.ShapeSettingsAdvanced.textLeft": "Kiri", + "PE.Views.ShapeSettingsAdvanced.textLineStyle": "Model Garis", + "PE.Views.ShapeSettingsAdvanced.textMiter": "Siku-siku", + "PE.Views.ShapeSettingsAdvanced.textNofit": "Jangan Autofit", + "PE.Views.ShapeSettingsAdvanced.textResizeFit": "Ubah ukuran bentuk agar cocok ke teks", + "PE.Views.ShapeSettingsAdvanced.textRight": "Kanan", + "PE.Views.ShapeSettingsAdvanced.textRotation": "Rotasi", + "PE.Views.ShapeSettingsAdvanced.textRound": "Bulat", + "PE.Views.ShapeSettingsAdvanced.textShrink": "Shrink teks di overflow", + "PE.Views.ShapeSettingsAdvanced.textSize": "Ukuran", + "PE.Views.ShapeSettingsAdvanced.textSpacing": "Spacing di antara kolom", + "PE.Views.ShapeSettingsAdvanced.textSquare": "Persegi", + "PE.Views.ShapeSettingsAdvanced.textTextBox": "Kotak Teks", + "PE.Views.ShapeSettingsAdvanced.textTitle": "Bentuk - Pengaturan Lanjut", + "PE.Views.ShapeSettingsAdvanced.textTop": "Atas", + "PE.Views.ShapeSettingsAdvanced.textVertically": "Secara Vertikal", + "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Bobot & Panah", + "PE.Views.ShapeSettingsAdvanced.textWidth": "Lebar", + "PE.Views.ShapeSettingsAdvanced.txtNone": "Tidak ada", "PE.Views.SignatureSettings.notcriticalErrorTitle": "Peringatan", - "PE.Views.SlideSettings.strBackground": "Background color", - "PE.Views.SlideSettings.strColor": "Color", - "PE.Views.SlideSettings.strFill": "Fill", - "PE.Views.SlideSettings.strForeground": "Foreground color", - "PE.Views.SlideSettings.strPattern": "Pattern", + "PE.Views.SignatureSettings.strDelete": "Hilangkan Tandatangan", + "PE.Views.SignatureSettings.strDetails": "Detail Tanda Tangan", + "PE.Views.SignatureSettings.strInvalid": "Tanda tangan tidak valid", + "PE.Views.SignatureSettings.strSign": "Tandatangan", + "PE.Views.SignatureSettings.strSignature": "Tanda Tangan", + "PE.Views.SignatureSettings.strValid": "Tanda tangan valid", + "PE.Views.SignatureSettings.txtContinueEditing": "Tetap edit", + "PE.Views.SignatureSettings.txtEditWarning": "Perubahan akan menghilangkan tanda tangan dari presentasi.
        Lanjutkan?", + "PE.Views.SignatureSettings.txtRemoveWarning": "Apakah Anda ingin menghilangkan tandatangan ini?
        Proses tidak bisa dikembalikan.", + "PE.Views.SignatureSettings.txtSigned": "Tandatangan valid sudah ditambahkan ke presentasi. Presentasi ini diproteksi untuk diedit.", + "PE.Views.SignatureSettings.txtSignedInvalid": "Beberapa tanda tangan digital di presentasi tidak valid atau tidak bisa diverifikasi. Presentasi ini diproteksi untuk diedit.", + "PE.Views.SlideSettings.strBackground": "Warna latar", + "PE.Views.SlideSettings.strColor": "Warna", + "PE.Views.SlideSettings.strDateTime": "Tampilkan Tanggal dan Jam", + "PE.Views.SlideSettings.strFill": "Background", + "PE.Views.SlideSettings.strForeground": "Warna latar depan", + "PE.Views.SlideSettings.strPattern": "Pola", + "PE.Views.SlideSettings.strSlideNum": "Tampilkan Nomor Slide", "PE.Views.SlideSettings.strTransparency": "Opasitas", - "PE.Views.SlideSettings.textAdvanced": "Show advanced settings", - "PE.Views.SlideSettings.textColor": "Color Fill", - "PE.Views.SlideSettings.textDirection": "Direction", - "PE.Views.SlideSettings.textEmptyPattern": "No Pattern", - "PE.Views.SlideSettings.textFromFile": "From File", - "PE.Views.SlideSettings.textFromUrl": "From URL", - "PE.Views.SlideSettings.textGradient": "Gradient", - "PE.Views.SlideSettings.textGradientFill": "Gradient Fill", - "PE.Views.SlideSettings.textImageTexture": "Picture or Texture", - "PE.Views.SlideSettings.textLinear": "Linear", - "PE.Views.SlideSettings.textNoFill": "No Fill", - "PE.Views.SlideSettings.textPatternFill": "Pattern", + "PE.Views.SlideSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "PE.Views.SlideSettings.textAngle": "Sudut", + "PE.Views.SlideSettings.textColor": "Warna Isi", + "PE.Views.SlideSettings.textDirection": "Arah", + "PE.Views.SlideSettings.textEmptyPattern": "Tidak ada Pola", + "PE.Views.SlideSettings.textFromFile": "Dari File", + "PE.Views.SlideSettings.textFromStorage": "Dari Penyimpanan", + "PE.Views.SlideSettings.textFromUrl": "Dari URL", + "PE.Views.SlideSettings.textGradient": "Gradien", + "PE.Views.SlideSettings.textGradientFill": "Isian Gradien", + "PE.Views.SlideSettings.textImageTexture": "Gambar atau Tekstur", + "PE.Views.SlideSettings.textLinear": "Linier", + "PE.Views.SlideSettings.textNoFill": "Tidak ada Isian", + "PE.Views.SlideSettings.textPatternFill": "Pola", "PE.Views.SlideSettings.textPosition": "Posisi", "PE.Views.SlideSettings.textRadial": "Radial", - "PE.Views.SlideSettings.textReset": "Reset Changes", - "PE.Views.SlideSettings.textSelectTexture": "Select", - "PE.Views.SlideSettings.textStretch": "Stretch", - "PE.Views.SlideSettings.textStyle": "Style", - "PE.Views.SlideSettings.textTexture": "From Texture", - "PE.Views.SlideSettings.textTile": "Tile", - "PE.Views.SlideSettings.txtBrownPaper": "Brown Paper", - "PE.Views.SlideSettings.txtCanvas": "Canvas", - "PE.Views.SlideSettings.txtCarton": "Carton", - "PE.Views.SlideSettings.txtDarkFabric": "Dark Fabric", - "PE.Views.SlideSettings.txtGrain": "Grain", - "PE.Views.SlideSettings.txtGranite": "Granite", - "PE.Views.SlideSettings.txtGreyPaper": "Gray Paper", - "PE.Views.SlideSettings.txtKnit": "Knit", - "PE.Views.SlideSettings.txtLeather": "Leather", - "PE.Views.SlideSettings.txtPapyrus": "Papyrus", - "PE.Views.SlideSettings.txtWood": "Wood", - "PE.Views.SlideSizeSettings.textHeight": "Height", - "PE.Views.SlideSizeSettings.textSlideSize": "Slide Size", - "PE.Views.SlideSizeSettings.textTitle": "Slide Size Settings", - "PE.Views.SlideSizeSettings.textWidth": "Width", - "PE.Views.SlideSizeSettings.txt35": "35 mm Slides", - "PE.Views.SlideSizeSettings.txtA3": "A3 Paper (297x420 mm)", - "PE.Views.SlideSizeSettings.txtA4": "A4 Paper (210x297 mm)", + "PE.Views.SlideSettings.textReset": "Reset Perubahan", + "PE.Views.SlideSettings.textSelectImage": "Pilih Foto", + "PE.Views.SlideSettings.textSelectTexture": "Pilih", + "PE.Views.SlideSettings.textStretch": "Rentangkan", + "PE.Views.SlideSettings.textStyle": "Model", + "PE.Views.SlideSettings.textTexture": "Dari Tekstur", + "PE.Views.SlideSettings.textTile": "Petak", + "PE.Views.SlideSettings.tipAddGradientPoint": "Tambah titik gradien", + "PE.Views.SlideSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "PE.Views.SlideSettings.txtBrownPaper": "Kertas Coklat", + "PE.Views.SlideSettings.txtCanvas": "Kanvas", + "PE.Views.SlideSettings.txtCarton": "Karton", + "PE.Views.SlideSettings.txtDarkFabric": "Kain Gelap", + "PE.Views.SlideSettings.txtGrain": "Butiran", + "PE.Views.SlideSettings.txtGranite": "Granit", + "PE.Views.SlideSettings.txtGreyPaper": "Kertas Abu-Abu", + "PE.Views.SlideSettings.txtKnit": "Rajut", + "PE.Views.SlideSettings.txtLeather": "Kulit", + "PE.Views.SlideSettings.txtPapyrus": "Papirus", + "PE.Views.SlideSettings.txtWood": "Kayu", + "PE.Views.SlideshowSettings.textLoop": "Loop terus-menerus sampai 'Esc' ditekan", + "PE.Views.SlideshowSettings.textTitle": "Pengaturan Tampilan", + "PE.Views.SlideSizeSettings.strLandscape": "Landscape", + "PE.Views.SlideSizeSettings.strPortrait": "Portrait", + "PE.Views.SlideSizeSettings.textHeight": "Tinggi", + "PE.Views.SlideSizeSettings.textSlideOrientation": "Orientasi Slide", + "PE.Views.SlideSizeSettings.textSlideSize": "Ukuran Slide", + "PE.Views.SlideSizeSettings.textTitle": "Pengaturan Ukuran Slide", + "PE.Views.SlideSizeSettings.textWidth": "Lebar", + "PE.Views.SlideSizeSettings.txt35": "Slide 35 mm", + "PE.Views.SlideSizeSettings.txtA3": "Kertas A3 (297x420 mm)", + "PE.Views.SlideSizeSettings.txtA4": "Kertas A4 (210x297 mm)", "PE.Views.SlideSizeSettings.txtB4": "B4 (ICO) Paper (250x353 mm)", "PE.Views.SlideSizeSettings.txtB5": "B5 (ICO) Paper (176x250 mm)", "PE.Views.SlideSizeSettings.txtBanner": "Banner", - "PE.Views.SlideSizeSettings.txtCustom": "Custom", + "PE.Views.SlideSizeSettings.txtCustom": "Khusus", "PE.Views.SlideSizeSettings.txtLedger": "Ledger Paper (11x17 in)", "PE.Views.SlideSizeSettings.txtLetter": "Letter Paper (8.5x11 in)", "PE.Views.SlideSizeSettings.txtOverhead": "Overhead", "PE.Views.SlideSizeSettings.txtStandard": "Standard (4:3)", - "PE.Views.Statusbar.goToPageText": "Go to Slide", - "PE.Views.Statusbar.pageIndexText": "Slide {0} of {1}", - "PE.Views.Statusbar.tipAccessRights": "Manage document access rights", + "PE.Views.SlideSizeSettings.txtWidescreen": "Layar lebar", + "PE.Views.Statusbar.goToPageText": "Pergi ke Slide", + "PE.Views.Statusbar.pageIndexText": "Slide {0} dari {1}", + "PE.Views.Statusbar.textShowBegin": "Tampilkan dari Awal", + "PE.Views.Statusbar.textShowCurrent": "Tampilkan dari Slide Saat Ini", + "PE.Views.Statusbar.textShowPresenterView": "Tampilkan Tampilan Presenter", + "PE.Views.Statusbar.tipAccessRights": "Atur perizinan akses dokumen", "PE.Views.Statusbar.tipFitPage": "Fit Slide", - "PE.Views.Statusbar.tipFitWidth": "Fit Width", - "PE.Views.Statusbar.tipPreview": "Start Preview", + "PE.Views.Statusbar.tipFitWidth": "Sesuaikan Lebar", + "PE.Views.Statusbar.tipPreview": "Mulai slideshow", "PE.Views.Statusbar.tipSetLang": "Atur Bahasa Teks", - "PE.Views.Statusbar.tipZoomFactor": "Magnification", - "PE.Views.Statusbar.tipZoomIn": "Zoom In", - "PE.Views.Statusbar.tipZoomOut": "Zoom Out", - "PE.Views.Statusbar.txtPageNumInvalid": "Invalid slide number", - "PE.Views.TableSettings.deleteColumnText": "Delete Column", - "PE.Views.TableSettings.deleteRowText": "Delete Row", - "PE.Views.TableSettings.deleteTableText": "Delete Table", - "PE.Views.TableSettings.insertColumnLeftText": "Insert Column Left", - "PE.Views.TableSettings.insertColumnRightText": "Insert Column Right", - "PE.Views.TableSettings.insertRowAboveText": "Insert Row Above", - "PE.Views.TableSettings.insertRowBelowText": "Insert Row Below", - "PE.Views.TableSettings.mergeCellsText": "Merge Cells", - "PE.Views.TableSettings.selectCellText": "Select Cell", - "PE.Views.TableSettings.selectColumnText": "Select Column", - "PE.Views.TableSettings.selectRowText": "Select Row", - "PE.Views.TableSettings.selectTableText": "Select Table", - "PE.Views.TableSettings.splitCellsText": "Split Cell...", - "PE.Views.TableSettings.splitCellTitleText": "Split Cell", - "PE.Views.TableSettings.textAdvanced": "Show advanced settings", - "PE.Views.TableSettings.textBackColor": "Background color", - "PE.Views.TableSettings.textBanded": "Banded", - "PE.Views.TableSettings.textBorderColor": "Color", - "PE.Views.TableSettings.textBorders": "Borders Style", - "PE.Views.TableSettings.textColumns": "Columns", - "PE.Views.TableSettings.textEdit": "Rows & Columns", - "PE.Views.TableSettings.textEmptyTemplate": "No templates", - "PE.Views.TableSettings.textFirst": "First", + "PE.Views.Statusbar.tipZoomFactor": "Pembesaran", + "PE.Views.Statusbar.tipZoomIn": "Perbesar", + "PE.Views.Statusbar.tipZoomOut": "Perkecil", + "PE.Views.Statusbar.txtPageNumInvalid": "Nomor slide tidak tepat", + "PE.Views.TableSettings.deleteColumnText": "Hapus Kolom", + "PE.Views.TableSettings.deleteRowText": "Hapus Baris", + "PE.Views.TableSettings.deleteTableText": "Hapus Tabel", + "PE.Views.TableSettings.insertColumnLeftText": "Sisipkan Kolom di Kiri", + "PE.Views.TableSettings.insertColumnRightText": "Sisipkan Kolom di Kanan", + "PE.Views.TableSettings.insertRowAboveText": "Sisipkan Baris di Atas", + "PE.Views.TableSettings.insertRowBelowText": "Sisipkan Baris di Bawah", + "PE.Views.TableSettings.mergeCellsText": "Gabungkan Sel", + "PE.Views.TableSettings.selectCellText": "Pilih Sel", + "PE.Views.TableSettings.selectColumnText": "Pilih Kolom", + "PE.Views.TableSettings.selectRowText": "Pilih Baris", + "PE.Views.TableSettings.selectTableText": "Pilih Tabel", + "PE.Views.TableSettings.splitCellsText": "Pisahkan Sel...", + "PE.Views.TableSettings.splitCellTitleText": "Pisahkan Sel", + "PE.Views.TableSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "PE.Views.TableSettings.textBackColor": "Warna latar", + "PE.Views.TableSettings.textBanded": "Bergaris", + "PE.Views.TableSettings.textBorderColor": "Warna", + "PE.Views.TableSettings.textBorders": "Gaya Pembatas", + "PE.Views.TableSettings.textCellSize": "Ukuran Sel", + "PE.Views.TableSettings.textColumns": "Kolom", + "PE.Views.TableSettings.textDistributeCols": "Distribusikan kolom", + "PE.Views.TableSettings.textDistributeRows": "Distribusikan baris", + "PE.Views.TableSettings.textEdit": "Baris & Kolom", + "PE.Views.TableSettings.textEmptyTemplate": "Tidak ada template", + "PE.Views.TableSettings.textFirst": "Pertama", "PE.Views.TableSettings.textHeader": "Header", - "PE.Views.TableSettings.textHeight": "Ketinggian", - "PE.Views.TableSettings.textLast": "Last", - "PE.Views.TableSettings.textRows": "Rows", - "PE.Views.TableSettings.textSelectBorders": "Select borders you want to change applying style chosen above", - "PE.Views.TableSettings.textTemplate": "Select From Template", + "PE.Views.TableSettings.textHeight": "Tinggi", + "PE.Views.TableSettings.textLast": "Terakhir", + "PE.Views.TableSettings.textRows": "Baris", + "PE.Views.TableSettings.textSelectBorders": "Pilih pembatas yang ingin Anda ubah dengan menerarpkan model yang telah dipilih di atas", + "PE.Views.TableSettings.textTemplate": "Pilih Dari Template", "PE.Views.TableSettings.textTotal": "Total", "PE.Views.TableSettings.textWidth": "Lebar", - "PE.Views.TableSettings.tipAll": "Set Outer Border and All Inner Lines", - "PE.Views.TableSettings.tipBottom": "Set Outer Bottom Border Only", - "PE.Views.TableSettings.tipInner": "Set Inner Lines Only", - "PE.Views.TableSettings.tipInnerHor": "Set Horizontal Inner Lines Only", - "PE.Views.TableSettings.tipInnerVert": "Set Vertical Inner Lines Only", - "PE.Views.TableSettings.tipLeft": "Set Outer Left Border Only", - "PE.Views.TableSettings.tipNone": "Set No Borders", - "PE.Views.TableSettings.tipOuter": "Set Outer Border Only", - "PE.Views.TableSettings.tipRight": "Set Outer Right Border Only", - "PE.Views.TableSettings.tipTop": "Set Outer Top Border Only", - "PE.Views.TableSettings.txtNoBorders": "No borders", + "PE.Views.TableSettings.tipAll": "Buat Pembatas Luar dan Semua Garis Dalam", + "PE.Views.TableSettings.tipBottom": "Buat Pembatas Bawah-Luar Saja", + "PE.Views.TableSettings.tipInner": "Buat Garis Dalam Saja", + "PE.Views.TableSettings.tipInnerHor": "Buat Garis Horisontal Dalam Saja", + "PE.Views.TableSettings.tipInnerVert": "Buat Garis Dalam Vertikal Saja", + "PE.Views.TableSettings.tipLeft": "Buat Pembatas Kiri-Luar Saja", + "PE.Views.TableSettings.tipNone": "Tanpa Pembatas", + "PE.Views.TableSettings.tipOuter": "Buat Pembatas Luar Saja", + "PE.Views.TableSettings.tipRight": "Buat Pembatas Kanan-Luar Saja", + "PE.Views.TableSettings.tipTop": "Buat Pembatas Atas-Luar Saja", + "PE.Views.TableSettings.txtNoBorders": "Tidak ada pembatas", + "PE.Views.TableSettings.txtTable_Accent": "Aksen", + "PE.Views.TableSettings.txtTable_DarkStyle": "Mode gelap", + "PE.Views.TableSettings.txtTable_LightStyle": "Gaya Terang", + "PE.Views.TableSettings.txtTable_MediumStyle": "Gaya Medium", + "PE.Views.TableSettings.txtTable_NoGrid": "Tanpa Grid", + "PE.Views.TableSettings.txtTable_NoStyle": "Tanpa Style", + "PE.Views.TableSettings.txtTable_TableGrid": "Gird Tabel", + "PE.Views.TableSettings.txtTable_ThemedStyle": "Themed Style", + "PE.Views.TableSettingsAdvanced.textAlt": "Teks Alternatif", "PE.Views.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "PE.Views.TableSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "PE.Views.TableSettingsAdvanced.textAltTitle": "Judul", - "PE.Views.TableSettingsAdvanced.textBottom": "Bottom", - "PE.Views.TableSettingsAdvanced.textCheckMargins": "Use default margins", - "PE.Views.TableSettingsAdvanced.textDefaultMargins": "Default Margins", - "PE.Views.TableSettingsAdvanced.textLeft": "Left", - "PE.Views.TableSettingsAdvanced.textMargins": "Cell Margins", - "PE.Views.TableSettingsAdvanced.textRight": "Right", - "PE.Views.TableSettingsAdvanced.textTitle": "Table - Advanced Settings", - "PE.Views.TableSettingsAdvanced.textTop": "Top", - "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Margins", - "PE.Views.TextArtSettings.strBackground": "Background color", - "PE.Views.TextArtSettings.strColor": "Color", - "PE.Views.TextArtSettings.strFill": "Fill", - "PE.Views.TextArtSettings.strForeground": "Foreground color", - "PE.Views.TextArtSettings.strPattern": "Pattern", - "PE.Views.TextArtSettings.strSize": "Size", - "PE.Views.TextArtSettings.strStroke": "Stroke", - "PE.Views.TextArtSettings.strTransparency": "Opacity", + "PE.Views.TableSettingsAdvanced.textBottom": "Bawah", + "PE.Views.TableSettingsAdvanced.textCheckMargins": "Gunakan margin standar", + "PE.Views.TableSettingsAdvanced.textDefaultMargins": "Margin Default", + "PE.Views.TableSettingsAdvanced.textLeft": "Kiri", + "PE.Views.TableSettingsAdvanced.textMargins": "Margin Sel", + "PE.Views.TableSettingsAdvanced.textRight": "Kanan", + "PE.Views.TableSettingsAdvanced.textTitle": "Tabel - Pengaturan Lanjut", + "PE.Views.TableSettingsAdvanced.textTop": "Atas", + "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Margin", + "PE.Views.TextArtSettings.strBackground": "Warna latar", + "PE.Views.TextArtSettings.strColor": "Warna", + "PE.Views.TextArtSettings.strFill": "Isi", + "PE.Views.TextArtSettings.strForeground": "Warna latar depan", + "PE.Views.TextArtSettings.strPattern": "Pola", + "PE.Views.TextArtSettings.strSize": "Ukuran", + "PE.Views.TextArtSettings.strStroke": "Garis", + "PE.Views.TextArtSettings.strTransparency": "Opasitas", "PE.Views.TextArtSettings.strType": "Tipe", - "PE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
        Please enter a value between 0 pt and 1584 pt.", - "PE.Views.TextArtSettings.textColor": "Color Fill", - "PE.Views.TextArtSettings.textDirection": "Direction", - "PE.Views.TextArtSettings.textEmptyPattern": "No Pattern", - "PE.Views.TextArtSettings.textFromFile": "From File", - "PE.Views.TextArtSettings.textFromUrl": "From URL", - "PE.Views.TextArtSettings.textGradient": "Gradient", - "PE.Views.TextArtSettings.textGradientFill": "Gradient Fill", - "PE.Views.TextArtSettings.textImageTexture": "Picture or Texture", - "PE.Views.TextArtSettings.textLinear": "Linear", - "PE.Views.TextArtSettings.textNoFill": "No Fill", - "PE.Views.TextArtSettings.textPatternFill": "Pattern", + "PE.Views.TextArtSettings.textAngle": "Sudut", + "PE.Views.TextArtSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
        Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "PE.Views.TextArtSettings.textColor": "Warna Isi", + "PE.Views.TextArtSettings.textDirection": "Arah", + "PE.Views.TextArtSettings.textEmptyPattern": "Tidak ada Pola", + "PE.Views.TextArtSettings.textFromFile": "Dari File", + "PE.Views.TextArtSettings.textFromUrl": "Dari URL", + "PE.Views.TextArtSettings.textGradient": "Gradien", + "PE.Views.TextArtSettings.textGradientFill": "Isian Gradien", + "PE.Views.TextArtSettings.textImageTexture": "Gambar atau Tekstur", + "PE.Views.TextArtSettings.textLinear": "Linier", + "PE.Views.TextArtSettings.textNoFill": "Tidak ada Isian", + "PE.Views.TextArtSettings.textPatternFill": "Pola", "PE.Views.TextArtSettings.textPosition": "Posisi", "PE.Views.TextArtSettings.textRadial": "Radial", - "PE.Views.TextArtSettings.textSelectTexture": "Select", - "PE.Views.TextArtSettings.textStretch": "Stretch", - "PE.Views.TextArtSettings.textStyle": "Style", + "PE.Views.TextArtSettings.textSelectTexture": "Pilih", + "PE.Views.TextArtSettings.textStretch": "Rentangkan", + "PE.Views.TextArtSettings.textStyle": "Model", "PE.Views.TextArtSettings.textTemplate": "Template", - "PE.Views.TextArtSettings.textTexture": "From Texture", - "PE.Views.TextArtSettings.textTile": "Tile", + "PE.Views.TextArtSettings.textTexture": "Dari Tekstur", + "PE.Views.TextArtSettings.textTile": "Petak", "PE.Views.TextArtSettings.textTransform": "Transform", - "PE.Views.TextArtSettings.txtBrownPaper": "Brown Paper", - "PE.Views.TextArtSettings.txtCanvas": "Canvas", - "PE.Views.TextArtSettings.txtCarton": "Carton", - "PE.Views.TextArtSettings.txtDarkFabric": "Dark Fabric", - "PE.Views.TextArtSettings.txtGrain": "Grain", - "PE.Views.TextArtSettings.txtGranite": "Granite", - "PE.Views.TextArtSettings.txtGreyPaper": "Gray Paper", - "PE.Views.TextArtSettings.txtKnit": "Knit", - "PE.Views.TextArtSettings.txtLeather": "Leather", - "PE.Views.TextArtSettings.txtNoBorders": "No Line", - "PE.Views.TextArtSettings.txtPapyrus": "Papyrus", - "PE.Views.TextArtSettings.txtWood": "Wood", - "PE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "PE.Views.TextArtSettings.tipAddGradientPoint": "Tambah titik gradien", + "PE.Views.TextArtSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "PE.Views.TextArtSettings.txtBrownPaper": "Kertas Coklat", + "PE.Views.TextArtSettings.txtCanvas": "Kanvas", + "PE.Views.TextArtSettings.txtCarton": "Karton", + "PE.Views.TextArtSettings.txtDarkFabric": "Kain Gelap", + "PE.Views.TextArtSettings.txtGrain": "Butiran", + "PE.Views.TextArtSettings.txtGranite": "Granit", + "PE.Views.TextArtSettings.txtGreyPaper": "Kertas Abu-Abu", + "PE.Views.TextArtSettings.txtKnit": "Rajut", + "PE.Views.TextArtSettings.txtLeather": "Kulit", + "PE.Views.TextArtSettings.txtNoBorders": "Tidak ada Garis", + "PE.Views.TextArtSettings.txtPapyrus": "Papirus", + "PE.Views.TextArtSettings.txtWood": "Kayu", + "PE.Views.Toolbar.capAddSlide": "Tambahkan Slide", + "PE.Views.Toolbar.capBtnAddComment": "Tambahkan Komentar", "PE.Views.Toolbar.capBtnComment": "Komentar", - "PE.Views.Toolbar.capInsertChart": "Bagan", + "PE.Views.Toolbar.capBtnDateTime": "Tanggal & Jam", + "PE.Views.Toolbar.capBtnInsHeader": "Footer", + "PE.Views.Toolbar.capBtnInsSymbol": "Simbol", + "PE.Views.Toolbar.capBtnSlideNum": "Nomor Slide", + "PE.Views.Toolbar.capInsertAudio": "Audio", + "PE.Views.Toolbar.capInsertChart": "Grafik", + "PE.Views.Toolbar.capInsertEquation": "Persamaan", + "PE.Views.Toolbar.capInsertHyperlink": "Hyperlink", "PE.Views.Toolbar.capInsertImage": "Gambar", + "PE.Views.Toolbar.capInsertShape": "Bentuk", "PE.Views.Toolbar.capInsertTable": "Tabel", + "PE.Views.Toolbar.capInsertText": "Kotak Teks", + "PE.Views.Toolbar.capInsertVideo": "Video", "PE.Views.Toolbar.capTabFile": "File", "PE.Views.Toolbar.capTabHome": "Halaman Depan", "PE.Views.Toolbar.capTabInsert": "Sisipkan", - "PE.Views.Toolbar.mniCustomTable": "Insert Custom Table", - "PE.Views.Toolbar.mniImageFromFile": "Picture from File", - "PE.Views.Toolbar.mniImageFromUrl": "Picture from URL", - "PE.Views.Toolbar.mniSlideAdvanced": "Advanced Settings", + "PE.Views.Toolbar.mniCapitalizeWords": "Huruf Kapital Setiap Kata", + "PE.Views.Toolbar.mniCustomTable": "Sisipkan Tabel Khusus", + "PE.Views.Toolbar.mniImageFromFile": "Gambar dari File", + "PE.Views.Toolbar.mniImageFromStorage": "Gambar dari Penyimpanan", + "PE.Views.Toolbar.mniImageFromUrl": "Gambar dari URL", + "PE.Views.Toolbar.mniLowerCase": "huruf kecil", + "PE.Views.Toolbar.mniSentenceCase": "Case kalimat.", + "PE.Views.Toolbar.mniSlideAdvanced": "Pengaturan Lanjut", "PE.Views.Toolbar.mniSlideStandard": "Standard (4:3)", "PE.Views.Toolbar.mniSlideWide": "Widescreen (16:9)", + "PE.Views.Toolbar.mniToggleCase": "tOGGLE cASE", + "PE.Views.Toolbar.mniUpperCase": "HURUFBESAR", "PE.Views.Toolbar.strMenuNoFill": "Tidak ada Isian", - "PE.Views.Toolbar.textAlignBottom": "Align text to the bottom", - "PE.Views.Toolbar.textAlignCenter": "Center text", + "PE.Views.Toolbar.textAlignBottom": "Ratakan teks ke bawah", + "PE.Views.Toolbar.textAlignCenter": "Teks tengah", "PE.Views.Toolbar.textAlignJust": "Justify", - "PE.Views.Toolbar.textAlignLeft": "Align text left", - "PE.Views.Toolbar.textAlignMiddle": "Align text to the middle", - "PE.Views.Toolbar.textAlignRight": "Align text right", - "PE.Views.Toolbar.textAlignTop": "Align text to the top", - "PE.Views.Toolbar.textArrangeBack": "Send to Background", - "PE.Views.Toolbar.textArrangeBackward": "Move Backward", - "PE.Views.Toolbar.textArrangeForward": "Move Forward", - "PE.Views.Toolbar.textArrangeFront": "Bring To Foreground", - "PE.Views.Toolbar.textBold": "Bold", - "PE.Views.Toolbar.textItalic": "Italic", - "PE.Views.Toolbar.textShapeAlignBottom": "Align Bottom", - "PE.Views.Toolbar.textShapeAlignCenter": "Align Center", - "PE.Views.Toolbar.textShapeAlignLeft": "Align Left", - "PE.Views.Toolbar.textShapeAlignMiddle": "Align Middle", - "PE.Views.Toolbar.textShapeAlignRight": "Align Right", - "PE.Views.Toolbar.textShapeAlignTop": "Align Top", - "PE.Views.Toolbar.textStrikeout": "Strikeout", - "PE.Views.Toolbar.textSubscript": "Subscript", - "PE.Views.Toolbar.textSuperscript": "Superscript", + "PE.Views.Toolbar.textAlignLeft": "Ratakan teks ke kiri", + "PE.Views.Toolbar.textAlignMiddle": "Ratakan teks ke tengan", + "PE.Views.Toolbar.textAlignRight": "Ratakan teks ke kanan", + "PE.Views.Toolbar.textAlignTop": "Ratakan teks ke atas", + "PE.Views.Toolbar.textArrangeBack": "Jalankan di Background", + "PE.Views.Toolbar.textArrangeBackward": "Mundurkan", + "PE.Views.Toolbar.textArrangeForward": "Majukan", + "PE.Views.Toolbar.textArrangeFront": "Tampilkan di Halaman Muka", + "PE.Views.Toolbar.textBold": "Tebal", + "PE.Views.Toolbar.textColumnsCustom": "Custom Kolom", + "PE.Views.Toolbar.textColumnsOne": "Satu Kolom", + "PE.Views.Toolbar.textColumnsThree": "Tiga Kolom", + "PE.Views.Toolbar.textColumnsTwo": "Dua Kolom", + "PE.Views.Toolbar.textItalic": "Miring", + "PE.Views.Toolbar.textListSettings": "List Pengaturan", + "PE.Views.Toolbar.textRecentlyUsed": "Baru Digunakan", + "PE.Views.Toolbar.textShapeAlignBottom": "Rata Bawah", + "PE.Views.Toolbar.textShapeAlignCenter": "Rata Tengah", + "PE.Views.Toolbar.textShapeAlignLeft": "Rata Kiri", + "PE.Views.Toolbar.textShapeAlignMiddle": "Rata di Tengah", + "PE.Views.Toolbar.textShapeAlignRight": "Rata Kanan", + "PE.Views.Toolbar.textShapeAlignTop": "Rata Atas", + "PE.Views.Toolbar.textShowBegin": "Tampilkan dari Awal", + "PE.Views.Toolbar.textShowCurrent": "Tampilkan dari Slide Saat Ini", + "PE.Views.Toolbar.textShowPresenterView": "Tampilkan Tampilan Presenter", + "PE.Views.Toolbar.textShowSettings": "Pengaturan Tampilan", + "PE.Views.Toolbar.textStrikeout": "Coret ganda", + "PE.Views.Toolbar.textSubscript": "Subskrip", + "PE.Views.Toolbar.textSuperscript": "Superskrip", + "PE.Views.Toolbar.textTabAnimation": "Animasi", + "PE.Views.Toolbar.textTabCollaboration": "Kolaborasi", "PE.Views.Toolbar.textTabFile": "File", "PE.Views.Toolbar.textTabHome": "Halaman Depan", "PE.Views.Toolbar.textTabInsert": "Sisipkan", + "PE.Views.Toolbar.textTabProtect": "Proteksi", + "PE.Views.Toolbar.textTabTransitions": "Transisi", "PE.Views.Toolbar.textTabView": "Lihat", - "PE.Views.Toolbar.textTitleError": "Error", - "PE.Views.Toolbar.textUnderline": "Underline", + "PE.Views.Toolbar.textTitleError": "Kesalahan", + "PE.Views.Toolbar.textUnderline": "Garis bawah", "PE.Views.Toolbar.tipAddSlide": "Add Slide", - "PE.Views.Toolbar.tipBack": "Back", + "PE.Views.Toolbar.tipBack": "Kembali", + "PE.Views.Toolbar.tipChangeCase": "Ubah case", "PE.Views.Toolbar.tipChangeChart": "Ubah Tipe Bagan", - "PE.Views.Toolbar.tipChangeSlide": "Change Slide Layout", - "PE.Views.Toolbar.tipClearStyle": "Clear Style", - "PE.Views.Toolbar.tipColorSchemas": "Change Color Scheme", - "PE.Views.Toolbar.tipCopy": "Copy", - "PE.Views.Toolbar.tipCopyStyle": "Copy Style", + "PE.Views.Toolbar.tipChangeSlide": "Ubah layout slide", + "PE.Views.Toolbar.tipClearStyle": "Hapus Model", + "PE.Views.Toolbar.tipColorSchemas": "Ubah Skema Warna", + "PE.Views.Toolbar.tipColumns": "Sisipkan kolom", + "PE.Views.Toolbar.tipCopy": "Salin", + "PE.Views.Toolbar.tipCopyStyle": "Salin Model", + "PE.Views.Toolbar.tipDateTime": "Sisipkan tanggal dan jam sekarang", "PE.Views.Toolbar.tipDecFont": "Perkecil Ukuran Huruf", - "PE.Views.Toolbar.tipDecPrLeft": "Decrease Indent", - "PE.Views.Toolbar.tipFontColor": "Font color", - "PE.Views.Toolbar.tipFontName": "Font Name", - "PE.Views.Toolbar.tipFontSize": "Font Size", - "PE.Views.Toolbar.tipHAligh": "Horizontal Align", + "PE.Views.Toolbar.tipDecPrLeft": "Kurangi Indentasi", + "PE.Views.Toolbar.tipEditHeader": "Edit footer", + "PE.Views.Toolbar.tipFontColor": "Warna Huruf", + "PE.Views.Toolbar.tipFontName": "Huruf", + "PE.Views.Toolbar.tipFontSize": "Ukuran Huruf", + "PE.Views.Toolbar.tipHAligh": "Rata horizontal", "PE.Views.Toolbar.tipHighlightColor": "Warna Sorot", "PE.Views.Toolbar.tipIncFont": "Perbesar Ukuran Huruf", - "PE.Views.Toolbar.tipIncPrLeft": "Increase Indent", - "PE.Views.Toolbar.tipInsertChart": "Insert Chart", + "PE.Views.Toolbar.tipIncPrLeft": "Tambahkan Indentasi", + "PE.Views.Toolbar.tipInsertChart": "Sisipkan Bagan", "PE.Views.Toolbar.tipInsertEquation": "Masukkan Persamaan", - "PE.Views.Toolbar.tipInsertHyperlink": "Add Hyperlink", - "PE.Views.Toolbar.tipInsertImage": "Insert Picture", - "PE.Views.Toolbar.tipInsertShape": "Insert Autoshape", - "PE.Views.Toolbar.tipInsertTable": "Insert Table", - "PE.Views.Toolbar.tipInsertText": "Insert Text", - "PE.Views.Toolbar.tipLineSpace": "Line Spacing", - "PE.Views.Toolbar.tipMarkers": "Bullets", - "PE.Views.Toolbar.tipNumbers": "Numbering", - "PE.Views.Toolbar.tipPaste": "Paste", - "PE.Views.Toolbar.tipPreview": "Start Preview", - "PE.Views.Toolbar.tipPrint": "Print", - "PE.Views.Toolbar.tipRedo": "Redo", - "PE.Views.Toolbar.tipSave": "Save", - "PE.Views.Toolbar.tipSaveCoauth": "Save your changes for the other users to see them.", - "PE.Views.Toolbar.tipShapeAlign": "Align Shape", - "PE.Views.Toolbar.tipShapeArrange": "Arrange Shape", - "PE.Views.Toolbar.tipSlideSize": "Select Slide Size", - "PE.Views.Toolbar.tipSlideTheme": "Slide Theme", - "PE.Views.Toolbar.tipUndo": "Undo", - "PE.Views.Toolbar.tipVAligh": "Vertical Align", - "PE.Views.Toolbar.tipViewSettings": "View Settings", - "PE.Views.Toolbar.txtDistribHor": "Distribute Horizontally", - "PE.Views.Toolbar.txtDistribVert": "Distribute Vertically", - "PE.Views.Toolbar.txtGroup": "Group", + "PE.Views.Toolbar.tipInsertHyperlink": "Tambahkan hyperlink", + "PE.Views.Toolbar.tipInsertImage": "Sisipkan Gambar", + "PE.Views.Toolbar.tipInsertShape": "Sisipkan Bentuk Otomatis", + "PE.Views.Toolbar.tipInsertSymbol": "Sisipkan simbol", + "PE.Views.Toolbar.tipInsertTable": "Sisipkan Tabel", + "PE.Views.Toolbar.tipInsertText": "Sisipkan Teks", + "PE.Views.Toolbar.tipInsertTextArt": "Sisipkan Text Art", + "PE.Views.Toolbar.tipInsertVideo": "Sisipkan video", + "PE.Views.Toolbar.tipLineSpace": "Spasi Antar Baris", + "PE.Views.Toolbar.tipMarkers": "Butir", + "PE.Views.Toolbar.tipMarkersArrow": "Butir panah", + "PE.Views.Toolbar.tipMarkersCheckmark": "Butir tanda centang", + "PE.Views.Toolbar.tipMarkersDash": "Titik putus-putus", + "PE.Views.Toolbar.tipMarkersFRhombus": "Butir belah ketupat isi", + "PE.Views.Toolbar.tipMarkersFRound": "Butir lingkaran isi", + "PE.Views.Toolbar.tipMarkersFSquare": "Butir persegi isi", + "PE.Views.Toolbar.tipMarkersHRound": "Butir bundar hollow", + "PE.Views.Toolbar.tipMarkersStar": "Butir bintang", + "PE.Views.Toolbar.tipNone": "Tidak ada", + "PE.Views.Toolbar.tipNumbers": "Penomoran", + "PE.Views.Toolbar.tipPaste": "Tempel", + "PE.Views.Toolbar.tipPreview": "Mulai slideshow", + "PE.Views.Toolbar.tipPrint": "Cetak", + "PE.Views.Toolbar.tipRedo": "Ulangi", + "PE.Views.Toolbar.tipSave": "Simpan", + "PE.Views.Toolbar.tipSaveCoauth": "Simpan perubahan yang Anda buat agar dapat dilihat oleh pengguna lain", + "PE.Views.Toolbar.tipShapeAlign": "Ratakan bentuk", + "PE.Views.Toolbar.tipShapeArrange": "Atur bentuk", + "PE.Views.Toolbar.tipSlideNum": "Sisipkan nomor slide", + "PE.Views.Toolbar.tipSlideSize": "Pilih ukuran slide", + "PE.Views.Toolbar.tipSlideTheme": "Tema slide", + "PE.Views.Toolbar.tipUndo": "Batalkan", + "PE.Views.Toolbar.tipVAligh": "Rata vertikal", + "PE.Views.Toolbar.tipViewSettings": "Lihat Pengaturan", + "PE.Views.Toolbar.txtDistribHor": "Distribusikan Horizontal", + "PE.Views.Toolbar.txtDistribVert": "Distribusikan Vertikal", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplikasi Slide", + "PE.Views.Toolbar.txtGroup": "Grup", + "PE.Views.Toolbar.txtObjectsAlign": "Ratakan Objek yang Dipilih", "PE.Views.Toolbar.txtScheme1": "Office", "PE.Views.Toolbar.txtScheme10": "Median", "PE.Views.Toolbar.txtScheme11": "Metro", - "PE.Views.Toolbar.txtScheme12": "Module", - "PE.Views.Toolbar.txtScheme13": "Opulent", - "PE.Views.Toolbar.txtScheme14": "Oriel", + "PE.Views.Toolbar.txtScheme12": "Modul", + "PE.Views.Toolbar.txtScheme13": "Mewah", + "PE.Views.Toolbar.txtScheme14": "Jendela Oriel", "PE.Views.Toolbar.txtScheme15": "Origin", - "PE.Views.Toolbar.txtScheme16": "Paper", - "PE.Views.Toolbar.txtScheme17": "Solstice", - "PE.Views.Toolbar.txtScheme18": "Technic", + "PE.Views.Toolbar.txtScheme16": "Kertas", + "PE.Views.Toolbar.txtScheme17": "Titik balik matahari", + "PE.Views.Toolbar.txtScheme18": "Teknik", "PE.Views.Toolbar.txtScheme19": "Trek", "PE.Views.Toolbar.txtScheme2": "Grayscale", "PE.Views.Toolbar.txtScheme20": "Urban", - "PE.Views.Toolbar.txtScheme21": "Verve", - "PE.Views.Toolbar.txtScheme3": "Apex", - "PE.Views.Toolbar.txtScheme4": "Aspect", - "PE.Views.Toolbar.txtScheme5": "Civic", - "PE.Views.Toolbar.txtScheme6": "Concourse", - "PE.Views.Toolbar.txtScheme7": "Equity", - "PE.Views.Toolbar.txtScheme8": "Flow", - "PE.Views.Toolbar.txtScheme9": "Foundry", - "PE.Views.Toolbar.txtUngroup": "Ungroup", + "PE.Views.Toolbar.txtScheme21": "Semangat", + "PE.Views.Toolbar.txtScheme22": "Office Baru", + "PE.Views.Toolbar.txtScheme3": "Puncak", + "PE.Views.Toolbar.txtScheme4": "Aspek", + "PE.Views.Toolbar.txtScheme5": "Kewargaan", + "PE.Views.Toolbar.txtScheme6": "Himpunan", + "PE.Views.Toolbar.txtScheme7": "Margin Sisa", + "PE.Views.Toolbar.txtScheme8": "Alur", + "PE.Views.Toolbar.txtScheme9": "Cetakan", + "PE.Views.Toolbar.txtSlideAlign": "Ratakan dengan slide", + "PE.Views.Toolbar.txtUngroup": "Pisahkan dari grup", + "PE.Views.Transitions.strDelay": "Delay", + "PE.Views.Transitions.strDuration": "Durasi", + "PE.Views.Transitions.strStartOnClick": "Mulai Saat Klik", + "PE.Views.Transitions.textBlack": "Through Black", "PE.Views.Transitions.textBottom": "Bawah", + "PE.Views.Transitions.textBottomLeft": "Kiri", + "PE.Views.Transitions.textBottomRight": "Bawah-Kanan", + "PE.Views.Transitions.textClock": "Jam", + "PE.Views.Transitions.textClockwise": "Searah Jarum Jam", + "PE.Views.Transitions.textCounterclockwise": "Berlawanan Jarum Jam", + "PE.Views.Transitions.textCover": "Cover", + "PE.Views.Transitions.textFade": "Pudar", + "PE.Views.Transitions.textHorizontalIn": "Horizontal Masuk", + "PE.Views.Transitions.textHorizontalOut": "Horizontal Keluar", "PE.Views.Transitions.textLeft": "Kiri", "PE.Views.Transitions.textNone": "Tidak ada", + "PE.Views.Transitions.textPush": "Tekan", "PE.Views.Transitions.textRight": "Kanan", + "PE.Views.Transitions.textSmoothly": "Dengan Mulus", + "PE.Views.Transitions.textSplit": "Split", "PE.Views.Transitions.textTop": "Atas", - "PE.Views.Transitions.textZoom": "Perbesar", + "PE.Views.Transitions.textTopLeft": "Atas-Kiri", + "PE.Views.Transitions.textTopRight": "Atas-Kanan", + "PE.Views.Transitions.textUnCover": "UnCover", + "PE.Views.Transitions.textVerticalIn": "Masuk Vertikal", + "PE.Views.Transitions.textVerticalOut": "Keluar Horizontal", + "PE.Views.Transitions.textWedge": "Wedge", + "PE.Views.Transitions.textWipe": "Wipe", + "PE.Views.Transitions.textZoom": "Pembesaran", "PE.Views.Transitions.textZoomIn": "Perbesar", "PE.Views.Transitions.textZoomOut": "Perkecil", + "PE.Views.Transitions.textZoomRotate": "Zoom dan Rotasi", + "PE.Views.Transitions.txtApplyToAll": "Terapkan untuk Semua Slide", "PE.Views.Transitions.txtParameters": "Parameter", "PE.Views.Transitions.txtPreview": "Pratinjau", + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Selalu tampilkan toolbar", + "PE.Views.ViewTab.textFitToSlide": "Fit Slide", "PE.Views.ViewTab.textFitToWidth": "Sesuaikan Lebar", - "PE.Views.ViewTab.textZoom": "Perbesar" + "PE.Views.ViewTab.textInterfaceTheme": "Tema interface", + "PE.Views.ViewTab.textNotes": "Catatan", + "PE.Views.ViewTab.textRulers": "Penggaris", + "PE.Views.ViewTab.textStatusBar": "Bar Status", + "PE.Views.ViewTab.textZoom": "Pembesaran" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/it.json b/apps/presentationeditor/main/locale/it.json index 40d6822c6..d13bbd772 100644 --- a/apps/presentationeditor/main/locale/it.json +++ b/apps/presentationeditor/main/locale/it.json @@ -146,6 +146,7 @@ "Common.define.effectData.textLeftUp": "Sinistra in alto", "Common.define.effectData.textLighten": "Illuminare", "Common.define.effectData.textLineColor": "Colore linea", + "Common.define.effectData.textLines": "Linee", "Common.define.effectData.textLinesCurves": "Linee Curve", "Common.define.effectData.textLoopDeLoop": "Ciclo continuo", "Common.define.effectData.textModerate": "Moderato", @@ -179,6 +180,7 @@ "Common.define.effectData.textSCurve1": "Curva S 1", "Common.define.effectData.textSCurve2": "Curva S 2", "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Forme", "Common.define.effectData.textShimmer": "Riflesso", "Common.define.effectData.textShrinkTurn": "Restringere e girare", "Common.define.effectData.textSineWave": "Onda sinusoidale", @@ -238,7 +240,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea una copia", "Common.Translation.warnFileLockedBtnView": "‎Aperto per la visualizzazione‎", "Common.UI.ButtonColored.textAutoColor": "Automatico", - "Common.UI.ButtonColored.textNewColor": "Aggiungere un nuovo colore personalizzato", + "Common.UI.ButtonColored.textNewColor": "Aggiungi Colore personalizzato", "Common.UI.ComboBorderSize.txtNoBorders": "Nessun bordo", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Nessun bordo", "Common.UI.ComboDataView.emptyComboText": "Nessuno stile", @@ -1288,11 +1290,13 @@ "PE.Views.Animation.strRewind": "Riavvolgere", "PE.Views.Animation.strStart": "Avvio", "PE.Views.Animation.strTrigger": "Grilletto", + "PE.Views.Animation.textAutoPreview": "Anteprima automatica", "PE.Views.Animation.textMoreEffects": "Mostrare più effetti", "PE.Views.Animation.textMoveEarlier": "Spostare avanti", "PE.Views.Animation.textMoveLater": "Spostare di seguito", "PE.Views.Animation.textMultiple": "Multipli", "PE.Views.Animation.textNone": "Nessuno", + "PE.Views.Animation.textNoRepeat": "(nessuna)", "PE.Views.Animation.textOnClickOf": "Al clic di", "PE.Views.Animation.textOnClickSequence": "Alla sequenza di clic", "PE.Views.Animation.textStartAfterPrevious": "Dopo il precedente", @@ -1569,21 +1573,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Alcune delle firme digitali nella presentazione non sono valide o non possono essere verificate. La presentazione è protetta dalla modifica.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra firme", "PE.Views.FileMenuPanels.Settings.okButtonText": "Applica", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Attiva guide di allineamento", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Attiva il ripristino automatico", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Attiva salvataggio automatico", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modalità di co-editing", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Gli altri utenti vedranno le tue modifiche contemporaneamente", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "PE.Views.FileMenuPanels.Settings.strFast": "Rapido", "PE.Views.FileMenuPanels.Settings.strFontRender": "Suggerimento per i caratteri", "PE.Views.FileMenuPanels.Settings.strForcesave": "‎Aggiungere versione al salvataggio dopo aver fatto clic su Salva o CTRL+S‎", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Attiva geroglifici", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Impostazioni macro", "PE.Views.FileMenuPanels.Settings.strPaste": "Taglia, copia e incolla", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Mostra il pulsante opzioni Incolla quando il contenuto viene incollato", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Evidenzia modifiche di collaborazione", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Attiva controllo ortografia", "PE.Views.FileMenuPanels.Settings.strStrict": "Rigorosa", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema dell'interfaccia", "PE.Views.FileMenuPanels.Settings.strUnit": "Unità di misura", @@ -2168,6 +2164,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Inserisci video", "PE.Views.Toolbar.tipLineSpace": "Interlinea", "PE.Views.Toolbar.tipMarkers": "Elenchi puntati", + "PE.Views.Toolbar.tipMarkersArrow": "Punti elenco a freccia", + "PE.Views.Toolbar.tipMarkersCheckmark": "Punti elenco a segno di spunta", + "PE.Views.Toolbar.tipMarkersDash": "Punti elenco a trattino", + "PE.Views.Toolbar.tipMarkersFRhombus": "Punti elenco a rombo pieno", + "PE.Views.Toolbar.tipMarkersFRound": "Punti elenco rotondi pieni", + "PE.Views.Toolbar.tipMarkersFSquare": "Punti elenco quadrati pieni", + "PE.Views.Toolbar.tipMarkersHRound": "Punti elenco rotondi vuoti", + "PE.Views.Toolbar.tipMarkersStar": "Punti elenco a stella", "PE.Views.Toolbar.tipNumbers": "Elenchi numerati", "PE.Views.Toolbar.tipPaste": "Incolla", "PE.Views.Toolbar.tipPreview": "Avvia presentazione", diff --git a/apps/presentationeditor/main/locale/ja.json b/apps/presentationeditor/main/locale/ja.json index a1ff9fca4..0465d0016 100644 --- a/apps/presentationeditor/main/locale/ja.json +++ b/apps/presentationeditor/main/locale/ja.json @@ -47,24 +47,197 @@ "Common.define.chartData.textScatterSmoothMarker": "マーカーと平滑線付き散布図", "Common.define.chartData.textStock": "株価チャート", "Common.define.chartData.textSurface": "表面", + "Common.define.effectData.textAcross": "横方向", + "Common.define.effectData.textAppear": "アピール", + "Common.define.effectData.textArcDown": "アーチ (下)", + "Common.define.effectData.textArcLeft": "アーチ (左)", + "Common.define.effectData.textArcRight": "アーチ (右)", + "Common.define.effectData.textArcs": "アーチ", + "Common.define.effectData.textArcUp": "アーチ (上)", + "Common.define.effectData.textBasic": "基本", + "Common.define.effectData.textBasicSwivel": "ベーシックターン", + "Common.define.effectData.textBasicZoom": "ベーシックズーム", + "Common.define.effectData.textBean": "豆", + "Common.define.effectData.textBlinds": "ブラインド", + "Common.define.effectData.textBlink": "ブリンク", + "Common.define.effectData.textBoldFlash": "ボールドフラッシュ", + "Common.define.effectData.textBoldReveal": "太字表示", + "Common.define.effectData.textBoomerang": "ブーメラン", + "Common.define.effectData.textBounce": "バウンド", + "Common.define.effectData.textBounceLeft": "バウンド (左へ)", + "Common.define.effectData.textBounceRight": "バウンド (右へ)", "Common.define.effectData.textBox": "ボックス", + "Common.define.effectData.textBrushColor": "ブラシの色", + "Common.define.effectData.textCenterRevolve": "リボルブ", + "Common.define.effectData.textCheckerboard": "チェッカーボード", "Common.define.effectData.textCircle": "円", + "Common.define.effectData.textCollapse": "折りたたみ", + "Common.define.effectData.textColorPulse": "カラー パルス", + "Common.define.effectData.textComplementaryColor": "補色", + "Common.define.effectData.textComplementaryColor2": "補色2", + "Common.define.effectData.textCompress": "圧縮", + "Common.define.effectData.textContrast": "コントラスト", + "Common.define.effectData.textContrastingColor": "カラーコントラスト", + "Common.define.effectData.textCredits": "クレジット", + "Common.define.effectData.textCrescentMoon": "三日月", + "Common.define.effectData.textCurveDown": "カーブ (下)", + "Common.define.effectData.textCurvedSquare": "四角形 (曲線)", + "Common.define.effectData.textCurvedX": "曲線 (X 型)", + "Common.define.effectData.textCurvyLeft": "湾曲カーブ (左)", + "Common.define.effectData.textCurvyRight": "湾曲カーブ (右)", + "Common.define.effectData.textCurvyStar": "星 (曲線)", + "Common.define.effectData.textCustomPath": "ユーザー設定パス", + "Common.define.effectData.textCuverUp": "カーブ (上)", + "Common.define.effectData.textDarken": "暗く", + "Common.define.effectData.textDecayingWave": "波線 (減衰曲線)", + "Common.define.effectData.textDesaturate": "薄く", + "Common.define.effectData.textDiagonalDownRight": "対角線 (右下へ)", + "Common.define.effectData.textDiagonalUpRight": "対角線 (右上へ)", + "Common.define.effectData.textDiamond": "ひし形", + "Common.define.effectData.textDisappear": "クリア", + "Common.define.effectData.textDissolveIn": "ディゾルブイン", + "Common.define.effectData.textDissolveOut": "ディゾルブアウト", "Common.define.effectData.textDown": "下", + "Common.define.effectData.textDrop": "ドロップ", + "Common.define.effectData.textEmphasis": "強調効果", + "Common.define.effectData.textEntrance": "開始効果", + "Common.define.effectData.textEqualTriangle": "正三角形", + "Common.define.effectData.textExciting": "はなやか", + "Common.define.effectData.textExit": "終了効果", + "Common.define.effectData.textExpand": "展開する", "Common.define.effectData.textFade": "フェード", + "Common.define.effectData.textFigureFour": "8 の字 (ダブル)", + "Common.define.effectData.textFillColor": "塗りつぶしの色", + "Common.define.effectData.textFlip": "反転する", + "Common.define.effectData.textFloat": "フロート", + "Common.define.effectData.textFloatDown": "フロートダウン", + "Common.define.effectData.textFloatIn": "フロートイン", + "Common.define.effectData.textFloatOut": "フロートアウト", + "Common.define.effectData.textFloatUp": "フロートアップ", + "Common.define.effectData.textFlyIn": "スライドイン", + "Common.define.effectData.textFlyOut": "スライドアウト", + "Common.define.effectData.textFontColor": "フォントの色", + "Common.define.effectData.textFootball": "フットボール", + "Common.define.effectData.textFromBottom": "下から", + "Common.define.effectData.textFromBottomLeft": "左下から", + "Common.define.effectData.textFromBottomRight": "右下から", + "Common.define.effectData.textFromLeft": "左から", + "Common.define.effectData.textFromRight": "右から", + "Common.define.effectData.textFromTop": "上から", + "Common.define.effectData.textFromTopLeft": "左上から", + "Common.define.effectData.textFromTopRight": "右上から", + "Common.define.effectData.textFunnel": "じょうご", + "Common.define.effectData.textGrowShrink": "拡大/収縮", + "Common.define.effectData.textGrowTurn": "グローとターン", + "Common.define.effectData.textGrowWithColor": "カラーで拡大", + "Common.define.effectData.textHeart": "ハート", + "Common.define.effectData.textHeartbeat": "ハートビート", + "Common.define.effectData.textHexagon": "六角形", "Common.define.effectData.textHorizontal": "水平", + "Common.define.effectData.textHorizontalFigure": "8 の字 (横)", + "Common.define.effectData.textHorizontalIn": "ワイプイン (横)", + "Common.define.effectData.textHorizontalOut": "ワイプアウト (横)", + "Common.define.effectData.textIn": "イン", + "Common.define.effectData.textInFromScreenCenter": "イン(中心から)", + "Common.define.effectData.textInSlightly": "イン (少し)", + "Common.define.effectData.textInToScreenBottom": "イン (下へ)", + "Common.define.effectData.textInvertedSquare": "四角形 (転回)", + "Common.define.effectData.textInvertedTriangle": "三角形 (転回)", "Common.define.effectData.textLeft": "左", "Common.define.effectData.textLeftDown": "左下", "Common.define.effectData.textLeftUp": "左上", + "Common.define.effectData.textLighten": "明るく", + "Common.define.effectData.textLineColor": "線の色", + "Common.define.effectData.textLines": "線", + "Common.define.effectData.textLinesCurves": "線と曲線", + "Common.define.effectData.textLoopDeLoop": "ループ", + "Common.define.effectData.textLoops": "ループ", + "Common.define.effectData.textModerate": "中", + "Common.define.effectData.textNeutron": "ニュートロン", + "Common.define.effectData.textObjectCenter": "オブジェクトの中央", + "Common.define.effectData.textObjectColor": "オブジェクトの色", + "Common.define.effectData.textOctagon": "八角形", + "Common.define.effectData.textOut": "外", + "Common.define.effectData.textOutFromScreenBottom": "アウト (下から)", + "Common.define.effectData.textOutSlightly": "アウト (少し)", + "Common.define.effectData.textOutToScreenCenter": "アウト (中心へ)", + "Common.define.effectData.textParallelogram": "平行四辺形", + "Common.define.effectData.textPath": "アニメーションの軌跡", + "Common.define.effectData.textPeanut": "ピーナッツ", + "Common.define.effectData.textPeekIn": "ピークイン", + "Common.define.effectData.textPeekOut": "ピークアウト", + "Common.define.effectData.textPentagon": "五角形", + "Common.define.effectData.textPinwheel": "ピンウィール", + "Common.define.effectData.textPlus": "プラス", + "Common.define.effectData.textPointStar": "星", + "Common.define.effectData.textPointStar4": "星4", + "Common.define.effectData.textPointStar5": "星5", + "Common.define.effectData.textPointStar6": "星6", + "Common.define.effectData.textPointStar8": "星8", + "Common.define.effectData.textPulse": "パルス", + "Common.define.effectData.textRandomBars": "ランダムストライプ", "Common.define.effectData.textRight": "右", "Common.define.effectData.textRightDown": "右下", + "Common.define.effectData.textRightTriangle": "直角三角形", "Common.define.effectData.textRightUp": "右上", + "Common.define.effectData.textRiseUp": "ライズアップ", + "Common.define.effectData.textSCurve1": "カーブ S 型 (1)", + "Common.define.effectData.textSCurve2": "カーブ S 型 (2)", + "Common.define.effectData.textShape": "形", + "Common.define.effectData.textShapes": "形", + "Common.define.effectData.textShimmer": "シマー", + "Common.define.effectData.textShrinkTurn": "縮小および回転", + "Common.define.effectData.textSineWave": "波線 (正弦曲線)", + "Common.define.effectData.textSinkDown": "シンク", + "Common.define.effectData.textSlideCenter": "スライドの中央", + "Common.define.effectData.textSpecial": "特殊", + "Common.define.effectData.textSpin": "スピン", + "Common.define.effectData.textSpinner": "スピナー", + "Common.define.effectData.textSpiralIn": "スパイラルイン", + "Common.define.effectData.textSpiralLeft": "スパイラル (左へ)", + "Common.define.effectData.textSpiralOut": "スパイラルアウト", + "Common.define.effectData.textSpiralRight": "スパイラル(右)", + "Common.define.effectData.textSplit": "スプリット", "Common.define.effectData.textSpoke1": "1スポーク", "Common.define.effectData.textSpoke2": "2スポーク", "Common.define.effectData.textSpoke3": "3スポーク", "Common.define.effectData.textSpoke4": "4スポーク", "Common.define.effectData.textSpoke8": "8スポーク", + "Common.define.effectData.textSpring": "スプリング", + "Common.define.effectData.textSquare": " 四角", + "Common.define.effectData.textStairsDown": "ステップダウン", + "Common.define.effectData.textStretch": "ストレッチ", + "Common.define.effectData.textStrips": "ストリップ", + "Common.define.effectData.textSubtle": "弱", + "Common.define.effectData.textSwivel": "ターン", + "Common.define.effectData.textSwoosh": "スウッシュ", + "Common.define.effectData.textTeardrop": "涙", + "Common.define.effectData.textTeeter": "シーソー", + "Common.define.effectData.textToBottom": "下へ", + "Common.define.effectData.textToBottomLeft": "左下へ", + "Common.define.effectData.textToBottomRight": "右下へ", + "Common.define.effectData.textToLeft": "左へ", + "Common.define.effectData.textToRight": "右へ", + "Common.define.effectData.textToTop": "上へ", + "Common.define.effectData.textToTopLeft": "左上へ", + "Common.define.effectData.textToTopRight": "右上へ", + "Common.define.effectData.textTransparency": "透過性", + "Common.define.effectData.textTrapezoid": "台形", + "Common.define.effectData.textTurnDown": "ターン (下へ)", + "Common.define.effectData.textTurnDownRight": "ターン (右下へ)", + "Common.define.effectData.textTurns": "ターン", + "Common.define.effectData.textTurnUp": "ターン (上へ)", + "Common.define.effectData.textTurnUpRight": "ターン (右上へ)", + "Common.define.effectData.textUnderline": "下線", "Common.define.effectData.textUp": "上", + "Common.define.effectData.textVertical": "縦", + "Common.define.effectData.textVerticalFigure": "8 の字 (縦)", + "Common.define.effectData.textVerticalIn": "縦(中)", + "Common.define.effectData.textVerticalOut": "縦(外)", "Common.define.effectData.textWave": "波", + "Common.define.effectData.textWedge": "くさび形", + "Common.define.effectData.textWheel": "ホイール", + "Common.define.effectData.textWhip": "ホイップ", "Common.define.effectData.textWipe": "ワイプ", "Common.define.effectData.textZigzag": "ジグザグ", "Common.define.effectData.textZoom": "ズーム", @@ -127,6 +300,8 @@ "Common.Views.AutoCorrectDialog.textBulleted": "自動箇条書き", "Common.Views.AutoCorrectDialog.textBy": "幅", "Common.Views.AutoCorrectDialog.textDelete": "削除する", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "スペース2回でピリオドを入力する", + "Common.Views.AutoCorrectDialog.textFLCells": "表のセルの先頭文字を大文字にする", "Common.Views.AutoCorrectDialog.textFLSentence": "文章の最初の文字を大文字にする", "Common.Views.AutoCorrectDialog.textHyperlink": "インターネットとネットワークのアドレスをハイパーリンクに変更する", "Common.Views.AutoCorrectDialog.textHyphens": "ハイフン(--)の代わりにダッシュ(—)", @@ -173,6 +348,8 @@ "Common.Views.Comments.textResolve": "解決", "Common.Views.Comments.textResolved": "解決済み", "Common.Views.Comments.textSort": "コメントを並べ替える", + "Common.Views.Comments.textViewResolved": "コメントを再開する権限がありません", + "Common.Views.Comments.txtEmpty": "ドキュメントにはコメントがありません。", "Common.Views.CopyWarningDialog.textDontShow": "今後このメッセージを表示しない", "Common.Views.CopyWarningDialog.textMsg": "このタブの編集のツールバーのボタンとコンテキストメニューを使って、コピー、分割と貼り付けをすることができます。

        他のアプリケーションにコピーと貼り付けのために、次のショートカットキー を使ってください:", "Common.Views.CopyWarningDialog.textTitle": "コピー,切り取り,貼り付けの操作", @@ -337,6 +514,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "もう一度開く", "Common.Views.ReviewPopover.textReply": "返事する", "Common.Views.ReviewPopover.textResolve": "解決する", + "Common.Views.ReviewPopover.textViewResolved": "コメントを再開する権限がありません", "Common.Views.ReviewPopover.txtDeleteTip": "削除", "Common.Views.ReviewPopover.txtEditTip": "編集", "Common.Views.SaveAsDlg.textLoading": "読み込み中", @@ -494,6 +672,7 @@ "PE.Controllers.Main.textLongName": "128文字未満の名前を入力してください。", "PE.Controllers.Main.textNoLicenseTitle": "ライセンス制限に達しました", "PE.Controllers.Main.textPaidFeature": "有料機能", + "PE.Controllers.Main.textReconnect": "接続が回復しました", "PE.Controllers.Main.textRemember": "すべてのファイルに選択を保存する", "PE.Controllers.Main.textRenameError": "ユーザー名は空にできません。", "PE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力します", @@ -1112,7 +1291,39 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "ゼータ", "PE.Controllers.Viewport.textFitPage": "スライドのサイズに合わせる", "PE.Controllers.Viewport.textFitWidth": "幅に合わせる", + "PE.Views.Animation.str0_5": "0.5秒(さらに速く)", + "PE.Views.Animation.str1": "1秒(速く)", + "PE.Views.Animation.str2": "2秒(中)", + "PE.Views.Animation.str20": "20秒(非常に遅い)", + "PE.Views.Animation.str3": "3秒(遅い)", + "PE.Views.Animation.str5": "5秒(さらに遅く)", + "PE.Views.Animation.strDelay": "遅延", + "PE.Views.Animation.strDuration": "継続時間", + "PE.Views.Animation.strRepeat": "繰り返し", + "PE.Views.Animation.strRewind": "巻き戻し", + "PE.Views.Animation.strStart": "開始", + "PE.Views.Animation.strTrigger": "トリガー", + "PE.Views.Animation.textAutoPreview": "オートプレビュー", + "PE.Views.Animation.textMoreEffects": "その他の効果", + "PE.Views.Animation.textMoveEarlier": "順番を早くする", + "PE.Views.Animation.textMoveLater": "順番を遅くする", + "PE.Views.Animation.textMultiple": "複数", + "PE.Views.Animation.textNone": "なし", + "PE.Views.Animation.textNoRepeat": "(なし)", + "PE.Views.Animation.textOnClickOf": "クリック時:", + "PE.Views.Animation.textOnClickSequence": "クリックシーケンス", + "PE.Views.Animation.textStartAfterPrevious": " 直前の動作の後", + "PE.Views.Animation.textStartOnClick": "クリック時", + "PE.Views.Animation.textStartWithPrevious": "直前の動作と同時", + "PE.Views.Animation.textUntilEndOfSlide": "スライドの最後まで", + "PE.Views.Animation.textUntilNextClick": "次のクリックまで", + "PE.Views.Animation.txtAddEffect": "アニメーションを追加", + "PE.Views.Animation.txtAnimationPane": "アニメーション ウィンドウ", + "PE.Views.Animation.txtParameters": "パラメーター", "PE.Views.Animation.txtPreview": "プレビュー", + "PE.Views.Animation.txtSec": "秒", + "PE.Views.AnimationDialog.textPreviewEffect": "効果のプレビュー", + "PE.Views.AnimationDialog.textTitle": "その他の効果", "PE.Views.ChartSettings.textAdvanced": "詳細設定の表示", "PE.Views.ChartSettings.textChartType": "グラフの種類の変更", "PE.Views.ChartSettings.textEditData": "データの編集", @@ -1192,6 +1403,7 @@ "PE.Views.DocumentHolder.textCut": "切り取り", "PE.Views.DocumentHolder.textDistributeCols": "列の幅を揃える", "PE.Views.DocumentHolder.textDistributeRows": "行の高さを揃える", + "PE.Views.DocumentHolder.textEditPoints": "頂点の編集", "PE.Views.DocumentHolder.textFlipH": "左右反転", "PE.Views.DocumentHolder.textFlipV": "上下反転", "PE.Views.DocumentHolder.textFromFile": "ファイルから", @@ -1276,6 +1488,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "テキストの下の限定", "PE.Views.DocumentHolder.txtMatchBrackets": "括弧を引数の高さに合わせる", "PE.Views.DocumentHolder.txtMatrixAlign": "行列の整列", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "スライドを最後に移動", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "スライドを最初に移動", "PE.Views.DocumentHolder.txtNewSlide": "新しいスライド", "PE.Views.DocumentHolder.txtOverbar": "テキストの上の棒", "PE.Views.DocumentHolder.txtPasteDestFormat": "宛先テーマを使用する", @@ -1374,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "プレゼンテーションのデジタル署名の一部が無効であるか、検証できませんでした。 プレゼンテーションは編集から保護されています。", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "署名の表示", "PE.Views.FileMenuPanels.Settings.okButtonText": "適用", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "配置ガイドを有効にする", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "自動バックアップをオンにします。", - "PE.Views.FileMenuPanels.Settings.strAutosave": "自動保存をオンにします。", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同編集のモード", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "他のユーザーにすぐに変更が表示されます", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "変更内容を確認するには、変更を承諾する必要があります。", "PE.Views.FileMenuPanels.Settings.strFast": "速い", "PE.Views.FileMenuPanels.Settings.strFontRender": "フォント・ヒンティング", "PE.Views.FileMenuPanels.Settings.strForcesave": "保存またはCtrl + Sを押した後、バージョンをストレージに保存する。", - "PE.Views.FileMenuPanels.Settings.strInputMode": "漢字をオンにします。", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "マクロの設定", "PE.Views.FileMenuPanels.Settings.strPaste": "切り取り、コピー、貼り付け", "PE.Views.FileMenuPanels.Settings.strPasteButton": "貼り付けるときに[貼り付けオプション]ボタンを表示する", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "リアルタイム共同編集の変更を表示します。", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "スペル・チェックの機能を有効にする", "PE.Views.FileMenuPanels.Settings.strStrict": "高レベル", "PE.Views.FileMenuPanels.Settings.strTheme": "インターフェイスのテーマ", "PE.Views.FileMenuPanels.Settings.strUnit": "測定単位", @@ -1461,6 +1667,7 @@ "PE.Views.ImageSettings.textCrop": "切る", "PE.Views.ImageSettings.textCropFill": "塗りつぶし", "PE.Views.ImageSettings.textCropFit": "合わせる", + "PE.Views.ImageSettings.textCropToShape": "図形に合わせてトリミング", "PE.Views.ImageSettings.textEdit": "編集する", "PE.Views.ImageSettings.textEditObject": "オブジェクトを編集する", "PE.Views.ImageSettings.textFitSlide": "スライドのサイズに合わせる", @@ -1475,6 +1682,7 @@ "PE.Views.ImageSettings.textHintFlipV": "上下反転", "PE.Views.ImageSettings.textInsert": "画像の置き換え", "PE.Views.ImageSettings.textOriginalSize": "実際のサイズ", + "PE.Views.ImageSettings.textRecentlyUsed": "最近使用された", "PE.Views.ImageSettings.textRotate90": "90度回転", "PE.Views.ImageSettings.textRotation": "回転", "PE.Views.ImageSettings.textSize": "サイズ", @@ -1596,6 +1804,7 @@ "PE.Views.ShapeSettings.textPatternFill": "パターン", "PE.Views.ShapeSettings.textPosition": "位置", "PE.Views.ShapeSettings.textRadial": "放射状", + "PE.Views.ShapeSettings.textRecentlyUsed": "最近使用された", "PE.Views.ShapeSettings.textRotate90": "90度回転", "PE.Views.ShapeSettings.textRotation": "回転", "PE.Views.ShapeSettings.textSelectImage": "画像の選択", @@ -1912,6 +2121,7 @@ "PE.Views.Toolbar.textColumnsTwo": "2列", "PE.Views.Toolbar.textItalic": "斜体", "PE.Views.Toolbar.textListSettings": "リストの設定", + "PE.Views.Toolbar.textRecentlyUsed": "最近使用された", "PE.Views.Toolbar.textShapeAlignBottom": "下揃え", "PE.Views.Toolbar.textShapeAlignCenter": "中央揃え\t", "PE.Views.Toolbar.textShapeAlignLeft": "左揃え", @@ -1931,7 +2141,7 @@ "PE.Views.Toolbar.textTabHome": "ホーム", "PE.Views.Toolbar.textTabInsert": "挿入", "PE.Views.Toolbar.textTabProtect": "保護", - "PE.Views.Toolbar.textTabTransitions": "切り替え効果", + "PE.Views.Toolbar.textTabTransitions": "ページ切り替え", "PE.Views.Toolbar.textTabView": "表示", "PE.Views.Toolbar.textTitleError": "エラー", "PE.Views.Toolbar.textUnderline": "下線", @@ -1969,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "ビデオの挿入", "PE.Views.Toolbar.tipLineSpace": "行間", "PE.Views.Toolbar.tipMarkers": "箇条書き", + "PE.Views.Toolbar.tipMarkersArrow": "箇条書き(矢印)", + "PE.Views.Toolbar.tipMarkersCheckmark": "箇条書き(チェックマーク)", + "PE.Views.Toolbar.tipMarkersDash": "「ダッシュ」記号", + "PE.Views.Toolbar.tipMarkersFRhombus": "箇条書き(ひし形)", + "PE.Views.Toolbar.tipMarkersFRound": "箇条書き(丸)", + "PE.Views.Toolbar.tipMarkersFSquare": "箇条書き(四角)", + "PE.Views.Toolbar.tipMarkersHRound": "箇条書き(円)", + "PE.Views.Toolbar.tipMarkersStar": "箇条書き(星)", + "PE.Views.Toolbar.tipNone": "なし", "PE.Views.Toolbar.tipNumbers": "番号設定", "PE.Views.Toolbar.tipPaste": "貼り付け", "PE.Views.Toolbar.tipPreview": "プレビューの開始", @@ -1986,6 +2205,7 @@ "PE.Views.Toolbar.tipViewSettings": "設定の表示", "PE.Views.Toolbar.txtDistribHor": "左右に整列", "PE.Views.Toolbar.txtDistribVert": "上下に整列", + "PE.Views.Toolbar.txtDuplicateSlide": "スライドの複製", "PE.Views.Toolbar.txtGroup": "グループ化する", "PE.Views.Toolbar.txtObjectsAlign": "選択したオブジェクトを整列する", "PE.Views.Toolbar.txtScheme1": "オフィス", @@ -2049,5 +2269,11 @@ "PE.Views.Transitions.txtPreview": "プレビュー", "PE.Views.Transitions.txtSec": "秒", "PE.Views.ViewTab.textAlwaysShowToolbar": "ツールバーを常に表示する", + "PE.Views.ViewTab.textFitToSlide": "スライドに合わせる", + "PE.Views.ViewTab.textFitToWidth": "幅に合わせる", + "PE.Views.ViewTab.textInterfaceTheme": "インターフェイスのテーマ", + "PE.Views.ViewTab.textNotes": "ノート", + "PE.Views.ViewTab.textRulers": "ルーラー", + "PE.Views.ViewTab.textStatusBar": "ステータスバー", "PE.Views.ViewTab.textZoom": "ズーム" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/ko.json b/apps/presentationeditor/main/locale/ko.json index 7e7cf7a9d..be65671ea 100644 --- a/apps/presentationeditor/main/locale/ko.json +++ b/apps/presentationeditor/main/locale/ko.json @@ -47,6 +47,200 @@ "Common.define.chartData.textScatterSmoothMarker": "곡선 및 표식이 있는 분산형", "Common.define.chartData.textStock": "주식형", "Common.define.chartData.textSurface": "표면", + "Common.define.effectData.textAcross": "어크로스", + "Common.define.effectData.textAppear": "나타내기", + "Common.define.effectData.textArcDown": "아래쪽 타원", + "Common.define.effectData.textArcLeft": "왼쪽 타원", + "Common.define.effectData.textArcRight": "오른쪽 타원", + "Common.define.effectData.textArcs": "타원", + "Common.define.effectData.textArcUp": "위쪽 타원", + "Common.define.effectData.textBasic": "심플 테마", + "Common.define.effectData.textBasicSwivel": "기본 회전", + "Common.define.effectData.textBasicZoom": "기본 확대", + "Common.define.effectData.textBean": "콩", + "Common.define.effectData.textBlinds": "블라인드", + "Common.define.effectData.textBlink": "블링크", + "Common.define.effectData.textBoldFlash": "굵게 번쩍하기", + "Common.define.effectData.textBoldReveal": "굵게 나타내기", + "Common.define.effectData.textBoomerang": "부메랑", + "Common.define.effectData.textBounce": "바운드", + "Common.define.effectData.textBounceLeft": "왼쪽 바운드", + "Common.define.effectData.textBounceRight": "오른쪽 바운드", + "Common.define.effectData.textBox": "상자", + "Common.define.effectData.textBrushColor": "색 채우기", + "Common.define.effectData.textCenterRevolve": "중심 회전", + "Common.define.effectData.textCheckerboard": "바둑판 무늬", + "Common.define.effectData.textCircle": "원", + "Common.define.effectData.textCollapse": "축소", + "Common.define.effectData.textColorPulse": "색 파동", + "Common.define.effectData.textComplementaryColor": "보색", + "Common.define.effectData.textComplementaryColor2": "보색 2", + "Common.define.effectData.textCompress": "압축", + "Common.define.effectData.textContrast": "대비", + "Common.define.effectData.textContrastingColor": "대비 색상", + "Common.define.effectData.textCredits": "크레딧", + "Common.define.effectData.textCrescentMoon": "초승달", + "Common.define.effectData.textCurveDown": "커브 다운", + "Common.define.effectData.textCurvedSquare": "곡선 사각형", + "Common.define.effectData.textCurvedX": "곡선 X", + "Common.define.effectData.textCurvyLeft": "곡선 왼쪽", + "Common.define.effectData.textCurvyRight": "곡선 오른쪽", + "Common.define.effectData.textCurvyStar": "곡선 별", + "Common.define.effectData.textCustomPath": "사용자 지정 경로", + "Common.define.effectData.textCuverUp": "커브 업", + "Common.define.effectData.textDarken": "어둡게 만들기", + "Common.define.effectData.textDecayingWave": "소멸하는 물결", + "Common.define.effectData.textDesaturate": "흐리기", + "Common.define.effectData.textDiagonalDownRight": "오른쪽 아래로 대각선", + "Common.define.effectData.textDiagonalUpRight": "오른쪽 위로 대각선", + "Common.define.effectData.textDiamond": "다이아몬드", + "Common.define.effectData.textDisappear": "사라지기", + "Common.define.effectData.textDissolveIn": "디졸브 인", + "Common.define.effectData.textDissolveOut": "디졸브 아웃", + "Common.define.effectData.textDown": "아래로", + "Common.define.effectData.textDrop": "드롭", + "Common.define.effectData.textEmphasis": "강조 효과", + "Common.define.effectData.textEntrance": "나타내기 효과", + "Common.define.effectData.textEqualTriangle": "등삼각형", + "Common.define.effectData.textExciting": "화려한 효과", + "Common.define.effectData.textExit": "끝내기 효과", + "Common.define.effectData.textExpand": "확장", + "Common.define.effectData.textFade": "페이드", + "Common.define.effectData.textFigureFour": "피겨 8 포", + "Common.define.effectData.textFillColor": "채우기 색", + "Common.define.effectData.textFlip": "대칭", + "Common.define.effectData.textFloat": "플로트", + "Common.define.effectData.textFloatDown": "하강", + "Common.define.effectData.textFloatIn": "하강", + "Common.define.effectData.textFloatOut": "가라앉기", + "Common.define.effectData.textFloatUp": "상승", + "Common.define.effectData.textFlyIn": "날아오기", + "Common.define.effectData.textFlyOut": "날아가기", + "Common.define.effectData.textFontColor": "글꼴 색", + "Common.define.effectData.textFootball": "미식축구 공", + "Common.define.effectData.textFromBottom": "아래로 부터", + "Common.define.effectData.textFromBottomLeft": "왼쪽 아래에서", + "Common.define.effectData.textFromBottomRight": "오른쪽 아래에서", + "Common.define.effectData.textFromLeft": "왼쪽에서", + "Common.define.effectData.textFromRight": "오른쪽에서", + "Common.define.effectData.textFromTop": "위에서 부터", + "Common.define.effectData.textFromTopLeft": "왼쪽 위에서", + "Common.define.effectData.textFromTopRight": "오른쪽 위에서", + "Common.define.effectData.textFunnel": "깔때기", + "Common.define.effectData.textGrowShrink": "확대/축소", + "Common.define.effectData.textGrowTurn": "확대 & 회전", + "Common.define.effectData.textGrowWithColor": "색 채우며 확대", + "Common.define.effectData.textHeart": "하트모양", + "Common.define.effectData.textHeartbeat": "하트", + "Common.define.effectData.textHexagon": "육각형", + "Common.define.effectData.textHorizontal": "수평", + "Common.define.effectData.textHorizontalFigure": "호리즌탈 피겨 8", + "Common.define.effectData.textHorizontalIn": "수평 입력", + "Common.define.effectData.textHorizontalOut": "수평 출력", + "Common.define.effectData.textIn": "에", + "Common.define.effectData.textInFromScreenCenter": "화면 중앙에서", + "Common.define.effectData.textInSlightly": "약간", + "Common.define.effectData.textInToScreenBottom": "화면 하단으로", + "Common.define.effectData.textInvertedSquare": "역사각형", + "Common.define.effectData.textInvertedTriangle": "역삼각형", + "Common.define.effectData.textLeft": "왼쪽", + "Common.define.effectData.textLeftDown": "왼쪽 아래로", + "Common.define.effectData.textLeftUp": "왼쪽 위로", + "Common.define.effectData.textLighten": "밝게 만들기", + "Common.define.effectData.textLineColor": "선 색", + "Common.define.effectData.textLines": "선", + "Common.define.effectData.textLinesCurves": "선 곡선", + "Common.define.effectData.textLoopDeLoop": "루프 드 루프", + "Common.define.effectData.textLoops": "반복", + "Common.define.effectData.textModerate": "보통", + "Common.define.effectData.textNeutron": "뉴트론", + "Common.define.effectData.textObjectCenter": "개체 중심", + "Common.define.effectData.textObjectColor": "개체 색", + "Common.define.effectData.textOctagon": "팔각형", + "Common.define.effectData.textOut": "바깥쪽", + "Common.define.effectData.textOutFromScreenBottom": "화면 아래에서 이동", + "Common.define.effectData.textOutSlightly": "살짝 이동", + "Common.define.effectData.textOutToScreenCenter": "화면 중앙으로 이동", + "Common.define.effectData.textParallelogram": "평행 사변형", + "Common.define.effectData.textPath": "이동 경로", + "Common.define.effectData.textPeanut": "땅콩", + "Common.define.effectData.textPeekIn": "피크 인", + "Common.define.effectData.textPeekOut": "피크 아웃", + "Common.define.effectData.textPentagon": "오각형", + "Common.define.effectData.textPinwheel": "바람개비", + "Common.define.effectData.textPlus": "덧셈", + "Common.define.effectData.textPointStar": "꼭지점 별", + "Common.define.effectData.textPointStar4": "4 꼭지점 별", + "Common.define.effectData.textPointStar5": "5 꼭지점 별", + "Common.define.effectData.textPointStar6": "6 꼭지점 별", + "Common.define.effectData.textPointStar8": "8 꼭지점 별", + "Common.define.effectData.textPulse": "펄스", + "Common.define.effectData.textRandomBars": "실선 무늬", + "Common.define.effectData.textRight": "오른쪽", + "Common.define.effectData.textRightDown": "오른쪽 아래로", + "Common.define.effectData.textRightTriangle": "직각 삼각형", + "Common.define.effectData.textRightUp": "오른쪽 위로", + "Common.define.effectData.textRiseUp": "떠오르기", + "Common.define.effectData.textSCurve1": "S 커브 1", + "Common.define.effectData.textSCurve2": "S 커브 2", + "Common.define.effectData.textShape": "쉐이프", + "Common.define.effectData.textShapes": "도형", + "Common.define.effectData.textShimmer": "은은하게 빛내기", + "Common.define.effectData.textShrinkTurn": "축소하면서", + "Common.define.effectData.textSineWave": "사인파", + "Common.define.effectData.textSinkDown": "가라앉기", + "Common.define.effectData.textSlideCenter": "슬라이드 센터", + "Common.define.effectData.textSpecial": "특별한", + "Common.define.effectData.textSpin": "회전", + "Common.define.effectData.textSpinner": "돌기", + "Common.define.effectData.textSpiralIn": "안쪽 소용돌이", + "Common.define.effectData.textSpiralLeft": "왼쪽 소용돌이", + "Common.define.effectData.textSpiralOut": "바깥쪽 소용돌이", + "Common.define.effectData.textSpiralRight": "오른쪽 소용돌이", + "Common.define.effectData.textSplit": "분할", + "Common.define.effectData.textSpoke1": "1 스포크", + "Common.define.effectData.textSpoke2": "2 스포크", + "Common.define.effectData.textSpoke3": "3 스포크", + "Common.define.effectData.textSpoke4": "4 스포크", + "Common.define.effectData.textSpoke8": "8 스포크", + "Common.define.effectData.textSpring": "스프링", + "Common.define.effectData.textSquare": "사각형", + "Common.define.effectData.textStairsDown": "아래쪽 계단", + "Common.define.effectData.textStretch": "늘이기", + "Common.define.effectData.textStrips": "스트립", + "Common.define.effectData.textSubtle": "은은한 효과", + "Common.define.effectData.textSwivel": "회전", + "Common.define.effectData.textSwoosh": "스우시", + "Common.define.effectData.textTeardrop": "눈물 방울", + "Common.define.effectData.textTeeter": "흔들기", + "Common.define.effectData.textToBottom": "아래로", + "Common.define.effectData.textToBottomLeft": "왼쪽 아래로", + "Common.define.effectData.textToBottomRight": "오른쪽 아래로", + "Common.define.effectData.textToLeft": "왼쪽으로", + "Common.define.effectData.textToRight": "오른쪽으로", + "Common.define.effectData.textToTop": "위로", + "Common.define.effectData.textToTopLeft": "왼쪽 위로", + "Common.define.effectData.textToTopRight": "오른쪽 위로", + "Common.define.effectData.textTransparency": "투명", + "Common.define.effectData.textTrapezoid": "사다리꼴", + "Common.define.effectData.textTurnDown": "아래로 회전", + "Common.define.effectData.textTurnDownRight": "오른쪽 아래로 회전", + "Common.define.effectData.textTurns": "회전", + "Common.define.effectData.textTurnUp": "위로 회전", + "Common.define.effectData.textTurnUpRight": "오른쪽 위로 회전", + "Common.define.effectData.textUnderline": "밑줄", + "Common.define.effectData.textUp": "최대", + "Common.define.effectData.textVertical": "세로", + "Common.define.effectData.textVerticalFigure": "버티칼 피겨 8", + "Common.define.effectData.textVerticalIn": "수직", + "Common.define.effectData.textVerticalOut": "수직 출력", + "Common.define.effectData.textWave": "물결", + "Common.define.effectData.textWedge": "쇄기꼴", + "Common.define.effectData.textWheel": "시계 방향", + "Common.define.effectData.textWhip": "채찍", + "Common.define.effectData.textWipe": "지우기", + "Common.define.effectData.textZigzag": "지그재그", + "Common.define.effectData.textZoom": "확대 / 축소", "Common.Translation.warnFileLocked": "파일이 다른 응용 프로그램에서 편집 중입니다. 편집을 계속하고 사본으로 저장할 수 있습니다.", "Common.Translation.warnFileLockedBtnEdit": "복사본 만들기", "Common.Translation.warnFileLockedBtnView": "미리보기", @@ -61,6 +255,8 @@ "Common.UI.ExtendedColorDialog.textNew": "New", "Common.UI.ExtendedColorDialog.textRGBErr": "입력 한 값이 잘못되었습니다.
        0에서 255 사이의 숫자 값을 입력하십시오.", "Common.UI.HSBColorPicker.textNoColor": "색상 없음", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "비밀번호 숨기기", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "비밀번호 표시", "Common.UI.SearchDialog.textHighlight": "결과 강조 표시", "Common.UI.SearchDialog.textMatchCase": "대소 문자를 구분합니다", "Common.UI.SearchDialog.textReplaceDef": "대체 텍스트 입력", @@ -104,6 +300,8 @@ "Common.Views.AutoCorrectDialog.textBulleted": "자동 글머리 기호 목록", "Common.Views.AutoCorrectDialog.textBy": "작성", "Common.Views.AutoCorrectDialog.textDelete": "삭제", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "더블 스페이스로 마침표 추가", + "Common.Views.AutoCorrectDialog.textFLCells": "표 셀의 첫 글자를 대문자로", "Common.Views.AutoCorrectDialog.textFLSentence": "영어 문장의 첫 글자를 대문자로", "Common.Views.AutoCorrectDialog.textHyperlink": "네트워크 경로 하이퍼링크", "Common.Views.AutoCorrectDialog.textHyphens": "하이픈(--)과 대시(—)", @@ -129,12 +327,14 @@ "Common.Views.Comments.mniAuthorDesc": "Z에서 A까지 작성자", "Common.Views.Comments.mniDateAsc": "가장 오래된", "Common.Views.Comments.mniDateDesc": "최신", + "Common.Views.Comments.mniFilterGroups": "그룹별 필터링", "Common.Views.Comments.mniPositionAsc": "위에서 부터", "Common.Views.Comments.mniPositionDesc": "아래로 부터", "Common.Views.Comments.textAdd": "추가", "Common.Views.Comments.textAddComment": "덧글 추가", "Common.Views.Comments.textAddCommentToDoc": "문서에 설명 추가", "Common.Views.Comments.textAddReply": "답장 추가", + "Common.Views.Comments.textAll": "모두", "Common.Views.Comments.textAnonym": "손님", "Common.Views.Comments.textCancel": "취소", "Common.Views.Comments.textClose": "닫기", @@ -148,6 +348,8 @@ "Common.Views.Comments.textResolve": "해결", "Common.Views.Comments.textResolved": "해결됨", "Common.Views.Comments.textSort": "코멘트 분류", + "Common.Views.Comments.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", + "Common.Views.Comments.txtEmpty": "문서에 코멘트가 없습니다", "Common.Views.CopyWarningDialog.textDontShow": "이 메시지를 다시 표시하지 않음", "Common.Views.CopyWarningDialog.textMsg": "편집기 도구 모음 단추 및 컨텍스트 메뉴 작업을 사용하여 복사, 잘라 내기 및 붙여 넣기 작업은이 편집기 탭 내에서만 수행됩니다.

        외부 응용 프로그램으로 복사하거나 붙여 넣으려면 편집기 탭은 다음과 같은 키보드 조합을 사용합니다 : ", "Common.Views.CopyWarningDialog.textTitle": "작업 복사, 잘라 내기 및 붙여 넣기", @@ -312,6 +514,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "다시 열기", "Common.Views.ReviewPopover.textReply": "댓글", "Common.Views.ReviewPopover.textResolve": "해결", + "Common.Views.ReviewPopover.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", "Common.Views.ReviewPopover.txtDeleteTip": "삭제", "Common.Views.ReviewPopover.txtEditTip": "편집", "Common.Views.SaveAsDlg.textLoading": "로드 중", @@ -469,6 +672,7 @@ "PE.Controllers.Main.textLongName": "128자 미만의 이름을 입력하세요.", "PE.Controllers.Main.textNoLicenseTitle": "라이센스 수를 제한했습니다.", "PE.Controllers.Main.textPaidFeature": "유료기능", + "PE.Controllers.Main.textReconnect": "연결이 복원되었습니다", "PE.Controllers.Main.textRemember": "모든 파일에 대한 선택 사항을 기억하기", "PE.Controllers.Main.textRenameError": "사용자 이름은 비워둘 수 없습니다.", "PE.Controllers.Main.textRenameLabel": "협업에 사용할 이름을 입력합니다", @@ -750,6 +954,7 @@ "PE.Controllers.Main.warnNoLicense": "이 버전의 %1 편집자는 문서 서버에 대한 동시 연결에 특정 제한 사항이 있습니다.
        더 많은 정보가 필요하면 현재 라이센스를 업그레이드하거나 상업용 라이센스를 구입하십시오.", "PE.Controllers.Main.warnNoLicenseUsers": "편집자 사용자 한도인 %1명에 도달했습니다. 개인 업그레이드 조건은 %1 영업 팀에 문의하십시오.", "PE.Controllers.Main.warnProcessRightsChange": "파일 편집 권한이 거부되었습니다.", + "PE.Controllers.Statusbar.textDisconnect": "연결이 끊어졌습니다
        연결을 시도하는 중입니다.", "PE.Controllers.Statusbar.zoomText": "확대/축소 {0} %", "PE.Controllers.Toolbar.confirmAddFontName": "저장하려는 글꼴을 현재 장치에서 사용할 수 없습니다.
        시스템 글꼴 중 하나를 사용하여 텍스트 스타일을 표시하고 저장된 글꼴을 사용하면 글꼴이 사용됩니다 사용할 수 있습니다.
        계속 하시겠습니까? ", "PE.Controllers.Toolbar.textAccent": "Accents", @@ -1086,6 +1291,39 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "슬라이드에 맞추기", "PE.Controllers.Viewport.textFitWidth": "너비에 맞춤", + "PE.Views.Animation.str0_5": "0.5초(매우 빠름)", + "PE.Views.Animation.str1": "1초(빠름)", + "PE.Views.Animation.str2": "2초(보통)", + "PE.Views.Animation.str20": "20초(극도로 느림)", + "PE.Views.Animation.str3": "3초(느림)", + "PE.Views.Animation.str5": "5초(매우 느림)", + "PE.Views.Animation.strDelay": "지연", + "PE.Views.Animation.strDuration": "재생 시간", + "PE.Views.Animation.strRepeat": "반복", + "PE.Views.Animation.strRewind": "되감기", + "PE.Views.Animation.strStart": "시작", + "PE.Views.Animation.strTrigger": "트리거", + "PE.Views.Animation.textAutoPreview": "자동 미리보기", + "PE.Views.Animation.textMoreEffects": "더 많은 효과 표시", + "PE.Views.Animation.textMoveEarlier": "더 일찍 이동", + "PE.Views.Animation.textMoveLater": "나중에 이동", + "PE.Views.Animation.textMultiple": "배수", + "PE.Views.Animation.textNone": "없음", + "PE.Views.Animation.textNoRepeat": "(없음)", + "PE.Views.Animation.textOnClickOf": "클릭 시", + "PE.Views.Animation.textOnClickSequence": "시퀀스 클릭 시", + "PE.Views.Animation.textStartAfterPrevious": "이전 이후", + "PE.Views.Animation.textStartOnClick": "클릭 시", + "PE.Views.Animation.textStartWithPrevious": "이전과 함께", + "PE.Views.Animation.textUntilEndOfSlide": "슬라이드 끝까지", + "PE.Views.Animation.textUntilNextClick": "다음 클릭까지", + "PE.Views.Animation.txtAddEffect": "애니메이션 추가", + "PE.Views.Animation.txtAnimationPane": "애니메이션 팬", + "PE.Views.Animation.txtParameters": "매개 변수", + "PE.Views.Animation.txtPreview": "미리보기", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "효과 미리보기", + "PE.Views.AnimationDialog.textTitle": "효과 더 보기", "PE.Views.ChartSettings.textAdvanced": "고급 설정 표시", "PE.Views.ChartSettings.textChartType": "차트 유형 변경", "PE.Views.ChartSettings.textEditData": "데이터 편집", @@ -1165,6 +1403,7 @@ "PE.Views.DocumentHolder.textCut": "잘라 내기", "PE.Views.DocumentHolder.textDistributeCols": "컬럼 배포", "PE.Views.DocumentHolder.textDistributeRows": "행 배포", + "PE.Views.DocumentHolder.textEditPoints": "꼭지점 수정", "PE.Views.DocumentHolder.textFlipH": "좌우대칭", "PE.Views.DocumentHolder.textFlipV": "상하대칭", "PE.Views.DocumentHolder.textFromFile": "파일로부터", @@ -1249,6 +1488,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "텍스트 아래에서 제한", "PE.Views.DocumentHolder.txtMatchBrackets": "인수 높이에 대괄호 일치", "PE.Views.DocumentHolder.txtMatrixAlign": "매트릭스 정렬", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "끝으로 슬라이드 이동", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "처음으로 슬라이드 이동", "PE.Views.DocumentHolder.txtNewSlide": "새 슬라이드", "PE.Views.DocumentHolder.txtOverbar": "텍스트 위에 가로 막기", "PE.Views.DocumentHolder.txtPasteDestFormat": "목적 테마를 사용하기", @@ -1300,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "메뉴 닫기", "PE.Views.FileMenu.btnCreateNewCaption": "새로 만들기", "PE.Views.FileMenu.btnDownloadCaption": "다운로드 방법 ...", - "PE.Views.FileMenu.btnExitCaption": "나가기", + "PE.Views.FileMenu.btnExitCaption": "완료", "PE.Views.FileMenu.btnFileOpenCaption": "열기", "PE.Views.FileMenu.btnHelpCaption": "Help ...", "PE.Views.FileMenu.btnHistoryCaption": "버전 기록", @@ -1347,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "프리젠테이션내 몇가지 디지털 서명이 유효하지 않거나 확인되지 않음. 이 프리젠테이션은 편집할 수 없도록 보호됨.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "서명 보기", "PE.Views.FileMenuPanels.Settings.okButtonText": "적용", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "정렬 안내선 켜기", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "자동 검색 켜기", - "PE.Views.FileMenuPanels.Settings.strAutosave": "자동 저장 기능 켜기", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "공동 편집 모드", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "다른 사용자가 변경 사항을 한 번에 보게됩니다", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "변경 사항을 적용하기 전에 변경 사항을 수락해야합니다", "PE.Views.FileMenuPanels.Settings.strFast": "Fast", "PE.Views.FileMenuPanels.Settings.strFontRender": "글꼴 힌트", "PE.Views.FileMenuPanels.Settings.strForcesave": "저장과 동시에 서버에 업로드 (아니면 문서가 닫힐 때 업로드)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "상형 문자 켜기", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "매크로 설정", "PE.Views.FileMenuPanels.Settings.strPaste": "잘라내기, 복사 및 붙여넣기", "PE.Views.FileMenuPanels.Settings.strPasteButton": "내용을 붙여넣을 때 \"붙여넣기 옵션\" 표시", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "실시간 협업 변경 사항", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "맞춤법 검사 옵션 켜기", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strTheme": "인터페이스 테마", "PE.Views.FileMenuPanels.Settings.strUnit": "측정 단위", @@ -1434,6 +1667,7 @@ "PE.Views.ImageSettings.textCrop": "자르기", "PE.Views.ImageSettings.textCropFill": "채우기", "PE.Views.ImageSettings.textCropFit": "맞춤", + "PE.Views.ImageSettings.textCropToShape": "도형에 맞게 자르기", "PE.Views.ImageSettings.textEdit": "편집", "PE.Views.ImageSettings.textEditObject": "개체 편집", "PE.Views.ImageSettings.textFitSlide": "슬라이드에 맞추기", @@ -1448,6 +1682,7 @@ "PE.Views.ImageSettings.textHintFlipV": "상하대칭", "PE.Views.ImageSettings.textInsert": "이미지 바꾸기", "PE.Views.ImageSettings.textOriginalSize": "실제 크기", + "PE.Views.ImageSettings.textRecentlyUsed": "최근 사용된", "PE.Views.ImageSettings.textRotate90": "90도 회전", "PE.Views.ImageSettings.textRotation": "회전", "PE.Views.ImageSettings.textSize": "크기", @@ -1489,7 +1724,7 @@ "PE.Views.ParagraphSettings.textAt": "At", "PE.Views.ParagraphSettings.textAtLeast": "적어도", "PE.Views.ParagraphSettings.textAuto": "배수", - "PE.Views.ParagraphSettings.textExact": "정확히", + "PE.Views.ParagraphSettings.textExact": "고정", "PE.Views.ParagraphSettings.txtAutoText": "자동", "PE.Views.ParagraphSettingsAdvanced.noTabs": "지정된 탭이이 필드에 나타납니다", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "모든 대문자", @@ -1569,6 +1804,7 @@ "PE.Views.ShapeSettings.textPatternFill": "패턴", "PE.Views.ShapeSettings.textPosition": "위치", "PE.Views.ShapeSettings.textRadial": "방사형", + "PE.Views.ShapeSettings.textRecentlyUsed": "최근 사용된", "PE.Views.ShapeSettings.textRotate90": "90도 회전", "PE.Views.ShapeSettings.textRotation": "회전", "PE.Views.ShapeSettings.textSelectImage": "그림선택", @@ -1885,6 +2121,7 @@ "PE.Views.Toolbar.textColumnsTwo": "2열", "PE.Views.Toolbar.textItalic": "Italic", "PE.Views.Toolbar.textListSettings": "목록설정", + "PE.Views.Toolbar.textRecentlyUsed": "최근 사용된", "PE.Views.Toolbar.textShapeAlignBottom": "아래쪽 정렬", "PE.Views.Toolbar.textShapeAlignCenter": "정렬 중심", "PE.Views.Toolbar.textShapeAlignLeft": "왼쪽 정렬", @@ -1898,12 +2135,14 @@ "PE.Views.Toolbar.textStrikeout": "취소선", "PE.Views.Toolbar.textSubscript": "아래 첨자", "PE.Views.Toolbar.textSuperscript": "위첨자", + "PE.Views.Toolbar.textTabAnimation": "애니메이션", "PE.Views.Toolbar.textTabCollaboration": "협업", "PE.Views.Toolbar.textTabFile": "파일", "PE.Views.Toolbar.textTabHome": "홈", "PE.Views.Toolbar.textTabInsert": "삽입", "PE.Views.Toolbar.textTabProtect": "보호", "PE.Views.Toolbar.textTabTransitions": "전환", + "PE.Views.Toolbar.textTabView": "뷰", "PE.Views.Toolbar.textTitleError": "오류", "PE.Views.Toolbar.textUnderline": "밑줄", "PE.Views.Toolbar.tipAddSlide": "슬라이드 추가", @@ -1940,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "동영상 삽입", "PE.Views.Toolbar.tipLineSpace": "줄 간격", "PE.Views.Toolbar.tipMarkers": "글 머리 기호", + "PE.Views.Toolbar.tipMarkersArrow": "화살 글머리 기호", + "PE.Views.Toolbar.tipMarkersCheckmark": "체크 표시 글머리 기호", + "PE.Views.Toolbar.tipMarkersDash": "대시 글머리 기호", + "PE.Views.Toolbar.tipMarkersFRhombus": "채워진 마름모 글머리 기호", + "PE.Views.Toolbar.tipMarkersFRound": "채워진 원형 글머리 기호", + "PE.Views.Toolbar.tipMarkersFSquare": "채워진 사각형 글머리 기호", + "PE.Views.Toolbar.tipMarkersHRound": "빈 원형 글머리 기호", + "PE.Views.Toolbar.tipMarkersStar": "별 글머리 기호", + "PE.Views.Toolbar.tipNone": "없음", "PE.Views.Toolbar.tipNumbers": "번호 매기기", "PE.Views.Toolbar.tipPaste": "붙여 넣기", "PE.Views.Toolbar.tipPreview": "슬라이드 쇼 시작", @@ -1957,6 +2205,7 @@ "PE.Views.Toolbar.tipViewSettings": "설정보기", "PE.Views.Toolbar.txtDistribHor": "가로로 배포", "PE.Views.Toolbar.txtDistribVert": "수직 분배", + "PE.Views.Toolbar.txtDuplicateSlide": "중복 슬라이드", "PE.Views.Toolbar.txtGroup": "그룹", "PE.Views.Toolbar.txtObjectsAlign": "선택한 개체 정렬", "PE.Views.Toolbar.txtScheme1": "사무실 테마", @@ -2018,5 +2267,13 @@ "PE.Views.Transitions.txtApplyToAll": "모든 슬라이드에 적용", "PE.Views.Transitions.txtParameters": "매개 변수", "PE.Views.Transitions.txtPreview": "미리보기", - "PE.Views.Transitions.txtSec": "s" + "PE.Views.Transitions.txtSec": "s", + "PE.Views.ViewTab.textAlwaysShowToolbar": "항상 도구 모음 표시", + "PE.Views.ViewTab.textFitToSlide": "슬라이드에 맞추기", + "PE.Views.ViewTab.textFitToWidth": "너비에 맞춤", + "PE.Views.ViewTab.textInterfaceTheme": "인터페이스 테마", + "PE.Views.ViewTab.textNotes": "메모", + "PE.Views.ViewTab.textRulers": "자", + "PE.Views.ViewTab.textStatusBar": "상태 바", + "PE.Views.ViewTab.textZoom": "확대 / 축소" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/lo.json b/apps/presentationeditor/main/locale/lo.json index 9e2c7d278..42899c5b1 100644 --- a/apps/presentationeditor/main/locale/lo.json +++ b/apps/presentationeditor/main/locale/lo.json @@ -47,10 +47,205 @@ "Common.define.chartData.textScatterSmoothMarker": "ກະຈາຍດ້ວຍເສັ້ນລຽບ", "Common.define.chartData.textStock": "ບ່ອນເກັບສິນຄ້າ", "Common.define.chartData.textSurface": "ດ້ານໜ້າ", + "Common.define.effectData.textAcross": "ທັງໝົດ", + "Common.define.effectData.textAppear": "ຮູບແບບການສະແດງ", + "Common.define.effectData.textArcDown": "ໂຄ້ງລົງ", + "Common.define.effectData.textArcLeft": "ໂຄ້ງຊ້າຍ", + "Common.define.effectData.textArcRight": "ໂຄ້ງຂວາ", + "Common.define.effectData.textArcs": "Arcs", + "Common.define.effectData.textArcUp": "ໂຄ້ງຂຶ້ນ", + "Common.define.effectData.textBasic": "ພື້ນຖານ", + "Common.define.effectData.textBasicSwivel": "ການໝູນພື້ນຖານ", + "Common.define.effectData.textBasicZoom": "ຂະຫຍາຍພື້ນຖານ", + "Common.define.effectData.textBean": "ແບບໝາກຖົ່ວ", + "Common.define.effectData.textBlinds": "ສັງເກດຍາກ", + "Common.define.effectData.textBlink": "ສັງເກດຍາກ", + "Common.define.effectData.textBoldFlash": "ແບບໂຕກະພິບ", + "Common.define.effectData.textBoldReveal": "ເປີດແບບໂຕໜາ", + "Common.define.effectData.textBoomerang": "ບູມມະແລງ", + "Common.define.effectData.textBounce": "ຕີກັບ", + "Common.define.effectData.textBounceLeft": "ເດັ້ງໄປຊ້າຍ", + "Common.define.effectData.textBounceRight": "ເດັ້ງໄປຂົວ", + "Common.define.effectData.textBox": "ກ່ອງ", + "Common.define.effectData.textBrushColor": "ສີແປງ", + "Common.define.effectData.textCenterRevolve": "ສູນກ່າງການໝູນ", + "Common.define.effectData.textCheckerboard": "ກະດານກວດກາ", + "Common.define.effectData.textCircle": "ວົງ", + "Common.define.effectData.textCollapse": "ພັງທະລາຍ", + "Common.define.effectData.textColorPulse": "ສີກຳມະຈອນ", + "Common.define.effectData.textComplementaryColor": "ສີເສີມ", + "Common.define.effectData.textComplementaryColor2": "ສີເສີມ 2", + "Common.define.effectData.textCompress": "ບີບອັດ", + "Common.define.effectData.textContrast": "ຄວາມຄົມຊັດ", + "Common.define.effectData.textContrastingColor": "ສີຕັດກັນ", + "Common.define.effectData.textCredits": "ເຊື່ອຖື", + "Common.define.effectData.textCrescentMoon": "ວົງເດືອນ", + "Common.define.effectData.textCurveDown": "ໂຄ້ງລົງ", + "Common.define.effectData.textCurvedSquare": "ສີ່ຫຼ່ຽມໂຄ້ງ", + "Common.define.effectData.textCurvedX": "ໂຄ້ງ X", + "Common.define.effectData.textCurvyLeft": "ໂຄ້ງຊ້າຍ", + "Common.define.effectData.textCurvyRight": "ໂຄ້ງຂວາ", + "Common.define.effectData.textCurvyStar": "ໂຄ້ງ 5 ຫລຽມ", + "Common.define.effectData.textCustomPath": "ກໍາຫນົດເສັ້ນທາງເອງ", + "Common.define.effectData.textCuverUp": "ໂຄ້ງຂຶ້ນ", + "Common.define.effectData.textDarken": "ມືດ", + "Common.define.effectData.textDecayingWave": "ຮູບແບບສະຫຼາຍ", + "Common.define.effectData.textDesaturate": "ປັບແສງ", + "Common.define.effectData.textDiagonalDownRight": "ເສັ້ນຂວາງລົງຂວາ", + "Common.define.effectData.textDiagonalUpRight": "ເສັ້ນຂວາງຂຶ້ນຂວາ", + "Common.define.effectData.textDiamond": "ເພັດ", + "Common.define.effectData.textDisappear": "ຫາຍໄປ", + "Common.define.effectData.textDissolveIn": "ແບບລະລາຍຈາກພາຍໃນ", + "Common.define.effectData.textDissolveOut": "ແບບລະລາຍຈາກພາຍນອກ", + "Common.define.effectData.textDown": "ລົງລຸ່ມ", + "Common.define.effectData.textDrop": "ລຸດລົງ", + "Common.define.effectData.textEmphasis": "ຜົນກະທົບທີ່ສຳຄັນ", + "Common.define.effectData.textEntrance": "ທາງເຂົ້າມີຜົນກະທົບ", + "Common.define.effectData.textEqualTriangle": "ສາມຫຼ່ຽມ", + "Common.define.effectData.textExciting": "ຕື່ນເຕັ້ນ", + "Common.define.effectData.textExit": "ອອກຈາກຜົນກະທົບ", + "Common.define.effectData.textExpand": "ຂະຫຍາຍສ່ວນ", + "Common.define.effectData.textFade": "ຈ່າງລົງ", + "Common.define.effectData.textFigureFour": "ຮູບ 8 ສີ່", + "Common.define.effectData.textFillColor": "ຕື່ມສີ", + "Common.define.effectData.textFlip": "ປີ້ນ", + "Common.define.effectData.textFloat": "ລອຍ", + "Common.define.effectData.textFloatDown": "ເລື່ອນລົງ", + "Common.define.effectData.textFloatIn": "ເລື່ອນເຂົ້າ", + "Common.define.effectData.textFloatOut": "ເລື່ອນອອກ", + "Common.define.effectData.textFloatUp": "ເລື່ອນຂຶ້ນ", + "Common.define.effectData.textFlyIn": "ບິນເຂົ້າ", + "Common.define.effectData.textFlyOut": "ບິນອອກ", + "Common.define.effectData.textFontColor": "ສີຂອງຕົວອັກສອນ", + "Common.define.effectData.textFootball": "ເຕະບານ", + "Common.define.effectData.textFromBottom": "ຈາກລຸ່ມ", + "Common.define.effectData.textFromBottomLeft": "ຈາກ ລຸ່ມ-ຊ້າຍ", + "Common.define.effectData.textFromBottomRight": "ຈາກ ລຸ່ມ-ຂວາ", + "Common.define.effectData.textFromLeft": "ຈາກຊ້າຍ", + "Common.define.effectData.textFromRight": "ຈາກຂວາ", + "Common.define.effectData.textFromTop": "ຈາກດ້ານເທິງ", + "Common.define.effectData.textFromTopLeft": "ຈາກເທິງ-ຊ້າຍ", + "Common.define.effectData.textFromTopRight": "ຈາກເທິງ-ຂວາ", + "Common.define.effectData.textFunnel": "ຊ່ອງທາງ", + "Common.define.effectData.textGrowShrink": "ຂະຫຍາຍຕົວ/ຫຍໍ້ລົງ", + "Common.define.effectData.textGrowTurn": "ຂະຫຍາຍຕົວ ແລະ ປິ່ນ", + "Common.define.effectData.textGrowWithColor": "ຂະຫຍາຍຕົວດ້ວຍສີ", + "Common.define.effectData.textHeart": "ຫົວໃຈ", + "Common.define.effectData.textHeartbeat": "ຫົວໃຈເຕັ້ນ", + "Common.define.effectData.textHexagon": "ຮູບຫົກຫຼ່ຽມ", + "Common.define.effectData.textHorizontal": "ແນວນອນ", + "Common.define.effectData.textHorizontalFigure": "ແນວນອນ ຮູບທີ8", + "Common.define.effectData.textHorizontalIn": "ລວງນອນທາງໃນ", + "Common.define.effectData.textHorizontalOut": "ລວງນອນທາງນອກ", + "Common.define.effectData.textIn": "ຂ້າງໃນ", + "Common.define.effectData.textInFromScreenCenter": "ຈາກສູນໜ້າຈໍ", + "Common.define.effectData.textInSlightly": "ເຂົ້າໃນເລັກນ້ອຍ", + "Common.define.effectData.textInToScreenBottom": "ຢູ່ໃນຫນ້າຈໍລຸ່ມ", + "Common.define.effectData.textInvertedSquare": "ປີ້ນຮູບສີ່ຫຼ່ຽມ", + "Common.define.effectData.textInvertedTriangle": "ປີ້ນຮູບສາມຫຼ່ຽມ", + "Common.define.effectData.textLeft": "ຊ້າຍ", + "Common.define.effectData.textLeftDown": "ລົງຊ້າຍ", + "Common.define.effectData.textLeftUp": "ຂຶ້ນຊ້າຍ", + "Common.define.effectData.textLighten": "ສີອ່ອນ", + "Common.define.effectData.textLineColor": "ສີເສັ້ນ", + "Common.define.effectData.textLines": " ເສັ້ນ", + "Common.define.effectData.textLinesCurves": "ເສັ້ນໂຄ້ງ", + "Common.define.effectData.textLoopDeLoop": "ເຮັດຊ້ຳໆ", + "Common.define.effectData.textLoops": "ລູບອ້ອມ", + "Common.define.effectData.textModerate": "ປານກາງ", + "Common.define.effectData.textNeutron": "ນິວຕຣອນ", + "Common.define.effectData.textObjectCenter": "ຮູບແບບວັດຖຸ", + "Common.define.effectData.textObjectColor": "ສີວັດຖຸ", + "Common.define.effectData.textOctagon": "ແປດຫລ່ຽມ", + "Common.define.effectData.textOut": "ອອກ", + "Common.define.effectData.textOutFromScreenBottom": "ອອກຈາກລຸ່ມຈໍ", + "Common.define.effectData.textOutSlightly": "ອອກເລັກນ້ອຍ", + "Common.define.effectData.textOutToScreenCenter": "ອອກໄປຫາສູນຈໍ", + "Common.define.effectData.textParallelogram": "ສີ່ຫລ່ຽມຂະໜານ,", + "Common.define.effectData.textPath": "ເສັ້ນທາງການເຄື່ອນໄຫວ", + "Common.define.effectData.textPeanut": "ຖົ່ວ", + "Common.define.effectData.textPeekIn": "ແນມເບິ່ງ", + "Common.define.effectData.textPeekOut": "ແນມອອກໄປ", + "Common.define.effectData.textPentagon": "ຮູບຫ້າຫລ່ຽມ", + "Common.define.effectData.textPinwheel": "ກັງຫັນ", + "Common.define.effectData.textPlus": "ບວກ", + "Common.define.effectData.textPointStar": "ຈຸດດາວ", + "Common.define.effectData.textPointStar4": "4 ດາວ", + "Common.define.effectData.textPointStar5": "5 ດາວ", + "Common.define.effectData.textPointStar6": "6 ດາວ", + "Common.define.effectData.textPointStar8": "8 ດາວ", + "Common.define.effectData.textPulse": "ຖົ່ວ", + "Common.define.effectData.textRandomBars": "ບາແບບສຸ່ມ", + "Common.define.effectData.textRight": "ຂວາ", + "Common.define.effectData.textRightDown": "ລົງຂວາ", + "Common.define.effectData.textRightTriangle": "ສາມຫລ່ຽມຂວາ", + "Common.define.effectData.textRightUp": "ຂື້ນຂວາ", + "Common.define.effectData.textRiseUp": "ລຸກຂື້ນ", + "Common.define.effectData.textSCurve1": "S Curve 1", + "Common.define.effectData.textSCurve2": "S Curve 2", + "Common.define.effectData.textShape": "ຮູບຮ່າງ", + "Common.define.effectData.textShapes": "ຮູບຮ່າງ", + "Common.define.effectData.textShimmer": "ເງົາ", + "Common.define.effectData.textShrinkTurn": "ຫົດເຂົ້າ ແລະ ປີ້ນ", + "Common.define.effectData.textSineWave": "ຮູບແບບຄືນແສງ", + "Common.define.effectData.textSinkDown": "ຮູບແບບຈາງລົງ", + "Common.define.effectData.textSlideCenter": "ຮູບແບບສູນສະໄລ້", + "Common.define.effectData.textSpecial": "ພິເສດ", + "Common.define.effectData.textSpin": "ໝຸນ", + "Common.define.effectData.textSpinner": "ເຄື່ອງໝຸນ", + "Common.define.effectData.textSpiralIn": "ກ້ຽວໃນ", + "Common.define.effectData.textSpiralLeft": "ກ້ຽວຊ້າຍ", + "Common.define.effectData.textSpiralOut": "ກ້ຽວອອກ", + "Common.define.effectData.textSpiralRight": "ກ້ຽວຂວາ", + "Common.define.effectData.textSplit": "ແບ່ງເປັນ", + "Common.define.effectData.textSpoke1": "1 ສ່ວນ", + "Common.define.effectData.textSpoke2": "2 ສ່ວນ", + "Common.define.effectData.textSpoke3": "3 ສ່ວນ", + "Common.define.effectData.textSpoke4": "4 ສ່ວນ", + "Common.define.effectData.textSpoke8": "8 ສ່ວນ", + "Common.define.effectData.textSpring": "ດີດ", + "Common.define.effectData.textSquare": "ສີ່ຫຼ່ຽມ", + "Common.define.effectData.textStairsDown": "ຮູບແບບຂັນໃດ", + "Common.define.effectData.textStretch": "ຢຶດ", + "Common.define.effectData.textStrips": "ແຖບ", + "Common.define.effectData.textSubtle": "ລະອຽດອ່ອນ", + "Common.define.effectData.textSwivel": "ໝູນ", + "Common.define.effectData.textSwoosh": "ອະລັງການ", + "Common.define.effectData.textTeardrop": "ເຄື່ອງໝາຍຢອດ", + "Common.define.effectData.textTeeter": "ສ່າຍໄປມາ", + "Common.define.effectData.textToBottom": "ຮອດລຸ່ມ", + "Common.define.effectData.textToBottomLeft": "ໄປ ທາງລຸ່ມ-ຊ້າຍ", + "Common.define.effectData.textToBottomRight": "ໄປ ທາງລຸ່ມ-ຂວາ", + "Common.define.effectData.textToLeft": "ໄປຊ້າຍ", + "Common.define.effectData.textToRight": "ໄປຂວາ", + "Common.define.effectData.textToTop": "ໄປທາງເທີງ", + "Common.define.effectData.textToTopLeft": "ໄປທາງເທິງ-ຊ້າຍ", + "Common.define.effectData.textToTopRight": "ໄປທາງຂວາເທິງ", + "Common.define.effectData.textTransparency": "ຄວາມໂປ່ງໃສ", + "Common.define.effectData.textTrapezoid": "ສີ່ຫລ່ຽມຄາງຫມູ", + "Common.define.effectData.textTurnDown": "ປິດລົງ", + "Common.define.effectData.textTurnDownRight": "ລ້ຽວລົງຂວາ", + "Common.define.effectData.textTurns": "ລ້ຽວ", + "Common.define.effectData.textTurnUp": "ຫັນຂຶ້ນ", + "Common.define.effectData.textTurnUpRight": "ລ້ຽວຂື້ນຂວາ", + "Common.define.effectData.textUnderline": "ີຂີດກ້ອງ", + "Common.define.effectData.textUp": "ຂຶ້ນ", + "Common.define.effectData.textVertical": "ລວງຕັ້ງ", + "Common.define.effectData.textVerticalFigure": "ຮູບແນວຕັ້ງ 8", + "Common.define.effectData.textVerticalIn": "ລວງຕັ້ງດ້ານໃນ", + "Common.define.effectData.textVerticalOut": "ລວງຕັ້ງງດ້ານນອກ", + "Common.define.effectData.textWave": "ຄື້ນ", + "Common.define.effectData.textWedge": "ລີ່ມ", + "Common.define.effectData.textWheel": "ລໍ້", + "Common.define.effectData.textWhip": "ສັ່ງການດ້ວຍສຽງ", + "Common.define.effectData.textWipe": "ເຊັດ", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "ຂະຫຍາຍ ເຂົ້າ-ອອກ", "Common.Translation.warnFileLocked": "ແຟ້ມ ກຳ ລັງຖືກດັດແກ້ຢູ່ໃນແອັບ ອື່ນ. ທ່ານສາມາດສືບຕໍ່ດັດແກ້ແລະບັນທຶກເປັນ ສຳ ເນົາ", "Common.Translation.warnFileLockedBtnEdit": "ສ້າງສຳເນົາ", "Common.Translation.warnFileLockedBtnView": "ເປີດເບິ່ງ", "Common.UI.ButtonColored.textAutoColor": "ອັດຕະໂນມັດ", + "Common.UI.ButtonColored.textNewColor": "ເພີ່ມສີທີ່ກຳໜົດເອງໃໝ່", "Common.UI.ComboBorderSize.txtNoBorders": "ບໍ່ມີຂອບ", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "ບໍ່ມີຂອບ", "Common.UI.ComboDataView.emptyComboText": "ບໍ່ມີຮູບແບບ", @@ -60,6 +255,8 @@ "Common.UI.ExtendedColorDialog.textNew": "ໃຫມ່", "Common.UI.ExtendedColorDialog.textRGBErr": "ຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
        ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 0 ເຖິງ 255.", "Common.UI.HSBColorPicker.textNoColor": "ບໍ່ມີສີ", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "ເຊື່ອງລະຫັດຜ່ານ", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "ສະແດງລະຫັດຜ່ານ", "Common.UI.SearchDialog.textHighlight": "ໄຮໄລ້ ຜົນ", "Common.UI.SearchDialog.textMatchCase": "ກໍລະນີທີ່ສຳຄັນ", "Common.UI.SearchDialog.textReplaceDef": "ກະລຸນາໃສ່ຕົວ ໜັງ ສືທົດແທນເນື້ອຫາ", @@ -103,7 +300,10 @@ "Common.Views.AutoCorrectDialog.textBulleted": "ລາຍການຫົວຂໍ້ອັດຕະໂນມັດ", "Common.Views.AutoCorrectDialog.textBy": "ໂດຍ", "Common.Views.AutoCorrectDialog.textDelete": "ລົບ", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "ເພີ່ມໄລຍະຊ່ອງຫວ່າງສອງເທົ່າ", + "Common.Views.AutoCorrectDialog.textFLCells": "ໃຊ້ໂຕພິມໃຫຍ່ໂຕທຳອິດຂອງຕາລາງຕາຕະລາງ", "Common.Views.AutoCorrectDialog.textFLSentence": "ໃຊ້ຕົວອັກສອນທຳອິດເປັນຕົວພິມໃຫຍ່", + "Common.Views.AutoCorrectDialog.textHyperlink": "ອິນເຕີນັດ ແລະ ເຄື່ອຂ່າຍແບບຫຼາຍຊ່ອງທາງ", "Common.Views.AutoCorrectDialog.textHyphens": "ເຄື່ອງໝາຍຂີດເສັ້ນ (--) ເຄື່ອງໝາຍຂີດປະ", "Common.Views.AutoCorrectDialog.textMathCorrect": "ການແກ້ໄຂອັດຕະໂນມັດທາງຄະນິດສາດ", "Common.Views.AutoCorrectDialog.textNumbered": "ລຳດັບຕົວເລກອັດຕະໂນມັດ", @@ -123,13 +323,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "ທຸກໆການແກ້ໄຂອັດຕະໂນມັດທີ່ທ່ານເພີ່ມຈະຖືກລຶບອອກແລະສິ່ງທີ່ຖືກປ່ຽນແປງຈະຖືກ ນຳ ກັບມາໃຊ້ແບບເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", "Common.Views.AutoCorrectDialog.warnRestore": "ການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງ ສຳ ລັບ% 1 ຈະຖືກຕັ້ງຄ່າໃຫ້ກັບຄ່າເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", "Common.Views.Chat.textSend": "ສົ່ງ", + "Common.Views.Comments.mniAuthorAsc": "ລຽງ A ຫາ Z", + "Common.Views.Comments.mniAuthorDesc": "ລຽງ Z ເຖິງ A", + "Common.Views.Comments.mniDateAsc": "ເກົ່າທີ່ສຸດ", + "Common.Views.Comments.mniDateDesc": "ໃໝ່ລ່າສຸດ", + "Common.Views.Comments.mniFilterGroups": "ກັ່ນຕອງຕາມກຸ່ມ", + "Common.Views.Comments.mniPositionAsc": "ຈາກດ້ານເທິງ", + "Common.Views.Comments.mniPositionDesc": "ຈາກລຸ່ມ", "Common.Views.Comments.textAdd": "ເພີ່ມ", "Common.Views.Comments.textAddComment": "ເພີ່ມຄວາມຄິດເຫັນ", "Common.Views.Comments.textAddCommentToDoc": "ເພີ່ມຄວາມຄິດເຫັນໃນເອກະສານ", "Common.Views.Comments.textAddReply": "ເພີ່ມຄຳຕອບ", + "Common.Views.Comments.textAll": "ທັງໝົດ", "Common.Views.Comments.textAnonym": " ແຂກ", "Common.Views.Comments.textCancel": "ຍົກເລີກ", "Common.Views.Comments.textClose": "ອອກຈາກ", + "Common.Views.Comments.textClosePanel": "ປິດຄຳເຫັນ", "Common.Views.Comments.textComments": "ຄໍາເຫັນ", "Common.Views.Comments.textEdit": "ຕົກລົງ", "Common.Views.Comments.textEnterCommentHint": "ໃສ່ຄຳເຫັນຂອງທ່ານທີ່ນີ້", @@ -138,6 +347,9 @@ "Common.Views.Comments.textReply": "ຕອບ", "Common.Views.Comments.textResolve": "ແກ້ໄຂ", "Common.Views.Comments.textResolved": "ແກ້ໄຂແລ້ວ", + "Common.Views.Comments.textSort": "ຈັດຮຽງຄຳເຫັນ", + "Common.Views.Comments.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.Comments.txtEmpty": "ບໍ່ມີຄໍາເຫັນໃນເອກະສານ.", "Common.Views.CopyWarningDialog.textDontShow": "ຢ່າສະແດງຂໍ້ຄວາມນີ້ອີກ", "Common.Views.CopyWarningDialog.textMsg": "ດຳເນີນການ ສຳເນົາ,ຕັດ ແລະ ວາງ", "Common.Views.CopyWarningDialog.textTitle": "ປະຕິບັດການ ສໍາເນົາ, ຕັດ ແລະ ວາງ", @@ -181,6 +393,7 @@ "Common.Views.History.textRestore": "ກູ້ຄືນ", "Common.Views.History.textShow": "ຂະຫຍາຍສ່ວນ", "Common.Views.History.textShowAll": "ສະແດງການປ່ຽນແປງໂດຍລະອຽດ", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "ວາງ URL ຂອງຮູບພາບ:", "Common.Views.ImageFromUrlDialog.txtEmpty": "ຕ້ອງມີດ້ານນີ້", "Common.Views.ImageFromUrlDialog.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນ \"http://www.example.com\"", @@ -301,6 +514,9 @@ "Common.Views.ReviewPopover.textOpenAgain": "ເປີດໃໝ່ອີກຄັ້ງ", "Common.Views.ReviewPopover.textReply": "ຕອບກັບ", "Common.Views.ReviewPopover.textResolve": "ແກ້ໄຂ", + "Common.Views.ReviewPopover.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.ReviewPopover.txtDeleteTip": "ລົບ", + "Common.Views.ReviewPopover.txtEditTip": "ແກ້ໄຂ", "Common.Views.SaveAsDlg.textLoading": "ກຳລັງໂຫລດ", "Common.Views.SaveAsDlg.textTitle": "ແຟ້ມສຳລັບບັນທຶກ", "Common.Views.SelectFileDlg.textLoading": "ກຳລັງໂຫລດ", @@ -393,6 +609,7 @@ "PE.Controllers.Main.errorForceSave": "ເກີດຂໍ້ຜິດພາດໃນລະຫວ່າງການເບັນທຶກຝາຍ. ກະລຸນາໃຊ້ຕົວເລືອກ 'ດາວໂຫລດເປັນ' ເພື່ອບັນທຶກເອກະສານໄວ້ໃນຮາດໄດຄອມພິວເຕີຂອງທ່ານຫຼືລອງ ໃໝ່ ພາຍຫຼັງ.", "PE.Controllers.Main.errorKeyEncrypt": "ບໍ່ຮູ້ຕົວບັນຍາຍຫຼັກ", "PE.Controllers.Main.errorKeyExpire": "ລະຫັດໝົດອາຍຸ", + "PE.Controllers.Main.errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
        ກະລຸນາແອດມີນຂອງທ່ານ.", "PE.Controllers.Main.errorProcessSaveResult": "ບັນທຶກບຊ່ສຳເລັດ", "PE.Controllers.Main.errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອນຳໃຊ້ການປ່ຽນແປງ.", "PE.Controllers.Main.errorSessionAbsolute": "ໝົດເວລາການແກ້ໄຂເອກະສານ ກະລຸນາໂຫລດໜ້ານີ້ຄືນໃໝ່", @@ -447,6 +664,7 @@ "PE.Controllers.Main.textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", "PE.Controllers.Main.textConvertEquation": "ສົມຜົນນີ້ໄດ້ຖືກສ້າງຂື້ນມາກັບບັນນາທິການສົມຜົນລຸ້ນເກົ່າເຊິ່ງບໍ່ໄດ້ຮັບການສະ ໜັບ ສະ ໜູນ ອີກຕໍ່ໄປ ເພື່ອດັດແກ້ມັນ, ປ່ຽນສົມຜົນໃຫ້ເປັນຮູບແບບ Office Math ML.
        ປ່ຽນດຽວນີ້ບໍ?", "PE.Controllers.Main.textCustomLoader": "ກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
        ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", + "PE.Controllers.Main.textDisconnect": "ຂາດການເຊື່ອມຕໍ່", "PE.Controllers.Main.textGuest": "ບຸກຄົນທົ່ວໄປ", "PE.Controllers.Main.textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
        ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", "PE.Controllers.Main.textLearnMore": "ຮຽນຮູ້ເພີ່ມຕື່ມ", @@ -454,6 +672,7 @@ "PE.Controllers.Main.textLongName": "ໃສ່ຊື່ທີ່ມີຄວາມຍາວໜ້ອຍກວ່າ 128 ຕົວອັກສອນ.", "PE.Controllers.Main.textNoLicenseTitle": "ຈຳກັດການເຂົ້າເຖິງໃບອະນຸຍາດ", "PE.Controllers.Main.textPaidFeature": "ຄວາມສາມາດ ທີຕ້ອງຊື້ເພີ່ມ", + "PE.Controllers.Main.textReconnect": "ການເຊື່ອມຕໍ່ຖືກກູ້ຄືນມາ", "PE.Controllers.Main.textRemember": "ຈື່ທາງເລືອກຂອງຂ້ອຍ", "PE.Controllers.Main.textRenameError": "ຕ້ອງບໍ່ມີຊື່ຜູ້ໃຊ້", "PE.Controllers.Main.textRenameLabel": "ໃສ່ຊື່ສຳລັບເປັນຜູ້ປະສານງານ", @@ -721,7 +940,7 @@ "PE.Controllers.Main.unsupportedBrowserErrorText": "ບຣາວເຊີຂອງທ່ານບໍ່ສາມາດນຳໃຊ້ໄດ້.", "PE.Controllers.Main.uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິພາດຮູບແບບຂອງຮູບ", "PE.Controllers.Main.uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", - "PE.Controllers.Main.uploadImageSizeMessage": "ຈຳກັດຂະໜາດຮູບພາບສູງສຸດ", + "PE.Controllers.Main.uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB.", "PE.Controllers.Main.uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "PE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "PE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", @@ -735,6 +954,7 @@ "PE.Controllers.Main.warnNoLicense": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ %1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
        ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", "PE.Controllers.Main.warnNoLicenseUsers": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", "PE.Controllers.Main.warnProcessRightsChange": "ທ່ານໄດ້ຖືກປະຕິເສດສິດໃນການແກ້ໄຂເອກະສານດັ່ງກ່າວ.", + "PE.Controllers.Statusbar.textDisconnect": "ຂາດເຊື່ອມຕໍ່
        ກຳລັງພະຍາຍາມເຊື່ອມຕໍ່. ກະລຸນາກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່.", "PE.Controllers.Statusbar.zoomText": "ຂະຫຍາຍ {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "ຕົວອັກສອນທີ່ທ່ານ ກຳ ລັງຈະບັນທຶກແມ່ນບໍ່ມີຢູ່ໃນອຸປະກອນປັດຈຸບັນ.
        ຮູບແບບຕົວ ໜັງ ສືຈະຖືກສະແດງໂດຍໃຊ້ຕົວອັກສອນລະບົບໜຶ່ງ, ຕົວອັກສອນທີ່ບັນທຶກຈະຖືກ ນຳ ໃຊ້ໃນເວລາທີ່ມັນມີຢູ່.
        ທ່ານຕ້ອງການສືບຕໍ່ບໍ ?", "PE.Controllers.Toolbar.textAccent": "ສຳນຽງ", @@ -1071,6 +1291,38 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "ປັບສະໄລພໍດີ", "PE.Controllers.Viewport.textFitWidth": "ຄວາມກວ້າງສະໄລພໍດີ", + "PE.Views.Animation.str0_5": "0.5ວິ (ໄວຫຼາຍ)", + "PE.Views.Animation.str1": "1 ວິ (ໄວ)", + "PE.Views.Animation.str2": "2 ວິ (ປານກາງ)", + "PE.Views.Animation.str20": "20 ວິ (ຊ້າຫຼາຍ)", + "PE.Views.Animation.str3": "3 ວິ (ຊ້າ)", + "PE.Views.Animation.str5": "5 ວິ (ຊ້າຫຼາຍ)", + "PE.Views.Animation.strDelay": "ລ້າຊ້າ", + "PE.Views.Animation.strDuration": "ໄລຍະ", + "PE.Views.Animation.strRepeat": "ເຮັດຊ້ຳ", + "PE.Views.Animation.strRewind": "ຖອຍຫຼັງ", + "PE.Views.Animation.strStart": "ເລີ່ມ", + "PE.Views.Animation.strTrigger": "ກະຕຸ້ນ", + "PE.Views.Animation.textMoreEffects": "ສະແດງຜົນກະທົບທີ່ຄົງເຫລື່ອ", + "PE.Views.Animation.textMoveEarlier": "ຍ້າຍກ່ອນໜ້ານີ້", + "PE.Views.Animation.textMoveLater": "ຍ້າຍໃນພາຍຫຼັງ", + "PE.Views.Animation.textMultiple": "ຕົວຄູນ", + "PE.Views.Animation.textNone": "ບໍ່ມີ", + "PE.Views.Animation.textNoRepeat": "(ບໍ່ມີ)", + "PE.Views.Animation.textOnClickOf": "ໃນການຄລິກໃສ່", + "PE.Views.Animation.textOnClickSequence": "ລໍາດັບການຄລິກ", + "PE.Views.Animation.textStartAfterPrevious": "ກອນໜ້ານີ້", + "PE.Views.Animation.textStartOnClick": "ເມືອຄລິກ", + "PE.Views.Animation.textStartWithPrevious": "ທີ່ຜ່ານມາ", + "PE.Views.Animation.textUntilEndOfSlide": "ຈົນກ່ວາສິ້ນສຸດ Slide", + "PE.Views.Animation.textUntilNextClick": "ຈົນກ່ວາຄລິກຕໍ່ໄປ", + "PE.Views.Animation.txtAddEffect": "ເພີ່ມພາບເຄື່ອນໄຫວ", + "PE.Views.Animation.txtAnimationPane": "ແຖບພາບເຄື່ອນໄຫວ", + "PE.Views.Animation.txtParameters": "ພາລາມິເຕີ", + "PE.Views.Animation.txtPreview": "ເບິ່ງຕົວຢ່າງ", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "ເບິ່ງຜົນກະທົບ", + "PE.Views.AnimationDialog.textTitle": "ຜົນກະທົບເພີ່ມເຕີມ", "PE.Views.ChartSettings.textAdvanced": "ສະແດງການຕັ້ງຄ່າຂັ້ນສູງ", "PE.Views.ChartSettings.textChartType": "ປ່ຽນປະເພດແຜ່ນພາບ", "PE.Views.ChartSettings.textEditData": "ແກ້ໄຂຂໍ້ມູນ", @@ -1094,7 +1346,7 @@ "PE.Views.DocumentHolder.addCommentText": "ເພີ່ມຄວາມຄິດເຫັນ", "PE.Views.DocumentHolder.addToLayoutText": "ເພີ່ມ ຮູບແບບ", "PE.Views.DocumentHolder.advancedImageText": "ການຕັ້ງຄ່າຮູບຂັ້ນສູງ", - "PE.Views.DocumentHolder.advancedParagraphText": "ການຕັ້ງຄ່າຂັ້ນສູງຂອງຂໍ້ຄວາມ", + "PE.Views.DocumentHolder.advancedParagraphText": "ການຕັ້ງຄ່າຂັ້ນສູງຫຍໍ້ ໜ້າ", "PE.Views.DocumentHolder.advancedShapeText": "ຕັ້ງຄ່າຂັ້ນສູງຮູບຮ່າງ", "PE.Views.DocumentHolder.advancedTableText": "ການຕັ້ງຄ່າຕາຕະລາງຂັ້ນສູງ", "PE.Views.DocumentHolder.alignmentText": "ການຈັດຕຳແໜ່ງ", @@ -1150,6 +1402,7 @@ "PE.Views.DocumentHolder.textCut": "ຕັດ", "PE.Views.DocumentHolder.textDistributeCols": "ກະຈາຍຖັນ", "PE.Views.DocumentHolder.textDistributeRows": "ກະຈາຍແຖວ", + "PE.Views.DocumentHolder.textEditPoints": "ແກ້ໄຂຄະແນນ", "PE.Views.DocumentHolder.textFlipH": "ຫມຸນແນວນອນ ", "PE.Views.DocumentHolder.textFlipV": "ຫມຸນລວງຕັ້ງ", "PE.Views.DocumentHolder.textFromFile": "ຈາກຟາຍ", @@ -1234,6 +1487,8 @@ "PE.Views.DocumentHolder.txtLimitUnder": "ຈຳກັດເນື້ອ", "PE.Views.DocumentHolder.txtMatchBrackets": "ວົງເລັບຄູ່", "PE.Views.DocumentHolder.txtMatrixAlign": "ຈັດລຽງ Matrix", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "ຍ້າຍສະໄລ້ໄປສິ້ນສຸດ", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "ຍ້າຍສະໄລ້ໄປທີ່ຈຸດເລີ່ມຕົ້ນ", "PE.Views.DocumentHolder.txtNewSlide": "ພາບສະໄລໃໝ່", "PE.Views.DocumentHolder.txtOverbar": "ຂີດທັບຕົວໜັງສື", "PE.Views.DocumentHolder.txtPasteDestFormat": "ໃຊ້ຫົວຂໍ້ເປົ້າໝາຍ", @@ -1265,6 +1520,7 @@ "PE.Views.DocumentHolder.txtTop": "ເບື້ອງເທີງ", "PE.Views.DocumentHolder.txtUnderbar": "ຂີດກອ້ງຕົວໜັງສື", "PE.Views.DocumentHolder.txtUngroup": "ຍົກເລີກການເຮັດເປັນກຸ່ມ", + "PE.Views.DocumentHolder.txtWarnUrl": "ການຄລິກລິ້ງນີ້ອາດເປັນອັນຕະລາຍຕໍ່ອຸປະກອນ ແລະຂໍ້ມູນຂອງທ່ານ.
        ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສືບຕໍ່?", "PE.Views.DocumentHolder.vertAlignText": "ຈັດຕາມແນວຕັ້ງ", "PE.Views.DocumentPreview.goToSlideText": "ໄປຍັງສະໄລ", "PE.Views.DocumentPreview.slideIndexText": "ພາບສະໄລ້ {0} ຂອງ {1}", @@ -1284,6 +1540,8 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "ປິດລາຍການ", "PE.Views.FileMenu.btnCreateNewCaption": "ສ້າງໃໝ່", "PE.Views.FileMenu.btnDownloadCaption": "ດາວໂຫລດດ້ວຍ", + "PE.Views.FileMenu.btnExitCaption": " ປິດ", + "PE.Views.FileMenu.btnFileOpenCaption": "ເປີດ...", "PE.Views.FileMenu.btnHelpCaption": "ຊ່ວຍເຫຼືອ", "PE.Views.FileMenu.btnHistoryCaption": "ປະຫວັດ", "PE.Views.FileMenu.btnInfoCaption": "ຂໍ້ມູນບົດນຳສະເໜີ ", @@ -1298,6 +1556,8 @@ "PE.Views.FileMenu.btnSaveCopyAsCaption": "ບັນທຶກສຳເນົາເປັນ...", "PE.Views.FileMenu.btnSettingsCaption": "ຕັ້ງ​ຄ່າ​ຂັ້ນ​ສູງ...", "PE.Views.FileMenu.btnToEditCaption": "ແກ້ໄຂບົດນຳສະເໜີ", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "ການນໍາສະເໜີເປົ່າ", + "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "ສ້າງໃໝ່", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "ໃຊ້", "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "ເພີ່ມຜູ້ຂຽນ", "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "ເພີ່ມຂໍ້ຄວາມ", @@ -1327,21 +1587,14 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "ບາງລາຍເຊັນດິຈິຕອນໃນການນຳສະເໜີ ແມ່ນບໍ່ຖືກຕ້ອງ ຫຼື ບໍ່ສາມາດຢືນຢັນໄດ້. ການ ນຳ ສະ ເໜີ ແມ່ນປ້ອງກັນຈາກການດັດແກ້.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "ເບິ່ງລາຍເຊັນ", "PE.Views.FileMenuPanels.Settings.okButtonText": "ໃຊ້", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "ເປີດຄູ່ມືການຈັດຕໍາແໜ່ງ", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "ເປີດໃຊ້ງານອັດຕະໂນມັດ", - "PE.Views.FileMenuPanels.Settings.strAutosave": "ເປີດໃຊ້ງານອັດຕະໂນມັດ", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "ໂຫມດແກ້ໄຂຮ່ວມກັນ", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "ຜູ້ໃຊ້ຊື່ອຶ່ນຈະເຫັນການປ່ຽນແປງຂອງເຈົ້າ", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "ທ່ານຈະຕ້ອງຍອມຮັບການປ່ຽນແປງກ່ອນທີ່ທ່ານຈະເຫັນການປ່ຽນແປງ", "PE.Views.FileMenuPanels.Settings.strFast": "ໄວ", "PE.Views.FileMenuPanels.Settings.strFontRender": "ຕົວອັກສອນມົວ ບໍ່ເເຈ້ງ", - "PE.Views.FileMenuPanels.Settings.strForcesave": "ເກັບຮັກສາໄວ້ໃນເຊີບເວີຢູ່ສະ ເໝີ (ຖ້າບໍ່ດັ່ງນັ້ນບັນທຶກໄວ້ໃນ ເຊີບເວີ ຢູ່ບ່ອນປິດເອກະສານ)", + "PE.Views.FileMenuPanels.Settings.strForcesave": "ເພີ່ມເວີຊັນໃສ່ບ່ອນເກັບຂໍ້ມູນ ຫຼັງຈາກຄລິກບັນທຶກ ຫຼື Ctrl+S", "PE.Views.FileMenuPanels.Settings.strInputMode": "ເປີດກາຟີຣກ", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "ການຕັ້ງຄ່າ Macros", "PE.Views.FileMenuPanels.Settings.strPaste": "ຕັດ, ສຳເນົາ ແລະ ວາງ", "PE.Views.FileMenuPanels.Settings.strPasteButton": "ສະແດງປຸ່ມເລືອກວາງ ເມື່ອເນື້ອຫາໄດ້ຖືກຄັດຕິດ", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "ການແກ້່ໄຂຮ່ວມກັນແບບ ReaL time", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "ເປີດຕົວເລືອກການກວດສອບການສະກົດຄໍາ", "PE.Views.FileMenuPanels.Settings.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", "PE.Views.FileMenuPanels.Settings.strTheme": "ຫນ້າຕາຂອງ theme", "PE.Views.FileMenuPanels.Settings.strUnit": "ຫົວຫນ່ວຍວັດແທກ (ນີ້ວ)", @@ -1354,7 +1607,7 @@ "PE.Views.FileMenuPanels.Settings.textAutoRecover": "ກູ້ຄືນອັດຕະໂນມັດ", "PE.Views.FileMenuPanels.Settings.textAutoSave": "ບັນທຶກອັດຕະໂນມັດ", "PE.Views.FileMenuPanels.Settings.textDisabled": "ປິດ", - "PE.Views.FileMenuPanels.Settings.textForceSave": "ບັນທຶກໃສ່ Server", + "PE.Views.FileMenuPanels.Settings.textForceSave": "ບັນທຶກສະບັບກາງ", "PE.Views.FileMenuPanels.Settings.textMinute": "ທຸກໆນາທີ", "PE.Views.FileMenuPanels.Settings.txtAll": "ເບິ່ງ​ທັງ​ຫມົດ", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "ຕົວເລືອກ ແກ້ໄຂອັດຕະໂນມັດ", @@ -1414,6 +1667,7 @@ "PE.Views.ImageSettings.textCrop": "ຕັດເປັນສ່ວນ", "PE.Views.ImageSettings.textCropFill": "ຕື່ມ", "PE.Views.ImageSettings.textCropFit": "ພໍດີ", + "PE.Views.ImageSettings.textCropToShape": "ຂອບຕັດເພືອເປັນຮູ້ຮ່າງ", "PE.Views.ImageSettings.textEdit": "ແກ້ໄຂ", "PE.Views.ImageSettings.textEditObject": "ແກໄຂຈຸດປະສົງ", "PE.Views.ImageSettings.textFitSlide": "ປັບສະໄລພໍດີ", @@ -1428,6 +1682,7 @@ "PE.Views.ImageSettings.textHintFlipV": "ຫມຸນລວງຕັ້ງ", "PE.Views.ImageSettings.textInsert": "ປ່ຽນແທນຮູບພາບ", "PE.Views.ImageSettings.textOriginalSize": "ຂະ ໜາດ ຕົວຈິງ", + "PE.Views.ImageSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "PE.Views.ImageSettings.textRotate90": "ໝຸນ 90°", "PE.Views.ImageSettings.textRotation": "ການໝຸນ", "PE.Views.ImageSettings.textSize": "ຂະໜາດ", @@ -1469,7 +1724,7 @@ "PE.Views.ParagraphSettings.textAt": "ທີ່", "PE.Views.ParagraphSettings.textAtLeast": "ຢ່າງ​ຫນ້ອຍ", "PE.Views.ParagraphSettings.textAuto": "ຕົວຄູນ", - "PE.Views.ParagraphSettings.textExact": "ແນ່ນອນ, ຖືກຕ້ອງ", + "PE.Views.ParagraphSettings.textExact": "ແນ່ນອນ", "PE.Views.ParagraphSettings.txtAutoText": "ອັດຕະໂນມັດ", "PE.Views.ParagraphSettingsAdvanced.noTabs": "ແທັບທີ່ລະບຸໄວ້ຈະປາກົດຢູ່ໃນນີ້", "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "ໂຕໃຫຍ່ທັງໝົດ", @@ -1510,7 +1765,7 @@ "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "ອັດຕະໂນມັດ", "PE.Views.RightMenu.txtChartSettings": "ການຕັ້ງຄ່າແຜ່ນຮູບພາບ", "PE.Views.RightMenu.txtImageSettings": "ການຕັ້ງຄ່າຮູບພາບ", - "PE.Views.RightMenu.txtParagraphSettings": "ການຕັ້ງຄ່າ, ກຳນົດຂໍ້ຄວາມ", + "PE.Views.RightMenu.txtParagraphSettings": "ການຕັ້ງຄ່າວັກ", "PE.Views.RightMenu.txtShapeSettings": "ການຕັ້ງຄ່າຮູບຮ່າງ", "PE.Views.RightMenu.txtSignatureSettings": "ການຕັ້ງຄ່າລາຍເຊັນ,ກຳນົດລາຍເຊັນ", "PE.Views.RightMenu.txtSlideSettings": "ການຕັ້ງຄ່າເລື່ອນພາບສະໄລ, ການກຳນົດການເລື່ອນພາບສະໄລ", @@ -1549,6 +1804,7 @@ "PE.Views.ShapeSettings.textPatternFill": "ຮູບແບບ", "PE.Views.ShapeSettings.textPosition": "ຕໍາແໜ່ງ", "PE.Views.ShapeSettings.textRadial": "ລັງສີ", + "PE.Views.ShapeSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "PE.Views.ShapeSettings.textRotate90": "ໝຸນ 90°", "PE.Views.ShapeSettings.textRotation": "ການໝຸນ", "PE.Views.ShapeSettings.textSelectImage": "ເລືອກຮູບພາບ", @@ -1865,6 +2121,7 @@ "PE.Views.Toolbar.textColumnsTwo": "2ຖັນ", "PE.Views.Toolbar.textItalic": "ໂຕໜັງສືອຽງ", "PE.Views.Toolbar.textListSettings": "ຕັ້ງຄ່າລາຍການ", + "PE.Views.Toolbar.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "PE.Views.Toolbar.textShapeAlignBottom": "ຈັດຕ່ຳແໜ່ງທາງດ້ານລຸ່ມ", "PE.Views.Toolbar.textShapeAlignCenter": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", "PE.Views.Toolbar.textShapeAlignLeft": "ຈັດຕຳແໜ່ງຕິດຊ້າຍ", @@ -1878,11 +2135,14 @@ "PE.Views.Toolbar.textStrikeout": "ຂີດທັບ", "PE.Views.Toolbar.textSubscript": "ຕົວຫ້ອຍ", "PE.Views.Toolbar.textSuperscript": "ຕົວຍົກ", + "PE.Views.Toolbar.textTabAnimation": "ພາບເຄື່ອນໄຫວ", "PE.Views.Toolbar.textTabCollaboration": "ການຮ່ວມກັນ", "PE.Views.Toolbar.textTabFile": "ຟາຍ ", "PE.Views.Toolbar.textTabHome": "ໜ້າຫຼັກ", "PE.Views.Toolbar.textTabInsert": "ເພີ່ມ", "PE.Views.Toolbar.textTabProtect": "ການປ້ອງກັນ", + "PE.Views.Toolbar.textTabTransitions": "ການຫັນປ່ຽນ", + "PE.Views.Toolbar.textTabView": "ມຸມມອງ", "PE.Views.Toolbar.textTitleError": "ຂໍ້ຜິດພາດ", "PE.Views.Toolbar.textUnderline": "ຂີດກ້ອງ", "PE.Views.Toolbar.tipAddSlide": "ເພິ່ມພາບສະໄລ", @@ -1919,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "ເພີ່ມວິດີໂອ", "PE.Views.Toolbar.tipLineSpace": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ", "PE.Views.Toolbar.tipMarkers": "ຂີດໜ້າ", + "PE.Views.Toolbar.tipMarkersArrow": "ລູກສອນ", + "PE.Views.Toolbar.tipMarkersCheckmark": "ເຄື່ອງໝາຍຖືກ ສະແດງຫົວຂໍ້", + "PE.Views.Toolbar.tipMarkersDash": "ຫົວແຫລມ", + "PE.Views.Toolbar.tipMarkersFRhombus": "ຕື່ມຮູບສີ່ຫຼ່ຽມ", + "PE.Views.Toolbar.tipMarkersFRound": "ເພີ່ມຮູບວົງມົນ", + "PE.Views.Toolbar.tipMarkersFSquare": "ເພີ່ມຮູບສີ່ຫຼ່ຽມ", + "PE.Views.Toolbar.tipMarkersHRound": "ແບບຮອບກວ້າງ", + "PE.Views.Toolbar.tipMarkersStar": "ຮູບແບບດາວ", + "PE.Views.Toolbar.tipNone": "ບໍ່ມີ", "PE.Views.Toolbar.tipNumbers": "ການນັບ", "PE.Views.Toolbar.tipPaste": "ວາງ", "PE.Views.Toolbar.tipPreview": "ເລີ່ມສະໄລ້", @@ -1936,6 +2205,7 @@ "PE.Views.Toolbar.tipViewSettings": "ເບິ່ງການຕັ້ງຄ່າ", "PE.Views.Toolbar.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "PE.Views.Toolbar.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", + "PE.Views.Toolbar.txtDuplicateSlide": "ສຳເນົາ ສະໄລ", "PE.Views.Toolbar.txtGroup": "ກຸ່ມ", "PE.Views.Toolbar.txtObjectsAlign": "ຈັດຕຳແໜ່ງຈຸດປະສົງທີ່ເລືອກໄວ້", "PE.Views.Toolbar.txtScheme1": "ຫ້ອງການ", @@ -1952,6 +2222,7 @@ "PE.Views.Toolbar.txtScheme2": "ໂທນສີເທົາ", "PE.Views.Toolbar.txtScheme20": "ໃນເມືອງ", "PE.Views.Toolbar.txtScheme21": "Verve", + "PE.Views.Toolbar.txtScheme22": "ຫ້ອງການໃໝ່", "PE.Views.Toolbar.txtScheme3": "ເອເພັກສ", "PE.Views.Toolbar.txtScheme4": "ມຸມມອງ", "PE.Views.Toolbar.txtScheme5": "ປະຫວັດ, ກ່ຽວກັບເມືອງ", @@ -1965,6 +2236,7 @@ "PE.Views.Transitions.strDuration": "ໄລຍະ", "PE.Views.Transitions.strStartOnClick": "ເລີ່ມຕົ້ນກົດ", "PE.Views.Transitions.textBlack": "ຜ່ານສີດຳ", + "PE.Views.Transitions.textBottom": "ລຸ່ມສຸດ", "PE.Views.Transitions.textBottomLeft": "ດ້ານລຸ່ມເບື້ອງຊ້າຍ", "PE.Views.Transitions.textBottomRight": "ດ້ານລຸ່ມເບື້ອງຂວາ", "PE.Views.Transitions.textClock": "ໂມງ", @@ -1980,6 +2252,7 @@ "PE.Views.Transitions.textRight": "ຂວາ", "PE.Views.Transitions.textSmoothly": "ຄ່ອງຕົວ, ສະດວກ", "PE.Views.Transitions.textSplit": "ແຍກ, ແບ່ງເປັນ", + "PE.Views.Transitions.textTop": "ເບື້ອງເທີງ", "PE.Views.Transitions.textTopLeft": "ຂ້າງເທິງ ເບິື້ອງຊ້າຍ", "PE.Views.Transitions.textTopRight": "ຂ້າງເທິງເບື້ອງຂວາ", "PE.Views.Transitions.textUnCover": "ເປີດເຜີຍ", @@ -1987,11 +2260,20 @@ "PE.Views.Transitions.textVerticalOut": "ລວງຕັ້ງງດ້ານນອກ", "PE.Views.Transitions.textWedge": "ລີ່ມ", "PE.Views.Transitions.textWipe": "ເຊັດ, ຖູ", + "PE.Views.Transitions.textZoom": "ຂະຫຍາຍ ເຂົ້າ-ອອກ", "PE.Views.Transitions.textZoomIn": "ຊຸມເຂົ້າ", "PE.Views.Transitions.textZoomOut": "ຂະຫຍາຍອອກ", "PE.Views.Transitions.textZoomRotate": "ຂະຫຍາຍ ແລະ ໝຸນ", "PE.Views.Transitions.txtApplyToAll": "ນຳໃຊ້ກັບທຸກໆແຜ່ນສະໄລ້", "PE.Views.Transitions.txtParameters": "ພາລາມິເຕີ", "PE.Views.Transitions.txtPreview": "ເບິ່ງຕົວຢ່າງ", - "PE.Views.Transitions.txtSec": "S" + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "ສະແດງແຖບເຄື່ອງມືສະເໝີ", + "PE.Views.ViewTab.textFitToSlide": "ປັບສະໄລພໍດີ", + "PE.Views.ViewTab.textFitToWidth": "ຄວາມກວ້າງພໍດີ", + "PE.Views.ViewTab.textInterfaceTheme": "้ຮູບແບບການສະແດງຜົນ", + "PE.Views.ViewTab.textNotes": "ຈົດບັນທຶກ", + "PE.Views.ViewTab.textRulers": "ໄມ້ບັນທັດ", + "PE.Views.ViewTab.textStatusBar": "ຮູບແບບບາ", + "PE.Views.ViewTab.textZoom": "ຂະຫຍາຍ ເຂົ້າ-ອອກ" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/lv.json b/apps/presentationeditor/main/locale/lv.json index 9bcbc898f..9b6c7286d 100644 --- a/apps/presentationeditor/main/locale/lv.json +++ b/apps/presentationeditor/main/locale/lv.json @@ -6,6 +6,7 @@ "Common.Controllers.ExternalDiagramEditor.warningText": "The object is disabled because it is being edited by another user.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "Warning", "Common.UI.ButtonColored.textAutoColor": "Automātisks", + "Common.UI.ButtonColored.textNewColor": "Pievienot jauno krāsu", "Common.UI.ComboBorderSize.txtNoBorders": "No borders", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "No borders", "Common.UI.ComboDataView.emptyComboText": "No styles", @@ -917,17 +918,9 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Daži no prezentācijas digitālajiem parakstiem ir nederīgi vai tos nevar pārbaudīt. Prezentāciju nevar rediģēt.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Apskatīt parakstus", "PE.Views.FileMenuPanels.Settings.okButtonText": "Apply", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Ieslēgt automātisko atjaunošanu", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Turn on autosave", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "PE.Views.FileMenuPanels.Settings.strFast": "Fast", "PE.Views.FileMenuPanels.Settings.strForcesave": "Vienmēr noglabāt serverī (pretējā gadījumā noglabāt serverī dokumenta aizvēršanas laikā)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Turn on hieroglyphs", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Realtime Collaboration Changes", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ieslēgt pareizrakstības pārbaudi", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strUnit": "Unit of Measurement", "PE.Views.FileMenuPanels.Settings.strZoom": "Default Zoom Value", diff --git a/apps/presentationeditor/main/locale/nl.json b/apps/presentationeditor/main/locale/nl.json index 4c92f2315..0a2082cd7 100644 --- a/apps/presentationeditor/main/locale/nl.json +++ b/apps/presentationeditor/main/locale/nl.json @@ -61,7 +61,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Maak een kopie", "Common.Translation.warnFileLockedBtnView": "Open voor lezen", "Common.UI.ButtonColored.textAutoColor": "Automatisch", - "Common.UI.ButtonColored.textNewColor": "Voeg nieuwe aangepaste kleur toe", + "Common.UI.ButtonColored.textNewColor": "Nieuwe aangepaste kleur", "Common.UI.ComboBorderSize.txtNoBorders": "Geen randen", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Geen randen", "Common.UI.ComboDataView.emptyComboText": "Geen stijlen", @@ -1360,21 +1360,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Een of meer digitale handtekeningen in deze presentatie zijn ongeldig of konden niet geverifieerd worden. Deze presentatie is beveiligd tegen aanpassingen.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Toon handtekeningen", "PE.Views.FileMenuPanels.Settings.okButtonText": "Toepassen", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Uitlijningshulplijnen inschakelen", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "AutoHerstel inschakelen", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Automatisch opslaan inschakelen", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modus Gezamenlijk bewerken", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andere gebruikers zien uw wijzigingen onmiddellijk", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "U moet de wijzigingen accepteren om die te kunnen zien", "PE.Views.FileMenuPanels.Settings.strFast": "Snel", "PE.Views.FileMenuPanels.Settings.strFontRender": "Hints voor lettertype", "PE.Views.FileMenuPanels.Settings.strForcesave": "Altijd op server opslaan (anders op server opslaan bij sluiten document)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Hiërogliefen inschakelen", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Macro instellingen", "PE.Views.FileMenuPanels.Settings.strPaste": "Knippen, kopiëren en plakken", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Toon de knop Plakopties wanneer de inhoud is geplakt", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Wijzigingen in real-time samenwerking", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Optie voor spellingcontrole inschakelen", "PE.Views.FileMenuPanels.Settings.strStrict": "Strikt", "PE.Views.FileMenuPanels.Settings.strTheme": "Thema", "PE.Views.FileMenuPanels.Settings.strUnit": "Maateenheid", diff --git a/apps/presentationeditor/main/locale/pl.json b/apps/presentationeditor/main/locale/pl.json index 602e62b5d..738f53146 100644 --- a/apps/presentationeditor/main/locale/pl.json +++ b/apps/presentationeditor/main/locale/pl.json @@ -22,7 +22,7 @@ "Common.define.chartData.textStock": "Zbiory", "Common.define.chartData.textSurface": "Powierzchnia", "Common.UI.ButtonColored.textAutoColor": "Automatyczny", - "Common.UI.ButtonColored.textNewColor": "Dodaj Nowy Niestandardowy Kolor", + "Common.UI.ButtonColored.textNewColor": "Nowy niestandardowy kolor", "Common.UI.ComboBorderSize.txtNoBorders": "Bez krawędzi", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Bez krawędzi", "Common.UI.ComboDataView.emptyComboText": "Brak styli", @@ -968,17 +968,9 @@ "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmień prawa dostępu", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby, które mają prawa", "PE.Views.FileMenuPanels.Settings.okButtonText": "Zastosować", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Włącz prowadnice wyrównania", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Włącz auto odzyskiwanie", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Włącz automatyczny zapis", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Tryb współtworzenia", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Zobaczysz zmiany innych użytkowników od razu", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Zanim będziesz mógł zobaczyć zmiany wprowadzone przez innych użytkowników, musisz je najpierw zaakceptować.", "PE.Views.FileMenuPanels.Settings.strFast": "Szybki", "PE.Views.FileMenuPanels.Settings.strForcesave": "Zawsze zapisuj na serwer (w przeciwnym razie zapisz na serwer dopiero przy zamykaniu dokumentu)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Włącz hieroglify", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Zmiany w czasie rzeczywistym podczas współtworzenia", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Włącz sprawdzanie pisowni", "PE.Views.FileMenuPanels.Settings.strStrict": "Ścisły", "PE.Views.FileMenuPanels.Settings.strUnit": "Jednostka miary", "PE.Views.FileMenuPanels.Settings.strZoom": "Domyślna wartość powiększenia", diff --git a/apps/presentationeditor/main/locale/pt-PT.json b/apps/presentationeditor/main/locale/pt-PT.json new file mode 100644 index 000000000..7022c6351 --- /dev/null +++ b/apps/presentationeditor/main/locale/pt-PT.json @@ -0,0 +1,2277 @@ +{ + "Common.Controllers.Chat.notcriticalErrorTitle": "Aviso", + "Common.Controllers.Chat.textEnterMessage": "Inserir sua mensagem aqui", + "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Anônimo", + "Common.Controllers.ExternalDiagramEditor.textClose": "Fechar", + "Common.Controllers.ExternalDiagramEditor.warningText": "O objeto foi desativado porque está a ser editado por outro utilizador.", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "Aviso", + "Common.define.chartData.textArea": "Gráfico da Área", + "Common.define.chartData.textAreaStacked": "Área empilhada", + "Common.define.chartData.textAreaStackedPer": "Área 100% alinhada", + "Common.define.chartData.textBar": "Barra", + "Common.define.chartData.textBarNormal": "Coluna agrupada", + "Common.define.chartData.textBarNormal3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Coluna 3-D", + "Common.define.chartData.textBarStacked": "Coluna empilhada", + "Common.define.chartData.textBarStacked3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarStackedPer": "Coluna 100% alinhada", + "Common.define.chartData.textBarStackedPer3d": "Coluna 3-D 100% alinhada", + "Common.define.chartData.textCharts": "Gráficos", + "Common.define.chartData.textColumn": "Coluna", + "Common.define.chartData.textCombo": "Combinação", + "Common.define.chartData.textComboAreaBar": "Área empilhada – coluna agrupada", + "Common.define.chartData.textComboBarLine": "Coluna agrupada – linha", + "Common.define.chartData.textComboBarLineSecondary": "Coluna agrupada – linha num eixo secundário", + "Common.define.chartData.textComboCustom": "Combinação personalizada", + "Common.define.chartData.textDoughnut": "Rosquinha", + "Common.define.chartData.textHBarNormal": "Barra Agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStacked": "Barra empilhada", + "Common.define.chartData.textHBarStacked3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStackedPer": "Barra 100% alinhada", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3-D 100% alinhada", + "Common.define.chartData.textLine": "Linha", + "Common.define.chartData.textLine3d": "Linha 3-D", + "Common.define.chartData.textLineMarker": "Linha com marcadores", + "Common.define.chartData.textLineStacked": "Linha empilhada", + "Common.define.chartData.textLineStackedMarker": "Linha empilhada com marcadores", + "Common.define.chartData.textLineStackedPer": "100% Alinhado", + "Common.define.chartData.textLineStackedPerMarker": "Alinhado com 100%", + "Common.define.chartData.textPie": "Tarte", + "Common.define.chartData.textPie3d": "Tarte 3-D", + "Common.define.chartData.textPoint": "XY (gráfico de dispersão)", + "Common.define.chartData.textScatter": "Dispersão", + "Common.define.chartData.textScatterLine": "Dispersão com Linhas Retas", + "Common.define.chartData.textScatterLineMarker": "Dispersão com Linhas e Marcadores Retos", + "Common.define.chartData.textScatterSmooth": "Dispersão com Linhas Suaves", + "Common.define.chartData.textScatterSmoothMarker": "Dispersão com Linhas Suaves e Marcadores", + "Common.define.chartData.textStock": "Gráfico de ações", + "Common.define.chartData.textSurface": "Superfície", + "Common.define.effectData.textAcross": "Horizontalmente", + "Common.define.effectData.textAppear": "Mostrar", + "Common.define.effectData.textArcDown": "Arco para Baixo", + "Common.define.effectData.textArcLeft": "Arco para a Esquerda", + "Common.define.effectData.textArcRight": "Arco para a Direita", + "Common.define.effectData.textArcs": "Arcos", + "Common.define.effectData.textArcUp": "Arco para Cima", + "Common.define.effectData.textBasic": "Básico", + "Common.define.effectData.textBasicSwivel": "Swivel Básico", + "Common.define.effectData.textBasicZoom": "Zoom Básico", + "Common.define.effectData.textBean": "Feijão", + "Common.define.effectData.textBlinds": "Persianas", + "Common.define.effectData.textBlink": "Piscar", + "Common.define.effectData.textBoldFlash": "Piscar em Negrito ", + "Common.define.effectData.textBoldReveal": "Aparecer em Negrito", + "Common.define.effectData.textBoomerang": "Boomerang", + "Common.define.effectData.textBounce": "Aos Pulos", + "Common.define.effectData.textBounceLeft": "Pular para a Esquerda", + "Common.define.effectData.textBounceRight": "Pular para a Direita", + "Common.define.effectData.textBox": "Caixa", + "Common.define.effectData.textBrushColor": "Cor do Pincel", + "Common.define.effectData.textCenterRevolve": "Girar em Torno do Centro", + "Common.define.effectData.textCheckerboard": "Quadro bicolor", + "Common.define.effectData.textCircle": "Círculo", + "Common.define.effectData.textCollapse": "Recolher", + "Common.define.effectData.textColorPulse": "Cor Intermitente", + "Common.define.effectData.textComplementaryColor": "Cor Complementar", + "Common.define.effectData.textComplementaryColor2": "Cor Complementar 2", + "Common.define.effectData.textCompress": "Comprimir", + "Common.define.effectData.textContrast": "Contraste", + "Common.define.effectData.textContrastingColor": "Cor Contrastante", + "Common.define.effectData.textCredits": "Créditos", + "Common.define.effectData.textCrescentMoon": "Quarto Crescente", + "Common.define.effectData.textCurveDown": "Curvar para Baixo", + "Common.define.effectData.textCurvedSquare": "Quadrado Encurvado", + "Common.define.effectData.textCurvedX": "X Encurvado", + "Common.define.effectData.textCurvyLeft": "Curva para a Esquerda", + "Common.define.effectData.textCurvyRight": "Curva para a Direita", + "Common.define.effectData.textCurvyStar": "Estrela Curvada", + "Common.define.effectData.textCustomPath": "Caminho Personalizado", + "Common.define.effectData.textCuverUp": "Curvar para Cima", + "Common.define.effectData.textDarken": "Escurecer", + "Common.define.effectData.textDecayingWave": "Onda Esbatida", + "Common.define.effectData.textDesaturate": "Tirar Saturação", + "Common.define.effectData.textDiagonalDownRight": "Diagonal Baixo Direita", + "Common.define.effectData.textDiagonalUpRight": "Diagonal Cima Direita", + "Common.define.effectData.textDiamond": "Diamante", + "Common.define.effectData.textDisappear": "Desaparecer", + "Common.define.effectData.textDissolveIn": "Dissolver na Entrada", + "Common.define.effectData.textDissolveOut": "Dissolver na Saída", + "Common.define.effectData.textDown": "Para baixo", + "Common.define.effectData.textDrop": "Largar", + "Common.define.effectData.textEmphasis": "Efeitos de Ênfase", + "Common.define.effectData.textEntrance": "Efeitos de Entrada", + "Common.define.effectData.textEqualTriangle": "Triângulo Equilátero", + "Common.define.effectData.textExciting": "Apelativo", + "Common.define.effectData.textExit": "Efeitos de Saída", + "Common.define.effectData.textExpand": "Expandir", + "Common.define.effectData.textFade": "Desvanecimento", + "Common.define.effectData.textFigureFour": "Figura 8 Quatro", + "Common.define.effectData.textFillColor": "Cor de preenchimento", + "Common.define.effectData.textFlip": "Virar", + "Common.define.effectData.textFloat": "Flutuar", + "Common.define.effectData.textFloatDown": "Flutuar para Baixo", + "Common.define.effectData.textFloatIn": "Flutuar na Entrada", + "Common.define.effectData.textFloatOut": "Flutuar na Saída", + "Common.define.effectData.textFloatUp": "Flutuar pra Cima", + "Common.define.effectData.textFlyIn": "Voar na Entrada", + "Common.define.effectData.textFlyOut": "Voar na Saída", + "Common.define.effectData.textFontColor": "Cor do tipo de letra", + "Common.define.effectData.textFootball": "Futebol", + "Common.define.effectData.textFromBottom": "Do fundo", + "Common.define.effectData.textFromBottomLeft": "Do Canto Inferior Esquerdo", + "Common.define.effectData.textFromBottomRight": "Do Cantor Inferior Direito", + "Common.define.effectData.textFromLeft": "Da Esquerda", + "Common.define.effectData.textFromRight": "Da Direita", + "Common.define.effectData.textFromTop": "De cima", + "Common.define.effectData.textFromTopLeft": "Do Canto Superior Esquerdo", + "Common.define.effectData.textFromTopRight": "Do Canto Superior Direito", + "Common.define.effectData.textFunnel": "Funil", + "Common.define.effectData.textGrowShrink": "Aumentar/Diminuir", + "Common.define.effectData.textGrowTurn": "Aumentar e Virar", + "Common.define.effectData.textGrowWithColor": "Aumentar com Cor", + "Common.define.effectData.textHeart": "Coração", + "Common.define.effectData.textHeartbeat": "Batimento cardíaco", + "Common.define.effectData.textHexagon": "Hexágono", + "Common.define.effectData.textHorizontal": "Horizontal", + "Common.define.effectData.textHorizontalFigure": "Figura 8 Horizontal", + "Common.define.effectData.textHorizontalIn": "Horizontal para dentro", + "Common.define.effectData.textHorizontalOut": "Horizontal para fora", + "Common.define.effectData.textIn": "Em", + "Common.define.effectData.textInFromScreenCenter": "Ampliar a Partir do Centro do Ecrã", + "Common.define.effectData.textInSlightly": "Ampliar Ligeiramente", + "Common.define.effectData.textInToScreenBottom": "Ampliar para o Fundo do Ecrã", + "Common.define.effectData.textInvertedSquare": "Quadrado Invertido", + "Common.define.effectData.textInvertedTriangle": "Triângulo Invertido", + "Common.define.effectData.textLeft": "Esquerda", + "Common.define.effectData.textLeftDown": "Esquerda em baixo", + "Common.define.effectData.textLeftUp": "Esquerda em cima", + "Common.define.effectData.textLighten": "Mais Claro", + "Common.define.effectData.textLineColor": "Cor da linha", + "Common.define.effectData.textLines": "Linhas", + "Common.define.effectData.textLinesCurves": "Linhas e Curvas", + "Common.define.effectData.textLoopDeLoop": "Laço", + "Common.define.effectData.textLoops": "Ciclos", + "Common.define.effectData.textModerate": "Moderado", + "Common.define.effectData.textNeutron": "Neutrão", + "Common.define.effectData.textObjectCenter": "Centro do Objeto", + "Common.define.effectData.textObjectColor": "Cor do Objeto", + "Common.define.effectData.textOctagon": "Octógono", + "Common.define.effectData.textOut": "Fora", + "Common.define.effectData.textOutFromScreenBottom": "Reduzir a Partir do Fundo do Ecrã", + "Common.define.effectData.textOutSlightly": "Reduzir Ligeiramente", + "Common.define.effectData.textOutToScreenCenter": "De Fora Para a Parte Central do Ecrã", + "Common.define.effectData.textParallelogram": "Paralelograma", + "Common.define.effectData.textPath": "Trajetórias de Movimento ", + "Common.define.effectData.textPeanut": "Amendoim", + "Common.define.effectData.textPeekIn": "Deslizar", + "Common.define.effectData.textPeekOut": "Sair", + "Common.define.effectData.textPentagon": "Pentágono", + "Common.define.effectData.textPinwheel": "Remoinho", + "Common.define.effectData.textPlus": "Mais", + "Common.define.effectData.textPointStar": "Estrela de Pontas", + "Common.define.effectData.textPointStar4": "Estrela de 4 pontos", + "Common.define.effectData.textPointStar5": "Estrela de 5 pontos", + "Common.define.effectData.textPointStar6": "Estrela de 6 pontos", + "Common.define.effectData.textPointStar8": "Estrela de 8 pontos", + "Common.define.effectData.textPulse": "Intermitente", + "Common.define.effectData.textRandomBars": "Barros Aleatórias", + "Common.define.effectData.textRight": "Direita", + "Common.define.effectData.textRightDown": "Direita em Baixo", + "Common.define.effectData.textRightTriangle": "Triângulo à Direita", + "Common.define.effectData.textRightUp": "Direita em cima", + "Common.define.effectData.textRiseUp": "Revelar para Baixo", + "Common.define.effectData.textSCurve1": "Curva em S 1", + "Common.define.effectData.textSCurve2": "Curva em S 2", + "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Formas", + "Common.define.effectData.textShimmer": "Brilho", + "Common.define.effectData.textShrinkTurn": "Diminuir e Virar", + "Common.define.effectData.textSineWave": "Onda Sinusoidal", + "Common.define.effectData.textSinkDown": "Mergulhar", + "Common.define.effectData.textSlideCenter": "Centro do Diapositivo", + "Common.define.effectData.textSpecial": "Especial", + "Common.define.effectData.textSpin": "Girar", + "Common.define.effectData.textSpinner": "Controlo giratório", + "Common.define.effectData.textSpiralIn": "Entrada em espiral", + "Common.define.effectData.textSpiralLeft": "Espiral para a Esquerda", + "Common.define.effectData.textSpiralOut": "Saída em Espiral", + "Common.define.effectData.textSpiralRight": "Espiral para a Direita", + "Common.define.effectData.textSplit": "Dividir", + "Common.define.effectData.textSpoke1": "1 Raio", + "Common.define.effectData.textSpoke2": "2 Raios", + "Common.define.effectData.textSpoke3": "3 Raios", + "Common.define.effectData.textSpoke4": "4 Raios", + "Common.define.effectData.textSpoke8": "8 Raios", + "Common.define.effectData.textSpring": "Primavera", + "Common.define.effectData.textSquare": "Quadrado", + "Common.define.effectData.textStairsDown": "Escadas abaixo", + "Common.define.effectData.textStretch": "Alongar", + "Common.define.effectData.textStrips": "Faixas", + "Common.define.effectData.textSubtle": "Subtil", + "Common.define.effectData.textSwivel": "Girar", + "Common.define.effectData.textSwoosh": "Laço", + "Common.define.effectData.textTeardrop": "Lágrima", + "Common.define.effectData.textTeeter": "Balançar", + "Common.define.effectData.textToBottom": "Para Baixo", + "Common.define.effectData.textToBottomLeft": "Para Baixo-Esquerda", + "Common.define.effectData.textToBottomRight": "Para Baixo-Direita", + "Common.define.effectData.textToLeft": "Para a esquerda", + "Common.define.effectData.textToRight": "Para a Direita", + "Common.define.effectData.textToTop": "Para Cima", + "Common.define.effectData.textToTopLeft": "Para Cima-Esquerda", + "Common.define.effectData.textToTopRight": "Para Cima-Direita", + "Common.define.effectData.textTransparency": "Transparência", + "Common.define.effectData.textTrapezoid": "Trapézio", + "Common.define.effectData.textTurnDown": "Virar para Baixo", + "Common.define.effectData.textTurnDownRight": "Virar para Baixo e Direita", + "Common.define.effectData.textTurns": "Voltas", + "Common.define.effectData.textTurnUp": "Para Cima", + "Common.define.effectData.textTurnUpRight": "Para Cima e para a Direita", + "Common.define.effectData.textUnderline": "Sublinhado", + "Common.define.effectData.textUp": "Para cima", + "Common.define.effectData.textVertical": "Vertical", + "Common.define.effectData.textVerticalFigure": "Figura Vertical 8", + "Common.define.effectData.textVerticalIn": "Vertical para dentro", + "Common.define.effectData.textVerticalOut": "Vertical para fora", + "Common.define.effectData.textWave": "Onda", + "Common.define.effectData.textWedge": "Triangular", + "Common.define.effectData.textWheel": "Roda", + "Common.define.effectData.textWhip": "Chicote", + "Common.define.effectData.textWipe": "Revelar", + "Common.define.effectData.textZigzag": "Zigzag", + "Common.define.effectData.textZoom": "Zoom", + "Common.Translation.warnFileLocked": "O ficheiro está a ser editado por outra aplicação. Pode continuar a trabalhar mas terá que guardar uma cópia.", + "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", + "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", + "Common.UI.ButtonColored.textAutoColor": "Automático", + "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.ComboBorderSize.txtNoBorders": "Sem bordas", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sem bordas", + "Common.UI.ComboDataView.emptyComboText": "Sem estilos", + "Common.UI.ExtendedColorDialog.addButtonText": "Adicionar", + "Common.UI.ExtendedColorDialog.textCurrent": "Atual", + "Common.UI.ExtendedColorDialog.textHexErr": "O valor inserido não está correto.
        Introduza um valor entre 000000 e FFFFFF.", + "Common.UI.ExtendedColorDialog.textNew": "Novo", + "Common.UI.ExtendedColorDialog.textRGBErr": "O valor inserido não está correto.
        Introduza um valor numérico entre 0 e 255.", + "Common.UI.HSBColorPicker.textNoColor": "Sem cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar palavra-passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar palavra-passe", + "Common.UI.SearchDialog.textHighlight": "Destacar resultados", + "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", + "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto de substituição", + "Common.UI.SearchDialog.textSearchStart": "Inserir seu texto aqui", + "Common.UI.SearchDialog.textTitle": "Localizar e substituir", + "Common.UI.SearchDialog.textTitle2": "Localizar", + "Common.UI.SearchDialog.textWholeWords": "Palavras inteiras apenas", + "Common.UI.SearchDialog.txtBtnHideReplace": "Ocultar Substituição", + "Common.UI.SearchDialog.txtBtnReplace": "Substituir", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Substituir tudo", + "Common.UI.SynchronizeTip.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.SynchronizeTip.textSynchronize": "O documento foi alterado por outro utilizador.
        Clique para guardar as suas alterações e recarregar o documento.", + "Common.UI.ThemeColorPalette.textStandartColors": "Cores padrão", + "Common.UI.ThemeColorPalette.textThemeColors": "Cores do tema", + "Common.UI.Themes.txtThemeClassicLight": "Clássico claro", + "Common.UI.Themes.txtThemeDark": "Escuro", + "Common.UI.Themes.txtThemeLight": "Claro", + "Common.UI.Window.cancelButtonText": "Cancelar", + "Common.UI.Window.closeButtonText": "Fechar", + "Common.UI.Window.noButtonText": "Não", + "Common.UI.Window.okButtonText": "OK", + "Common.UI.Window.textConfirmation": "Confirmação", + "Common.UI.Window.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.Window.textError": "Erro", + "Common.UI.Window.textInformation": "Informações", + "Common.UI.Window.textWarning": "Aviso", + "Common.UI.Window.yesButtonText": "Sim", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "Pt", + "Common.Views.About.txtAddress": "endereço:", + "Common.Views.About.txtLicensee": "LICENÇA", + "Common.Views.About.txtLicensor": "LICENCIANTE", + "Common.Views.About.txtMail": "e-mail:", + "Common.Views.About.txtPoweredBy": "Desenvolvido por", + "Common.Views.About.txtTel": "tel.: ", + "Common.Views.About.txtVersion": "Versão", + "Common.Views.AutoCorrectDialog.textAdd": "Adicionar", + "Common.Views.AutoCorrectDialog.textApplyText": "Aplicar ao escrever", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autocorreção de Texto", + "Common.Views.AutoCorrectDialog.textAutoFormat": "Formatação automática ao escrever", + "Common.Views.AutoCorrectDialog.textBulleted": "Lista automática com marcas", + "Common.Views.AutoCorrectDialog.textBy": "Por", + "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Adicionar parágrafo com espaçamento duplo", + "Common.Views.AutoCorrectDialog.textFLCells": "Maiúscula na primeira letra das células da tabela", + "Common.Views.AutoCorrectDialog.textFLSentence": "Capitalizar a primeira letra das frases", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e locais de rede com hiperligações", + "Common.Views.AutoCorrectDialog.textHyphens": "Hífens (--) com traço (-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": " Correção automática de matemática", + "Common.Views.AutoCorrectDialog.textNumbered": "Lista automática com números", + "Common.Views.AutoCorrectDialog.textQuotes": "\"Aspas retas\" com \"aspas inteligentes\"", + "Common.Views.AutoCorrectDialog.textRecognized": "Funções Reconhecidas", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "As seguintes expressões são expressões matemáticas reconhecidas. Não serão colocadas automaticamente em itálico.", + "Common.Views.AutoCorrectDialog.textReplace": "Substituir", + "Common.Views.AutoCorrectDialog.textReplaceText": "Substituir à medida que digita", + "Common.Views.AutoCorrectDialog.textReplaceType": "Substitua o texto à medida que digita", + "Common.Views.AutoCorrectDialog.textReset": "Repor", + "Common.Views.AutoCorrectDialog.textResetAll": "Repor predefinição", + "Common.Views.AutoCorrectDialog.textRestore": "Restaurar", + "Common.Views.AutoCorrectDialog.textTitle": "Correção automática", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "As funções reconhecidas devem conter apenas as letras de A a Z, maiúsculas ou minúsculas.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Qualquer expressão que tenha acrescentado será removida e as expressões removidas serão restauradas. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnReplace": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.AutoCorrectDialog.warnReset": "Qualquer correção automática que tenha adicionado será removida e as alterações serão restauradas aos seus valores originais. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnRestore": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.Chat.textSend": "Enviar", + "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z a A", + "Common.Views.Comments.mniDateAsc": "Mais antigo", + "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por Grupo", + "Common.Views.Comments.mniPositionAsc": "De cima", + "Common.Views.Comments.mniPositionDesc": "Do fundo", + "Common.Views.Comments.textAdd": "Adicionar", + "Common.Views.Comments.textAddComment": "Adicionar", + "Common.Views.Comments.textAddCommentToDoc": "Adicionar comentário ao documento", + "Common.Views.Comments.textAddReply": "Adicionar resposta", + "Common.Views.Comments.textAll": "Todos", + "Common.Views.Comments.textAnonym": "Visitante", + "Common.Views.Comments.textCancel": "Cancelar", + "Common.Views.Comments.textClose": "Fechar", + "Common.Views.Comments.textClosePanel": "Fechar comentários", + "Common.Views.Comments.textComments": "Comentários", + "Common.Views.Comments.textEdit": "Editar", + "Common.Views.Comments.textEnterCommentHint": "Inserir seu comentário aqui", + "Common.Views.Comments.textHintAddComment": "Adicionar comentário", + "Common.Views.Comments.textOpenAgain": "Abrir novamente", + "Common.Views.Comments.textReply": "Responder", + "Common.Views.Comments.textResolve": "Resolver", + "Common.Views.Comments.textResolved": "Resolvido", + "Common.Views.Comments.textSort": "Ordenar comentários", + "Common.Views.Comments.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente", + "Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar através dos botões da barra de ferramentas ou através do menu de contexto apenas serão executadas neste separador.

        Para copiar ou colar de outras aplicações deve utilizar estas teclas de atalho:", + "Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar", + "Common.Views.CopyWarningDialog.textToCopy": "para copiar", + "Common.Views.CopyWarningDialog.textToCut": "para cortar", + "Common.Views.CopyWarningDialog.textToPaste": "para Colar", + "Common.Views.DocumentAccessDialog.textLoading": "Carregando...", + "Common.Views.DocumentAccessDialog.textTitle": "Definições de partilha", + "Common.Views.ExternalDiagramEditor.textClose": "Fechar", + "Common.Views.ExternalDiagramEditor.textSave": "Salvar e Sair", + "Common.Views.ExternalDiagramEditor.textTitle": "Editor de gráfico", + "Common.Views.Header.labelCoUsersDescr": "Utilizadores a editar o ficheiro:", + "Common.Views.Header.textAddFavorite": "Marcar como favorito", + "Common.Views.Header.textAdvSettings": "Definições avançadas", + "Common.Views.Header.textBack": "Abrir localização", + "Common.Views.Header.textCompactView": "Ocultar barra de ferramentas", + "Common.Views.Header.textHideLines": "Ocultar réguas", + "Common.Views.Header.textHideNotes": "Ocultar Notas", + "Common.Views.Header.textHideStatusBar": "Ocultar barra de estado", + "Common.Views.Header.textRemoveFavorite": "Remover dos favoritos", + "Common.Views.Header.textSaveBegin": "Salvando...", + "Common.Views.Header.textSaveChanged": "Modificado", + "Common.Views.Header.textSaveEnd": "Todas as alterações foram salvas", + "Common.Views.Header.textSaveExpander": "Todas as alterações foram salvas", + "Common.Views.Header.textZoom": "Ampliação", + "Common.Views.Header.tipAccessRights": "Gerenciar direitos de acesso ao documento", + "Common.Views.Header.tipDownload": "Descarregar ficheiro", + "Common.Views.Header.tipGoEdit": "Editar ficheiro atual", + "Common.Views.Header.tipPrint": "Imprimir ficheiro", + "Common.Views.Header.tipRedo": "Refazer", + "Common.Views.Header.tipSave": "Guardar", + "Common.Views.Header.tipUndo": "Desfazer", + "Common.Views.Header.tipUndock": "Desacoplar em janela separada", + "Common.Views.Header.tipViewSettings": "Definições de visualização", + "Common.Views.Header.tipViewUsers": "Ver utilizadores e gerir direitos de acesso", + "Common.Views.Header.txtAccessRights": "Alterar direitos de acesso", + "Common.Views.Header.txtRename": "Renomear", + "Common.Views.History.textCloseHistory": "Fechar histórico", + "Common.Views.History.textHide": "Recolher", + "Common.Views.History.textHideAll": "Ocultar alterações detalhadas", + "Common.Views.History.textRestore": "Restaurar", + "Common.Views.History.textShow": "Expandir", + "Common.Views.History.textShowAll": "Mostrar alterações detalhadas", + "Common.Views.History.textVer": "ver.", + "Common.Views.ImageFromUrlDialog.textUrl": "Colar URL de uma imagem:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "Você precisa especificar números de linhas e colunas válidos.", + "Common.Views.InsertTableDialog.txtColumns": "Número de colunas", + "Common.Views.InsertTableDialog.txtMaxText": "O valor máximo para este campo é {0}.", + "Common.Views.InsertTableDialog.txtMinText": "O valor mínimo para este campo é {0}.", + "Common.Views.InsertTableDialog.txtRows": "Número de linhas", + "Common.Views.InsertTableDialog.txtTitle": "Tamanho da tabela", + "Common.Views.InsertTableDialog.txtTitleSplit": "Dividir célula", + "Common.Views.LanguageDialog.labelSelect": "Selecionar idioma do documento", + "Common.Views.ListSettingsDialog.textBulleted": "Com Marcas de Lista", + "Common.Views.ListSettingsDialog.textNumbering": "Numerado", + "Common.Views.ListSettingsDialog.tipChange": "Alterar lista", + "Common.Views.ListSettingsDialog.txtBullet": "Marcador", + "Common.Views.ListSettingsDialog.txtColor": "Cor", + "Common.Views.ListSettingsDialog.txtNewBullet": "Nova marca", + "Common.Views.ListSettingsDialog.txtNone": "Nenhum", + "Common.Views.ListSettingsDialog.txtOfText": "% do texto", + "Common.Views.ListSettingsDialog.txtSize": "Tamanho", + "Common.Views.ListSettingsDialog.txtStart": "Iniciar em", + "Common.Views.ListSettingsDialog.txtSymbol": "Símbolo", + "Common.Views.ListSettingsDialog.txtTitle": "Definições da lista", + "Common.Views.ListSettingsDialog.txtType": "Tipo", + "Common.Views.OpenDialog.closeButtonText": "Fechar ficheiro", + "Common.Views.OpenDialog.txtEncoding": "Codificação", + "Common.Views.OpenDialog.txtIncorrectPwd": "Palavra-passe inválida.", + "Common.Views.OpenDialog.txtOpenFile": "Introduza a palavra-passe para abrir o ficheiro", + "Common.Views.OpenDialog.txtPassword": "Palavra-passe", + "Common.Views.OpenDialog.txtProtected": "Assim que introduzir a palavra-passe e abrir o ficheiro, a palavra-passe atual será reposta.", + "Common.Views.OpenDialog.txtTitle": "Escolher opções %1", + "Common.Views.OpenDialog.txtTitleProtected": "Ficheiro protegido", + "Common.Views.PasswordDialog.txtDescription": "Defina uma palavra-passe para proteger este documento", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Disparidade nas palavras-passe introduzidas", + "Common.Views.PasswordDialog.txtPassword": "Palavra-passe", + "Common.Views.PasswordDialog.txtRepeat": "Repetição de palavra-passe", + "Common.Views.PasswordDialog.txtTitle": "Definir palavra-passe", + "Common.Views.PasswordDialog.txtWarning": "Aviso: Se perder ou esquecer a palavra-passe, não será possível recuperá-la. Guarde-a num local seguro.", + "Common.Views.PluginDlg.textLoading": "Carregamento", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "Carregamento", + "Common.Views.Plugins.textStart": "Iniciar", + "Common.Views.Plugins.textStop": "Parar", + "Common.Views.Protection.hintAddPwd": "Cifrar com palavra-passe", + "Common.Views.Protection.hintPwd": "Alterar ou eliminar palavra-passe", + "Common.Views.Protection.hintSignature": "Inserir assinatura digital ou linha de assinatura", + "Common.Views.Protection.txtAddPwd": "Adicionar palavra-passe", + "Common.Views.Protection.txtChangePwd": "Alterar palavra-passe", + "Common.Views.Protection.txtDeletePwd": "Eliminar palavra-passe", + "Common.Views.Protection.txtEncrypt": "Encriptar", + "Common.Views.Protection.txtInvisibleSignature": "Inserir assinatura digital", + "Common.Views.Protection.txtSignature": "Assinatura", + "Common.Views.Protection.txtSignatureLine": "Adicionar linha de assinatura", + "Common.Views.RenameDialog.textName": "Nome do ficheiro", + "Common.Views.RenameDialog.txtInvalidName": "O nome do ficheiro não pode ter qualquer um dos seguintes caracteres:", + "Common.Views.ReviewChanges.hintNext": "Para a próxima alteração", + "Common.Views.ReviewChanges.hintPrev": "Para a alteração anterior", + "Common.Views.ReviewChanges.strFast": "Rápido", + "Common.Views.ReviewChanges.strFastDesc": "Edição em tempo real. Todas as alterações foram guardadas.", + "Common.Views.ReviewChanges.strStrict": "Estrito", + "Common.Views.ReviewChanges.strStrictDesc": "Utilize o botão 'Guardar' para sincronizar as alterações efetuadas ao documento.", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Aceito estas mudanças", + "Common.Views.ReviewChanges.tipCoAuthMode": "Definir modo de coedição", + "Common.Views.ReviewChanges.tipCommentRem": "Remover comentários", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.tipCommentResolve": "Resolver comentários", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.tipHistory": "Mostrar histórico de versão", + "Common.Views.ReviewChanges.tipRejectCurrent": "Rejeitar alterações atuais", + "Common.Views.ReviewChanges.tipReview": "Rastrear alterações", + "Common.Views.ReviewChanges.tipReviewView": "Selecione o modo em que pretende que as alterações sejam apresentadas", + "Common.Views.ReviewChanges.tipSetDocLang": "Definir idioma do documento", + "Common.Views.ReviewChanges.tipSetSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.tipSharing": "Gerir direitos de acesso ao documento", + "Common.Views.ReviewChanges.txtAccept": "Aceito", + "Common.Views.ReviewChanges.txtAcceptAll": "Aceito todas mudanças", + "Common.Views.ReviewChanges.txtAcceptChanges": "Aceito mudanças", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Aceito a mudança", + "Common.Views.ReviewChanges.txtChat": "Conversa", + "Common.Views.ReviewChanges.txtClose": "Fechar", + "Common.Views.ReviewChanges.txtCoAuthMode": "Modo de co-edição", + "Common.Views.ReviewChanges.txtCommentRemAll": "Remover todos os comentários", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemMy": "Remover os meus comentários", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Remover os meus comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemove": "Remover", + "Common.Views.ReviewChanges.txtCommentResolve": "Resolver", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resolver todos os comentários", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resolver meus comentários", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resolver meus comentários atuais", + "Common.Views.ReviewChanges.txtDocLang": "Idioma", + "Common.Views.ReviewChanges.txtFinal": "Todas as alterações aceites (Pré-visualizar)", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Histórico da versão", + "Common.Views.ReviewChanges.txtMarkup": "Todas as alterações (Editar)", + "Common.Views.ReviewChanges.txtMarkupCap": "Marcação", + "Common.Views.ReviewChanges.txtNext": "Próximo", + "Common.Views.ReviewChanges.txtOriginal": "Todas as alterações recusadas (Pré-visualizar)", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", + "Common.Views.ReviewChanges.txtPrev": "Anterior", + "Common.Views.ReviewChanges.txtReject": "Rejeitar", + "Common.Views.ReviewChanges.txtRejectAll": "Rejeitar todas as alterações", + "Common.Views.ReviewChanges.txtRejectChanges": "Rejeitar alterações", + "Common.Views.ReviewChanges.txtRejectCurrent": "Rejeitar alteração atual", + "Common.Views.ReviewChanges.txtSharing": "Partilhar", + "Common.Views.ReviewChanges.txtSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.txtTurnon": "Rastrear alterações", + "Common.Views.ReviewChanges.txtView": "Modo de exibição", + "Common.Views.ReviewPopover.textAdd": "Adiciona", + "Common.Views.ReviewPopover.textAddReply": "Adicionar resposta", + "Common.Views.ReviewPopover.textCancel": "Cancelar", + "Common.Views.ReviewPopover.textClose": "Fechar", + "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textMention": "+mencionar dar-lhe-á acesso ao documento e enviar-lhe-á um e-mail", + "Common.Views.ReviewPopover.textMentionNotify": "+menção notifica o utilizador por e-mail", + "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", + "Common.Views.ReviewPopover.textReply": "Responder", + "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", + "Common.Views.ReviewPopover.txtEditTip": "Editar", + "Common.Views.SaveAsDlg.textLoading": "A carregar", + "Common.Views.SaveAsDlg.textTitle": "Pasta para guardar", + "Common.Views.SelectFileDlg.textLoading": "A carregar", + "Common.Views.SelectFileDlg.textTitle": "Selecionar fonte de dados", + "Common.Views.SignDialog.textBold": "Negrito", + "Common.Views.SignDialog.textCertificate": " Certificado", + "Common.Views.SignDialog.textChange": "Alterar", + "Common.Views.SignDialog.textInputName": "Inserir nome do assinante", + "Common.Views.SignDialog.textItalic": "Itálico", + "Common.Views.SignDialog.textNameError": "O nome do assinante não pode estar vazio", + "Common.Views.SignDialog.textPurpose": "Objetivo para assinar este documento", + "Common.Views.SignDialog.textSelect": "Selecionar", + "Common.Views.SignDialog.textSelectImage": "Selecionar imagem", + "Common.Views.SignDialog.textSignature": "A assinatura parece ser", + "Common.Views.SignDialog.textTitle": "Assinar o documento", + "Common.Views.SignDialog.textUseImage": "ou clique \"Selecionar imagem\" para a utilizar como assinatura", + "Common.Views.SignDialog.textValid": "Válida de %1 até %2", + "Common.Views.SignDialog.tipFontName": "Nome do tipo de letra", + "Common.Views.SignDialog.tipFontSize": "Tamanho do tipo de letra", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura", + "Common.Views.SignSettingsDialog.textInfo": "Informação sobre o Assinante", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", + "Common.Views.SignSettingsDialog.textInfoName": "Nome", + "Common.Views.SignSettingsDialog.textInfoTitle": "Título do Assinante", + "Common.Views.SignSettingsDialog.textInstructions": "Instruções para o Assinante", + "Common.Views.SignSettingsDialog.textShowDate": "Mostrar data na linha de assinatura", + "Common.Views.SignSettingsDialog.textTitle": "Definições de Assinatura", + "Common.Views.SignSettingsDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.SymbolTableDialog.textCharacter": "Carácter", + "Common.Views.SymbolTableDialog.textCode": "Valor Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Assinatura Copyright", + "Common.Views.SymbolTableDialog.textDCQuote": "Aspas Duplas de Fechamento", + "Common.Views.SymbolTableDialog.textDOQuote": "Aspas de abertura", + "Common.Views.SymbolTableDialog.textEllipsis": "Elipse horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Travessão", + "Common.Views.SymbolTableDialog.textEmSpace": "Espaço", + "Common.Views.SymbolTableDialog.textEnDash": "Travessão", + "Common.Views.SymbolTableDialog.textEnSpace": "Espaço", + "Common.Views.SymbolTableDialog.textFont": "Tipo de letra", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hífen inseparável", + "Common.Views.SymbolTableDialog.textNBSpace": "Espaço sem interrupção", + "Common.Views.SymbolTableDialog.textPilcrow": "Sinal de antígrafo", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 de espaço", + "Common.Views.SymbolTableDialog.textRange": "Intervalo", + "Common.Views.SymbolTableDialog.textRecent": "Símbolos usados recentemente", + "Common.Views.SymbolTableDialog.textRegistered": "Sinal Registado", + "Common.Views.SymbolTableDialog.textSCQuote": "Aspas de Fechamento", + "Common.Views.SymbolTableDialog.textSection": "Sinal de secção", + "Common.Views.SymbolTableDialog.textShortcut": "Tecla de atalho", + "Common.Views.SymbolTableDialog.textSHyphen": "Hífen virtual", + "Common.Views.SymbolTableDialog.textSOQuote": "Apóstrofo de abertura", + "Common.Views.SymbolTableDialog.textSpecial": "Caracteres especiais", + "Common.Views.SymbolTableDialog.textSymbols": "Símbolos", + "Common.Views.SymbolTableDialog.textTitle": "Símbolo", + "Common.Views.SymbolTableDialog.textTradeMark": "Símbolo de Marca Registada.", + "Common.Views.UserNameDialog.textDontShow": "Não perguntar novamente", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "Etiqueta não deve estar em branco.", + "PE.Controllers.LeftMenu.leavePageText": "Todas as alterações não guardadas serão perdidas.
        Clique em \"Cancelar\" e depois em \"Guardar\" para as guardar. Clique em \"Ok\" para descartar todas as alterações não guardadas.", + "PE.Controllers.LeftMenu.newDocumentTitle": "Apresentação sem nome", + "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Aviso", + "PE.Controllers.LeftMenu.requestEditRightsText": "Solicitando direitos de edição...", + "PE.Controllers.LeftMenu.textLoadHistory": "A carregar o histórico de versões...", + "PE.Controllers.LeftMenu.textNoTextFound": "Não foi possível localizar os dados procurados. Por favor ajuste as opções de pesquisa.", + "PE.Controllers.LeftMenu.textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "PE.Controllers.LeftMenu.textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "PE.Controllers.LeftMenu.txtUntitled": "Sem título", + "PE.Controllers.Main.applyChangesTextText": "Carregando dados...", + "PE.Controllers.Main.applyChangesTitleText": "Carregando dados", + "PE.Controllers.Main.convertationTimeoutText": "Excedeu o tempo limite de conversão.", + "PE.Controllers.Main.criticalErrorExtText": "Prima \"OK\" para voltar para a lista de documentos.", + "PE.Controllers.Main.criticalErrorTitle": "Erro", + "PE.Controllers.Main.downloadErrorText": "Download falhou.", + "PE.Controllers.Main.downloadTextText": "Baixando apresentação...", + "PE.Controllers.Main.downloadTitleText": "Baixando apresentação", + "PE.Controllers.Main.errorAccessDeny": "Você está tentando executar uma ação para a qual não tem direitos.
        Entre em contato com o administrador do Document Server.", + "PE.Controllers.Main.errorBadImageUrl": "URL inválido", + "PE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", + "PE.Controllers.Main.errorComboSeries": "Para criar um gráfico de combinação, selecione pelo menos duas séries de dados.", + "PE.Controllers.Main.errorConnectToServer": "Não foi possível guardar o documento. Verifique a sua ligação de rede ou contacte o administrador.
        Ao clicar em 'OK', surgirá uma caixa de diálogo para descarregar o documento.", + "PE.Controllers.Main.errorDatabaseConnection": "Erro externo.
        Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", + "PE.Controllers.Main.errorDataEncrypted": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "PE.Controllers.Main.errorDataRange": "Intervalo de dados inválido.", + "PE.Controllers.Main.errorDefaultMessage": "Código de erro: %1", + "PE.Controllers.Main.errorEditingDownloadas": "Ocorreu um erro ao trabalhar no documento.
        Utilize a opção 'Descarregar como...' para guardar uma cópia do ficheiro no seu computador.", + "PE.Controllers.Main.errorEditingSaveas": "Ocorreu um erro ao trabalhar no documento.
        Utilize a opção 'Guardar como...' para guardar uma cópia do ficheiro no seu computador.", + "PE.Controllers.Main.errorEmailClient": "Não foi possível encontrar nenhum cliente de e-mail.", + "PE.Controllers.Main.errorFilePassProtect": "O ficheiro está protegido por palavra-passe e não pode ser aberto.", + "PE.Controllers.Main.errorFileSizeExceed": "O tamanho do ficheiro excede o limite do servidor.
        Contacte o administrador do servidor de documentos para mais detalhes.", + "PE.Controllers.Main.errorForceSave": "Ocorreu um erro ao guardar o ficheiro. Utilize a opção 'Descarregar' para guardar o ficheiro no seu computador e tentar mais tarde.", + "PE.Controllers.Main.errorKeyEncrypt": "Descritor de chave desconhecido", + "PE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado", + "PE.Controllers.Main.errorLoadingFont": "Os tipos de letra não foram carregados.
        Contacte o administrador do servidor de documentos.", + "PE.Controllers.Main.errorProcessSaveResult": "Salvamento falhou.", + "PE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", + "PE.Controllers.Main.errorSessionAbsolute": "A sessão de edição expirou. Tente recarregar a página.", + "PE.Controllers.Main.errorSessionIdle": "Este documento não foi editado durante muito tempo. Tente recarregar a página.", + "PE.Controllers.Main.errorSessionToken": "A ligação ao servidor foi interrompida. Tente recarregar a página.", + "PE.Controllers.Main.errorSetPassword": "Não foi possível definir a palavra-passe.", + "PE.Controllers.Main.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
        preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "PE.Controllers.Main.errorToken": "O token de segurança do documento não foi formado corretamente.
        Entre em contato com o administrador do Document Server.", + "PE.Controllers.Main.errorTokenExpire": "O token de segurança do documento expirou.
        Entre em contato com o administrador do Document Server.", + "PE.Controllers.Main.errorUpdateVersion": "A versão do ficheiro foi alterada. A página será recarregada.", + "PE.Controllers.Main.errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro alterada.
        Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e recarregue a página.", + "PE.Controllers.Main.errorUserDrop": "De momento, não é possível aceder ao ficheiro.", + "PE.Controllers.Main.errorUsersExceed": "Excedeu o número máximo de utilizadores permitidos pelo seu plano", + "PE.Controllers.Main.errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas
        não o conseguirá descarregar até que a ligação seja restaurada e a página recarregada.", + "PE.Controllers.Main.leavePageText": "Este documento tem alterações não guardadas. Clique 'Ficar na página' para que o documento seja guardado automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.", + "PE.Controllers.Main.leavePageTextOnClose": "Todas as alterações não guardadas nesta apresentação serão perdidas.
        Clique em \"Cancelar\" e depois em \"Guardar\" para as guardar. Clique em \"OK\" para descartar todas as alterações não guardadas.", + "PE.Controllers.Main.loadFontsTextText": "Carregando dados...", + "PE.Controllers.Main.loadFontsTitleText": "Carregando dados", + "PE.Controllers.Main.loadFontTextText": "Carregando dados...", + "PE.Controllers.Main.loadFontTitleText": "Carregando dados", + "PE.Controllers.Main.loadImagesTextText": "A carregar imagens...", + "PE.Controllers.Main.loadImagesTitleText": "A carregar imagens", + "PE.Controllers.Main.loadImageTextText": "A carregar imagem...", + "PE.Controllers.Main.loadImageTitleText": "A carregar imagem", + "PE.Controllers.Main.loadingDocumentTextText": "Carregando apresentação...", + "PE.Controllers.Main.loadingDocumentTitleText": "Carregando apresentação", + "PE.Controllers.Main.loadThemeTextText": "Carregando temas...", + "PE.Controllers.Main.loadThemeTitleText": "Carregando tema", + "PE.Controllers.Main.notcriticalErrorTitle": "Aviso", + "PE.Controllers.Main.openErrorText": "Ocorreu um erro ao abrir o ficheiro.", + "PE.Controllers.Main.openTextText": "Abrindo apresentação...", + "PE.Controllers.Main.openTitleText": "Abrindo apresentação", + "PE.Controllers.Main.printTextText": "Imprimindo apresentação...", + "PE.Controllers.Main.printTitleText": "Imprimindo apresentação", + "PE.Controllers.Main.reloadButtonText": "Recarregar página", + "PE.Controllers.Main.requestEditFailedMessageText": "Alguém está editando esta apresentação neste momento. Tente novamente mais tarde.", + "PE.Controllers.Main.requestEditFailedTitleText": "Acesso negado", + "PE.Controllers.Main.saveErrorText": "Ocorreu um erro ao guardar o ficheiro.", + "PE.Controllers.Main.saveErrorTextDesktop": "Este ficheiro não pode ser guardado ou criado.
        Os motivos podem ser:
        1. O ficheiro é apenas de leitura.
        2. O ficheiro está a ser editado por outro utilizador.
        3. O disco está cheio ou danificado.", + "PE.Controllers.Main.saveTextText": "Salvando apresentação...", + "PE.Controllers.Main.saveTitleText": "Salvando apresentação", + "PE.Controllers.Main.scriptLoadError": "A ligação está muito lenta e alguns dos componentes não foram carregados. Tente recarregar a página.", + "PE.Controllers.Main.splitDividerErrorText": "O número de linhas deve ser um divisor de %1.", + "PE.Controllers.Main.splitMaxColsErrorText": "O número de colunas deve ser inferior a %1.", + "PE.Controllers.Main.splitMaxRowsErrorText": "O número de linhas deve ser inferior a %1.", + "PE.Controllers.Main.textAnonymous": "Anônimo", + "PE.Controllers.Main.textApplyAll": "Aplicar a todas as equações", + "PE.Controllers.Main.textBuyNow": "Visitar site", + "PE.Controllers.Main.textChangesSaved": "Todas as alterações foram salvas", + "PE.Controllers.Main.textClose": "Fechar", + "PE.Controllers.Main.textCloseTip": "Clique para fechar a dica", + "PE.Controllers.Main.textContactUs": "Contacte a equipa comercial", + "PE.Controllers.Main.textConvertEquation": "Esta equação foi criada com uma versão anterior da aplicação e já não é suportada. Para a editar, tem que converter a equação para o formato Office Math ML.
        Converter agora?", + "PE.Controllers.Main.textCustomLoader": "Tenha em conta de que, de acordo com os termos da licença, não tem permissões para alterar o carregador.
        Por favor contacte a equipa comercial.", + "PE.Controllers.Main.textDisconnect": "A ligação está perdida", + "PE.Controllers.Main.textGuest": "Convidado(a)", + "PE.Controllers.Main.textHasMacros": "O ficheiro contém macros automáticas.
        Deseja executar as macros?", + "PE.Controllers.Main.textLearnMore": "Saiba mais", + "PE.Controllers.Main.textLoadingDocument": "Carregando apresentação", + "PE.Controllers.Main.textLongName": "Insira um nome com menos de 128 caracteres.", + "PE.Controllers.Main.textNoLicenseTitle": "Atingiu o limite da licença", + "PE.Controllers.Main.textPaidFeature": "Funcionalidade paga", + "PE.Controllers.Main.textReconnect": "A ligação foi reposta", + "PE.Controllers.Main.textRemember": "Memorizar a minha escolha", + "PE.Controllers.Main.textRenameError": "O nome de utilizador não pode estar em branco.", + "PE.Controllers.Main.textRenameLabel": "Insira um nome a ser usado para colaboração", + "PE.Controllers.Main.textShape": "Forma", + "PE.Controllers.Main.textStrict": "Modo estrito", + "PE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer foram desativadas para se poder co-editar o documento.
        Clique no botão 'Modo estrito' para ativar este modo de edição e editar o ficheiro sem ser incomodado por outros utilizadores enviando apenas as suas alterações assim que terminar e guardar. Pode alternar entre modos de co-edição através das definições avançadas.", + "PE.Controllers.Main.textTryUndoRedoWarn": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "PE.Controllers.Main.titleLicenseExp": "Licença expirada", + "PE.Controllers.Main.titleServerVersion": "Editor atualizado", + "PE.Controllers.Main.txtAddFirstSlide": "Clique para adicionar o primeiro diapositivo", + "PE.Controllers.Main.txtAddNotes": "Clique para adicionar notas", + "PE.Controllers.Main.txtArt": "Your text here", + "PE.Controllers.Main.txtBasicShapes": "Formas básicas", + "PE.Controllers.Main.txtButtons": "Botões", + "PE.Controllers.Main.txtCallouts": "Chamadas", + "PE.Controllers.Main.txtCharts": "Gráficos", + "PE.Controllers.Main.txtClipArt": "Clip Art", + "PE.Controllers.Main.txtDateTime": "Data e Hora", + "PE.Controllers.Main.txtDiagram": "SmartArt", + "PE.Controllers.Main.txtDiagramTitle": "Título do diagrama", + "PE.Controllers.Main.txtEditingMode": "Definir modo de edição...", + "PE.Controllers.Main.txtErrorLoadHistory": "Falha ao carregar histórico", + "PE.Controllers.Main.txtFiguredArrows": "Setas figuradas", + "PE.Controllers.Main.txtFooter": "Rodapé", + "PE.Controllers.Main.txtHeader": "Cabeçalho", + "PE.Controllers.Main.txtImage": "Imagem", + "PE.Controllers.Main.txtLines": "Linhas", + "PE.Controllers.Main.txtLoading": "Carregando...", + "PE.Controllers.Main.txtMath": "Matemática", + "PE.Controllers.Main.txtMedia": "Multimédia", + "PE.Controllers.Main.txtNeedSynchronize": "Você tem atualizações", + "PE.Controllers.Main.txtNone": "Nenhum", + "PE.Controllers.Main.txtPicture": "Imagem", + "PE.Controllers.Main.txtRectangles": "Retângulos", + "PE.Controllers.Main.txtSeries": "Série", + "PE.Controllers.Main.txtShape_accentBorderCallout1": "Chamada da linha 1 (borda e barra de destaque)", + "PE.Controllers.Main.txtShape_accentBorderCallout2": "Chamada da linha 2 (borda e barra de destaque)", + "PE.Controllers.Main.txtShape_accentBorderCallout3": "Texto explicativo da linha 3 (borda e barra de destaque)", + "PE.Controllers.Main.txtShape_accentCallout1": "Chamada da linha 1 (barra de destaque)", + "PE.Controllers.Main.txtShape_accentCallout2": "Chamada da linha 2 (barra de destaque)", + "PE.Controllers.Main.txtShape_accentCallout3": "Texto explicativo da linha 3 (barra de destaque)", + "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Botão Recuar ou Anterior", + "PE.Controllers.Main.txtShape_actionButtonBeginning": "Botão Início", + "PE.Controllers.Main.txtShape_actionButtonBlank": "Botão vazio", + "PE.Controllers.Main.txtShape_actionButtonDocument": "Botão Documento", + "PE.Controllers.Main.txtShape_actionButtonEnd": "Botão Final", + "PE.Controllers.Main.txtShape_actionButtonForwardNext": "Botões Recuar e/ou Avançar", + "PE.Controllers.Main.txtShape_actionButtonHelp": "Botão Ajuda", + "PE.Controllers.Main.txtShape_actionButtonHome": "Botão Base", + "PE.Controllers.Main.txtShape_actionButtonInformation": "Botão Informação", + "PE.Controllers.Main.txtShape_actionButtonMovie": "Botão Filme", + "PE.Controllers.Main.txtShape_actionButtonReturn": "Botão de Voltar", + "PE.Controllers.Main.txtShape_actionButtonSound": "Botão Som", + "PE.Controllers.Main.txtShape_arc": "Arco", + "PE.Controllers.Main.txtShape_bentArrow": "Seta curvada", + "PE.Controllers.Main.txtShape_bentConnector5": "Conector angular", + "PE.Controllers.Main.txtShape_bentConnector5WithArrow": "Conector de seta angular", + "PE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Conector de seta dupla angulada", + "PE.Controllers.Main.txtShape_bentUpArrow": "Seta para cima dobrada", + "PE.Controllers.Main.txtShape_bevel": "Bisel", + "PE.Controllers.Main.txtShape_blockArc": "Arco de bloco", + "PE.Controllers.Main.txtShape_borderCallout1": "Chamada da linha 1", + "PE.Controllers.Main.txtShape_borderCallout2": "Chamada da linha 2", + "PE.Controllers.Main.txtShape_borderCallout3": "Chamada da linha 3", + "PE.Controllers.Main.txtShape_bracePair": "Chaveta dupla", + "PE.Controllers.Main.txtShape_callout1": "Chamada da linha 1 (sem borda)", + "PE.Controllers.Main.txtShape_callout2": "Chamada da linha 2 (sem borda)", + "PE.Controllers.Main.txtShape_callout3": "Texto explicativo da linha 3 (sem borda)", + "PE.Controllers.Main.txtShape_can": "Pode", + "PE.Controllers.Main.txtShape_chevron": "Divisa", + "PE.Controllers.Main.txtShape_chord": "Acorde", + "PE.Controllers.Main.txtShape_circularArrow": "Seta circular", + "PE.Controllers.Main.txtShape_cloud": "Nuvem", + "PE.Controllers.Main.txtShape_cloudCallout": "Texto explicativo na nuvem", + "PE.Controllers.Main.txtShape_corner": "Canto", + "PE.Controllers.Main.txtShape_cube": "Cubo", + "PE.Controllers.Main.txtShape_curvedConnector3": "Conector curvado", + "PE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Conector de seta curvada", + "PE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Conector de seta dupla curvado", + "PE.Controllers.Main.txtShape_curvedDownArrow": "Seta curvada para baixo", + "PE.Controllers.Main.txtShape_curvedLeftArrow": "Seta curvada para a esquerda", + "PE.Controllers.Main.txtShape_curvedRightArrow": "Seta curvava para a direita", + "PE.Controllers.Main.txtShape_curvedUpArrow": "Seta curvada para cima", + "PE.Controllers.Main.txtShape_decagon": "Decágono", + "PE.Controllers.Main.txtShape_diagStripe": "Faixa diagonal", + "PE.Controllers.Main.txtShape_diamond": "Diamante", + "PE.Controllers.Main.txtShape_dodecagon": "Dodecágono", + "PE.Controllers.Main.txtShape_donut": "Donut", + "PE.Controllers.Main.txtShape_doubleWave": "Ondulado Duplo", + "PE.Controllers.Main.txtShape_downArrow": "Seta para baixo", + "PE.Controllers.Main.txtShape_downArrowCallout": "Chamada com seta para baixo", + "PE.Controllers.Main.txtShape_ellipse": "Elipse", + "PE.Controllers.Main.txtShape_ellipseRibbon": "Faixa curvada para baixo", + "PE.Controllers.Main.txtShape_ellipseRibbon2": "Faixa curvada para cima", + "PE.Controllers.Main.txtShape_flowChartAlternateProcess": "Fluxograma: Processo alternativo", + "PE.Controllers.Main.txtShape_flowChartCollate": "Fluxograma: Agrupar", + "PE.Controllers.Main.txtShape_flowChartConnector": "Fluxograma: Conector", + "PE.Controllers.Main.txtShape_flowChartDecision": "Fluxograma: Decisão", + "PE.Controllers.Main.txtShape_flowChartDelay": "Fluxograma: Atraso", + "PE.Controllers.Main.txtShape_flowChartDisplay": "Fluxograma: Exibir", + "PE.Controllers.Main.txtShape_flowChartDocument": "Fluxograma: Documento", + "PE.Controllers.Main.txtShape_flowChartExtract": "Fluxograma: Extrair", + "PE.Controllers.Main.txtShape_flowChartInputOutput": "Fluxograma: Dados", + "PE.Controllers.Main.txtShape_flowChartInternalStorage": "Fluxograma: Armazenamento interno", + "PE.Controllers.Main.txtShape_flowChartMagneticDisk": "Fluxograma: Disco magnético", + "PE.Controllers.Main.txtShape_flowChartMagneticDrum": "Fluxograma: Armazenamento de acesso direto", + "PE.Controllers.Main.txtShape_flowChartMagneticTape": "Fluxograma: Armazenamento de acesso sequencial", + "PE.Controllers.Main.txtShape_flowChartManualInput": "Fluxograma: Entrada manual", + "PE.Controllers.Main.txtShape_flowChartManualOperation": "Fluxograma: Operação manual", + "PE.Controllers.Main.txtShape_flowChartMerge": "Fluxograma: Unir", + "PE.Controllers.Main.txtShape_flowChartMultidocument": "Fluxograma: Vários documentos", + "PE.Controllers.Main.txtShape_flowChartOffpageConnector": "Fluxograma: Conector fora da página", + "PE.Controllers.Main.txtShape_flowChartOnlineStorage": "Fluxograma: Dados armazenados", + "PE.Controllers.Main.txtShape_flowChartOr": "Fluxograma: Ou", + "PE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Fluxograma: Processo predefinido", + "PE.Controllers.Main.txtShape_flowChartPreparation": "Fluxograma: Preparação", + "PE.Controllers.Main.txtShape_flowChartProcess": "Fluxograma: Processo", + "PE.Controllers.Main.txtShape_flowChartPunchedCard": "Fluxograma: Cartão", + "PE.Controllers.Main.txtShape_flowChartPunchedTape": "Fluxograma: Fita perfurada", + "PE.Controllers.Main.txtShape_flowChartSort": "Fluxograma: Ordenar", + "PE.Controllers.Main.txtShape_flowChartSummingJunction": "Fluxograma: Junção de Soma", + "PE.Controllers.Main.txtShape_flowChartTerminator": "Fluxograma: Terminator", + "PE.Controllers.Main.txtShape_foldedCorner": "Canto dobrado", + "PE.Controllers.Main.txtShape_frame": "Moldura", + "PE.Controllers.Main.txtShape_halfFrame": "Meia moldura", + "PE.Controllers.Main.txtShape_heart": "Coração", + "PE.Controllers.Main.txtShape_heptagon": "Heptágono", + "PE.Controllers.Main.txtShape_hexagon": "Hexágono", + "PE.Controllers.Main.txtShape_homePlate": "Pentágono", + "PE.Controllers.Main.txtShape_horizontalScroll": "Deslocação horizontal", + "PE.Controllers.Main.txtShape_irregularSeal1": "Explosão 1", + "PE.Controllers.Main.txtShape_irregularSeal2": "Explosão 2", + "PE.Controllers.Main.txtShape_leftArrow": "Seta para a esquerda", + "PE.Controllers.Main.txtShape_leftArrowCallout": "Chamada com seta para a esquerda", + "PE.Controllers.Main.txtShape_leftBrace": "Chaveta esquerda", + "PE.Controllers.Main.txtShape_leftBracket": "Parêntese esquerdo", + "PE.Controllers.Main.txtShape_leftRightArrow": "Seta para a esquerda e para a direita", + "PE.Controllers.Main.txtShape_leftRightArrowCallout": "Chamada com seta para a esquerda e direita", + "PE.Controllers.Main.txtShape_leftRightUpArrow": "Seta para cima, para a direita e para a esquerda", + "PE.Controllers.Main.txtShape_leftUpArrow": "Seta para a esquerda e para cima", + "PE.Controllers.Main.txtShape_lightningBolt": "Relâmpago", + "PE.Controllers.Main.txtShape_line": "Linha", + "PE.Controllers.Main.txtShape_lineWithArrow": "Seta", + "PE.Controllers.Main.txtShape_lineWithTwoArrows": "Seta dupla", + "PE.Controllers.Main.txtShape_mathDivide": "Divisão", + "PE.Controllers.Main.txtShape_mathEqual": "Igual", + "PE.Controllers.Main.txtShape_mathMinus": "Menos", + "PE.Controllers.Main.txtShape_mathMultiply": "Multiplicar", + "PE.Controllers.Main.txtShape_mathNotEqual": "Não é igual", + "PE.Controllers.Main.txtShape_mathPlus": "Mais", + "PE.Controllers.Main.txtShape_moon": "Lua", + "PE.Controllers.Main.txtShape_noSmoking": "Símbolo \"Não\"", + "PE.Controllers.Main.txtShape_notchedRightArrow": "Seta entalhada para a direita", + "PE.Controllers.Main.txtShape_octagon": "Octógono", + "PE.Controllers.Main.txtShape_parallelogram": "Paralelograma", + "PE.Controllers.Main.txtShape_pentagon": "Pentágono", + "PE.Controllers.Main.txtShape_pie": "Tarte", + "PE.Controllers.Main.txtShape_plaque": "Assinar", + "PE.Controllers.Main.txtShape_plus": "Mais", + "PE.Controllers.Main.txtShape_polyline1": "Rabisco", + "PE.Controllers.Main.txtShape_polyline2": "Forma livre", + "PE.Controllers.Main.txtShape_quadArrow": "Seta cruzada", + "PE.Controllers.Main.txtShape_quadArrowCallout": "Chamada com seta cruzada", + "PE.Controllers.Main.txtShape_rect": "Retângulo", + "PE.Controllers.Main.txtShape_ribbon": "Faixa para baixo", + "PE.Controllers.Main.txtShape_ribbon2": "Faixa para cima", + "PE.Controllers.Main.txtShape_rightArrow": "Seta para a direita", + "PE.Controllers.Main.txtShape_rightArrowCallout": "Chamada com seta para a direita", + "PE.Controllers.Main.txtShape_rightBrace": "Chaveta à Direita", + "PE.Controllers.Main.txtShape_rightBracket": "Parêntese direito", + "PE.Controllers.Main.txtShape_round1Rect": "Retângulo de Apenas Um Canto Redondo", + "PE.Controllers.Main.txtShape_round2DiagRect": "Retângulo Diagonal Redondo", + "PE.Controllers.Main.txtShape_round2SameRect": "Retângulo do Mesmo Lado Redondo", + "PE.Controllers.Main.txtShape_roundRect": "Retângulo de Cantos Redondos", + "PE.Controllers.Main.txtShape_rtTriangle": "Triângulo à Direita", + "PE.Controllers.Main.txtShape_smileyFace": "Sorriso", + "PE.Controllers.Main.txtShape_snip1Rect": "Retângulo de Canto Cortado", + "PE.Controllers.Main.txtShape_snip2DiagRect": "Retângulo de Cantos Diagonais Cortados", + "PE.Controllers.Main.txtShape_snip2SameRect": "Retângulo de Cantos Cortados No Mesmo Lado", + "PE.Controllers.Main.txtShape_snipRoundRect": "Retângulo Com Canto Arredondado e Canto Cortado", + "PE.Controllers.Main.txtShape_spline": "Curva", + "PE.Controllers.Main.txtShape_star10": "Estrela de 10 pontos", + "PE.Controllers.Main.txtShape_star12": "Estrela de 12 pontos", + "PE.Controllers.Main.txtShape_star16": "Estrela de 16 pontos", + "PE.Controllers.Main.txtShape_star24": "Estrela de 24 pontos", + "PE.Controllers.Main.txtShape_star32": "Estrela de 32 pontos", + "PE.Controllers.Main.txtShape_star4": "Estrela de 4 pontos", + "PE.Controllers.Main.txtShape_star5": "Estrela de 5 pontos", + "PE.Controllers.Main.txtShape_star6": "Estrela de 6 pontos", + "PE.Controllers.Main.txtShape_star7": "Estrela de 7 pontos", + "PE.Controllers.Main.txtShape_star8": "Estrela de 8 pontos", + "PE.Controllers.Main.txtShape_stripedRightArrow": "Seta riscada para a direita", + "PE.Controllers.Main.txtShape_sun": "Sol", + "PE.Controllers.Main.txtShape_teardrop": "Lágrima", + "PE.Controllers.Main.txtShape_textRect": "Caixa de texto", + "PE.Controllers.Main.txtShape_trapezoid": "Trapézio", + "PE.Controllers.Main.txtShape_triangle": "Triângulo", + "PE.Controllers.Main.txtShape_upArrow": "Seta para cima", + "PE.Controllers.Main.txtShape_upArrowCallout": "Chamada com seta para cima", + "PE.Controllers.Main.txtShape_upDownArrow": "Seta para cima e para baixo", + "PE.Controllers.Main.txtShape_uturnArrow": "Seta em forma de U", + "PE.Controllers.Main.txtShape_verticalScroll": "Deslocação vertical", + "PE.Controllers.Main.txtShape_wave": "Onda", + "PE.Controllers.Main.txtShape_wedgeEllipseCallout": "Texto explicativo oval", + "PE.Controllers.Main.txtShape_wedgeRectCallout": "Texto explicativo retangular", + "PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Chamada retangular arredondada", + "PE.Controllers.Main.txtSldLtTBlank": "Branco", + "PE.Controllers.Main.txtSldLtTChart": "Gráfico", + "PE.Controllers.Main.txtSldLtTChartAndTx": "Gráfico e Texto", + "PE.Controllers.Main.txtSldLtTClipArtAndTx": "Clip Art e Texto", + "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "Clip Art e Texto vertical", + "PE.Controllers.Main.txtSldLtTCust": "Personalizar", + "PE.Controllers.Main.txtSldLtTDgm": "Diagrama", + "PE.Controllers.Main.txtSldLtTFourObj": "Quatro objetos", + "PE.Controllers.Main.txtSldLtTMediaAndTx": "Multimédia e texto", + "PE.Controllers.Main.txtSldLtTObj": "Título e Objeto", + "PE.Controllers.Main.txtSldLtTObjAndTwoObj": "Objeto e Dois objetos", + "PE.Controllers.Main.txtSldLtTObjAndTx": "Objeto e Texto", + "PE.Controllers.Main.txtSldLtTObjOnly": "Objeto", + "PE.Controllers.Main.txtSldLtTObjOverTx": "Objeto sobre o texto", + "PE.Controllers.Main.txtSldLtTObjTx": "Título, objeto e legenda", + "PE.Controllers.Main.txtSldLtTPicTx": "Imagem e Legenda", + "PE.Controllers.Main.txtSldLtTSecHead": "Cabeçalho da seção", + "PE.Controllers.Main.txtSldLtTTbl": "Tabela", + "PE.Controllers.Main.txtSldLtTTitle": "Titulo", + "PE.Controllers.Main.txtSldLtTTitleOnly": "Apenas título", + "PE.Controllers.Main.txtSldLtTTwoColTx": "Texto em duas colulas", + "PE.Controllers.Main.txtSldLtTTwoObj": "Dois objetos", + "PE.Controllers.Main.txtSldLtTTwoObjAndObj": "Dois objetos e Objeto", + "PE.Controllers.Main.txtSldLtTTwoObjAndTx": "Dois objetos e Texto", + "PE.Controllers.Main.txtSldLtTTwoObjOverTx": "Dois objetos sobre Texto", + "PE.Controllers.Main.txtSldLtTTwoTxTwoObj": "Dois textos e Dois objetos", + "PE.Controllers.Main.txtSldLtTTx": "Тexto", + "PE.Controllers.Main.txtSldLtTTxAndChart": "Texto e Gráfico", + "PE.Controllers.Main.txtSldLtTTxAndClipArt": "Texto e Clip Art", + "PE.Controllers.Main.txtSldLtTTxAndMedia": "Texto e multimédia", + "PE.Controllers.Main.txtSldLtTTxAndObj": "Texto e Objeto", + "PE.Controllers.Main.txtSldLtTTxAndTwoObj": "Texto e Dois objetos", + "PE.Controllers.Main.txtSldLtTTxOverObj": "Texto sobre Objeto", + "PE.Controllers.Main.txtSldLtTVertTitleAndTx": "Título vertical e Texto", + "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "Título vertical e Texto sobre gráfico", + "PE.Controllers.Main.txtSldLtTVertTx": "Texto vertical", + "PE.Controllers.Main.txtSlideNumber": "Número do diapositivo", + "PE.Controllers.Main.txtSlideSubtitle": "Legenda do diapositivo", + "PE.Controllers.Main.txtSlideText": "Texto do diapositivo", + "PE.Controllers.Main.txtSlideTitle": "Título do diapositivo", + "PE.Controllers.Main.txtStarsRibbons": "Estrelas e Faixas", + "PE.Controllers.Main.txtTheme_basic": "Básico", + "PE.Controllers.Main.txtTheme_blank": "Branco", + "PE.Controllers.Main.txtTheme_classic": "Clássico", + "PE.Controllers.Main.txtTheme_corner": "Canto", + "PE.Controllers.Main.txtTheme_dotted": "Pontilhado", + "PE.Controllers.Main.txtTheme_green": "Verde", + "PE.Controllers.Main.txtTheme_green_leaf": "Folha verde", + "PE.Controllers.Main.txtTheme_lines": "Linhas", + "PE.Controllers.Main.txtTheme_office": "Office", + "PE.Controllers.Main.txtTheme_office_theme": "Tema do office", + "PE.Controllers.Main.txtTheme_official": "Oficial", + "PE.Controllers.Main.txtTheme_pixel": "Píxel", + "PE.Controllers.Main.txtTheme_safari": "Safari", + "PE.Controllers.Main.txtTheme_turtle": "Tartaruga", + "PE.Controllers.Main.txtXAxis": "Eixo X", + "PE.Controllers.Main.txtYAxis": "Eixo Y", + "PE.Controllers.Main.unknownErrorText": "Erro desconhecido.", + "PE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", + "PE.Controllers.Main.uploadImageExtMessage": "Formato desconhecido.", + "PE.Controllers.Main.uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "PE.Controllers.Main.uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB.", + "PE.Controllers.Main.uploadImageTextText": "A enviar imagem...", + "PE.Controllers.Main.uploadImageTitleText": "A enviar imagem", + "PE.Controllers.Main.waitText": "Aguarde...", + "PE.Controllers.Main.warnBrowserIE9": "A aplicação não funciona corretamente com IE9. Deve utilizar IE10 ou superior", + "PE.Controllers.Main.warnBrowserZoom": "A definição 'zoom' do seu navegador não é totalmente suportada. Prima Ctrl+0 para repor o valor padrão.", + "PE.Controllers.Main.warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
        Contacte o administrador para obter mais detalhes.", + "PE.Controllers.Main.warnLicenseExp": "A sua licença expirou.
        Deve atualizar a licença e recarregar a página.", + "PE.Controllers.Main.warnLicenseLimitedNoAccess": "Licença expirada.
        Não pode editar o documento.
        Por favor contacte o administrador de sistemas.", + "PE.Controllers.Main.warnLicenseLimitedRenewed": "Tem que renovar a sua licença.
        A edição de documentos está limitada.
        Contacte o administrador de sistemas para obter acesso completo.", + "PE.Controllers.Main.warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "PE.Controllers.Main.warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
        Contacte a equipa comercial %1 para saber mais sobre os termos de licenciamento.", + "PE.Controllers.Main.warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "PE.Controllers.Main.warnProcessRightsChange": "Você não tem permissões para editar o ficheiro.", + "PE.Controllers.Statusbar.textDisconnect": "Sem Ligação
        A tentar ligar. Por favor, verifique as definições de ligação.", + "PE.Controllers.Statusbar.zoomText": "Zoom {0}%", + "PE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
        The text style will be displayed using one of the device fonts, the saved font will be used when it is available.
        Do you want to continue?", + "PE.Controllers.Toolbar.textAccent": "Destaques", + "PE.Controllers.Toolbar.textBracket": "Parênteses", + "PE.Controllers.Toolbar.textEmptyImgUrl": "Tem que especificar o URL da imagem.", + "PE.Controllers.Toolbar.textFontSizeErr": "O valor inserido não está correto.
        Introduza um valor numérico entre 1 e 300.", + "PE.Controllers.Toolbar.textFraction": "Frações", + "PE.Controllers.Toolbar.textFunction": "Funções", + "PE.Controllers.Toolbar.textInsert": "Inserir", + "PE.Controllers.Toolbar.textIntegral": "Inteiros", + "PE.Controllers.Toolbar.textLargeOperator": "Grandes operadores", + "PE.Controllers.Toolbar.textLimitAndLog": "Limites e logaritmos", + "PE.Controllers.Toolbar.textMatrix": "Matrizes", + "PE.Controllers.Toolbar.textOperator": "Operadores", + "PE.Controllers.Toolbar.textRadical": "Radicais", + "PE.Controllers.Toolbar.textScript": "Scripts", + "PE.Controllers.Toolbar.textSymbols": "Símbolos", + "PE.Controllers.Toolbar.textWarning": "Aviso", + "PE.Controllers.Toolbar.txtAccent_Accent": "Agudo", + "PE.Controllers.Toolbar.txtAccent_ArrowD": "Seta para direita-esquerda acima", + "PE.Controllers.Toolbar.txtAccent_ArrowL": "Seta adiante para cima", + "PE.Controllers.Toolbar.txtAccent_ArrowR": "Seta para direita acima", + "PE.Controllers.Toolbar.txtAccent_Bar": "Barra", + "PE.Controllers.Toolbar.txtAccent_BarBot": "Barra inferior", + "PE.Controllers.Toolbar.txtAccent_BarTop": "Barra superior", + "PE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula embalada (com Placeholder)", + "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula embalada(Exemplo)", + "PE.Controllers.Toolbar.txtAccent_Check": "Verificar", + "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Chave Inferior", + "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Chave Superior", + "PE.Controllers.Toolbar.txtAccent_Custom_1": "Vetor A", + "PE.Controllers.Toolbar.txtAccent_Custom_2": "Barra superior com ABC", + "PE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y com barra superior", + "PE.Controllers.Toolbar.txtAccent_DDDot": "Ponto triplo", + "PE.Controllers.Toolbar.txtAccent_DDot": "Ponto duplo", + "PE.Controllers.Toolbar.txtAccent_Dot": "Ponto", + "PE.Controllers.Toolbar.txtAccent_DoubleBar": "Barra superior dupla", + "PE.Controllers.Toolbar.txtAccent_Grave": "Grave", + "PE.Controllers.Toolbar.txtAccent_GroupBot": "Agrupamento de caracteres abaixo", + "PE.Controllers.Toolbar.txtAccent_GroupTop": "Agrupamento de caracteres acima", + "PE.Controllers.Toolbar.txtAccent_HarpoonL": "Arpão adiante para cima", + "PE.Controllers.Toolbar.txtAccent_HarpoonR": "Arpão para direita acima", + "PE.Controllers.Toolbar.txtAccent_Hat": "Acento circunflexo", + "PE.Controllers.Toolbar.txtAccent_Smile": "Breve", + "PE.Controllers.Toolbar.txtAccent_Tilde": "Til", + "PE.Controllers.Toolbar.txtBracket_Angle": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Parênteses com separadores", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Parênteses com separadores", + "PE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Curve": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Parênteses com separadores", + "PE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Custom_1": "Casos (Duas Condições)", + "PE.Controllers.Toolbar.txtBracket_Custom_2": "Casos (Três Condições)", + "PE.Controllers.Toolbar.txtBracket_Custom_3": "Objeto Empilhado", + "PE.Controllers.Toolbar.txtBracket_Custom_4": "Objeto Empilhado", + "PE.Controllers.Toolbar.txtBracket_Custom_5": "Exemplo de casos", + "PE.Controllers.Toolbar.txtBracket_Custom_6": "Coeficiente binominal", + "PE.Controllers.Toolbar.txtBracket_Custom_7": "Coeficiente binominal", + "PE.Controllers.Toolbar.txtBracket_Line": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_LineDouble": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_LowLim": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Round": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Parênteses com separadores", + "PE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Square": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_SquareDouble": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_UppLim": "Parênteses", + "PE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Colchete Simples", + "PE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Colchete Simples", + "PE.Controllers.Toolbar.txtFractionDiagonal": "Fração inclinada", + "PE.Controllers.Toolbar.txtFractionDifferential_1": "Diferencial", + "PE.Controllers.Toolbar.txtFractionDifferential_2": "Diferencial", + "PE.Controllers.Toolbar.txtFractionDifferential_3": "Diferencial", + "PE.Controllers.Toolbar.txtFractionDifferential_4": "Diferencial", + "PE.Controllers.Toolbar.txtFractionHorizontal": "Fração linear", + "PE.Controllers.Toolbar.txtFractionPi_2": "Pi sobre 2", + "PE.Controllers.Toolbar.txtFractionSmall": "Fração pequena", + "PE.Controllers.Toolbar.txtFractionVertical": "Fração Empilhada", + "PE.Controllers.Toolbar.txtFunction_1_Cos": "Função cosseno inverso", + "PE.Controllers.Toolbar.txtFunction_1_Cosh": "Função cosseno inverso hiperbólico", + "PE.Controllers.Toolbar.txtFunction_1_Cot": "Função cotangente inversa", + "PE.Controllers.Toolbar.txtFunction_1_Coth": "Função cotangente inversa hiperbólica", + "PE.Controllers.Toolbar.txtFunction_1_Csc": "Função cossecante inversa", + "PE.Controllers.Toolbar.txtFunction_1_Csch": "Função cossecante inversa hiperbólica", + "PE.Controllers.Toolbar.txtFunction_1_Sec": "Função secante inversa", + "PE.Controllers.Toolbar.txtFunction_1_Sech": "Função secante inversa hiperbólica", + "PE.Controllers.Toolbar.txtFunction_1_Sin": "Função seno inverso", + "PE.Controllers.Toolbar.txtFunction_1_Sinh": "Função seno inverso hiperbólico", + "PE.Controllers.Toolbar.txtFunction_1_Tan": "Função tangente inversa", + "PE.Controllers.Toolbar.txtFunction_1_Tanh": "Função tangente inversa hiperbólica", + "PE.Controllers.Toolbar.txtFunction_Cos": "Função cosseno", + "PE.Controllers.Toolbar.txtFunction_Cosh": "Função cosseno hiperbólico", + "PE.Controllers.Toolbar.txtFunction_Cot": "Função cotangente", + "PE.Controllers.Toolbar.txtFunction_Coth": "Função cotangente hiperbólica", + "PE.Controllers.Toolbar.txtFunction_Csc": "Função cossecante", + "PE.Controllers.Toolbar.txtFunction_Csch": "Função co-secante hiperbólica", + "PE.Controllers.Toolbar.txtFunction_Custom_1": "Teta seno", + "PE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "PE.Controllers.Toolbar.txtFunction_Custom_3": "Fórmula da tangente", + "PE.Controllers.Toolbar.txtFunction_Sec": "Função secante", + "PE.Controllers.Toolbar.txtFunction_Sech": "Função secante hiperbólica", + "PE.Controllers.Toolbar.txtFunction_Sin": "Função de seno", + "PE.Controllers.Toolbar.txtFunction_Sinh": "Função seno hiperbólico", + "PE.Controllers.Toolbar.txtFunction_Tan": "Função da tangente", + "PE.Controllers.Toolbar.txtFunction_Tanh": "Função tangente hiperbólica", + "PE.Controllers.Toolbar.txtIntegral": "Inteiro", + "PE.Controllers.Toolbar.txtIntegral_dtheta": "Teta diferencial", + "PE.Controllers.Toolbar.txtIntegral_dx": "Diferencial x", + "PE.Controllers.Toolbar.txtIntegral_dy": "Diferencial y", + "PE.Controllers.Toolbar.txtIntegralCenterSubSup": "Inteiro", + "PE.Controllers.Toolbar.txtIntegralDouble": "Inteiro duplo", + "PE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Inteiro duplo", + "PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Inteiro duplo", + "PE.Controllers.Toolbar.txtIntegralOriented": "Contorno integral", + "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contorno integral", + "PE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integral de Superfície", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integral de Superfície", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integral de Superfície", + "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contorno integral", + "PE.Controllers.Toolbar.txtIntegralOrientedTriple": "Integral de Volume", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Integral de Volume", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Integral de Volume", + "PE.Controllers.Toolbar.txtIntegralSubSup": "Inteiro", + "PE.Controllers.Toolbar.txtIntegralTriple": "Inteiro triplo", + "PE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Inteiro triplo", + "PE.Controllers.Toolbar.txtIntegralTripleSubSup": "Inteiro triplo", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Triangular", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Triangular", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Triangular", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Triangular", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Triangular", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coproduto", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coproduto", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coproduto", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coproduto", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coproduto", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_5": "União", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection": "Interseção", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Interseção", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Interseção", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Interseção", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Interseção", + "PE.Controllers.Toolbar.txtLargeOperator_Prod": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produto", + "PE.Controllers.Toolbar.txtLargeOperator_Sum": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Somatório", + "PE.Controllers.Toolbar.txtLargeOperator_Union": "União", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "União", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "União", + "PE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "União", + "PE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "União", + "PE.Controllers.Toolbar.txtLimitLog_Custom_1": "Exemplo limite", + "PE.Controllers.Toolbar.txtLimitLog_Custom_2": "Exemplo máximo", + "PE.Controllers.Toolbar.txtLimitLog_Lim": "Limite", + "PE.Controllers.Toolbar.txtLimitLog_Ln": "Logaritmo natural", + "PE.Controllers.Toolbar.txtLimitLog_Log": "Logaritmo", + "PE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritmo", + "PE.Controllers.Toolbar.txtLimitLog_Max": "Máximo", + "PE.Controllers.Toolbar.txtLimitLog_Min": "Mínimo", + "PE.Controllers.Toolbar.txtMatrix_1_2": "Matriz Vazia 1x2", + "PE.Controllers.Toolbar.txtMatrix_1_3": "Matriz Vazia 1x3", + "PE.Controllers.Toolbar.txtMatrix_2_1": "Matriz Vazia 2x1", + "PE.Controllers.Toolbar.txtMatrix_2_2": "Matriz Vazia 2x2", + "PE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriz vazia com parênteses", + "PE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriz vazia com parênteses", + "PE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriz vazia com parênteses", + "PE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriz vazia com parênteses", + "PE.Controllers.Toolbar.txtMatrix_2_3": "Matriz Vazia 2x3", + "PE.Controllers.Toolbar.txtMatrix_3_1": "Matriz Vazia 3x1", + "PE.Controllers.Toolbar.txtMatrix_3_2": "Matriz Vazia 3x2", + "PE.Controllers.Toolbar.txtMatrix_3_3": "Matriz Vazia 3x3", + "PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Pontos de linha de base", + "PE.Controllers.Toolbar.txtMatrix_Dots_Center": "Pontos de linha média", + "PE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Pontos diagonais", + "PE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Pontos verticais", + "PE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriz dispersa", + "PE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriz dispersa", + "PE.Controllers.Toolbar.txtMatrix_Identity_2": "Matriz da identidade 2x2", + "PE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriz da identidade 3x3", + "PE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriz da identidade 3x3", + "PE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriz da identidade 3x3", + "PE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Seta para direita esquerda abaixo", + "PE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Seta para direita-esquerda acima", + "PE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Seta adiante para baixo", + "PE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Seta adiante para cima", + "PE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Seta para direita abaixo", + "PE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Seta para direita acima", + "PE.Controllers.Toolbar.txtOperator_ColonEquals": "Dois-pontos-Sinal de Igual", + "PE.Controllers.Toolbar.txtOperator_Custom_1": "Resultados", + "PE.Controllers.Toolbar.txtOperator_Custom_2": "Resultados de Delta", + "PE.Controllers.Toolbar.txtOperator_Definition": "Igual a por definição", + "PE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta igual a", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Seta para direita esquerda abaixo", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Seta para direita-esquerda acima", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Seta adiante para baixo", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Seta adiante para cima", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Seta para direita abaixo", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Seta para direita acima", + "PE.Controllers.Toolbar.txtOperator_EqualsEquals": "Sinal de Igual-Sinal de Igual", + "PE.Controllers.Toolbar.txtOperator_MinusEquals": "Sinal de Menos-Sinal de Igual", + "PE.Controllers.Toolbar.txtOperator_PlusEquals": "Sinal de Mais-Sinal de Igual", + "PE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Medido por", + "PE.Controllers.Toolbar.txtRadicalCustom_1": "Radical", + "PE.Controllers.Toolbar.txtRadicalCustom_2": "Radical", + "PE.Controllers.Toolbar.txtRadicalRoot_2": "Raiz quadrada com grau", + "PE.Controllers.Toolbar.txtRadicalRoot_3": "Raiz cúbica", + "PE.Controllers.Toolbar.txtRadicalRoot_n": "Radical com grau", + "PE.Controllers.Toolbar.txtRadicalSqrt": "Raiz quadrada", + "PE.Controllers.Toolbar.txtScriptCustom_1": "Script", + "PE.Controllers.Toolbar.txtScriptCustom_2": "Script", + "PE.Controllers.Toolbar.txtScriptCustom_3": "Script", + "PE.Controllers.Toolbar.txtScriptCustom_4": "Script", + "PE.Controllers.Toolbar.txtScriptSub": "Subscrito", + "PE.Controllers.Toolbar.txtScriptSubSup": "Subscrito-Sobrescrito", + "PE.Controllers.Toolbar.txtScriptSubSupLeft": "Subscrito-Sobrescrito Esquerdo", + "PE.Controllers.Toolbar.txtScriptSup": "Sobrescrito", + "PE.Controllers.Toolbar.txtSymbol_about": "Aproximadamente", + "PE.Controllers.Toolbar.txtSymbol_additional": "Complemento", + "PE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "PE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", + "PE.Controllers.Toolbar.txtSymbol_approx": "Quase igual a", + "PE.Controllers.Toolbar.txtSymbol_ast": "Operador de asterisco", + "PE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "PE.Controllers.Toolbar.txtSymbol_beth": "Aposta", + "PE.Controllers.Toolbar.txtSymbol_bullet": "Operador de marcador", + "PE.Controllers.Toolbar.txtSymbol_cap": "Interseção", + "PE.Controllers.Toolbar.txtSymbol_cbrt": "Raiz cúbica", + "PE.Controllers.Toolbar.txtSymbol_cdots": "Reticências horizontais de linha média", + "PE.Controllers.Toolbar.txtSymbol_celsius": "Graus Celsius", + "PE.Controllers.Toolbar.txtSymbol_chi": "Ki", + "PE.Controllers.Toolbar.txtSymbol_cong": "Aproximadamente igual a", + "PE.Controllers.Toolbar.txtSymbol_cup": "União", + "PE.Controllers.Toolbar.txtSymbol_ddots": "Reticências diagonal para baixo à direita", + "PE.Controllers.Toolbar.txtSymbol_degree": "Graus", + "PE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "PE.Controllers.Toolbar.txtSymbol_div": "Sinal de divisão", + "PE.Controllers.Toolbar.txtSymbol_downarrow": "Seta para baixo", + "PE.Controllers.Toolbar.txtSymbol_emptyset": "Conjunto vazio", + "PE.Controllers.Toolbar.txtSymbol_epsilon": "Epsílon", + "PE.Controllers.Toolbar.txtSymbol_equals": "Igual", + "PE.Controllers.Toolbar.txtSymbol_equiv": "Idêntico a", + "PE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "PE.Controllers.Toolbar.txtSymbol_exists": "Existe", + "PE.Controllers.Toolbar.txtSymbol_factorial": "Fatorial", + "PE.Controllers.Toolbar.txtSymbol_fahrenheit": "Graus Fahrenheit", + "PE.Controllers.Toolbar.txtSymbol_forall": "Para todos", + "PE.Controllers.Toolbar.txtSymbol_gamma": "Gama", + "PE.Controllers.Toolbar.txtSymbol_geq": "Superior a ou igual a", + "PE.Controllers.Toolbar.txtSymbol_gg": "Muito superior a", + "PE.Controllers.Toolbar.txtSymbol_greater": "Superior a", + "PE.Controllers.Toolbar.txtSymbol_in": "Elemento de", + "PE.Controllers.Toolbar.txtSymbol_inc": "Incremento", + "PE.Controllers.Toolbar.txtSymbol_infinity": "Infinidade", + "PE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "PE.Controllers.Toolbar.txtSymbol_kappa": "Capa", + "PE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", + "PE.Controllers.Toolbar.txtSymbol_leftarrow": "Seta para esquerda", + "PE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Seta esquerda-direita", + "PE.Controllers.Toolbar.txtSymbol_leq": "Inferior a ou igual a", + "PE.Controllers.Toolbar.txtSymbol_less": "Inferior a", + "PE.Controllers.Toolbar.txtSymbol_ll": "Muito inferior a", + "PE.Controllers.Toolbar.txtSymbol_minus": "Menos", + "PE.Controllers.Toolbar.txtSymbol_mp": "Sinal de Menos-Sinal de Mais", + "PE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "PE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "PE.Controllers.Toolbar.txtSymbol_neq": "Não igual a", + "PE.Controllers.Toolbar.txtSymbol_ni": "Contém como membro", + "PE.Controllers.Toolbar.txtSymbol_not": "Não entrar", + "PE.Controllers.Toolbar.txtSymbol_notexists": "Não existe", + "PE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "PE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "PE.Controllers.Toolbar.txtSymbol_omega": "Ômega", + "PE.Controllers.Toolbar.txtSymbol_partial": "Diferencial parcial", + "PE.Controllers.Toolbar.txtSymbol_percent": "Porcentagem", + "PE.Controllers.Toolbar.txtSymbol_phi": "Fi", + "PE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "PE.Controllers.Toolbar.txtSymbol_plus": "Mais", + "PE.Controllers.Toolbar.txtSymbol_pm": "Sinal de Menos-Sinal de Igual", + "PE.Controllers.Toolbar.txtSymbol_propto": "Proporcional a", + "PE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "PE.Controllers.Toolbar.txtSymbol_qdrt": "Raiz quadrada", + "PE.Controllers.Toolbar.txtSymbol_qed": "Fim da prova", + "PE.Controllers.Toolbar.txtSymbol_rddots": "Reticências diagonal direitas para cima", + "PE.Controllers.Toolbar.txtSymbol_rho": "Rô", + "PE.Controllers.Toolbar.txtSymbol_rightarrow": "Seta para direita", + "PE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "PE.Controllers.Toolbar.txtSymbol_sqrt": "Sinal de Radical", + "PE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "PE.Controllers.Toolbar.txtSymbol_therefore": "Portanto", + "PE.Controllers.Toolbar.txtSymbol_theta": "Teta", + "PE.Controllers.Toolbar.txtSymbol_times": "Sinal de multiplicação", + "PE.Controllers.Toolbar.txtSymbol_uparrow": "Seta para cima", + "PE.Controllers.Toolbar.txtSymbol_upsilon": "Ípsilon", + "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Variante de Epsílon", + "PE.Controllers.Toolbar.txtSymbol_varphi": "Variante de fi", + "PE.Controllers.Toolbar.txtSymbol_varpi": "Variante de Pi", + "PE.Controllers.Toolbar.txtSymbol_varrho": "Variante de Rô", + "PE.Controllers.Toolbar.txtSymbol_varsigma": "Variante de Sigma", + "PE.Controllers.Toolbar.txtSymbol_vartheta": "Variante de Teta", + "PE.Controllers.Toolbar.txtSymbol_vdots": "Reticências verticais", + "PE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "PE.Controllers.Viewport.textFitPage": "Ajustar ao diapositivo", + "PE.Controllers.Viewport.textFitWidth": "Ajustar à Largura", + "PE.Views.Animation.str0_5": "0.5 s (Muito Rápida)", + "PE.Views.Animation.str1": "1 s (Rápida)", + "PE.Views.Animation.str2": "2 s (Médio)", + "PE.Views.Animation.str20": "20 s (Extremamente Lenta)", + "PE.Views.Animation.str3": "3 s (Lenta)", + "PE.Views.Animation.str5": "5 s (Muito Lenta)", + "PE.Views.Animation.strDelay": "Atraso", + "PE.Views.Animation.strDuration": "Duração", + "PE.Views.Animation.strRepeat": "Repetir", + "PE.Views.Animation.strRewind": "Recuar", + "PE.Views.Animation.strStart": "Iniciar", + "PE.Views.Animation.strTrigger": "Acionador", + "PE.Views.Animation.textMoreEffects": "Mostrar Mais Efeitos", + "PE.Views.Animation.textMoveEarlier": "Mover mais cedo", + "PE.Views.Animation.textMoveLater": "Mover mais tarde", + "PE.Views.Animation.textMultiple": "Múltiplo", + "PE.Views.Animation.textNone": "Nenhum", + "PE.Views.Animation.textNoRepeat": "(nenhum)", + "PE.Views.Animation.textOnClickOf": "Ao clicar em", + "PE.Views.Animation.textOnClickSequence": "Sequência ao Clicar", + "PE.Views.Animation.textStartAfterPrevious": "Depois da Anterior", + "PE.Views.Animation.textStartOnClick": "Ao clicar", + "PE.Views.Animation.textStartWithPrevious": "Com o anterior", + "PE.Views.Animation.textUntilEndOfSlide": "Até ao Fim do Diapositivo", + "PE.Views.Animation.textUntilNextClick": "Até ao Próximo Clique", + "PE.Views.Animation.txtAddEffect": "Adicionar animação", + "PE.Views.Animation.txtAnimationPane": "Painel da Animação", + "PE.Views.Animation.txtParameters": "Parâmetros", + "PE.Views.Animation.txtPreview": "Pré-visualizar", + "PE.Views.Animation.txtSec": "s", + "PE.Views.AnimationDialog.textPreviewEffect": "Pré-visualizar Efeito", + "PE.Views.AnimationDialog.textTitle": "Mais Efeitos", + "PE.Views.ChartSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico", + "PE.Views.ChartSettings.textEditData": "Editar dados", + "PE.Views.ChartSettings.textHeight": "Altura", + "PE.Views.ChartSettings.textKeepRatio": "Proporções constantes", + "PE.Views.ChartSettings.textSize": "Tamanho", + "PE.Views.ChartSettings.textStyle": "Estilo", + "PE.Views.ChartSettings.textWidth": "Largura", + "PE.Views.ChartSettingsAdvanced.textAlt": "Texto Alternativo", + "PE.Views.ChartSettingsAdvanced.textAltDescription": "Descrição", + "PE.Views.ChartSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "PE.Views.ChartSettingsAdvanced.textAltTitle": "Título", + "PE.Views.ChartSettingsAdvanced.textTitle": "Gráfico - Definições avançadas", + "PE.Views.DateTimeDialog.confirmDefault": "Definir formato predefinido para {0}: \"{1}\"", + "PE.Views.DateTimeDialog.textDefault": "Definir como predefinido", + "PE.Views.DateTimeDialog.textFormat": "Formatos", + "PE.Views.DateTimeDialog.textLang": "Idioma", + "PE.Views.DateTimeDialog.textUpdate": "Atualizar automaticamente", + "PE.Views.DateTimeDialog.txtTitle": "Data e Hora", + "PE.Views.DocumentHolder.aboveText": "Acima", + "PE.Views.DocumentHolder.addCommentText": "Adicionar comentário", + "PE.Views.DocumentHolder.addToLayoutText": "Adicionar à disposição", + "PE.Views.DocumentHolder.advancedImageText": "Definições avançadas de imagem", + "PE.Views.DocumentHolder.advancedParagraphText": "Configurações avançadas de parágrafo", + "PE.Views.DocumentHolder.advancedShapeText": "Definições avançadas de forma", + "PE.Views.DocumentHolder.advancedTableText": "Definições avançadas de tabela", + "PE.Views.DocumentHolder.alignmentText": "Alinhamento", + "PE.Views.DocumentHolder.belowText": "Abaixo", + "PE.Views.DocumentHolder.cellAlignText": "Alinhamento vertical da célula", + "PE.Views.DocumentHolder.cellText": "Célula", + "PE.Views.DocumentHolder.centerText": "Centro", + "PE.Views.DocumentHolder.columnText": "Coluna", + "PE.Views.DocumentHolder.deleteColumnText": "Excluir coluna", + "PE.Views.DocumentHolder.deleteRowText": "Excluir linha", + "PE.Views.DocumentHolder.deleteTableText": "Eliminar tabela", + "PE.Views.DocumentHolder.deleteText": "Excluir", + "PE.Views.DocumentHolder.direct270Text": "Rodar texto para cima", + "PE.Views.DocumentHolder.direct90Text": "Rotate at 90°", + "PE.Views.DocumentHolder.directHText": "Horizontal", + "PE.Views.DocumentHolder.directionText": "Text Direction", + "PE.Views.DocumentHolder.editChartText": "Editar dados", + "PE.Views.DocumentHolder.editHyperlinkText": "Editar hiperligação", + "PE.Views.DocumentHolder.hyperlinkText": "Hiperligação", + "PE.Views.DocumentHolder.ignoreAllSpellText": "Ignorar tudo", + "PE.Views.DocumentHolder.ignoreSpellText": "Ignorar", + "PE.Views.DocumentHolder.insertColumnLeftText": "Coluna esquerda", + "PE.Views.DocumentHolder.insertColumnRightText": "Coluna direita", + "PE.Views.DocumentHolder.insertColumnText": "Inserir coluna", + "PE.Views.DocumentHolder.insertRowAboveText": "Linha acima", + "PE.Views.DocumentHolder.insertRowBelowText": "Linha abaixo", + "PE.Views.DocumentHolder.insertRowText": "Inserir linha", + "PE.Views.DocumentHolder.insertText": "Inserir", + "PE.Views.DocumentHolder.langText": "Selecionar idioma", + "PE.Views.DocumentHolder.leftText": "Esquerda", + "PE.Views.DocumentHolder.loadSpellText": "Carregando variantes...", + "PE.Views.DocumentHolder.mergeCellsText": "Unir células", + "PE.Views.DocumentHolder.mniCustomTable": "Inserir tabela personalizada", + "PE.Views.DocumentHolder.moreText": "Mais variantes...", + "PE.Views.DocumentHolder.noSpellVariantsText": "Sem varientes", + "PE.Views.DocumentHolder.originalSizeText": "Tamanho real", + "PE.Views.DocumentHolder.removeHyperlinkText": "Remover hiperligação", + "PE.Views.DocumentHolder.rightText": "Direita", + "PE.Views.DocumentHolder.rowText": "Linha", + "PE.Views.DocumentHolder.selectText": "Selecionar", + "PE.Views.DocumentHolder.spellcheckText": "Verificação ortográfica", + "PE.Views.DocumentHolder.splitCellsText": "Dividir célula...", + "PE.Views.DocumentHolder.splitCellTitleText": "Dividir célula", + "PE.Views.DocumentHolder.tableText": "Tabela", + "PE.Views.DocumentHolder.textArrangeBack": "Enviar para plano de fundo", + "PE.Views.DocumentHolder.textArrangeBackward": "Enviar para trás", + "PE.Views.DocumentHolder.textArrangeForward": "Trazer para frente", + "PE.Views.DocumentHolder.textArrangeFront": "Trazer para primeiro plano", + "PE.Views.DocumentHolder.textCopy": "Copiar", + "PE.Views.DocumentHolder.textCrop": "Cortar", + "PE.Views.DocumentHolder.textCropFill": "Preencher", + "PE.Views.DocumentHolder.textCropFit": "Ajustar", + "PE.Views.DocumentHolder.textCut": "Cortar", + "PE.Views.DocumentHolder.textDistributeCols": "Distribuir colunas", + "PE.Views.DocumentHolder.textDistributeRows": "Distribuir linhas", + "PE.Views.DocumentHolder.textEditPoints": "Editar Pontos", + "PE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", + "PE.Views.DocumentHolder.textFlipV": "Virar verticalmente", + "PE.Views.DocumentHolder.textFromFile": "De um ficheiro", + "PE.Views.DocumentHolder.textFromStorage": "De um armazenamento", + "PE.Views.DocumentHolder.textFromUrl": "De um URL", + "PE.Views.DocumentHolder.textNextPage": "Diapositivo seguinte", + "PE.Views.DocumentHolder.textPaste": "Colar", + "PE.Views.DocumentHolder.textPrevPage": "Diapositivo anterior", + "PE.Views.DocumentHolder.textReplace": "Substituir imagem", + "PE.Views.DocumentHolder.textRotate": "Rodar", + "PE.Views.DocumentHolder.textRotate270": "Rodar 90º à esquerda", + "PE.Views.DocumentHolder.textRotate90": "Rodar 90º à direita", + "PE.Views.DocumentHolder.textShapeAlignBottom": "Alinhar à parte inferior", + "PE.Views.DocumentHolder.textShapeAlignCenter": "Alinhar ao centro", + "PE.Views.DocumentHolder.textShapeAlignLeft": "Alinhar à esquerda", + "PE.Views.DocumentHolder.textShapeAlignMiddle": "Alinhar ao meio", + "PE.Views.DocumentHolder.textShapeAlignRight": "Alinhar à direita", + "PE.Views.DocumentHolder.textShapeAlignTop": "Alinhar à parte superior", + "PE.Views.DocumentHolder.textSlideSettings": "Definições de diapositivo", + "PE.Views.DocumentHolder.textUndo": "Desfazer", + "PE.Views.DocumentHolder.tipIsLocked": "Este elemento está a ser editado por outro utilizador.", + "PE.Views.DocumentHolder.toDictionaryText": "Incluir no Dicionário", + "PE.Views.DocumentHolder.txtAddBottom": "Adicionar borda inferior", + "PE.Views.DocumentHolder.txtAddFractionBar": "Adicionar barra de fração", + "PE.Views.DocumentHolder.txtAddHor": "Adicionar linha horizontal", + "PE.Views.DocumentHolder.txtAddLB": "Adicionar linha inferior esquerda", + "PE.Views.DocumentHolder.txtAddLeft": "Adicionar borda esquerda", + "PE.Views.DocumentHolder.txtAddLT": "Adicionar linha superior esquerda", + "PE.Views.DocumentHolder.txtAddRight": "Adicionar borda direita", + "PE.Views.DocumentHolder.txtAddTop": "Adicionar borda superior", + "PE.Views.DocumentHolder.txtAddVer": "Adicionar linha vertical", + "PE.Views.DocumentHolder.txtAlign": "Alinhar", + "PE.Views.DocumentHolder.txtAlignToChar": "Alinhar ao caractere", + "PE.Views.DocumentHolder.txtArrange": "Dispor", + "PE.Views.DocumentHolder.txtBackground": "Plano de fundo", + "PE.Views.DocumentHolder.txtBorderProps": "Propriedades de borda", + "PE.Views.DocumentHolder.txtBottom": "Inferior", + "PE.Views.DocumentHolder.txtChangeLayout": "Alterar disposição", + "PE.Views.DocumentHolder.txtChangeTheme": "Alterar tema", + "PE.Views.DocumentHolder.txtColumnAlign": "Alinhamento de colunas", + "PE.Views.DocumentHolder.txtDecreaseArg": "Diminuir tamanho do argumento", + "PE.Views.DocumentHolder.txtDeleteArg": "Excluir argumento", + "PE.Views.DocumentHolder.txtDeleteBreak": "Excluir quebra manual", + "PE.Views.DocumentHolder.txtDeleteChars": "Excluir caracteres anexos ", + "PE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "Excluir separadores e caracteres anexos", + "PE.Views.DocumentHolder.txtDeleteEq": "Excluir equação", + "PE.Views.DocumentHolder.txtDeleteGroupChar": "Excluir caractere", + "PE.Views.DocumentHolder.txtDeleteRadical": "Excluir radical", + "PE.Views.DocumentHolder.txtDeleteSlide": "Eliminar diapositivo", + "PE.Views.DocumentHolder.txtDistribHor": "Distribuir horizontalmente", + "PE.Views.DocumentHolder.txtDistribVert": "Distribuir verticalmente", + "PE.Views.DocumentHolder.txtDuplicateSlide": "Duplicar diapositivo", + "PE.Views.DocumentHolder.txtFractionLinear": "Alterar para fração linear", + "PE.Views.DocumentHolder.txtFractionSkewed": "Alterar para fração inclinada", + "PE.Views.DocumentHolder.txtFractionStacked": "Alterar para fração empilhada", + "PE.Views.DocumentHolder.txtGroup": "Grupo", + "PE.Views.DocumentHolder.txtGroupCharOver": "Caractere sobre texto", + "PE.Views.DocumentHolder.txtGroupCharUnder": "Caractere sob texto", + "PE.Views.DocumentHolder.txtHideBottom": "Ocultar borda inferior", + "PE.Views.DocumentHolder.txtHideBottomLimit": "Ocultar limite inferior", + "PE.Views.DocumentHolder.txtHideCloseBracket": "Ocultar colchete de fechamento", + "PE.Views.DocumentHolder.txtHideDegree": "Ocultar grau", + "PE.Views.DocumentHolder.txtHideHor": "Ocultar linha horizontal", + "PE.Views.DocumentHolder.txtHideLB": "Ocultar linha inferior esquerda", + "PE.Views.DocumentHolder.txtHideLeft": "Ocultar borda esquerda", + "PE.Views.DocumentHolder.txtHideLT": "Ocultar linha superior esquerda", + "PE.Views.DocumentHolder.txtHideOpenBracket": "Ocultar colchete de abertura", + "PE.Views.DocumentHolder.txtHidePlaceholder": "Ocultar espaço reservado", + "PE.Views.DocumentHolder.txtHideRight": "Ocultar borda direita", + "PE.Views.DocumentHolder.txtHideTop": "Ocultar borda superior", + "PE.Views.DocumentHolder.txtHideTopLimit": "Ocultar limite superior", + "PE.Views.DocumentHolder.txtHideVer": "Ocultar linha vertical", + "PE.Views.DocumentHolder.txtIncreaseArg": "Aumentar tamanho do argumento", + "PE.Views.DocumentHolder.txtInsertArgAfter": "Inserir argumento após", + "PE.Views.DocumentHolder.txtInsertArgBefore": "Inserir argumento antes", + "PE.Views.DocumentHolder.txtInsertBreak": "Inserir quebra manual", + "PE.Views.DocumentHolder.txtInsertEqAfter": "Inserir equação a seguir", + "PE.Views.DocumentHolder.txtInsertEqBefore": "Inserir equação à frente", + "PE.Views.DocumentHolder.txtKeepTextOnly": "Manter apenas texto", + "PE.Views.DocumentHolder.txtLimitChange": "Alterar localização de limites", + "PE.Views.DocumentHolder.txtLimitOver": "Limite sobre o texto", + "PE.Views.DocumentHolder.txtLimitUnder": "Limite sob o texto", + "PE.Views.DocumentHolder.txtMatchBrackets": "Combinar parênteses com a altura do argumento", + "PE.Views.DocumentHolder.txtMatrixAlign": "Alinhamento de matriz", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Mover Diapositivo para o Fim", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Mover Diapositivo para o Início", + "PE.Views.DocumentHolder.txtNewSlide": "Novo diapositivo", + "PE.Views.DocumentHolder.txtOverbar": "Barra sobre texto", + "PE.Views.DocumentHolder.txtPasteDestFormat": "Utilizar tema de destino", + "PE.Views.DocumentHolder.txtPastePicture": "Imagem", + "PE.Views.DocumentHolder.txtPasteSourceFormat": "Manter formatação original", + "PE.Views.DocumentHolder.txtPressLink": "Prima Ctrl e clique na ligação", + "PE.Views.DocumentHolder.txtPreview": "Iniciar apresentação", + "PE.Views.DocumentHolder.txtPrintSelection": "Imprimir seleção", + "PE.Views.DocumentHolder.txtRemFractionBar": "Remover barra de fração", + "PE.Views.DocumentHolder.txtRemLimit": "Remover limite", + "PE.Views.DocumentHolder.txtRemoveAccentChar": "Remover caractere destacado", + "PE.Views.DocumentHolder.txtRemoveBar": "Remover barra", + "PE.Views.DocumentHolder.txtRemScripts": "Remover scripts", + "PE.Views.DocumentHolder.txtRemSubscript": "Remover subscrito", + "PE.Views.DocumentHolder.txtRemSuperscript": "Remover sobrescrito", + "PE.Views.DocumentHolder.txtResetLayout": "Repor diapositivo", + "PE.Views.DocumentHolder.txtScriptsAfter": "Scripts após o texto", + "PE.Views.DocumentHolder.txtScriptsBefore": "Scripts antes do texto", + "PE.Views.DocumentHolder.txtSelectAll": "Selecionar tudo", + "PE.Views.DocumentHolder.txtShowBottomLimit": "Mostrar limite inferior", + "PE.Views.DocumentHolder.txtShowCloseBracket": "Mostrar colchetes de fechamento", + "PE.Views.DocumentHolder.txtShowDegree": "Exibir grau", + "PE.Views.DocumentHolder.txtShowOpenBracket": "Exibir colchetes de abertura", + "PE.Views.DocumentHolder.txtShowPlaceholder": "Exibir espaço reservado", + "PE.Views.DocumentHolder.txtShowTopLimit": "Exibir limite superior", + "PE.Views.DocumentHolder.txtSlide": "Diapositivo", + "PE.Views.DocumentHolder.txtSlideHide": "Ocultar diapositivo", + "PE.Views.DocumentHolder.txtStretchBrackets": "Esticar colchetes", + "PE.Views.DocumentHolder.txtTop": "Parte superior", + "PE.Views.DocumentHolder.txtUnderbar": "Barra abaixo de texto", + "PE.Views.DocumentHolder.txtUngroup": "Desagrupar", + "PE.Views.DocumentHolder.txtWarnUrl": "Clicar nesta ligação pode ser prejudicial ao seu dispositivo e dados.
        Deseja continuar?", + "PE.Views.DocumentHolder.vertAlignText": "Alinhamento vertical", + "PE.Views.DocumentPreview.goToSlideText": "Ir para o diapositivo", + "PE.Views.DocumentPreview.slideIndexText": "Diapositivo {0} de {1}", + "PE.Views.DocumentPreview.txtClose": "Fechar apresentação", + "PE.Views.DocumentPreview.txtEndSlideshow": "Terminar apresentação", + "PE.Views.DocumentPreview.txtExitFullScreen": "Exit Full Screen", + "PE.Views.DocumentPreview.txtFinalMessage": "Pré-visualização terminada. Clique para sair.", + "PE.Views.DocumentPreview.txtFullScreen": "Full Screen", + "PE.Views.DocumentPreview.txtNext": "Diapositivo seguinte", + "PE.Views.DocumentPreview.txtPageNumInvalid": "Número inválido", + "PE.Views.DocumentPreview.txtPause": "Pausar apresentação", + "PE.Views.DocumentPreview.txtPlay": "Iniciar apresentação", + "PE.Views.DocumentPreview.txtPrev": "Diapositivo anterior", + "PE.Views.DocumentPreview.txtReset": "Redefinir", + "PE.Views.FileMenu.btnAboutCaption": "Sobre", + "PE.Views.FileMenu.btnBackCaption": "Abrir localização", + "PE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", + "PE.Views.FileMenu.btnCreateNewCaption": "Criar novo", + "PE.Views.FileMenu.btnDownloadCaption": "Descarregar como...", + "PE.Views.FileMenu.btnExitCaption": "Fechar", + "PE.Views.FileMenu.btnFileOpenCaption": "Abrir...", + "PE.Views.FileMenu.btnHelpCaption": "Ajuda...", + "PE.Views.FileMenu.btnHistoryCaption": "Histórico da versão", + "PE.Views.FileMenu.btnInfoCaption": "Informações de apresentação...", + "PE.Views.FileMenu.btnPrintCaption": "Imprimir", + "PE.Views.FileMenu.btnProtectCaption": "Proteger", + "PE.Views.FileMenu.btnRecentFilesCaption": "Abrir recente...", + "PE.Views.FileMenu.btnRenameCaption": "Renomear...", + "PE.Views.FileMenu.btnReturnCaption": "Voltar para a apresentação", + "PE.Views.FileMenu.btnRightsCaption": "Direitos de Acesso...", + "PE.Views.FileMenu.btnSaveAsCaption": "Save as", + "PE.Views.FileMenu.btnSaveCaption": "Salvar", + "PE.Views.FileMenu.btnSaveCopyAsCaption": "Guardar cópia como...", + "PE.Views.FileMenu.btnSettingsCaption": "Definições avançadas...", + "PE.Views.FileMenu.btnToEditCaption": "Editar apresentação", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "Apresentação em branco", + "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Criar novo", + "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Inclui o Autor", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Adicionar Texto", + "PE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicação", + "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", + "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Alterar direitos de acesso", + "PE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentário", + "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Criado", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última modificação por", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação", + "PE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietário", + "PE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Localização", + "PE.Views.FileMenuPanels.DocumentInfo.txtRights": "Pessoas que têm direitos", + "PE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Assunto", + "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título", + "PE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Enviado", + "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Alterar direitos de acesso", + "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Pessoas que têm direitos", + "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", + "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Com palavra-passe", + "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteger a Apresentação", + "PE.Views.FileMenuPanels.ProtectDoc.strSignature": "Com assinatura", + "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Editar apresentação", + "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Se editar este documento, remove as assinaturas.
        Tem a certeza de que deseja continuar?", + "PE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "A apresentação está protegida com uma palavra-passe", + "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Assinaturas adicionadas ao documento. Esta apresentação não pode ser editada.", + "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Esta apresentação não pode ser editada.", + "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver assinaturas", + "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", + "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modo de co-edição", + "PE.Views.FileMenuPanels.Settings.strFast": "Rápido", + "PE.Views.FileMenuPanels.Settings.strFontRender": "Dicas de tipo de letra", + "PE.Views.FileMenuPanels.Settings.strForcesave": "Guardar sempre no servidor (caso contrário, guardar no servidor ao fechar o documento)", + "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Definições de macros", + "PE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar e colar", + "PE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar botão Opções de colagem ao colar conteúdo", + "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", + "PE.Views.FileMenuPanels.Settings.strTheme": "Tema de interface", + "PE.Views.FileMenuPanels.Settings.strUnit": "Unidade de medida", + "PE.Views.FileMenuPanels.Settings.strZoom": "Valor de zoom padrão", + "PE.Views.FileMenuPanels.Settings.text10Minutes": "A cada 10 minutos", + "PE.Views.FileMenuPanels.Settings.text30Minutes": "A cada 30 minutos", + "PE.Views.FileMenuPanels.Settings.text5Minutes": "A cada 5 minutos", + "PE.Views.FileMenuPanels.Settings.text60Minutes": "A cada hora", + "PE.Views.FileMenuPanels.Settings.textAlignGuides": "Guias de alinhamento", + "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Recuperação automática", + "PE.Views.FileMenuPanels.Settings.textAutoSave": "Salvamento automático", + "PE.Views.FileMenuPanels.Settings.textDisabled": "Desabilitado", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Salvar para servidor", + "PE.Views.FileMenuPanels.Settings.textMinute": "A cada minuto", + "PE.Views.FileMenuPanels.Settings.txtAll": "Ver tudo", + "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Opções de correção automática...", + "PE.Views.FileMenuPanels.Settings.txtCacheMode": "Modo de cache padrão", + "PE.Views.FileMenuPanels.Settings.txtCm": "Centímetro", + "PE.Views.FileMenuPanels.Settings.txtFitSlide": "Ajustar ao diapositivo", + "PE.Views.FileMenuPanels.Settings.txtFitWidth": "Ajustar à Largura", + "PE.Views.FileMenuPanels.Settings.txtInch": "Polegada", + "PE.Views.FileMenuPanels.Settings.txtInput": "Entrada alternativa", + "PE.Views.FileMenuPanels.Settings.txtLast": "Ver último", + "PE.Views.FileMenuPanels.Settings.txtMac": "como OS X", + "PE.Views.FileMenuPanels.Settings.txtNative": "Nativo", + "PE.Views.FileMenuPanels.Settings.txtProofing": "Correção", + "PE.Views.FileMenuPanels.Settings.txtPt": "Ponto", + "PE.Views.FileMenuPanels.Settings.txtRunMacros": "Ativar tudo", + "PE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Ativar todas as macros sem uma notificação", + "PE.Views.FileMenuPanels.Settings.txtSpellCheck": "Verificação ortográfica", + "PE.Views.FileMenuPanels.Settings.txtStopMacros": "Desativar tudo", + "PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Desativar todas as macros sem uma notificação", + "PE.Views.FileMenuPanels.Settings.txtWarnMacros": "Mostrar notificação", + "PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Desativar todas as macros com uma notificação", + "PE.Views.FileMenuPanels.Settings.txtWin": "como Windows", + "PE.Views.HeaderFooterDialog.applyAllText": "Aplicar a todos", + "PE.Views.HeaderFooterDialog.applyText": "Aplicar", + "PE.Views.HeaderFooterDialog.diffLanguage": "Não pode utilizar um formato de data que seja diferente do formato utilizado no modelo global.
        Para alterar o modelo global, clique \"Aplicar a todos\" em vez de \"Aplicar\".", + "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Aviso", + "PE.Views.HeaderFooterDialog.textDateTime": "Data e Hora", + "PE.Views.HeaderFooterDialog.textFixed": "Corrigido", + "PE.Views.HeaderFooterDialog.textFooter": "Texto no rodapé", + "PE.Views.HeaderFooterDialog.textFormat": "Formatos", + "PE.Views.HeaderFooterDialog.textLang": "Idioma", + "PE.Views.HeaderFooterDialog.textNotTitle": "Não mostrar no diapositivo inicial", + "PE.Views.HeaderFooterDialog.textPreview": "Pré-visualizar", + "PE.Views.HeaderFooterDialog.textSlideNum": "Número do diapositivo", + "PE.Views.HeaderFooterDialog.textTitle": "Definições de rodapé", + "PE.Views.HeaderFooterDialog.textUpdate": "Atualizar automaticamente", + "PE.Views.HyperlinkSettingsDialog.strDisplay": "Exibir", + "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Ligação a", + "PE.Views.HyperlinkSettingsDialog.textDefault": "Fragmento de texto selecionado", + "PE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Inserir legenda aqui", + "PE.Views.HyperlinkSettingsDialog.textEmptyLink": "Introduzir ligação aqui", + "PE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Inserir dica de ferramenta aqui", + "PE.Views.HyperlinkSettingsDialog.textExternalLink": "Ligação externa", + "PE.Views.HyperlinkSettingsDialog.textInternalLink": "Diapositivo nesta apresentação", + "PE.Views.HyperlinkSettingsDialog.textSlides": "Diapositivos", + "PE.Views.HyperlinkSettingsDialog.textTipText": "Texto de dica de tela:", + "PE.Views.HyperlinkSettingsDialog.textTitle": "Definições de hiperligação", + "PE.Views.HyperlinkSettingsDialog.txtEmpty": "Este campo é obrigatório", + "PE.Views.HyperlinkSettingsDialog.txtFirst": "Primeiro diapositivo", + "PE.Views.HyperlinkSettingsDialog.txtLast": "Último diapositivo", + "PE.Views.HyperlinkSettingsDialog.txtNext": "Diapositivo seguinte", + "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "PE.Views.HyperlinkSettingsDialog.txtPrev": "Diapositivo anterior", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Este campo está limitado a 2083 caracteres", + "PE.Views.HyperlinkSettingsDialog.txtSlide": "Diapositivo", + "PE.Views.ImageSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.ImageSettings.textCrop": "Cortar", + "PE.Views.ImageSettings.textCropFill": "Preencher", + "PE.Views.ImageSettings.textCropFit": "Ajustar", + "PE.Views.ImageSettings.textCropToShape": "Recortar com Forma", + "PE.Views.ImageSettings.textEdit": "Editar", + "PE.Views.ImageSettings.textEditObject": "Editar objeto", + "PE.Views.ImageSettings.textFitSlide": "Ajustar ao diapositivo", + "PE.Views.ImageSettings.textFlip": "Virar", + "PE.Views.ImageSettings.textFromFile": "De um ficheiro", + "PE.Views.ImageSettings.textFromStorage": "De um armazenamento", + "PE.Views.ImageSettings.textFromUrl": "De um URL", + "PE.Views.ImageSettings.textHeight": "Altura", + "PE.Views.ImageSettings.textHint270": "Rodar 90º à esquerda", + "PE.Views.ImageSettings.textHint90": "Rodar 90º à direita", + "PE.Views.ImageSettings.textHintFlipH": "Virar horizontalmente", + "PE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", + "PE.Views.ImageSettings.textInsert": "Substituir imagem", + "PE.Views.ImageSettings.textOriginalSize": "Tamanho real", + "PE.Views.ImageSettings.textRecentlyUsed": "Utilizado recentemente", + "PE.Views.ImageSettings.textRotate90": "Rodar 90°", + "PE.Views.ImageSettings.textRotation": "Rotação", + "PE.Views.ImageSettings.textSize": "Tamanho", + "PE.Views.ImageSettings.textWidth": "Largura", + "PE.Views.ImageSettingsAdvanced.textAlt": "Texto Alternativo", + "PE.Views.ImageSettingsAdvanced.textAltDescription": "Descrição", + "PE.Views.ImageSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "PE.Views.ImageSettingsAdvanced.textAltTitle": "Título", + "PE.Views.ImageSettingsAdvanced.textAngle": "Ângulo", + "PE.Views.ImageSettingsAdvanced.textFlipped": "Invertido", + "PE.Views.ImageSettingsAdvanced.textHeight": "Altura", + "PE.Views.ImageSettingsAdvanced.textHorizontally": "Horizontalmente", + "PE.Views.ImageSettingsAdvanced.textKeepRatio": "Proporções constantes", + "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Tamanho real", + "PE.Views.ImageSettingsAdvanced.textPlacement": "Posicionamento", + "PE.Views.ImageSettingsAdvanced.textPosition": "Posição", + "PE.Views.ImageSettingsAdvanced.textRotation": "Rotação", + "PE.Views.ImageSettingsAdvanced.textSize": "Tamanho", + "PE.Views.ImageSettingsAdvanced.textTitle": "Imagem - Definições avançadas", + "PE.Views.ImageSettingsAdvanced.textVertically": "Verticalmente", + "PE.Views.ImageSettingsAdvanced.textWidth": "Largura", + "PE.Views.LeftMenu.tipAbout": "Sobre", + "PE.Views.LeftMenu.tipChat": "Gráfico", + "PE.Views.LeftMenu.tipComments": "Comentários", + "PE.Views.LeftMenu.tipPlugins": "Plugins", + "PE.Views.LeftMenu.tipSearch": "Pesquisa", + "PE.Views.LeftMenu.tipSlides": "Diapositivos", + "PE.Views.LeftMenu.tipSupport": "Feedback e Suporte", + "PE.Views.LeftMenu.tipTitles": "Títulos", + "PE.Views.LeftMenu.txtDeveloper": "MODO DE DESENVOLVEDOR", + "PE.Views.LeftMenu.txtLimit": "Limitar o acesso", + "PE.Views.LeftMenu.txtTrial": "MODO DE TESTE", + "PE.Views.LeftMenu.txtTrialDev": "Versão de Avaliação do Modo de Programador", + "PE.Views.ParagraphSettings.strLineHeight": "Espaçamento de linha", + "PE.Views.ParagraphSettings.strParagraphSpacing": "Espaçamento", + "PE.Views.ParagraphSettings.strSpacingAfter": "Depois", + "PE.Views.ParagraphSettings.strSpacingBefore": "Antes", + "PE.Views.ParagraphSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.ParagraphSettings.textAt": "Em", + "PE.Views.ParagraphSettings.textAtLeast": "Pelo menos", + "PE.Views.ParagraphSettings.textAuto": "Múltiplo", + "PE.Views.ParagraphSettings.textExact": "Exatamente", + "PE.Views.ParagraphSettings.txtAutoText": "Automático", + "PE.Views.ParagraphSettingsAdvanced.noTabs": "Os separadores especificados aparecerão neste campo", + "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "Todas maiúsculas", + "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Tachado duplo", + "PE.Views.ParagraphSettingsAdvanced.strIndent": "Recuos", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Esquerda", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Espaçamento entre linhas", + "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Direita", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "após", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Antes", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Especial", + "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Fonte", + "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Avanços e espaçamento", + "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Versalete", + "PE.Views.ParagraphSettingsAdvanced.strSpacing": "Espaçamento", + "PE.Views.ParagraphSettingsAdvanced.strStrike": "Taxado", + "PE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscrito", + "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "Sobrescrito", + "PE.Views.ParagraphSettingsAdvanced.strTabs": "Aba", + "PE.Views.ParagraphSettingsAdvanced.textAlign": "Alinhamento", + "PE.Views.ParagraphSettingsAdvanced.textAuto": "Múltiplo", + "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Espaçamento entre caracteres", + "PE.Views.ParagraphSettingsAdvanced.textDefault": "Aba padrão", + "PE.Views.ParagraphSettingsAdvanced.textEffects": "Efeitos", + "PE.Views.ParagraphSettingsAdvanced.textExact": "Exatamente", + "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Primeira linha", + "PE.Views.ParagraphSettingsAdvanced.textHanging": "Suspensão", + "PE.Views.ParagraphSettingsAdvanced.textJustified": "Justificado", + "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nenhum)", + "PE.Views.ParagraphSettingsAdvanced.textRemove": "Remover", + "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remover todos", + "PE.Views.ParagraphSettingsAdvanced.textSet": "Especificar", + "PE.Views.ParagraphSettingsAdvanced.textTabCenter": "Centro", + "PE.Views.ParagraphSettingsAdvanced.textTabLeft": "Esquerda", + "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posição da aba", + "PE.Views.ParagraphSettingsAdvanced.textTabRight": "Direita", + "PE.Views.ParagraphSettingsAdvanced.textTitle": "Parágrafo - Definições avançadas", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático", + "PE.Views.RightMenu.txtChartSettings": "Definições de gráfico", + "PE.Views.RightMenu.txtImageSettings": "Definições de imagem", + "PE.Views.RightMenu.txtParagraphSettings": "Configurações do parágrafo", + "PE.Views.RightMenu.txtShapeSettings": "Definições de forma", + "PE.Views.RightMenu.txtSignatureSettings": "Definições de assinatura", + "PE.Views.RightMenu.txtSlideSettings": "Definições de diapositivo", + "PE.Views.RightMenu.txtTableSettings": "Definições de tabela", + "PE.Views.RightMenu.txtTextArtSettings": "Definições de texto artístico", + "PE.Views.ShapeSettings.strBackground": "Cor de fundo", + "PE.Views.ShapeSettings.strChange": "Alterar forma automática", + "PE.Views.ShapeSettings.strColor": "Cor", + "PE.Views.ShapeSettings.strFill": "Preencher", + "PE.Views.ShapeSettings.strForeground": "Cor principal", + "PE.Views.ShapeSettings.strPattern": "Padrão", + "PE.Views.ShapeSettings.strShadow": "Mostrar sombra", + "PE.Views.ShapeSettings.strSize": "Tamanho", + "PE.Views.ShapeSettings.strStroke": "Linha", + "PE.Views.ShapeSettings.strTransparency": "Opacidade", + "PE.Views.ShapeSettings.strType": "Tipo", + "PE.Views.ShapeSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.ShapeSettings.textAngle": "Ângulo", + "PE.Views.ShapeSettings.textBorderSizeErr": "O valor inserido não está correto.
        Introduza um valor entre 0 pt e 1584 pt.", + "PE.Views.ShapeSettings.textColor": "Cor de preenchimento", + "PE.Views.ShapeSettings.textDirection": "Direção", + "PE.Views.ShapeSettings.textEmptyPattern": "Sem padrão", + "PE.Views.ShapeSettings.textFlip": "Virar", + "PE.Views.ShapeSettings.textFromFile": "De um ficheiro", + "PE.Views.ShapeSettings.textFromStorage": "De um armazenamento", + "PE.Views.ShapeSettings.textFromUrl": "De um URL", + "PE.Views.ShapeSettings.textGradient": "Ponto de gradiente", + "PE.Views.ShapeSettings.textGradientFill": "Preenchimento gradiente", + "PE.Views.ShapeSettings.textHint270": "Rodar 90º à esquerda", + "PE.Views.ShapeSettings.textHint90": "Rodar 90º à direita", + "PE.Views.ShapeSettings.textHintFlipH": "Virar horizontalmente", + "PE.Views.ShapeSettings.textHintFlipV": "Virar verticalmente", + "PE.Views.ShapeSettings.textImageTexture": "Imagem ou Textura", + "PE.Views.ShapeSettings.textLinear": "Linear", + "PE.Views.ShapeSettings.textNoFill": "Sem preenchimento", + "PE.Views.ShapeSettings.textPatternFill": "Padrão", + "PE.Views.ShapeSettings.textPosition": "Posição", + "PE.Views.ShapeSettings.textRadial": "Radial", + "PE.Views.ShapeSettings.textRecentlyUsed": "Utilizado recentemente", + "PE.Views.ShapeSettings.textRotate90": "Rodar 90°", + "PE.Views.ShapeSettings.textRotation": "Rotação", + "PE.Views.ShapeSettings.textSelectImage": "Selecionar imagem", + "PE.Views.ShapeSettings.textSelectTexture": "Selecionar", + "PE.Views.ShapeSettings.textStretch": "Alongar", + "PE.Views.ShapeSettings.textStyle": "Estilo", + "PE.Views.ShapeSettings.textTexture": "De uma textura", + "PE.Views.ShapeSettings.textTile": "Lado a lado", + "PE.Views.ShapeSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "PE.Views.ShapeSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "PE.Views.ShapeSettings.txtBrownPaper": "Papel pardo", + "PE.Views.ShapeSettings.txtCanvas": "Canvas", + "PE.Views.ShapeSettings.txtCarton": "Papelão", + "PE.Views.ShapeSettings.txtDarkFabric": "Tela escura", + "PE.Views.ShapeSettings.txtGrain": "Granulação", + "PE.Views.ShapeSettings.txtGranite": "Granito", + "PE.Views.ShapeSettings.txtGreyPaper": "Papel cinza", + "PE.Views.ShapeSettings.txtKnit": "Unir", + "PE.Views.ShapeSettings.txtLeather": "Couro", + "PE.Views.ShapeSettings.txtNoBorders": "Sem linha", + "PE.Views.ShapeSettings.txtPapyrus": "Papiro", + "PE.Views.ShapeSettings.txtWood": "Madeira", + "PE.Views.ShapeSettingsAdvanced.strColumns": "Colunas", + "PE.Views.ShapeSettingsAdvanced.strMargins": "Preenchimento de texto", + "PE.Views.ShapeSettingsAdvanced.textAlt": "Texto Alternativo", + "PE.Views.ShapeSettingsAdvanced.textAltDescription": "Descrição", + "PE.Views.ShapeSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "PE.Views.ShapeSettingsAdvanced.textAltTitle": "Título", + "PE.Views.ShapeSettingsAdvanced.textAngle": "Ângulo", + "PE.Views.ShapeSettingsAdvanced.textArrows": "Setas", + "PE.Views.ShapeSettingsAdvanced.textAutofit": "Ajuste automático", + "PE.Views.ShapeSettingsAdvanced.textBeginSize": "Tamanho inicial", + "PE.Views.ShapeSettingsAdvanced.textBeginStyle": "Estilo inicial", + "PE.Views.ShapeSettingsAdvanced.textBevel": "Bisel", + "PE.Views.ShapeSettingsAdvanced.textBottom": "Inferior", + "PE.Views.ShapeSettingsAdvanced.textCapType": "Tipo de letra", + "PE.Views.ShapeSettingsAdvanced.textColNumber": "Número de colunas", + "PE.Views.ShapeSettingsAdvanced.textEndSize": "Tamanho final", + "PE.Views.ShapeSettingsAdvanced.textEndStyle": "Estilo final", + "PE.Views.ShapeSettingsAdvanced.textFlat": "Plano", + "PE.Views.ShapeSettingsAdvanced.textFlipped": "Invertido", + "PE.Views.ShapeSettingsAdvanced.textHeight": "Altura", + "PE.Views.ShapeSettingsAdvanced.textHorizontally": "Horizontalmente", + "PE.Views.ShapeSettingsAdvanced.textJoinType": "Tipo de junção", + "PE.Views.ShapeSettingsAdvanced.textKeepRatio": "Proporções constantes", + "PE.Views.ShapeSettingsAdvanced.textLeft": "Esquerda", + "PE.Views.ShapeSettingsAdvanced.textLineStyle": "Estilo de linha", + "PE.Views.ShapeSettingsAdvanced.textMiter": "Malhete", + "PE.Views.ShapeSettingsAdvanced.textNofit": "Não ajustar automaticamente.", + "PE.Views.ShapeSettingsAdvanced.textResizeFit": "Redimensionar forma para se ajustar ao texto", + "PE.Views.ShapeSettingsAdvanced.textRight": "Direita", + "PE.Views.ShapeSettingsAdvanced.textRotation": "Rotação", + "PE.Views.ShapeSettingsAdvanced.textRound": "Rodada", + "PE.Views.ShapeSettingsAdvanced.textShrink": "Reduzir o texto ao transbordar", + "PE.Views.ShapeSettingsAdvanced.textSize": "Tamanho", + "PE.Views.ShapeSettingsAdvanced.textSpacing": "Espaçamento entre colunas", + "PE.Views.ShapeSettingsAdvanced.textSquare": "Quadrado", + "PE.Views.ShapeSettingsAdvanced.textTextBox": "Caixa de texto", + "PE.Views.ShapeSettingsAdvanced.textTitle": "Forma - Definições avançadas", + "PE.Views.ShapeSettingsAdvanced.textTop": "Parte superior", + "PE.Views.ShapeSettingsAdvanced.textVertically": "Verticalmente", + "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "Pesos e Setas", + "PE.Views.ShapeSettingsAdvanced.textWidth": "Largura", + "PE.Views.ShapeSettingsAdvanced.txtNone": "Nenhum", + "PE.Views.SignatureSettings.notcriticalErrorTitle": "Aviso", + "PE.Views.SignatureSettings.strDelete": "Remover assinatura", + "PE.Views.SignatureSettings.strDetails": "Detalhes da assinatura", + "PE.Views.SignatureSettings.strInvalid": "Assinaturas inválidas", + "PE.Views.SignatureSettings.strSign": "Assinar", + "PE.Views.SignatureSettings.strSignature": "Assinatura", + "PE.Views.SignatureSettings.strValid": "Assinaturas válidas", + "PE.Views.SignatureSettings.txtContinueEditing": "Editar mesmo assim", + "PE.Views.SignatureSettings.txtEditWarning": "Se editar este documento, remove as assinaturas.
        Tem a certeza de que deseja continuar?", + "PE.Views.SignatureSettings.txtRemoveWarning": "Quer remover esta assinatura?
        Isto não pode ser anulado.", + "PE.Views.SignatureSettings.txtSigned": "Assinaturas adicionadas ao documento. Esta apresentação não pode ser editada.", + "PE.Views.SignatureSettings.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Esta apresentação não pode ser editada.", + "PE.Views.SlideSettings.strBackground": "Cor de fundo", + "PE.Views.SlideSettings.strColor": "Cor", + "PE.Views.SlideSettings.strDateTime": "Mostrar Data e Tempo", + "PE.Views.SlideSettings.strFill": "Preencher", + "PE.Views.SlideSettings.strForeground": "Cor principal", + "PE.Views.SlideSettings.strPattern": "Padrão", + "PE.Views.SlideSettings.strSlideNum": "Mostrar número do diapositivo", + "PE.Views.SlideSettings.strTransparency": "Opacidade", + "PE.Views.SlideSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.SlideSettings.textAngle": "Ângulo", + "PE.Views.SlideSettings.textColor": "Cor de preenchimento", + "PE.Views.SlideSettings.textDirection": "Direção", + "PE.Views.SlideSettings.textEmptyPattern": "Sem padrão", + "PE.Views.SlideSettings.textFromFile": "De um ficheiro", + "PE.Views.SlideSettings.textFromStorage": "De um armazenamento", + "PE.Views.SlideSettings.textFromUrl": "De um URL", + "PE.Views.SlideSettings.textGradient": "Ponto de gradiente", + "PE.Views.SlideSettings.textGradientFill": "Preenchimento gradiente", + "PE.Views.SlideSettings.textImageTexture": "Imagem ou Textura", + "PE.Views.SlideSettings.textLinear": "Linear", + "PE.Views.SlideSettings.textNoFill": "Sem preenchimento", + "PE.Views.SlideSettings.textPatternFill": "Padrão", + "PE.Views.SlideSettings.textPosition": "Posição", + "PE.Views.SlideSettings.textRadial": "Radial", + "PE.Views.SlideSettings.textReset": "Resetar alterações", + "PE.Views.SlideSettings.textSelectImage": "Selecionar imagem", + "PE.Views.SlideSettings.textSelectTexture": "Selecionar", + "PE.Views.SlideSettings.textStretch": "Alongar", + "PE.Views.SlideSettings.textStyle": "Estilo", + "PE.Views.SlideSettings.textTexture": "De uma textura", + "PE.Views.SlideSettings.textTile": "Lado a lado", + "PE.Views.SlideSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "PE.Views.SlideSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "PE.Views.SlideSettings.txtBrownPaper": "Papel pardo", + "PE.Views.SlideSettings.txtCanvas": "Canvas", + "PE.Views.SlideSettings.txtCarton": "Papelão", + "PE.Views.SlideSettings.txtDarkFabric": "Tela escura", + "PE.Views.SlideSettings.txtGrain": "Granulação", + "PE.Views.SlideSettings.txtGranite": "Granito", + "PE.Views.SlideSettings.txtGreyPaper": "Papel cinza", + "PE.Views.SlideSettings.txtKnit": "Unir", + "PE.Views.SlideSettings.txtLeather": "Couro", + "PE.Views.SlideSettings.txtPapyrus": "Papiro", + "PE.Views.SlideSettings.txtWood": "Madeira", + "PE.Views.SlideshowSettings.textLoop": "Loop contínuo até \"Esc\" ser pressionado", + "PE.Views.SlideshowSettings.textTitle": "Mostrar definições", + "PE.Views.SlideSizeSettings.strLandscape": "Paisagem", + "PE.Views.SlideSizeSettings.strPortrait": "Retrato", + "PE.Views.SlideSizeSettings.textHeight": "Altura", + "PE.Views.SlideSizeSettings.textSlideOrientation": "Orientação do diapositivo", + "PE.Views.SlideSizeSettings.textSlideSize": "Tamanho do diapositivo", + "PE.Views.SlideSizeSettings.textTitle": "Definições para o tamanho do diapositivo", + "PE.Views.SlideSizeSettings.textWidth": "Largura", + "PE.Views.SlideSizeSettings.txt35": "Diapositivos de 35 mm", + "PE.Views.SlideSizeSettings.txtA3": "Papel A3 (297x420 mm)", + "PE.Views.SlideSizeSettings.txtA4": "Papel A4 (210x297 mm)", + "PE.Views.SlideSizeSettings.txtB4": "Papel B4 (ICO) (250x353 mm)", + "PE.Views.SlideSizeSettings.txtB5": "Papel B5 (ICO) (176x250 mm)", + "PE.Views.SlideSizeSettings.txtBanner": "Banner", + "PE.Views.SlideSizeSettings.txtCustom": "Personalizar", + "PE.Views.SlideSizeSettings.txtLedger": "Papel Ledger(11x17 in)", + "PE.Views.SlideSizeSettings.txtLetter": "Papel carta (8,5x11 pol)", + "PE.Views.SlideSizeSettings.txtOverhead": "Transparência", + "PE.Views.SlideSizeSettings.txtStandard": "Padrão (4:3)", + "PE.Views.SlideSizeSettings.txtWidescreen": "Panorâmico", + "PE.Views.Statusbar.goToPageText": "Ir para o diapositivo", + "PE.Views.Statusbar.pageIndexText": "Diapositivo {0} de {1}", + "PE.Views.Statusbar.textShowBegin": "Mostrar do início", + "PE.Views.Statusbar.textShowCurrent": "Mostrar a partir do diapositivo atual", + "PE.Views.Statusbar.textShowPresenterView": "Mostrar vista de apresentador", + "PE.Views.Statusbar.tipAccessRights": "Manage document access rights", + "PE.Views.Statusbar.tipFitPage": "Ajustar ao diapositivo", + "PE.Views.Statusbar.tipFitWidth": "Ajustar largura", + "PE.Views.Statusbar.tipPreview": "Iniciar apresentação", + "PE.Views.Statusbar.tipSetLang": "Definir idioma do texto", + "PE.Views.Statusbar.tipZoomFactor": "Ampliação", + "PE.Views.Statusbar.tipZoomIn": "Ampliar", + "PE.Views.Statusbar.tipZoomOut": "Reduzir", + "PE.Views.Statusbar.txtPageNumInvalid": "Número inválido", + "PE.Views.TableSettings.deleteColumnText": "Excluir coluna", + "PE.Views.TableSettings.deleteRowText": "Excluir linha", + "PE.Views.TableSettings.deleteTableText": "Eliminar tabela", + "PE.Views.TableSettings.insertColumnLeftText": "Inserir coluna à esquerda", + "PE.Views.TableSettings.insertColumnRightText": "Inserir coluna à direita", + "PE.Views.TableSettings.insertRowAboveText": "Inserir linha acima", + "PE.Views.TableSettings.insertRowBelowText": "Inserir linha abaixo", + "PE.Views.TableSettings.mergeCellsText": "Unir células", + "PE.Views.TableSettings.selectCellText": "Selecionar célula", + "PE.Views.TableSettings.selectColumnText": "Selecionar coluna", + "PE.Views.TableSettings.selectRowText": "Selecionar linha", + "PE.Views.TableSettings.selectTableText": "Selecionar tabela", + "PE.Views.TableSettings.splitCellsText": "Dividir célula...", + "PE.Views.TableSettings.splitCellTitleText": "Dividir célula", + "PE.Views.TableSettings.textAdvanced": "Mostrar definições avançadas", + "PE.Views.TableSettings.textBackColor": "Cor de fundo", + "PE.Views.TableSettings.textBanded": "Em tiras", + "PE.Views.TableSettings.textBorderColor": "Cor", + "PE.Views.TableSettings.textBorders": "Estilo das bordas", + "PE.Views.TableSettings.textCellSize": "Tamanho da célula", + "PE.Views.TableSettings.textColumns": "Colunas", + "PE.Views.TableSettings.textDistributeCols": "Distribuir colunas", + "PE.Views.TableSettings.textDistributeRows": "Distribuir linhas", + "PE.Views.TableSettings.textEdit": "Linhas e Colunas", + "PE.Views.TableSettings.textEmptyTemplate": "Sem modelos", + "PE.Views.TableSettings.textFirst": "Primeiro", + "PE.Views.TableSettings.textHeader": "Cabeçalho", + "PE.Views.TableSettings.textHeight": "Altura", + "PE.Views.TableSettings.textLast": "Última", + "PE.Views.TableSettings.textRows": "Linhas", + "PE.Views.TableSettings.textSelectBorders": "Selecione os contornos aos quais pretende aplicar o estilo escolhido", + "PE.Views.TableSettings.textTemplate": "Selecionar de um modelo", + "PE.Views.TableSettings.textTotal": "Total", + "PE.Views.TableSettings.textWidth": "Largura", + "PE.Views.TableSettings.tipAll": "Definir borda externa e todas as linhas internas", + "PE.Views.TableSettings.tipBottom": "Definir apenas borda inferior externa", + "PE.Views.TableSettings.tipInner": "Definir apenas linhas internas", + "PE.Views.TableSettings.tipInnerHor": "Definir apenas linhas internas horizontais", + "PE.Views.TableSettings.tipInnerVert": "Definir apenas linhas internas verticais", + "PE.Views.TableSettings.tipLeft": "Definir apenas borda esquerda externa", + "PE.Views.TableSettings.tipNone": "Definir sem bordas", + "PE.Views.TableSettings.tipOuter": "Definir apenas borda externa", + "PE.Views.TableSettings.tipRight": "Definir apenas borda direita externa", + "PE.Views.TableSettings.tipTop": "Definir apenas borda superior externa", + "PE.Views.TableSettings.txtNoBorders": "Sem bordas", + "PE.Views.TableSettings.txtTable_Accent": "Sotaque", + "PE.Views.TableSettings.txtTable_DarkStyle": "Estilo escuro", + "PE.Views.TableSettings.txtTable_LightStyle": "Estilo claro", + "PE.Views.TableSettings.txtTable_MediumStyle": "Estilo médio", + "PE.Views.TableSettings.txtTable_NoGrid": "Sem grelha", + "PE.Views.TableSettings.txtTable_NoStyle": "Sem estilo", + "PE.Views.TableSettings.txtTable_TableGrid": "Grelha da tabela", + "PE.Views.TableSettings.txtTable_ThemedStyle": "Estilo com Tema", + "PE.Views.TableSettingsAdvanced.textAlt": "Texto Alternativo", + "PE.Views.TableSettingsAdvanced.textAltDescription": "Descrição", + "PE.Views.TableSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "PE.Views.TableSettingsAdvanced.textAltTitle": "Título", + "PE.Views.TableSettingsAdvanced.textBottom": "Inferior", + "PE.Views.TableSettingsAdvanced.textCheckMargins": "Usar margens padrão", + "PE.Views.TableSettingsAdvanced.textDefaultMargins": "Margens padrão", + "PE.Views.TableSettingsAdvanced.textLeft": "Esquerda", + "PE.Views.TableSettingsAdvanced.textMargins": "Margens da célula", + "PE.Views.TableSettingsAdvanced.textRight": "Direita", + "PE.Views.TableSettingsAdvanced.textTitle": "Tabela - Definições avançadas", + "PE.Views.TableSettingsAdvanced.textTop": "Parte superior", + "PE.Views.TableSettingsAdvanced.textWidthSpaces": "Margens", + "PE.Views.TextArtSettings.strBackground": "Cor de fundo", + "PE.Views.TextArtSettings.strColor": "Cor", + "PE.Views.TextArtSettings.strFill": "Preencher", + "PE.Views.TextArtSettings.strForeground": "Cor principal", + "PE.Views.TextArtSettings.strPattern": "Pattern", + "PE.Views.TextArtSettings.strSize": "Tamanho", + "PE.Views.TextArtSettings.strStroke": "Linha", + "PE.Views.TextArtSettings.strTransparency": "Opacidade", + "PE.Views.TextArtSettings.strType": "Tipo", + "PE.Views.TextArtSettings.textAngle": "Ângulo", + "PE.Views.TextArtSettings.textBorderSizeErr": "O valor inserido não está correto.
        Introduza um valor entre 0 pt e 1584 pt.", + "PE.Views.TextArtSettings.textColor": "Cor de preenchimento", + "PE.Views.TextArtSettings.textDirection": "Direção", + "PE.Views.TextArtSettings.textEmptyPattern": "No Pattern", + "PE.Views.TextArtSettings.textFromFile": "De um ficheiro", + "PE.Views.TextArtSettings.textFromUrl": "De um URL", + "PE.Views.TextArtSettings.textGradient": "Ponto de gradiente", + "PE.Views.TextArtSettings.textGradientFill": "Preenchimento gradiente", + "PE.Views.TextArtSettings.textImageTexture": "Picture or Texture", + "PE.Views.TextArtSettings.textLinear": "Linear", + "PE.Views.TextArtSettings.textNoFill": "No Fill", + "PE.Views.TextArtSettings.textPatternFill": "Pattern", + "PE.Views.TextArtSettings.textPosition": "Posição", + "PE.Views.TextArtSettings.textRadial": "Radial", + "PE.Views.TextArtSettings.textSelectTexture": "Selecionar", + "PE.Views.TextArtSettings.textStretch": "Alongar", + "PE.Views.TextArtSettings.textStyle": "Estilo", + "PE.Views.TextArtSettings.textTemplate": "Modelo", + "PE.Views.TextArtSettings.textTexture": "De uma textura", + "PE.Views.TextArtSettings.textTile": "Lado a lado", + "PE.Views.TextArtSettings.textTransform": "Transform", + "PE.Views.TextArtSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "PE.Views.TextArtSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "PE.Views.TextArtSettings.txtBrownPaper": "Brown Paper", + "PE.Views.TextArtSettings.txtCanvas": "Canvas", + "PE.Views.TextArtSettings.txtCarton": "Carton", + "PE.Views.TextArtSettings.txtDarkFabric": "Tela escura", + "PE.Views.TextArtSettings.txtGrain": "Grain", + "PE.Views.TextArtSettings.txtGranite": "Granite", + "PE.Views.TextArtSettings.txtGreyPaper": "Gray Paper", + "PE.Views.TextArtSettings.txtKnit": "Unir", + "PE.Views.TextArtSettings.txtLeather": "Leather", + "PE.Views.TextArtSettings.txtNoBorders": "No Line", + "PE.Views.TextArtSettings.txtPapyrus": "Papyrus", + "PE.Views.TextArtSettings.txtWood": "Wood", + "PE.Views.Toolbar.capAddSlide": "Adicionar diapositivo", + "PE.Views.Toolbar.capBtnAddComment": "Adicionar comentário", + "PE.Views.Toolbar.capBtnComment": "Comentário", + "PE.Views.Toolbar.capBtnDateTime": "Data e Hora", + "PE.Views.Toolbar.capBtnInsHeader": "Rodapé", + "PE.Views.Toolbar.capBtnInsSymbol": "Símbolo", + "PE.Views.Toolbar.capBtnSlideNum": "Número do diapositivo", + "PE.Views.Toolbar.capInsertAudio": "Áudio", + "PE.Views.Toolbar.capInsertChart": "Gráfico", + "PE.Views.Toolbar.capInsertEquation": "Equação", + "PE.Views.Toolbar.capInsertHyperlink": "Hiperligação", + "PE.Views.Toolbar.capInsertImage": "Imagem", + "PE.Views.Toolbar.capInsertShape": "Forma", + "PE.Views.Toolbar.capInsertTable": "Tabela", + "PE.Views.Toolbar.capInsertText": "Caixa de texto", + "PE.Views.Toolbar.capInsertVideo": "Vídeo", + "PE.Views.Toolbar.capTabFile": "Ficheiro", + "PE.Views.Toolbar.capTabHome": "Base", + "PE.Views.Toolbar.capTabInsert": "Inserir", + "PE.Views.Toolbar.mniCapitalizeWords": "Capitalizar cada palavra", + "PE.Views.Toolbar.mniCustomTable": "Inserir tabela personalizada", + "PE.Views.Toolbar.mniImageFromFile": "Imagem de um ficheiro", + "PE.Views.Toolbar.mniImageFromStorage": "Imagem de um armazenamento", + "PE.Views.Toolbar.mniImageFromUrl": "Imagem de um URL", + "PE.Views.Toolbar.mniLowerCase": "minúscula", + "PE.Views.Toolbar.mniSentenceCase": "Maiúscula no Início da frase.", + "PE.Views.Toolbar.mniSlideAdvanced": "Definições avançadas", + "PE.Views.Toolbar.mniSlideStandard": "Padrão (4:3)", + "PE.Views.Toolbar.mniSlideWide": "Widescreen (16:9)", + "PE.Views.Toolbar.mniToggleCase": "iNVERTER mAIÚSCULAS/mINÚSCULAS", + "PE.Views.Toolbar.mniUpperCase": "MAIÚSCULAS", + "PE.Views.Toolbar.strMenuNoFill": "Sem preenchimento", + "PE.Views.Toolbar.textAlignBottom": "Alinhar texto à parte inferior", + "PE.Views.Toolbar.textAlignCenter": "Centralizar texto", + "PE.Views.Toolbar.textAlignJust": "Justificar", + "PE.Views.Toolbar.textAlignLeft": "Alinhar texto à esquerda", + "PE.Views.Toolbar.textAlignMiddle": "Alinhar texto ao meio", + "PE.Views.Toolbar.textAlignRight": "Alinhar texto à direita", + "PE.Views.Toolbar.textAlignTop": "Alinhar texto à parte superior", + "PE.Views.Toolbar.textArrangeBack": "Enviar para plano de fundo", + "PE.Views.Toolbar.textArrangeBackward": "Enviar para trás", + "PE.Views.Toolbar.textArrangeForward": "Trazer para frente", + "PE.Views.Toolbar.textArrangeFront": "Trazer para primeiro plano", + "PE.Views.Toolbar.textBold": "Negrito", + "PE.Views.Toolbar.textColumnsCustom": "Colunas personalizadas", + "PE.Views.Toolbar.textColumnsOne": "Uma Coluna", + "PE.Views.Toolbar.textColumnsThree": "Três colunas", + "PE.Views.Toolbar.textColumnsTwo": "Duas Colunas", + "PE.Views.Toolbar.textItalic": "Itálico", + "PE.Views.Toolbar.textListSettings": "Definições da lista", + "PE.Views.Toolbar.textRecentlyUsed": "Utilizado recentemente", + "PE.Views.Toolbar.textShapeAlignBottom": "Alinhar à parte inferior", + "PE.Views.Toolbar.textShapeAlignCenter": "Alinhar ao centro", + "PE.Views.Toolbar.textShapeAlignLeft": "Alinhar à esquerda", + "PE.Views.Toolbar.textShapeAlignMiddle": "Alinhar ao meio", + "PE.Views.Toolbar.textShapeAlignRight": "Alinhar à direita", + "PE.Views.Toolbar.textShapeAlignTop": "Alinhar à parte superior", + "PE.Views.Toolbar.textShowBegin": "Mostrar do início", + "PE.Views.Toolbar.textShowCurrent": "Mostrar a partir do diapositivo atual", + "PE.Views.Toolbar.textShowPresenterView": "Mostrar vista de apresentador", + "PE.Views.Toolbar.textShowSettings": "Mostrar definições", + "PE.Views.Toolbar.textStrikeout": "Riscado", + "PE.Views.Toolbar.textSubscript": "Subscrito", + "PE.Views.Toolbar.textSuperscript": "Sobrescrito", + "PE.Views.Toolbar.textTabAnimation": "Animação", + "PE.Views.Toolbar.textTabCollaboration": "colaboração", + "PE.Views.Toolbar.textTabFile": "Ficheiro", + "PE.Views.Toolbar.textTabHome": "Base", + "PE.Views.Toolbar.textTabInsert": "Inserir", + "PE.Views.Toolbar.textTabProtect": "Proteção", + "PE.Views.Toolbar.textTabTransitions": "Transições", + "PE.Views.Toolbar.textTabView": "Visualizar", + "PE.Views.Toolbar.textTitleError": "Erro", + "PE.Views.Toolbar.textUnderline": "Sublinhado", + "PE.Views.Toolbar.tipAddSlide": "Adicionar diapositivo", + "PE.Views.Toolbar.tipBack": "Voltar", + "PE.Views.Toolbar.tipChangeCase": "Alternar maiúscula/minúscula", + "PE.Views.Toolbar.tipChangeChart": "Alterar tipo de gráfico", + "PE.Views.Toolbar.tipChangeSlide": "Alterar disposição do diapositivo", + "PE.Views.Toolbar.tipClearStyle": "Limpar estilo", + "PE.Views.Toolbar.tipColorSchemas": "Alterar esquema de cor", + "PE.Views.Toolbar.tipColumns": "Inserir colunas", + "PE.Views.Toolbar.tipCopy": "Copiar", + "PE.Views.Toolbar.tipCopyStyle": "Copiar estilo", + "PE.Views.Toolbar.tipDateTime": "Insira a data e hora atual", + "PE.Views.Toolbar.tipDecFont": "Diminuir tamanho do tipo de letra", + "PE.Views.Toolbar.tipDecPrLeft": "Diminuir recuo", + "PE.Views.Toolbar.tipEditHeader": "Editar rodapé", + "PE.Views.Toolbar.tipFontColor": "Cor do tipo de letra", + "PE.Views.Toolbar.tipFontName": "Fonte", + "PE.Views.Toolbar.tipFontSize": "Tamanho do tipo de letra", + "PE.Views.Toolbar.tipHAligh": "Alinhamento horizontal", + "PE.Views.Toolbar.tipHighlightColor": "Cor de destaque", + "PE.Views.Toolbar.tipIncFont": "Aumentar tamanho do tipo de letra", + "PE.Views.Toolbar.tipIncPrLeft": "Aumentar recuo", + "PE.Views.Toolbar.tipInsertAudio": "Inserir áudio", + "PE.Views.Toolbar.tipInsertChart": "Inserir gráfico", + "PE.Views.Toolbar.tipInsertEquation": "Inserir equação", + "PE.Views.Toolbar.tipInsertHyperlink": "Adicionar hiperligação", + "PE.Views.Toolbar.tipInsertImage": "Inserir imagem", + "PE.Views.Toolbar.tipInsertShape": "Inserir forma automática", + "PE.Views.Toolbar.tipInsertSymbol": "Inserir símbolo", + "PE.Views.Toolbar.tipInsertTable": "Inserir tabela", + "PE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", + "PE.Views.Toolbar.tipInsertTextArt": "Inserir arte de texto", + "PE.Views.Toolbar.tipInsertVideo": "Inserir vídeo", + "PE.Views.Toolbar.tipLineSpace": "Espaçamento de linha", + "PE.Views.Toolbar.tipMarkers": "Marcadores", + "PE.Views.Toolbar.tipMarkersArrow": "Marcas em Seta", + "PE.Views.Toolbar.tipMarkersCheckmark": "Marcas de verificação", + "PE.Views.Toolbar.tipMarkersDash": "Marcadores de traços", + "PE.Views.Toolbar.tipMarkersFRhombus": "Listas Rômbicas Preenchidas", + "PE.Views.Toolbar.tipMarkersFRound": "Listas Redondas Preenchidas", + "PE.Views.Toolbar.tipMarkersFSquare": "Listas Quadradas Preenchidas", + "PE.Views.Toolbar.tipMarkersHRound": "Marcas de lista redondas vazias", + "PE.Views.Toolbar.tipMarkersStar": "Marcas em estrela", + "PE.Views.Toolbar.tipNone": "Nenhum", + "PE.Views.Toolbar.tipNumbers": "Numeração", + "PE.Views.Toolbar.tipPaste": "Colar", + "PE.Views.Toolbar.tipPreview": "Iniciar apresentação", + "PE.Views.Toolbar.tipPrint": "Imprimir", + "PE.Views.Toolbar.tipRedo": "Refazer", + "PE.Views.Toolbar.tipSave": "Salvar", + "PE.Views.Toolbar.tipSaveCoauth": "Guarde as suas alterações para que os outros utilizadores as possam ver.", + "PE.Views.Toolbar.tipShapeAlign": "Alinhar forma", + "PE.Views.Toolbar.tipShapeArrange": "Dispor forma", + "PE.Views.Toolbar.tipSlideNum": "Inserir número de diapositivo", + "PE.Views.Toolbar.tipSlideSize": "Selecionar tamanho do diapositivo", + "PE.Views.Toolbar.tipSlideTheme": "Tema do diapositivo", + "PE.Views.Toolbar.tipUndo": "Desfazer", + "PE.Views.Toolbar.tipVAligh": "Alinhamento vertical", + "PE.Views.Toolbar.tipViewSettings": "Definições de visualização", + "PE.Views.Toolbar.txtDistribHor": "Distribuir horizontalmente", + "PE.Views.Toolbar.txtDistribVert": "Distribuir verticalmente", + "PE.Views.Toolbar.txtDuplicateSlide": "Duplicar diapositivo", + "PE.Views.Toolbar.txtGroup": "Grupo", + "PE.Views.Toolbar.txtObjectsAlign": "Alinhar objetos selecionados", + "PE.Views.Toolbar.txtScheme1": "Office", + "PE.Views.Toolbar.txtScheme10": "Mediana", + "PE.Views.Toolbar.txtScheme11": "Metro", + "PE.Views.Toolbar.txtScheme12": "Módulo", + "PE.Views.Toolbar.txtScheme13": "Opulento", + "PE.Views.Toolbar.txtScheme14": "Balcão Envidraçado", + "PE.Views.Toolbar.txtScheme15": "Origem", + "PE.Views.Toolbar.txtScheme16": "Papel", + "PE.Views.Toolbar.txtScheme17": "Solstício", + "PE.Views.Toolbar.txtScheme18": "Técnica", + "PE.Views.Toolbar.txtScheme19": "Viagem", + "PE.Views.Toolbar.txtScheme2": "Escala de cinza", + "PE.Views.Toolbar.txtScheme20": "Urbano", + "PE.Views.Toolbar.txtScheme21": "Verve", + "PE.Views.Toolbar.txtScheme22": "Novo Escritório", + "PE.Views.Toolbar.txtScheme3": "Ápice", + "PE.Views.Toolbar.txtScheme4": "Aspecto", + "PE.Views.Toolbar.txtScheme5": "Cívico", + "PE.Views.Toolbar.txtScheme6": "Concurso", + "PE.Views.Toolbar.txtScheme7": "Patrimônio Líquido", + "PE.Views.Toolbar.txtScheme8": "Fluxo", + "PE.Views.Toolbar.txtScheme9": "Fundição", + "PE.Views.Toolbar.txtSlideAlign": "Alinhar ao diapositivo", + "PE.Views.Toolbar.txtUngroup": "Desagrupar", + "PE.Views.Transitions.strDelay": "Atraso", + "PE.Views.Transitions.strDuration": "Duração", + "PE.Views.Transitions.strStartOnClick": "Iniciar ao clicar", + "PE.Views.Transitions.textBlack": "Através preto", + "PE.Views.Transitions.textBottom": "Inferior", + "PE.Views.Transitions.textBottomLeft": "Inferior esquerdo", + "PE.Views.Transitions.textBottomRight": "Inferior direito", + "PE.Views.Transitions.textClock": "Relógio", + "PE.Views.Transitions.textClockwise": "Sentido horário", + "PE.Views.Transitions.textCounterclockwise": "Sentido anti-horário", + "PE.Views.Transitions.textCover": "Capa", + "PE.Views.Transitions.textFade": "Desvanecimento", + "PE.Views.Transitions.textHorizontalIn": "Horizontal para dentro", + "PE.Views.Transitions.textHorizontalOut": "Horizontal para fora", + "PE.Views.Transitions.textLeft": "Esquerda", + "PE.Views.Transitions.textNone": "Nenhum", + "PE.Views.Transitions.textPush": "Empurrar", + "PE.Views.Transitions.textRight": "Direita", + "PE.Views.Transitions.textSmoothly": "Suavemente", + "PE.Views.Transitions.textSplit": "Dividir", + "PE.Views.Transitions.textTop": "Parte superior", + "PE.Views.Transitions.textTopLeft": "Parte superior esquerda", + "PE.Views.Transitions.textTopRight": "Parte superior direita", + "PE.Views.Transitions.textUnCover": "Descobrir", + "PE.Views.Transitions.textVerticalIn": "Vertical para dentro", + "PE.Views.Transitions.textVerticalOut": "Vertical para fora", + "PE.Views.Transitions.textWedge": "Triangular", + "PE.Views.Transitions.textWipe": "Revelar", + "PE.Views.Transitions.textZoom": "Zoom", + "PE.Views.Transitions.textZoomIn": "Ampliar", + "PE.Views.Transitions.textZoomOut": "Reduzir", + "PE.Views.Transitions.textZoomRotate": "Zoom e Rotação", + "PE.Views.Transitions.txtApplyToAll": "Aplicar a todos os diapositivos", + "PE.Views.Transitions.txtParameters": "Parâmetros", + "PE.Views.Transitions.txtPreview": "Pré-visualizar", + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar sempre a barra de ferramentas", + "PE.Views.ViewTab.textFitToSlide": "Ajustar ao diapositivo", + "PE.Views.ViewTab.textFitToWidth": "Ajustar à Largura", + "PE.Views.ViewTab.textInterfaceTheme": "Tema da interface", + "PE.Views.ViewTab.textNotes": "Notas", + "PE.Views.ViewTab.textRulers": "Réguas", + "PE.Views.ViewTab.textStatusBar": "Barra de estado", + "PE.Views.ViewTab.textZoom": "Zoom" +} \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/pt.json b/apps/presentationeditor/main/locale/pt.json index 3e6687abd..9dfa47259 100644 --- a/apps/presentationeditor/main/locale/pt.json +++ b/apps/presentationeditor/main/locale/pt.json @@ -146,6 +146,7 @@ "Common.define.effectData.textLeftUp": "Esquerda para cima", "Common.define.effectData.textLighten": "Clarear", "Common.define.effectData.textLineColor": "Cor da linha", + "Common.define.effectData.textLines": "Linhas", "Common.define.effectData.textLinesCurves": "Curvas de Linhas", "Common.define.effectData.textLoopDeLoop": "Faça o laço", "Common.define.effectData.textModerate": "Moderado", @@ -179,6 +180,7 @@ "Common.define.effectData.textSCurve1": "Curva S 1", "Common.define.effectData.textSCurve2": "Curva S 2", "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Formas", "Common.define.effectData.textShimmer": "Cintilar", "Common.define.effectData.textShrinkTurn": "Encolher e girar", "Common.define.effectData.textSineWave": "Onda senoidal", @@ -238,7 +240,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", "Common.Translation.warnFileLockedBtnView": "Aberto para visualização", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.ComboBorderSize.txtNoBorders": "Sem bordas", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sem bordas", "Common.UI.ComboDataView.emptyComboText": "Sem estilos", @@ -293,6 +295,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Listas com marcadores automáticas", "Common.Views.AutoCorrectDialog.textBy": "Por", "Common.Views.AutoCorrectDialog.textDelete": "Excluir", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Adicionar ponto com espaço duplo", "Common.Views.AutoCorrectDialog.textFLCells": "Capitalizar a primeira letra das células da tabela", "Common.Views.AutoCorrectDialog.textFLSentence": "Capitalizar a primeira carta de sentenças", "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e caminhos de rede com hyperlinks", @@ -1288,11 +1291,13 @@ "PE.Views.Animation.strRewind": "Retroceder", "PE.Views.Animation.strStart": "Iniciar", "PE.Views.Animation.strTrigger": "Acionar", + "PE.Views.Animation.textAutoPreview": "AutoVisualização", "PE.Views.Animation.textMoreEffects": "Mostrar mais efeitos", "PE.Views.Animation.textMoveEarlier": "Mudança Anterior", "PE.Views.Animation.textMoveLater": "Mover-se depois", "PE.Views.Animation.textMultiple": "Múltiplo", "PE.Views.Animation.textNone": "Nenhum", + "PE.Views.Animation.textNoRepeat": "(nenhum)", "PE.Views.Animation.textOnClickOf": "Em Clique de", "PE.Views.Animation.textOnClickSequence": "Em Sequência de cliques", "PE.Views.Animation.textStartAfterPrevious": "Após o anterior", @@ -1522,7 +1527,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", "PE.Views.FileMenu.btnCreateNewCaption": "Criar novo", "PE.Views.FileMenu.btnDownloadCaption": "Transferir como...", - "PE.Views.FileMenu.btnExitCaption": "Sair", + "PE.Views.FileMenu.btnExitCaption": "Encerrar", "PE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "PE.Views.FileMenu.btnHelpCaption": "Ajuda...", "PE.Views.FileMenu.btnHistoryCaption": "Histórico de versão", @@ -1569,21 +1574,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algumas das assinaturas digitais na apresentação são inválidas ou não puderam ser verificadas. A apresentação está protegida para edição.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Exibir assinaturas", "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplicar", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Ativar guias de alinhamento", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Ativar recuperação automática", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Ativar salvamento automático", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "PE.Views.FileMenuPanels.Settings.strFast": "Fast", "PE.Views.FileMenuPanels.Settings.strFontRender": "Dicas de fonte", "PE.Views.FileMenuPanels.Settings.strForcesave": "Sempre salvar para o servidor (caso contrário, salvar para servidor no documento fechado)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Ativar hieróglifos", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Configurações de macros", "PE.Views.FileMenuPanels.Settings.strPaste": "Cortar, copiar e colar", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Mostrar o botão Opções de colagem quando o conteúdo for colado", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Alterações de colaboração em tempo real", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Ativar a opção de verificação ortográfica", "PE.Views.FileMenuPanels.Settings.strStrict": "Estrito", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema de interface", "PE.Views.FileMenuPanels.Settings.strUnit": "Unidade de medida", @@ -2168,6 +2165,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Inserir Vídeo", "PE.Views.Toolbar.tipLineSpace": "Espaçamento de linha", "PE.Views.Toolbar.tipMarkers": "Marcadores", + "PE.Views.Toolbar.tipMarkersArrow": "Balas de flecha", + "PE.Views.Toolbar.tipMarkersCheckmark": "Marcas de verificação", + "PE.Views.Toolbar.tipMarkersDash": "Marcadores de roteiro", + "PE.Views.Toolbar.tipMarkersFRhombus": "Vinhetas rômbicas cheias", + "PE.Views.Toolbar.tipMarkersFRound": "Balas redondas cheias", + "PE.Views.Toolbar.tipMarkersFSquare": "Balas quadradas cheias", + "PE.Views.Toolbar.tipMarkersHRound": "Balas redondas ocas", + "PE.Views.Toolbar.tipMarkersStar": "Balas de estrelas", + "PE.Views.Toolbar.tipNone": "Nenhum", "PE.Views.Toolbar.tipNumbers": "Numeração", "PE.Views.Toolbar.tipPaste": "Colar", "PE.Views.Toolbar.tipPreview": "Iniciar pré-visualização", diff --git a/apps/presentationeditor/main/locale/ro.json b/apps/presentationeditor/main/locale/ro.json index c2f06ad79..76d52d52a 100644 --- a/apps/presentationeditor/main/locale/ro.json +++ b/apps/presentationeditor/main/locale/ro.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Arcuire în jos", "Common.define.effectData.textArcLeft": "Arcuire spre stânga", "Common.define.effectData.textArcRight": "Arcuire spre dreapta", + "Common.define.effectData.textArcs": "Arce", "Common.define.effectData.textArcUp": "Arcuire în sus", "Common.define.effectData.textBasic": "De bază", "Common.define.effectData.textBasicSwivel": "Învârtire simplă", @@ -98,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Dizolvare spre exterior", "Common.define.effectData.textDown": "În jos", "Common.define.effectData.textDrop": "Picătură", - "Common.define.effectData.textEmphasis": "Efect de evidențiere", - "Common.define.effectData.textEntrance": "Efect de intrare", + "Common.define.effectData.textEmphasis": "Efecte de evidențiere", + "Common.define.effectData.textEntrance": "Efecte de intrare", "Common.define.effectData.textEqualTriangle": "Triunghi echilateral", "Common.define.effectData.textExciting": "Emoționant", - "Common.define.effectData.textExit": "Efect de ieșire", + "Common.define.effectData.textExit": "Efecte de ieșire", "Common.define.effectData.textExpand": "Extindere", "Common.define.effectData.textFade": "Estompare", "Common.define.effectData.textFigureFour": "Cifra 8 de patru ori", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "În interior", "Common.define.effectData.textInFromScreenCenter": "În interior din centrul ecranului", "Common.define.effectData.textInSlightly": "Ușor în interior", + "Common.define.effectData.textInToScreenBottom": "În interior către josul ecranului", "Common.define.effectData.textInvertedSquare": "Pătrat invers", "Common.define.effectData.textInvertedTriangle": "Triunghi invers", "Common.define.effectData.textLeft": "Stânga", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "În stânga sus", "Common.define.effectData.textLighten": "Luminare", "Common.define.effectData.textLineColor": "Culoare linie", + "Common.define.effectData.textLines": "Linii", "Common.define.effectData.textLinesCurves": "Linii Curbe", "Common.define.effectData.textLoopDeLoop": "Bucle", + "Common.define.effectData.textLoops": "Bucle", "Common.define.effectData.textModerate": "Moderat", "Common.define.effectData.textNeutron": "Neutron", "Common.define.effectData.textObjectCenter": "Centrul obiectului", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "În exterior", "Common.define.effectData.textOutFromScreenBottom": "În exterior din josul ecranului", "Common.define.effectData.textOutSlightly": "Ușor în exterior", + "Common.define.effectData.textOutToScreenCenter": "În exterior către centrul ecranului", "Common.define.effectData.textParallelogram": "Paralelogram", - "Common.define.effectData.textPath": "Cale de mișcare", + "Common.define.effectData.textPath": "Căi de mișcare", "Common.define.effectData.textPeanut": "Alună", "Common.define.effectData.textPeekIn": "Glisare rapidă spre interior", "Common.define.effectData.textPeekOut": "Glisare rapidă spre exterior", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Curbă S1", "Common.define.effectData.textSCurve2": "Curbă S2", "Common.define.effectData.textShape": "Forma", + "Common.define.effectData.textShapes": "Forme", "Common.define.effectData.textShimmer": "Licărire", "Common.define.effectData.textShrinkTurn": "Micșorare și întoarcere", "Common.define.effectData.textSineWave": "Val sinusoidal", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Trapez", "Common.define.effectData.textTurnDown": "Întoarcere în jos", "Common.define.effectData.textTurnDownRight": "Întoarcere spre dreapta jos", + "Common.define.effectData.textTurns": "Curbe", "Common.define.effectData.textTurnUp": "Întoarcere în sus", "Common.define.effectData.textTurnUpRight": "Întoarcere spre dreapta sus", "Common.define.effectData.textUnderline": "Subliniat", @@ -238,7 +245,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crează o copie", "Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea", "Common.UI.ButtonColored.textAutoColor": "Automat", - "Common.UI.ButtonColored.textNewColor": "Adăugarea unei culori particularizate noi", + "Common.UI.ButtonColored.textNewColor": "Сuloare particularizată", "Common.UI.ComboBorderSize.txtNoBorders": "Fără borduri", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Fără borduri", "Common.UI.ComboDataView.emptyComboText": "Fără stiluri", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Creare automată a listei cu marcatori", "Common.Views.AutoCorrectDialog.textBy": "După", "Common.Views.AutoCorrectDialog.textDelete": "Ștergere", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Adăugarea unui punct prin apăsarea dublă a barei de spațiu ", "Common.Views.AutoCorrectDialog.textFLCells": "Scrie cu majusculă prima litera din fiecare celulă de tabel", "Common.Views.AutoCorrectDialog.textFLSentence": "Scrie cu majusculă prima literă a propoziției", "Common.Views.AutoCorrectDialog.textHyperlink": "Căi Internet și de rețea cu hyperlink-uri", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Rezolvat", "Common.Views.Comments.textSort": "Sortare comentarii", "Common.Views.Comments.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", + "Common.Views.Comments.txtEmpty": "Nu există niciun comentariu.", "Common.Views.CopyWarningDialog.textDontShow": "Nu afișa acest mesaj din nou", "Common.Views.CopyWarningDialog.textMsg": "Operațiuni de copiere, decupare și lipire din bară de instrumente sau meniul contextual al editorului se execută numai în editorul.

        Pentru copiere și lipire din sau în aplicații exterioare folosiți următoarele combinații de taste:", "Common.Views.CopyWarningDialog.textTitle": "Comenzile de copiere, decupare și lipire", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "Se aliniază la diapozitiv", "PE.Controllers.Viewport.textFitWidth": "Potrivire lățime", + "PE.Views.Animation.str0_5": "0.5 s (foarte repede)", + "PE.Views.Animation.str1": "1 s (Repede)", + "PE.Views.Animation.str2": "2 s (medie)", + "PE.Views.Animation.str20": "20 s (extrem de lent)", + "PE.Views.Animation.str3": "3 s (lent)", + "PE.Views.Animation.str5": "5 s (foarte lent)", "PE.Views.Animation.strDelay": "Amânare", "PE.Views.Animation.strDuration": "Durată", "PE.Views.Animation.strRepeat": "Repetare", "PE.Views.Animation.strRewind": "Derulare înapoi", "PE.Views.Animation.strStart": "Pornire", "PE.Views.Animation.strTrigger": "Trigger", + "PE.Views.Animation.textAutoPreview": "Examinare automată", "PE.Views.Animation.textMoreEffects": "Mai multe efecte", "PE.Views.Animation.textMoveEarlier": "Mutare mai devreme", "PE.Views.Animation.textMoveLater": "Mutare mai târziu", "PE.Views.Animation.textMultiple": "Multiplu", "PE.Views.Animation.textNone": "Fără", + "PE.Views.Animation.textNoRepeat": "(niciunul)", "PE.Views.Animation.textOnClickOf": "La clic pe", "PE.Views.Animation.textOnClickSequence": "Secvență în clicuri", "PE.Views.Animation.textStartAfterPrevious": "După anterioul", "PE.Views.Animation.textStartOnClick": "La clic", "PE.Views.Animation.textStartWithPrevious": "Cu anteriorul", + "PE.Views.Animation.textUntilEndOfSlide": "Până la finalul diapositivului", + "PE.Views.Animation.textUntilNextClick": "Până la următorul clic", "PE.Views.Animation.txtAddEffect": "Adăugare animație", "PE.Views.Animation.txtAnimationPane": "Panou de animație", "PE.Views.Animation.txtParameters": "Opțiuni", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Închidere meniu", "PE.Views.FileMenu.btnCreateNewCaption": "Crearea unui document nou", "PE.Views.FileMenu.btnDownloadCaption": "Descărcare ca...", - "PE.Views.FileMenu.btnExitCaption": "Ieșire", + "PE.Views.FileMenu.btnExitCaption": "Închidere", "PE.Views.FileMenu.btnFileOpenCaption": "Deschidere...", "PE.Views.FileMenu.btnHelpCaption": "Asistență...", "PE.Views.FileMenu.btnHistoryCaption": "Istoricul versiune", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "O parte din semnături electronice din prezentarea nu sunt valide sau nu pot fi verificate. Prezentarea este protejată împotriva editării.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Vizualizare semnături", "PE.Views.FileMenuPanels.Settings.okButtonText": "Aplicare", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Activare ghiduri de aliniere", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Activare recuperare automată", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Activare salvare automată", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Modul de editare colaborativă", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ceilalți utilizatori vor putea vedea modificările dvs imediat", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Pentru a vizualiza modificările, trebuie mai întâi să le acceptați", "PE.Views.FileMenuPanels.Settings.strFast": "Rapid", "PE.Views.FileMenuPanels.Settings.strFontRender": "Sugestie font", "PE.Views.FileMenuPanels.Settings.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Activare hieroglife", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Setări macrocomandă", "PE.Views.FileMenuPanels.Settings.strPaste": "Decupare, copiere și lipire", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Afișarea butonului Opțiuni lipire de fiecare dată când lipiți conținut", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Modificările aduse documentului la colaborarea în timp real", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Activarea verificare ortografică", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strTheme": "Tema interfeței", "PE.Views.FileMenuPanels.Settings.strUnit": "Unitate de măsură ", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Inserare video", "PE.Views.Toolbar.tipLineSpace": "Interlinie", "PE.Views.Toolbar.tipMarkers": "Marcatori", + "PE.Views.Toolbar.tipMarkersArrow": "Marcatori săgeată", + "PE.Views.Toolbar.tipMarkersCheckmark": "Marcatori simbol de bifare", + "PE.Views.Toolbar.tipMarkersDash": "Marcatori cu o liniuță", + "PE.Views.Toolbar.tipMarkersFRhombus": "Marcatori romb umplut", + "PE.Views.Toolbar.tipMarkersFRound": "Marcatori cerc umplut", + "PE.Views.Toolbar.tipMarkersFSquare": "Marcatori pătrat umplut", + "PE.Views.Toolbar.tipMarkersHRound": "Marcatori cerc gol ", + "PE.Views.Toolbar.tipMarkersStar": "Marcatori stele", + "PE.Views.Toolbar.tipNone": "Fără", "PE.Views.Toolbar.tipNumbers": "Numerotare", "PE.Views.Toolbar.tipPaste": "Lipire", "PE.Views.Toolbar.tipPreview": "Pornire expunere diapozitive", diff --git a/apps/presentationeditor/main/locale/ru.json b/apps/presentationeditor/main/locale/ru.json index 15cb2420f..0a0f5fe23 100644 --- a/apps/presentationeditor/main/locale/ru.json +++ b/apps/presentationeditor/main/locale/ru.json @@ -52,6 +52,7 @@ "Common.define.effectData.textArcDown": "Вниз по дуге", "Common.define.effectData.textArcLeft": "Влево по дуге", "Common.define.effectData.textArcRight": "Вправо по дуге", + "Common.define.effectData.textArcs": "Дуги", "Common.define.effectData.textArcUp": "Вверх по дуге", "Common.define.effectData.textBasic": "Базовые", "Common.define.effectData.textBasicSwivel": "Простое вращение", @@ -98,11 +99,11 @@ "Common.define.effectData.textDissolveOut": "Растворение", "Common.define.effectData.textDown": "Вниз", "Common.define.effectData.textDrop": "Падение", - "Common.define.effectData.textEmphasis": "Эффект выделения", - "Common.define.effectData.textEntrance": "Эффект входа", + "Common.define.effectData.textEmphasis": "Эффекты выделения", + "Common.define.effectData.textEntrance": "Эффекты входа", "Common.define.effectData.textEqualTriangle": "Равносторонний треугольник", "Common.define.effectData.textExciting": "Сложные", - "Common.define.effectData.textExit": "Эффект выхода", + "Common.define.effectData.textExit": "Эффекты выхода", "Common.define.effectData.textExpand": "Развертывание", "Common.define.effectData.textFade": "Выцветание", "Common.define.effectData.textFigureFour": "Удвоенный знак 8", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "Внутрь", "Common.define.effectData.textInFromScreenCenter": "Увеличение из центра экрана", "Common.define.effectData.textInSlightly": "Небольшое увеличение", + "Common.define.effectData.textInToScreenBottom": "Увеличение к нижней части экрана", "Common.define.effectData.textInvertedSquare": "Квадрат наизнанку", "Common.define.effectData.textInvertedTriangle": "Треугольник наизнанку", "Common.define.effectData.textLeft": "Влево", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "Влево и вверх", "Common.define.effectData.textLighten": "Высветление", "Common.define.effectData.textLineColor": "Цвет линии", + "Common.define.effectData.textLines": "Линии", "Common.define.effectData.textLinesCurves": "Линии и кривые", "Common.define.effectData.textLoopDeLoop": "Петля", + "Common.define.effectData.textLoops": "Петли", "Common.define.effectData.textModerate": "Средние", "Common.define.effectData.textNeutron": "Нейтрон", "Common.define.effectData.textObjectCenter": "Центр объекта", @@ -156,8 +160,9 @@ "Common.define.effectData.textOut": "Наружу", "Common.define.effectData.textOutFromScreenBottom": "Уменьшение из нижней части экрана", "Common.define.effectData.textOutSlightly": "Небольшое уменьшение", + "Common.define.effectData.textOutToScreenCenter": "Уменьшение к центру экрана", "Common.define.effectData.textParallelogram": "Параллелограмм", - "Common.define.effectData.textPath": "Путь перемещения", + "Common.define.effectData.textPath": "Пути перемещения", "Common.define.effectData.textPeanut": "Земляной орех", "Common.define.effectData.textPeekIn": "Сбор", "Common.define.effectData.textPeekOut": "Задвигание", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "Синусоида 1", "Common.define.effectData.textSCurve2": "Синусоида 2", "Common.define.effectData.textShape": "Фигура", + "Common.define.effectData.textShapes": "Фигуры", "Common.define.effectData.textShimmer": "Мерцание", "Common.define.effectData.textShrinkTurn": "Уменьшение с поворотом", "Common.define.effectData.textSineWave": "Частая синусоида", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "Трапеция", "Common.define.effectData.textTurnDown": "Вправо и вниз", "Common.define.effectData.textTurnDownRight": "Вниз и вправо", + "Common.define.effectData.textTurns": "Повороты", "Common.define.effectData.textTurnUp": "Вправо и вверх", "Common.define.effectData.textTurnUpRight": "Вверх и вправо", "Common.define.effectData.textUnderline": "Подчёркивание", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "Стили маркированных списков", "Common.Views.AutoCorrectDialog.textBy": "На", "Common.Views.AutoCorrectDialog.textDelete": "Удалить", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Добавлять точку двойным пробелом", "Common.Views.AutoCorrectDialog.textFLCells": "Делать первые буквы ячеек таблиц прописными", "Common.Views.AutoCorrectDialog.textFLSentence": "Делать первые буквы предложений прописными", "Common.Views.AutoCorrectDialog.textHyperlink": "Адреса в Интернете и сетевые пути гиперссылками", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "Решено", "Common.Views.Comments.textSort": "Сортировать комментарии", "Common.Views.Comments.textViewResolved": "У вас нет прав для повторного открытия комментария", + "Common.Views.Comments.txtEmpty": "В документе нет комментариев.", "Common.Views.CopyWarningDialog.textDontShow": "Больше не показывать это сообщение", "Common.Views.CopyWarningDialog.textMsg": "Операции копирования, вырезания и вставки можно выполнить с помощью кнопок на панели инструментов и команд контекстного меню только в этой вкладке редактора.

        Для копирования в другие приложения и вставки из них используйте следующие сочетания клавиш:", "Common.Views.CopyWarningDialog.textTitle": "Операции копирования, вырезания и вставки", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Дзета", "PE.Controllers.Viewport.textFitPage": "По размеру слайда", "PE.Controllers.Viewport.textFitWidth": "По ширине", + "PE.Views.Animation.str0_5": "0.5 с (очень быстро)", + "PE.Views.Animation.str1": "1 s (быстро)", + "PE.Views.Animation.str2": "2 c (средне)", + "PE.Views.Animation.str20": "20 с (крайне медленно)", + "PE.Views.Animation.str3": "3 с (медленно)", + "PE.Views.Animation.str5": "5 c (очень медленно)", "PE.Views.Animation.strDelay": "Задержка", "PE.Views.Animation.strDuration": "Длит.", "PE.Views.Animation.strRepeat": "Повтор", "PE.Views.Animation.strRewind": "Перемотка назад", "PE.Views.Animation.strStart": "Запуск", "PE.Views.Animation.strTrigger": "Триггер", + "PE.Views.Animation.textAutoPreview": "Автопросмотр", "PE.Views.Animation.textMoreEffects": "Показать больше эффектов", "PE.Views.Animation.textMoveEarlier": "Переместить назад", "PE.Views.Animation.textMoveLater": "Переместить вперед", "PE.Views.Animation.textMultiple": "Несколько", "PE.Views.Animation.textNone": "Нет", + "PE.Views.Animation.textNoRepeat": "(нет)", "PE.Views.Animation.textOnClickOf": "По щелчку на", "PE.Views.Animation.textOnClickSequence": "По последовательности щелчков", "PE.Views.Animation.textStartAfterPrevious": "После предыдущего", "PE.Views.Animation.textStartOnClick": "По щелчку", "PE.Views.Animation.textStartWithPrevious": "Вместе с предыдущим", + "PE.Views.Animation.textUntilEndOfSlide": "До окончания слайда", + "PE.Views.Animation.textUntilNextClick": "До следующего щелчка", "PE.Views.Animation.txtAddEffect": "Добавить анимацию", "PE.Views.Animation.txtAnimationPane": "Область анимации", "PE.Views.Animation.txtParameters": "Параметры", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "Закрыть меню", "PE.Views.FileMenu.btnCreateNewCaption": "Создать новую", "PE.Views.FileMenu.btnDownloadCaption": "Скачать как...", - "PE.Views.FileMenu.btnExitCaption": "Выйти", + "PE.Views.FileMenu.btnExitCaption": "Закрыть", "PE.Views.FileMenu.btnFileOpenCaption": "Открыть...", "PE.Views.FileMenu.btnHelpCaption": "Справка...", "PE.Views.FileMenu.btnHistoryCaption": "История версий", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Некоторые из цифровых подписей в презентации недействительны или их нельзя проверить. Презентация защищена от редактирования.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Просмотр подписей", "PE.Views.FileMenuPanels.Settings.okButtonText": "Применить", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Включить направляющие выравнивания", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Включить автовосстановление", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Включить автосохранение", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Режим совместного редактирования", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Другие пользователи будут сразу же видеть ваши изменения", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Прежде чем вы сможете увидеть изменения, их надо будет принять", "PE.Views.FileMenuPanels.Settings.strFast": "Быстрый", "PE.Views.FileMenuPanels.Settings.strFontRender": "Хинтинг шрифтов", "PE.Views.FileMenuPanels.Settings.strForcesave": "Добавлять версию в хранилище после нажатия кнопки Сохранить или Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Включить иероглифы", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Настройки макросов", "PE.Views.FileMenuPanels.Settings.strPaste": "Вырезание, копирование и вставка", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Показывать кнопку Параметры вставки при вставке содержимого", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Отображать изменения при совместной работе", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Включить проверку орфографии", "PE.Views.FileMenuPanels.Settings.strStrict": "Строгий", "PE.Views.FileMenuPanels.Settings.strTheme": "Тема интерфейса", "PE.Views.FileMenuPanels.Settings.strUnit": "Единица измерения", @@ -2168,6 +2179,15 @@ "PE.Views.Toolbar.tipInsertVideo": "Вставить видео", "PE.Views.Toolbar.tipLineSpace": "Междустрочный интервал", "PE.Views.Toolbar.tipMarkers": "Маркированный список", + "PE.Views.Toolbar.tipMarkersArrow": "Маркеры-стрелки", + "PE.Views.Toolbar.tipMarkersCheckmark": "Маркеры-галочки", + "PE.Views.Toolbar.tipMarkersDash": "Маркеры-тире", + "PE.Views.Toolbar.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", + "PE.Views.Toolbar.tipMarkersFRound": "Заполненные круглые маркеры", + "PE.Views.Toolbar.tipMarkersFSquare": "Заполненные квадратные маркеры", + "PE.Views.Toolbar.tipMarkersHRound": "Пустые круглые маркеры", + "PE.Views.Toolbar.tipMarkersStar": "Маркеры-звездочки", + "PE.Views.Toolbar.tipNone": "Нет", "PE.Views.Toolbar.tipNumbers": "Нумерованный список", "PE.Views.Toolbar.tipPaste": "Вставить", "PE.Views.Toolbar.tipPreview": "Начать показ слайдов", diff --git a/apps/presentationeditor/main/locale/sk.json b/apps/presentationeditor/main/locale/sk.json index 1cca542b9..fd2eb0f2c 100644 --- a/apps/presentationeditor/main/locale/sk.json +++ b/apps/presentationeditor/main/locale/sk.json @@ -6,37 +6,240 @@ "Common.Controllers.ExternalDiagramEditor.warningText": "Objekt je blokovaný, pretože ho práve upravuje iný používateľ.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "Upozornenie", "Common.define.chartData.textArea": "Plošný graf", + "Common.define.chartData.textAreaStacked": "Skladaná oblasť", "Common.define.chartData.textAreaStackedPer": "100% stohovaná oblasť", "Common.define.chartData.textBar": "Pruhový graf", "Common.define.chartData.textBarNormal": "Klastrovaný stĺpec", "Common.define.chartData.textBarNormal3d": "3-D klastrovaný stĺpec", "Common.define.chartData.textBarNormal3dPerspective": "3D stĺpec", + "Common.define.chartData.textBarStacked": "Skladaný stĺpec", "Common.define.chartData.textBarStacked3d": "3-D stohovaný stĺpec", "Common.define.chartData.textBarStackedPer": "100% stohovaný stĺpec", "Common.define.chartData.textBarStackedPer3d": "3-D 100% stohovaný stĺpec", "Common.define.chartData.textCharts": "Grafy", "Common.define.chartData.textColumn": "Stĺpec", "Common.define.chartData.textCombo": "Kombo", + "Common.define.chartData.textComboAreaBar": "Skladaná oblasť - zoskupené", "Common.define.chartData.textComboBarLine": "Zoskupený stĺpec - riadok", "Common.define.chartData.textComboBarLineSecondary": "Zoskupený stĺpec - čiara na sekundárnej osi", "Common.define.chartData.textComboCustom": "Vlastná kombinácia", "Common.define.chartData.textDoughnut": "Šiška", "Common.define.chartData.textHBarNormal": "Zoskupená lišta", "Common.define.chartData.textHBarNormal3d": "3-D zoskupená lišta", + "Common.define.chartData.textHBarStacked": "Skladaný bar", "Common.define.chartData.textHBarStacked3d": "3-D zoskupená lišta", "Common.define.chartData.textHBarStackedPer": "100% stohovaná lišta", "Common.define.chartData.textHBarStackedPer3d": "3-D 100% stohovaná lišta", "Common.define.chartData.textLine": "Čiara/líniový graf", "Common.define.chartData.textLine3d": "3-D línia", + "Common.define.chartData.textLineMarker": "Líniový so značkami", + "Common.define.chartData.textLineStacked": "Skladaná linka", + "Common.define.chartData.textLineStackedMarker": "Skladaná linka so značkami", "Common.define.chartData.textLineStackedPer": "100% stohovaná čiara", "Common.define.chartData.textLineStackedPerMarker": "100% stohovaná línia so značkami", "Common.define.chartData.textPie": "Koláčový graf", "Common.define.chartData.textPie3d": "3-D koláč", "Common.define.chartData.textPoint": "Bodový graf", + "Common.define.chartData.textScatter": "Bodový", + "Common.define.chartData.textScatterLine": "Bodový s rovnými linkami", + "Common.define.chartData.textScatterLineMarker": "Bodový s rovnými linkami a značkami", + "Common.define.chartData.textScatterSmooth": "Bodový s vyhladenými linkami", + "Common.define.chartData.textScatterSmoothMarker": "Bodový s vyhladenými linkami a značkami", "Common.define.chartData.textStock": "Akcie/burzový graf", "Common.define.chartData.textSurface": "Povrch", + "Common.define.effectData.textAcross": "Naprieč", + "Common.define.effectData.textAppear": "Objaviť sa ", + "Common.define.effectData.textArcDown": "Oblúk dole", + "Common.define.effectData.textArcLeft": "Oblúk vľavo", + "Common.define.effectData.textArcRight": "Oblúk vpravo", + "Common.define.effectData.textArcUp": "Oblúk hore", + "Common.define.effectData.textBasic": "Základný", + "Common.define.effectData.textBasicSwivel": "Základný otočný", + "Common.define.effectData.textBasicZoom": "Základný priblíženie", + "Common.define.effectData.textBean": "Fazuľa", + "Common.define.effectData.textBlinds": "Žalúzie", + "Common.define.effectData.textBlink": "Žmurknutie", + "Common.define.effectData.textBoldFlash": "Záblesk tučne", + "Common.define.effectData.textBoldReveal": "Zobrazenie tučne", + "Common.define.effectData.textBoomerang": "Bumerang", + "Common.define.effectData.textBounce": "Odraz", + "Common.define.effectData.textBounceLeft": "Odraz vľavo", + "Common.define.effectData.textBounceRight": "Odraz vpravo", + "Common.define.effectData.textBox": "Schránka", + "Common.define.effectData.textBrushColor": "Farba Štetca", + "Common.define.effectData.textCenterRevolve": "Rotácia okolo stredu", + "Common.define.effectData.textCheckerboard": "Šachovnica", + "Common.define.effectData.textCircle": "Kruh", + "Common.define.effectData.textCollapse": "Stiahnuť/zbaliť/zvinúť", + "Common.define.effectData.textColorPulse": "Farebný pulz", + "Common.define.effectData.textComplementaryColor": "Doplnková farba", + "Common.define.effectData.textComplementaryColor2": "Doplnková farba 2", + "Common.define.effectData.textCompress": "Komprimovať", + "Common.define.effectData.textContrast": "Kontrast", + "Common.define.effectData.textContrastingColor": "Kontrastná farba", + "Common.define.effectData.textCredits": "Poďakovanie", + "Common.define.effectData.textCrescentMoon": "Polmesiac", + "Common.define.effectData.textCurveDown": "Krivka dole", + "Common.define.effectData.textCurvedSquare": "Zaoblený štvorec", + "Common.define.effectData.textCurvedX": "Zakrivené X", + "Common.define.effectData.textCurvyLeft": "Vývrtka doľava", + "Common.define.effectData.textCurvyRight": "Vývrtka doprava", + "Common.define.effectData.textCurvyStar": "Zakrivená hviezda", + "Common.define.effectData.textCustomPath": "Užívateľsky určená cesta", + "Common.define.effectData.textCuverUp": "Krivka hore", + "Common.define.effectData.textDarken": "Tmavnutie", + "Common.define.effectData.textDecayingWave": "Rozpadajúca sa vlna", + "Common.define.effectData.textDesaturate": "Do čiernobielej", + "Common.define.effectData.textDiagonalDownRight": "Diagonálne vpravo dole", + "Common.define.effectData.textDiagonalUpRight": "Diagonálne vpravo hore", + "Common.define.effectData.textDiamond": "Diamant", + "Common.define.effectData.textDisappear": "Zmiznúť", + "Common.define.effectData.textDissolveIn": "Rozpustiť dovnútra", + "Common.define.effectData.textDissolveOut": "Rozpustiť do vonkajška", + "Common.define.effectData.textDown": "Dole", + "Common.define.effectData.textDrop": "Zahodiť", + "Common.define.effectData.textEmphasis": "Zdôrazňujúci efekt", + "Common.define.effectData.textEntrance": "Vstupný efekt", + "Common.define.effectData.textEqualTriangle": "Rovnoramenný trojuholník ", + "Common.define.effectData.textExciting": "Vzrušujúci", + "Common.define.effectData.textExit": "Efekt ukončenia", + "Common.define.effectData.textExpand": "Expandovať/rozšíriť", + "Common.define.effectData.textFade": "Vyblednúť", + "Common.define.effectData.textFigureFour": "Znásobená osmička", + "Common.define.effectData.textFillColor": "Vyplniť farbou", + "Common.define.effectData.textFlip": "Prevrátiť", + "Common.define.effectData.textFloat": "Plávať", + "Common.define.effectData.textFloatDown": "Plávať dole", + "Common.define.effectData.textFloatIn": "Plávať do", + "Common.define.effectData.textFloatOut": "Plávať von", + "Common.define.effectData.textFloatUp": "Plávať hore", + "Common.define.effectData.textFlyIn": "Priletieť", + "Common.define.effectData.textFlyOut": "Odletieť", + "Common.define.effectData.textFontColor": "Farba písma", + "Common.define.effectData.textFootball": "Futbal", + "Common.define.effectData.textFromBottom": "Zdola", + "Common.define.effectData.textFromBottomLeft": "Zľava dole", + "Common.define.effectData.textFromBottomRight": "Sprava dole", + "Common.define.effectData.textFromLeft": "Zľava", + "Common.define.effectData.textFromRight": "Sprava", + "Common.define.effectData.textFromTop": "Zhora ", + "Common.define.effectData.textFromTopLeft": "Zľava hore", + "Common.define.effectData.textFromTopRight": "Sprava hore", + "Common.define.effectData.textFunnel": "Lievik", + "Common.define.effectData.textGrowShrink": "Rast/Zmenšenie", + "Common.define.effectData.textGrowTurn": "Narásť a otočiť", + "Common.define.effectData.textGrowWithColor": "Nárast so zmenou farby", + "Common.define.effectData.textHeart": "Srdce", + "Common.define.effectData.textHeartbeat": "Úder srdca", + "Common.define.effectData.textHexagon": "Šesťuholník", + "Common.define.effectData.textHorizontal": "Vodorovný", + "Common.define.effectData.textHorizontalFigure": "Ležatá osmička", + "Common.define.effectData.textHorizontalIn": "Horizontálne dnu", + "Common.define.effectData.textHorizontalOut": "Horizontálne von", + "Common.define.effectData.textIn": "Dnu", + "Common.define.effectData.textInFromScreenCenter": "Dnu zo stredu obrazovky", + "Common.define.effectData.textInSlightly": "Dnu mierne", + "Common.define.effectData.textInvertedSquare": "Prevrátený štvorec", + "Common.define.effectData.textInvertedTriangle": "Prevrátený trojuholník", + "Common.define.effectData.textLeft": "Vľavo", + "Common.define.effectData.textLeftDown": "Vľavo dole", + "Common.define.effectData.textLeftUp": "Vľavo hore", + "Common.define.effectData.textLighten": "Zosvetliť", + "Common.define.effectData.textLineColor": "Farba ohraničenia", + "Common.define.effectData.textLinesCurves": "Krivky čiar", + "Common.define.effectData.textLoopDeLoop": "Do slučky", + "Common.define.effectData.textModerate": "Primeraný/pomerne malý", + "Common.define.effectData.textNeutron": "Neutron", + "Common.define.effectData.textObjectCenter": "Stred objektu", + "Common.define.effectData.textObjectColor": "Farba objektu", + "Common.define.effectData.textOctagon": "Osemuholník", + "Common.define.effectData.textOut": "Von", + "Common.define.effectData.textOutFromScreenBottom": "Preč cez dolnú časť obrazovky", + "Common.define.effectData.textOutSlightly": "Mierne von", + "Common.define.effectData.textParallelogram": "Rovnobežník", + "Common.define.effectData.textPath": "Trasa pohybu", + "Common.define.effectData.textPeanut": "Búrsky oriešok", + "Common.define.effectData.textPeekIn": "Prilietnutie", + "Common.define.effectData.textPeekOut": "Odlietnutie", + "Common.define.effectData.textPentagon": "Päťuholník", + "Common.define.effectData.textPinwheel": "Veterník", + "Common.define.effectData.textPlus": "Plus", + "Common.define.effectData.textPointStar": "Hviezda s lúčmi", + "Common.define.effectData.textPointStar4": "4 Cípa hviezda", + "Common.define.effectData.textPointStar5": "5 Cípa hviezda", + "Common.define.effectData.textPointStar6": "6 Cípa hviezda", + "Common.define.effectData.textPointStar8": "8 Cípa hviezda", + "Common.define.effectData.textPulse": "Pulz", + "Common.define.effectData.textRandomBars": "Náhodné pruhy", + "Common.define.effectData.textRight": "Vpravo", + "Common.define.effectData.textRightDown": "Vpravo dole", + "Common.define.effectData.textRightTriangle": "Pravý trojuholník", + "Common.define.effectData.textRightUp": "Vpravo hore", + "Common.define.effectData.textRiseUp": "Stúpať", + "Common.define.effectData.textSCurve1": "S Krivka 1", + "Common.define.effectData.textSCurve2": "S Krivka 2", + "Common.define.effectData.textShape": "Tvar", + "Common.define.effectData.textShapes": "Tvary", + "Common.define.effectData.textShimmer": "Trblietať sa", + "Common.define.effectData.textShrinkTurn": "Zmenšiť a otočiť", + "Common.define.effectData.textSineWave": "Sínusová vlna", + "Common.define.effectData.textSinkDown": "Potopenie", + "Common.define.effectData.textSlideCenter": "Stred slajdu", + "Common.define.effectData.textSpecial": "Špeciálny", + "Common.define.effectData.textSpin": "Točiť", + "Common.define.effectData.textSpinner": "Odstredivka", + "Common.define.effectData.textSpiralIn": "Špirála", + "Common.define.effectData.textSpiralLeft": "Vľavo do špirály", + "Common.define.effectData.textSpiralOut": "Von do špirály", + "Common.define.effectData.textSpiralRight": "Vpravo do špirály", + "Common.define.effectData.textSplit": "Rozdeliť", + "Common.define.effectData.textSpoke1": "1 Lúč", + "Common.define.effectData.textSpoke2": "2 Lúče", + "Common.define.effectData.textSpoke3": "3 Lúče", + "Common.define.effectData.textSpoke4": "4 Lúče", + "Common.define.effectData.textSpoke8": "8 Lúčov", + "Common.define.effectData.textSpring": "Pružina", + "Common.define.effectData.textSquare": "Štvorec", + "Common.define.effectData.textStairsDown": "Po schodoch dole", + "Common.define.effectData.textStretch": "Roztiahnuť", + "Common.define.effectData.textStrips": "Prúžky", + "Common.define.effectData.textSubtle": "Jemné", + "Common.define.effectData.textSwivel": "Otočný", + "Common.define.effectData.textSwoosh": "Vlnovka", + "Common.define.effectData.textTeardrop": "Slza", + "Common.define.effectData.textTeeter": "Hojdačka", + "Common.define.effectData.textToBottom": "Dole", + "Common.define.effectData.textToBottomLeft": "Dole vľavo", + "Common.define.effectData.textToBottomRight": "Dole v pravo", + "Common.define.effectData.textToLeft": "Doľava", + "Common.define.effectData.textToRight": "Doprava", + "Common.define.effectData.textToTop": "Hore", + "Common.define.effectData.textToTopLeft": "Hore vľavo", + "Common.define.effectData.textToTopRight": "Hore vpravo", + "Common.define.effectData.textTransparency": "Priehľadnosť", + "Common.define.effectData.textTrapezoid": "Lichobežník", + "Common.define.effectData.textTurnDown": "Otočiť dole", + "Common.define.effectData.textTurnDownRight": "Otočiť vpravo dole", + "Common.define.effectData.textTurnUp": "Prevrátiť hore", + "Common.define.effectData.textTurnUpRight": "Prevrátiť vpravo", + "Common.define.effectData.textUnderline": "Podčiarknuť", + "Common.define.effectData.textUp": "Hore", + "Common.define.effectData.textVertical": "Zvislý", + "Common.define.effectData.textVerticalFigure": "Vertikálna osmička 8", + "Common.define.effectData.textVerticalIn": "Vertikálne dnu", + "Common.define.effectData.textVerticalOut": "Vertikálne von", + "Common.define.effectData.textWave": "Vlnovka", + "Common.define.effectData.textWedge": "Konjunkcia", + "Common.define.effectData.textWheel": "Koleso", + "Common.define.effectData.textWhip": "Bič", + "Common.define.effectData.textWipe": "Rozotrieť", + "Common.define.effectData.textZigzag": "Cikcak", + "Common.define.effectData.textZoom": "Priblíženie", + "Common.Translation.warnFileLocked": "Súbor je upravovaný v inej aplikácií. Môžete pokračovať v úpravách a uložiť ho ako kópiu.", "Common.Translation.warnFileLockedBtnEdit": "Vytvoriť kópiu", + "Common.Translation.warnFileLockedBtnView": "Otvoriť pre náhľad", "Common.UI.ButtonColored.textAutoColor": "Automaticky", + "Common.UI.ButtonColored.textNewColor": "Pridať novú vlastnú farbu", "Common.UI.ComboBorderSize.txtNoBorders": "Bez orámovania", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Bez orámovania", "Common.UI.ComboDataView.emptyComboText": "Žiadne štýly", @@ -46,6 +249,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nový", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota je nesprávna.
        Prosím, zadajte číselnú hodnotu medzi 0 a 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez farby", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skryť heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobraziť heslo", "Common.UI.SearchDialog.textHighlight": "Zvýrazniť výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovať veľkosť písmen", "Common.UI.SearchDialog.textReplaceDef": "Zadať náhradný text", @@ -60,7 +265,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Dokument bol zmenený ďalším používateľom.
        Prosím, kliknite na uloženie zmien a opätovne načítajte aktualizácie.", "Common.UI.ThemeColorPalette.textStandartColors": "Štandardné farby", "Common.UI.ThemeColorPalette.textThemeColors": "Farebné témy", + "Common.UI.Themes.txtThemeClassicLight": "Štandardná svetlosť", "Common.UI.Themes.txtThemeDark": "Tmavý", + "Common.UI.Themes.txtThemeLight": "Svetlý", "Common.UI.Window.cancelButtonText": "Zrušiť", "Common.UI.Window.closeButtonText": "Zatvoriť", "Common.UI.Window.noButtonText": "Nie", @@ -82,24 +289,50 @@ "Common.Views.About.txtVersion": "Verzia", "Common.Views.AutoCorrectDialog.textAdd": "Pridať", "Common.Views.AutoCorrectDialog.textApplyText": "Aplikujte počas písania", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Autokorekcia textu", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformátovať počas písania", "Common.Views.AutoCorrectDialog.textBulleted": "Automatické zoznamy s odrážkami", "Common.Views.AutoCorrectDialog.textBy": "Od", "Common.Views.AutoCorrectDialog.textDelete": "Vymazať", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "Pridaj interval s dvojitou medzerou", + "Common.Views.AutoCorrectDialog.textFLCells": "Prvé písmeno v obsahu buniek tabuľky meniť na veľké", + "Common.Views.AutoCorrectDialog.textFLSentence": "Veľlé písmeno na začiatku vety", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internetové a sieťové prístupy s hypertextovými odkazmi", "Common.Views.AutoCorrectDialog.textHyphens": "Rozdeľovníky (--) s pomlčkou (-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "Autokorekcia pre matematiku", "Common.Views.AutoCorrectDialog.textNumbered": "Automatické očíslované zoznamy ", "Common.Views.AutoCorrectDialog.textQuotes": "\"Rovné úvodzovky\" s \"chytrými úvodzovkami\"", + "Common.Views.AutoCorrectDialog.textRecognized": "Uznané funkcie", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Nasledujúce výrazy sú rozpoznané ako matematické funkcie. Nebudú aplikované pravidlá týkajúce sa veľkých a malých písmen.", + "Common.Views.AutoCorrectDialog.textReplace": "Nahradiť", + "Common.Views.AutoCorrectDialog.textReplaceText": "Nahrádzať počas písania", + "Common.Views.AutoCorrectDialog.textReplaceType": "Nahrádzať text počas písania", + "Common.Views.AutoCorrectDialog.textReset": "Obnoviť", + "Common.Views.AutoCorrectDialog.textResetAll": "Obnoviť pôvodné nastavenia", + "Common.Views.AutoCorrectDialog.textRestore": "Obnoviť", "Common.Views.AutoCorrectDialog.textTitle": "Automatická oprava", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "Uznané funkcie musia obsahovať iba písmená A až Z, horný index alebo dolný index.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Akýkoľvek vami pridaný výraz bude odstránený a tie, ktoré ste odstránili, budú obnovené. Chcete pokračovať?", + "Common.Views.AutoCorrectDialog.warnReplace": "Samooprava pre %1 už existuje. Chcete ju nahradiť?", "Common.Views.AutoCorrectDialog.warnReset": "Akákoľvek vami pridaná automatická oprava bude odstránená a zmeny budú vrátené na pôvodné hodnoty. Chcete pokračovať?", + "Common.Views.AutoCorrectDialog.warnRestore": "Samooprava pre %1 bude resetovaná na pôvodnú hodnotu. Chcete pokračovať?", "Common.Views.Chat.textSend": "Poslať", + "Common.Views.Comments.mniAuthorAsc": "Autor A až Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", + "Common.Views.Comments.mniDateAsc": "Najstarší", + "Common.Views.Comments.mniDateDesc": "Najnovší", + "Common.Views.Comments.mniFilterGroups": "Filtrovať podľa skupiny", + "Common.Views.Comments.mniPositionAsc": "Zhora", + "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Pridať", "Common.Views.Comments.textAddComment": "Pridať komentár", "Common.Views.Comments.textAddCommentToDoc": "Pridať komentár k dokumentu", "Common.Views.Comments.textAddReply": "Pridať odpoveď", + "Common.Views.Comments.textAll": "Všetko", "Common.Views.Comments.textAnonym": "Návštevník/Hosť", "Common.Views.Comments.textCancel": "Zrušiť", "Common.Views.Comments.textClose": "Zatvoriť", + "Common.Views.Comments.textClosePanel": "Zavrieť komentáre", "Common.Views.Comments.textComments": "Komentáre", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Zadať svoj komentár tu", @@ -108,6 +341,8 @@ "Common.Views.Comments.textReply": "Odpovedať", "Common.Views.Comments.textResolve": "Vyriešiť", "Common.Views.Comments.textResolved": "Vyriešené", + "Common.Views.Comments.textSort": "Triediť komentáre", + "Common.Views.Comments.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", "Common.Views.CopyWarningDialog.textDontShow": "Neukazovať túto správu znova", "Common.Views.CopyWarningDialog.textMsg": "Kopírovať, vystrihovať a priliepať pomocou tlačidiel panela nástrojov editora a kontextovej ponuky sa vykonajú iba v rámci tejto karty editora.

        Ak chcete kopírovať alebo priliepať do alebo z aplikácií mimo editora, použite nasledujúce klávesové skratky: ", "Common.Views.CopyWarningDialog.textTitle": "Akcia kopírovať, vystrihnúť a prilepiť", @@ -119,12 +354,15 @@ "Common.Views.ExternalDiagramEditor.textClose": "Zatvoriť", "Common.Views.ExternalDiagramEditor.textSave": "Uložiť a Zatvoriť", "Common.Views.ExternalDiagramEditor.textTitle": "Editor grafu", - "Common.Views.Header.labelCoUsersDescr": "Dokument v súčasnosti upravuje niekoľko používateľov.", + "Common.Views.Header.labelCoUsersDescr": "Používatelia, ktorí súbor upravujú:", + "Common.Views.Header.textAddFavorite": "Označiť ako obľúbené", "Common.Views.Header.textAdvSettings": "Pokročilé nastavenia", - "Common.Views.Header.textBack": "Prejsť do Dokumentov", + "Common.Views.Header.textBack": "Otvoriť umiestnenie súboru", "Common.Views.Header.textCompactView": "Skryť panel s nástrojmi", "Common.Views.Header.textHideLines": "Skryť pravítka", + "Common.Views.Header.textHideNotes": "Skryť poznámky", "Common.Views.Header.textHideStatusBar": "Schovať stavový riadok", + "Common.Views.Header.textRemoveFavorite": "Odstrániť z obľúbených", "Common.Views.Header.textSaveBegin": "Ukladanie ...", "Common.Views.Header.textSaveChanged": "Modifikovaný", "Common.Views.Header.textSaveEnd": "Všetky zmeny boli uložené", @@ -137,11 +375,17 @@ "Common.Views.Header.tipRedo": "Opakovať", "Common.Views.Header.tipSave": "Uložiť", "Common.Views.Header.tipUndo": "Krok späť", + "Common.Views.Header.tipUndock": "Oddeliť do samostatného okna", "Common.Views.Header.tipViewSettings": "Zobraziť nastavenia", "Common.Views.Header.tipViewUsers": "Zobraziť používateľov a spravovať prístupové práva k dokumentom", "Common.Views.Header.txtAccessRights": "Zmeniť prístupové práva", "Common.Views.Header.txtRename": "Premenovať", "Common.Views.History.textCloseHistory": "Zatvoriť históriu", + "Common.Views.History.textHide": "Stiahnuť/zbaliť/zvinúť", + "Common.Views.History.textHideAll": "Skryť podrobné zmeny", + "Common.Views.History.textRestore": "Obnoviť", + "Common.Views.History.textShow": "Expandovať/rozšíriť", + "Common.Views.History.textShowAll": "Zobraziť detailné zmeny", "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "Vložte obrázok URL:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Toto pole sa vyžaduje", @@ -155,24 +399,30 @@ "Common.Views.InsertTableDialog.txtTitleSplit": "Rozdeliť bunku", "Common.Views.LanguageDialog.labelSelect": "Vybrať jazyk dokumentu", "Common.Views.ListSettingsDialog.textBulleted": "S odrážkami", + "Common.Views.ListSettingsDialog.textNumbering": "Číslovaný", "Common.Views.ListSettingsDialog.tipChange": "Zmeniť odrážku", "Common.Views.ListSettingsDialog.txtBullet": "Odrážka", "Common.Views.ListSettingsDialog.txtColor": "Farba", + "Common.Views.ListSettingsDialog.txtNewBullet": "Nová odrážka", "Common.Views.ListSettingsDialog.txtNone": "žiadny", "Common.Views.ListSettingsDialog.txtOfText": "% textu", "Common.Views.ListSettingsDialog.txtSize": "Veľkosť", "Common.Views.ListSettingsDialog.txtStart": "Začať na", "Common.Views.ListSettingsDialog.txtSymbol": "Symbol", + "Common.Views.ListSettingsDialog.txtTitle": "Nastavenia zoznamu", "Common.Views.ListSettingsDialog.txtType": "Typ", "Common.Views.OpenDialog.closeButtonText": "Zatvoriť súbor", "Common.Views.OpenDialog.txtEncoding": "Kódovanie", "Common.Views.OpenDialog.txtIncorrectPwd": "Heslo je nesprávne.", "Common.Views.OpenDialog.txtOpenFile": "Zadajte heslo na otvorenie súboru", "Common.Views.OpenDialog.txtPassword": "Heslo", + "Common.Views.OpenDialog.txtProtected": "Po zadaní hesla a otvorení súboru bude súčasné heslo k súboru resetované.", "Common.Views.OpenDialog.txtTitle": "Vyberte %1 možností", "Common.Views.OpenDialog.txtTitleProtected": "Chránený súbor", + "Common.Views.PasswordDialog.txtDescription": "Nastaviť heslo na ochranu tohto dokumentu", "Common.Views.PasswordDialog.txtIncorrectPwd": "Heslá sa nezhodujú", "Common.Views.PasswordDialog.txtPassword": "Heslo", + "Common.Views.PasswordDialog.txtRepeat": "Zopakujte heslo", "Common.Views.PasswordDialog.txtTitle": "Nastaviť heslo", "Common.Views.PasswordDialog.txtWarning": "Upozornenie: Ak stratíte alebo zabudnete heslo, nemožno ho obnoviť. Uschovajte ho na bezpečnom mieste.", "Common.Views.PluginDlg.textLoading": "Nahrávanie", @@ -196,11 +446,22 @@ "Common.Views.ReviewChanges.hintNext": "K ďalšej zmene", "Common.Views.ReviewChanges.hintPrev": "K predošlej zmene", "Common.Views.ReviewChanges.strFast": "Rýchly", + "Common.Views.ReviewChanges.strFastDesc": "Spoločné úpravy v reálnom čase. Všetky zmeny sú ukladané automaticky.", "Common.Views.ReviewChanges.strStrict": "Prísny", + "Common.Views.ReviewChanges.strStrictDesc": "Pre synchronizáciu zmien, ktoré ste urobili vy a ostatný, použite tlačítko \"Uložiť\".", "Common.Views.ReviewChanges.tipAcceptCurrent": "Akceptovať aktuálnu zmenu", + "Common.Views.ReviewChanges.tipCoAuthMode": "Nastaviť mód spoločných úprav", + "Common.Views.ReviewChanges.tipCommentRem": "Odstrániť komentáre", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Odstrániť aktuálne komentáre", + "Common.Views.ReviewChanges.tipCommentResolve": "Vyriešiť komentáre", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Vyriešiť aktuálne komentáre", + "Common.Views.ReviewChanges.tipHistory": "Zobraziť históriu verzií", "Common.Views.ReviewChanges.tipRejectCurrent": "Odmietnuť aktuálne zmeny", "Common.Views.ReviewChanges.tipReview": "Sledovať zmeny", "Common.Views.ReviewChanges.tipReviewView": "Vyberte režim, v ktorom chcete zobraziť zmeny", + "Common.Views.ReviewChanges.tipSetDocLang": "Nastaviť jazyk dokumentu", + "Common.Views.ReviewChanges.tipSetSpelling": "Kontrola pravopisu", + "Common.Views.ReviewChanges.tipSharing": "Spravovať prístupové práva k dokumentom", "Common.Views.ReviewChanges.txtAccept": "Akceptovať", "Common.Views.ReviewChanges.txtAcceptAll": "Akceptovať všetky zmeny", "Common.Views.ReviewChanges.txtAcceptChanges": "Akceptovať zmeny", @@ -208,7 +469,16 @@ "Common.Views.ReviewChanges.txtChat": "Rozhovor", "Common.Views.ReviewChanges.txtClose": "Zatvoriť", "Common.Views.ReviewChanges.txtCoAuthMode": "Režim spoločnej úpravy", + "Common.Views.ReviewChanges.txtCommentRemAll": "Odstrániť všetky komentáre", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Odstrániť aktuálne komentáre", + "Common.Views.ReviewChanges.txtCommentRemMy": "Odstrániť moje komentáre", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Odstrániť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtCommentRemove": "Odstrániť", + "Common.Views.ReviewChanges.txtCommentResolve": "Vyriešiť", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Vyriešiť všetky komentáre", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Vyriešiť aktuálne komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Vyriešiť moje komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Vyriešiť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtDocLang": "Jazyk", "Common.Views.ReviewChanges.txtFinal": "Všetky zmeny prijaté (ukážka)", "Common.Views.ReviewChanges.txtFinalCap": "Posledný", @@ -222,6 +492,9 @@ "Common.Views.ReviewChanges.txtReject": "Odmietnuť", "Common.Views.ReviewChanges.txtRejectAll": "Odmietnuť všetky zmeny", "Common.Views.ReviewChanges.txtRejectChanges": "Odmietnuť zmeny", + "Common.Views.ReviewChanges.txtRejectCurrent": "Odmietnuť aktuálnu zmenu", + "Common.Views.ReviewChanges.txtSharing": "Zdieľanie", + "Common.Views.ReviewChanges.txtSpelling": "Kontrola pravopisu", "Common.Views.ReviewChanges.txtTurnon": "Sledovať zmeny", "Common.Views.ReviewChanges.txtView": "Režim zobrazenia", "Common.Views.ReviewPopover.textAdd": "Pridať", @@ -231,20 +504,29 @@ "Common.Views.ReviewPopover.textEdit": "OK", "Common.Views.ReviewPopover.textMention": "+zmienka poskytne prístup k dokumentu a odošle mail", "Common.Views.ReviewPopover.textMentionNotify": "+zmienka upovedomí užívateľa mailom", + "Common.Views.ReviewPopover.textOpenAgain": "Znova otvoriť", "Common.Views.ReviewPopover.textReply": "Odpovedať", "Common.Views.ReviewPopover.textResolve": "Vyriešiť", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", + "Common.Views.ReviewPopover.txtDeleteTip": "Odstrániť", + "Common.Views.ReviewPopover.txtEditTip": "Upraviť", "Common.Views.SaveAsDlg.textLoading": "Načítavanie", + "Common.Views.SaveAsDlg.textTitle": "Priečinok na uloženie", "Common.Views.SelectFileDlg.textLoading": "Načítavanie", + "Common.Views.SelectFileDlg.textTitle": "Vybrať zdroj údajov", "Common.Views.SignDialog.textBold": "Tučné", "Common.Views.SignDialog.textCertificate": "Certifikát", "Common.Views.SignDialog.textChange": "Zmeniť", "Common.Views.SignDialog.textInputName": "Zadať meno signatára", "Common.Views.SignDialog.textItalic": "Kurzíva", + "Common.Views.SignDialog.textNameError": "Meno podpisovateľa nesmie byť prázdne. ", "Common.Views.SignDialog.textPurpose": "Účel podpisovania tohto dokumentu", "Common.Views.SignDialog.textSelect": "Vybrať", "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", + "Common.Views.SignDialog.textSignature": "Podpis vyzerá ako", "Common.Views.SignDialog.textTitle": "Podpísať dokument", "Common.Views.SignDialog.textUseImage": "alebo kliknite na položku 'Vybrať obrázok' ak chcete použiť obrázok ako podpis", + "Common.Views.SignDialog.textValid": "Platný od %1 do %2", "Common.Views.SignDialog.tipFontName": "Názov písma", "Common.Views.SignDialog.tipFontSize": "Veľkosť písma", "Common.Views.SignSettingsDialog.textAllowComment": "Povoliť signatárovi pridať komentár do podpisového dialógu", @@ -252,20 +534,45 @@ "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Názov", "Common.Views.SignSettingsDialog.textInfoTitle": "Názov signatára", + "Common.Views.SignSettingsDialog.textInstructions": "Pokyny pre signatára", + "Common.Views.SignSettingsDialog.textShowDate": "Zobraziť dátum podpisu v riadku podpisu", + "Common.Views.SignSettingsDialog.textTitle": "Nastavenia podpisu", "Common.Views.SignSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.SymbolTableDialog.textCharacter": "Symbol", + "Common.Views.SymbolTableDialog.textCode": "Hodnota unicode HEX ", "Common.Views.SymbolTableDialog.textCopyright": "Znak autorských práv", "Common.Views.SymbolTableDialog.textDCQuote": "Uzatvárajúca úvodzovka", + "Common.Views.SymbolTableDialog.textDOQuote": "Úvodná dvojitá úvodzovka", + "Common.Views.SymbolTableDialog.textEllipsis": "Horizontálna elipsa", + "Common.Views.SymbolTableDialog.textEmDash": "Dlhá pomlčka", + "Common.Views.SymbolTableDialog.textEmSpace": "Dlhá medzera", + "Common.Views.SymbolTableDialog.textEnDash": "Krátka pomlčka", + "Common.Views.SymbolTableDialog.textEnSpace": "Krátka medzera", "Common.Views.SymbolTableDialog.textFont": "Písmo", + "Common.Views.SymbolTableDialog.textNBHyphen": "Pevná pomlčka", + "Common.Views.SymbolTableDialog.textNBSpace": "Nezalomiteľná medzera", + "Common.Views.SymbolTableDialog.textPilcrow": "Pí", "Common.Views.SymbolTableDialog.textQEmSpace": "Medzera 1/4 Em", "Common.Views.SymbolTableDialog.textRange": "Rozsah", + "Common.Views.SymbolTableDialog.textRecent": "Nedávno použité symboly", + "Common.Views.SymbolTableDialog.textRegistered": "Registrovaná značka", "Common.Views.SymbolTableDialog.textSCQuote": "Uzatvárajúca úvodzovka", + "Common.Views.SymbolTableDialog.textSection": "Paragraf", + "Common.Views.SymbolTableDialog.textShortcut": "Klávesová skratka", + "Common.Views.SymbolTableDialog.textSHyphen": "Mäkký spojovník", + "Common.Views.SymbolTableDialog.textSOQuote": "Úvodná jednoduchá úvodzovka", + "Common.Views.SymbolTableDialog.textSpecial": "špeciálne znaky", "Common.Views.SymbolTableDialog.textSymbols": "Symboly", "Common.Views.SymbolTableDialog.textTitle": "Symbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Symbol ochrannej známky", "Common.Views.UserNameDialog.textDontShow": "Nepýtať sa ma znova", "Common.Views.UserNameDialog.textLabel": "Štítok:", + "Common.Views.UserNameDialog.textLabelError": "Etiketa nesmie byť prázdna.", + "PE.Controllers.LeftMenu.leavePageText": "Všetky neuložené zmeny v tomto dokumente budú stratené.
        Kliknite na \"Zrušiť\" a potom na \"Uložiť\" pre uloženie. Kliknite na \"OK\" pre zrušenie všetkých neuložených zmien.", "PE.Controllers.LeftMenu.newDocumentTitle": "Nepomenovaná prezentácia", + "PE.Controllers.LeftMenu.notcriticalErrorTitle": "Upozornenie", "PE.Controllers.LeftMenu.requestEditRightsText": "Žiadanie o práva na úpravu ...", + "PE.Controllers.LeftMenu.textLoadHistory": "Načítavanie histórie verzií ...", "PE.Controllers.LeftMenu.textNoTextFound": "Dáta, ktoré hľadáte sa nedajú nájsť. Prosím, upravte svoje možnosti vyhľadávania.", "PE.Controllers.LeftMenu.textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", "PE.Controllers.LeftMenu.textReplaceSuccess": "Vyhľadávanie bolo uskutočnené. Nahradené udalosti: {0}", @@ -281,6 +588,7 @@ "PE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
        Prosím, kontaktujte svojho správcu dokumentového servera. ", "PE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "PE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", + "PE.Controllers.Main.errorComboSeries": "Pre vytvorenie kombinovaného grafu, zvoľte aspoň dve skupiny dát.", "PE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
        Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.", "PE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
        Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "PE.Controllers.Main.errorDataEncrypted": "Boli prijaté zašifrované zmeny, nemožno ich dekódovať.", @@ -288,24 +596,29 @@ "PE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", "PE.Controllers.Main.errorEditingDownloadas": "Pri práci s dokumentom došlo k chybe.
        Použite voľbu \"Stiahnuť ako...\" a uložte si záložnú kópiu súboru na svoj počítač.", "PE.Controllers.Main.errorEditingSaveas": "Pri práci s dokumentom došlo k chybe.
        Použite voľbu \"Uložiť ako...\" a uložte si záložnú kópiu súboru na svoj počítač.", - "PE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom a nie je možné ho otvoriť.", + "PE.Controllers.Main.errorEmailClient": "Nenašiel sa žiadny emailový klient.", + "PE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom.", "PE.Controllers.Main.errorFileSizeExceed": "Veľkosť súboru prekračuje limity vášho servera.
        Kontaktujte prosím vášho správcu dokumentového servera o ďalšie podrobnosti.", "PE.Controllers.Main.errorForceSave": "Pri ukladaní súboru sa vyskytla chyba. Ak chcete súbor uložiť na pevný disk počítača, použite možnosť 'Prevziať ako' alebo to skúste znova neskôr.", "PE.Controllers.Main.errorKeyEncrypt": "Neznámy kľúč deskriptoru", "PE.Controllers.Main.errorKeyExpire": "Kľúč deskriptora vypršal", + "PE.Controllers.Main.errorLoadingFont": "Fonty sa nenahrali.
        Kontaktujte prosím svojho administrátora Servera dokumentov.", "PE.Controllers.Main.errorProcessSaveResult": "Ukladanie zlyhalo.", "PE.Controllers.Main.errorServerVersion": "Verzia editora bola aktualizovaná. Stránka sa opätovne načíta, aby sa vykonali zmeny.", "PE.Controllers.Main.errorSessionAbsolute": "Režim editácie dokumentu vypršal. Prosím, načítajte stránku znova.", "PE.Controllers.Main.errorSessionIdle": "Dokument nebol dlho upravovaný. Prosím, načítajte stránku znova.", "PE.Controllers.Main.errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", + "PE.Controllers.Main.errorSetPassword": "Heslo nemohlo byť použité", "PE.Controllers.Main.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
        začiatočná cena, max cena, min cena, konečná cena.", "PE.Controllers.Main.errorToken": "Rámec platnosti zabezpečenia dokumentu nie je správne vytvorený.
        Prosím, kontaktujte svojho správcu dokumentového servera. ", "PE.Controllers.Main.errorTokenExpire": "Rámec platnosti zabezpečenia dokumentu vypršal.
        Prosím, kontaktujte svojho správcu dokumentového servera. ", "PE.Controllers.Main.errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", + "PE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internetové spojenie bolo obnovené a verzia súboru bola zmenená.
        Predtým, než budete pokračovať v práci, potrebujete si stiahnuť súbor alebo kópiu jeho obsahu, aby sa nič nestratilo. Potom znovu načítajte stránku.", "PE.Controllers.Main.errorUserDrop": "K súboru nie je možné práve teraz získať prístup.", "PE.Controllers.Main.errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", - "PE.Controllers.Main.errorViewerDisconnect": "Spojenie so serverom je prerušené. Dokument môžete zobraziť,
        ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví.", + "PE.Controllers.Main.errorViewerDisconnect": "Spojenie so serverom je prerušené. Dokument môžete zobraziť,
        ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví a stránka sa znovu nenačíta.", "PE.Controllers.Main.leavePageText": "V tejto prezentácii máte neuložené zmeny. Kliknite na \"Zostať na tejto stránke\", potom \"Uložiť\" aby sa zmeny uložili. Kliknutím na \"Opustiť túto stránku\" odstránite všetky neuložené zmeny.", + "PE.Controllers.Main.leavePageTextOnClose": "Všetky neuložené zmeny v tomto dokumente budú stratené.
        Kliknite na \"Zrušiť\" a potom na \"Uložiť\" pre uloženie. Kliknite na \"OK\" pre zrušenie všetkých neuložených zmien.", "PE.Controllers.Main.loadFontsTextText": "Načítavanie dát...", "PE.Controllers.Main.loadFontsTitleText": "Načítavanie dát", "PE.Controllers.Main.loadFontTextText": "Načítavanie dát...", @@ -319,7 +632,7 @@ "PE.Controllers.Main.loadThemeTextText": "Načítavanie témy...", "PE.Controllers.Main.loadThemeTitleText": "Načítavanie témy", "PE.Controllers.Main.notcriticalErrorTitle": "Upozornenie", - "PE.Controllers.Main.openErrorText": "Pri otváraní súboru sa vyskytla chyba", + "PE.Controllers.Main.openErrorText": "Pri otváraní súboru sa vyskytla chyba.", "PE.Controllers.Main.openTextText": "Otváranie prezentácie...", "PE.Controllers.Main.openTitleText": "Otváranie prezentácie", "PE.Controllers.Main.printTextText": "Tlačenie prezentácie...", @@ -327,9 +640,11 @@ "PE.Controllers.Main.reloadButtonText": "Obnoviť stránku", "PE.Controllers.Main.requestEditFailedMessageText": "Niekto momentálne upravuje túto prezentáciu. Skúste neskôr prosím.", "PE.Controllers.Main.requestEditFailedTitleText": "Prístup zamietnutý", - "PE.Controllers.Main.saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "PE.Controllers.Main.saveErrorText": "Pri ukladaní súboru sa vyskytla chyba.", + "PE.Controllers.Main.saveErrorTextDesktop": "Súbor nemohol byť uložený, alebo vytvorený
        Možné dôvody:
        1.Súbor je možne použiť iba na čítanie.
        2. Súbor je editovaný iným užívateľom.
        3.Úložisko je plné, alebo poškodené.", "PE.Controllers.Main.saveTextText": "Ukladanie prezentácie...", "PE.Controllers.Main.saveTitleText": "Ukladanie prezentácie", + "PE.Controllers.Main.scriptLoadError": "Spojenie je príliš pomalé, niektoré komponenty nemožno nahrať. Obnovte prosím stránku.", "PE.Controllers.Main.splitDividerErrorText": "Počet riadkov musí byť deliteľný %1.", "PE.Controllers.Main.splitMaxColsErrorText": "Počet stĺpcov musí byť menší ako %1.", "PE.Controllers.Main.splitMaxRowsErrorText": "Počet riadkov musí byť menší ako %1.", @@ -340,15 +655,24 @@ "PE.Controllers.Main.textClose": "Zatvoriť", "PE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "PE.Controllers.Main.textContactUs": "Kontaktujte predajcu", + "PE.Controllers.Main.textConvertEquation": "Táto rovnica bola vytvorená starou verziou editora rovníc, ktorá už nie je podporovaná. Pre jej upravenie, preveďte rovnicu do formátu Office Math ML.
        Previesť teraz?", "PE.Controllers.Main.textCustomLoader": "Všimnite si, prosím, že podľa zmluvných podmienok licencie nemáte oprávnenie zmeniť loader.
        Kontaktujte prosím naše Predajné oddelenie, aby ste získali odhad ceny.", + "PE.Controllers.Main.textDisconnect": "Spojenie sa stratilo", + "PE.Controllers.Main.textGuest": "Návštevník", "PE.Controllers.Main.textHasMacros": "Súbor obsahuje automatické makrá.
        Chcete spustiť makrá?", + "PE.Controllers.Main.textLearnMore": "Viac informácií", "PE.Controllers.Main.textLoadingDocument": "Načítavanie prezentácie", "PE.Controllers.Main.textLongName": "Vložte meno, ktorého dĺžka je menej ako 128 znakov.", - "PE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE obmedzenie pripojenia", + "PE.Controllers.Main.textNoLicenseTitle": "Bol dosiahnutý limit licencie", + "PE.Controllers.Main.textPaidFeature": "Platená funkcia", + "PE.Controllers.Main.textReconnect": "Spojenie sa obnovilo", + "PE.Controllers.Main.textRemember": "Pamätať si moju voľbu pre všetky súbory", + "PE.Controllers.Main.textRenameError": "Meno užívateľa nesmie byť prázdne.", "PE.Controllers.Main.textRenameLabel": "Zadajte meno, ktoré sa bude používať pre spoluprácu", "PE.Controllers.Main.textShape": "Tvar", "PE.Controllers.Main.textStrict": "Prísny režim", "PE.Controllers.Main.textTryUndoRedo": "Funkcie späť/zopakovať sú vypnuté pre rýchly spolueditačný režim.
        Kliknite na tlačítko \"Prísny režim\", aby ste prešli do prísneho spolueditačného režimu a aby ste upravovali súbor bez rušenia ostatných užívateľov a odosielali vaše zmeny iba po ich uložení. Pomocou Rozšírených nastavení editoru môžete prepínať medzi spolueditačnými režimami.", + "PE.Controllers.Main.textTryUndoRedoWarn": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", "PE.Controllers.Main.titleLicenseExp": "Platnosť licencie uplynula", "PE.Controllers.Main.titleServerVersion": "Editor bol aktualizovaný", "PE.Controllers.Main.txtAddFirstSlide": "Kliknutím pridajte prvú snímku", @@ -363,6 +687,7 @@ "PE.Controllers.Main.txtDiagram": "Moderné umenie", "PE.Controllers.Main.txtDiagramTitle": "Názov grafu", "PE.Controllers.Main.txtEditingMode": "Nastaviť režim úprav...", + "PE.Controllers.Main.txtErrorLoadHistory": "Načítavanie histórie zlyhalo", "PE.Controllers.Main.txtFiguredArrows": "Šipky", "PE.Controllers.Main.txtFooter": "Päta stránky", "PE.Controllers.Main.txtHeader": "Hlavička", @@ -372,26 +697,49 @@ "PE.Controllers.Main.txtMath": "Matematika", "PE.Controllers.Main.txtMedia": "Médiá ", "PE.Controllers.Main.txtNeedSynchronize": "Máte aktualizácie", + "PE.Controllers.Main.txtNone": "žiadny", "PE.Controllers.Main.txtPicture": "Obrázok", "PE.Controllers.Main.txtRectangles": "Obdĺžniky", "PE.Controllers.Main.txtSeries": "Rady", + "PE.Controllers.Main.txtShape_accentBorderCallout1": "Bublina s čiarou 1 (ohraničenie a akcentový pruh)", + "PE.Controllers.Main.txtShape_accentBorderCallout2": "Bublina s čiarou 2 (ohraničenie a zvýraznenie)", + "PE.Controllers.Main.txtShape_accentBorderCallout3": "Bublina s čiarou 3 (Ohraničenie a zvýraznenie)", + "PE.Controllers.Main.txtShape_accentCallout1": "Bublina s čiarou 1 (Accent Bar)", + "PE.Controllers.Main.txtShape_accentCallout2": "Bublina s čiarou 2 (zvýraznenie)", + "PE.Controllers.Main.txtShape_accentCallout3": "Bublina s čiarou 3 (zvýraznená)", "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tlačítko Späť alebo Predchádzajúci", "PE.Controllers.Main.txtShape_actionButtonBeginning": "Tlačítko Začiatok", "PE.Controllers.Main.txtShape_actionButtonBlank": "Prázdne tlačítko", "PE.Controllers.Main.txtShape_actionButtonDocument": "Tlačítko Dokument", "PE.Controllers.Main.txtShape_actionButtonEnd": "Tlačítko Koniec", + "PE.Controllers.Main.txtShape_actionButtonForwardNext": "Tlačítko vpred alebo ďalej", + "PE.Controllers.Main.txtShape_actionButtonHelp": "Tlačítko Nápoveda", + "PE.Controllers.Main.txtShape_actionButtonHome": "Tlačítko Domov", "PE.Controllers.Main.txtShape_actionButtonInformation": "Tlačítko Informácia", + "PE.Controllers.Main.txtShape_actionButtonMovie": "Tlačítko Film", "PE.Controllers.Main.txtShape_actionButtonReturn": "Tlačítko Návrat", + "PE.Controllers.Main.txtShape_actionButtonSound": "Tlačítko Zvuk", "PE.Controllers.Main.txtShape_arc": "Oblúk", "PE.Controllers.Main.txtShape_bentArrow": "Ohnutá šípka", + "PE.Controllers.Main.txtShape_bentConnector5": "Kolenový konektor", + "PE.Controllers.Main.txtShape_bentConnector5WithArrow": "Kolenový konektor so šípkou", + "PE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Kolenový dvojšípkový konektor", "PE.Controllers.Main.txtShape_bentUpArrow": "Šípka ohnutá hore", "PE.Controllers.Main.txtShape_bevel": "Skosenie", "PE.Controllers.Main.txtShape_blockArc": "Časť kruhu", + "PE.Controllers.Main.txtShape_borderCallout1": "Bublina s čiarou 1", + "PE.Controllers.Main.txtShape_borderCallout2": "Bublina s čiarou 2", + "PE.Controllers.Main.txtShape_borderCallout3": "Bublina s čiarou 3", "PE.Controllers.Main.txtShape_bracePair": "Dvojitá zátvorka", + "PE.Controllers.Main.txtShape_callout1": "Bublina s čiarou 1 (bez ohraničenia)", + "PE.Controllers.Main.txtShape_callout2": "Bublina s čiarou 2 (bez orámovania)", + "PE.Controllers.Main.txtShape_callout3": "Bublina s čiarou 3 (bez orámovania)", "PE.Controllers.Main.txtShape_can": "Môže", "PE.Controllers.Main.txtShape_chevron": "Chevron", + "PE.Controllers.Main.txtShape_chord": "Akord", "PE.Controllers.Main.txtShape_circularArrow": "okrúhla šípka", "PE.Controllers.Main.txtShape_cloud": "Cloud", + "PE.Controllers.Main.txtShape_cloudCallout": "Upozornenie na cloud", "PE.Controllers.Main.txtShape_corner": "Roh", "PE.Controllers.Main.txtShape_cube": "Kocka", "PE.Controllers.Main.txtShape_curvedConnector3": "Zakrivený konektor", @@ -431,17 +779,34 @@ "PE.Controllers.Main.txtShape_flowChartMultidocument": "Viacnásobný dokument", "PE.Controllers.Main.txtShape_flowChartOffpageConnector": "Vývojový diagram: Spojovací prvok mimo stránky", "PE.Controllers.Main.txtShape_flowChartOnlineStorage": "Uložené dáta", + "PE.Controllers.Main.txtShape_flowChartOr": "Diagram: alebo", + "PE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Diagram: Preddefinovaný proces ", + "PE.Controllers.Main.txtShape_flowChartPreparation": "Diagram: Príprava", + "PE.Controllers.Main.txtShape_flowChartProcess": "Diagram: proces", "PE.Controllers.Main.txtShape_flowChartPunchedCard": "Vývojový diagram: Karta", "PE.Controllers.Main.txtShape_flowChartPunchedTape": "Vývojový diagram: Páska s dierkami", "PE.Controllers.Main.txtShape_flowChartSort": "Vývojový diagram: Triedenie", "PE.Controllers.Main.txtShape_flowChartSummingJunction": "Vývojový diagram: Sumarizačný uzol", "PE.Controllers.Main.txtShape_flowChartTerminator": "Vývojový diagram: Terminátor", + "PE.Controllers.Main.txtShape_foldedCorner": "Prehnutý roh", "PE.Controllers.Main.txtShape_frame": "Rámček", + "PE.Controllers.Main.txtShape_halfFrame": "Polovičný rámček", "PE.Controllers.Main.txtShape_heart": "Srdce", + "PE.Controllers.Main.txtShape_heptagon": "Päťuholník", + "PE.Controllers.Main.txtShape_hexagon": "Šesťuholník", + "PE.Controllers.Main.txtShape_homePlate": "Päťuholník", "PE.Controllers.Main.txtShape_horizontalScroll": "Horizontálny posuvník", "PE.Controllers.Main.txtShape_irregularSeal1": "Výbuch 1", "PE.Controllers.Main.txtShape_irregularSeal2": "Výbuch 2", "PE.Controllers.Main.txtShape_leftArrow": "Ľavá šípka", + "PE.Controllers.Main.txtShape_leftArrowCallout": "Vyvolanie šípky vľavo", + "PE.Controllers.Main.txtShape_leftBrace": "Ľavá zložená zátvorka", + "PE.Controllers.Main.txtShape_leftBracket": "Ľavá zátvorka", + "PE.Controllers.Main.txtShape_leftRightArrow": "Šípka vľavo vpravo", + "PE.Controllers.Main.txtShape_leftRightArrowCallout": "Vyvolanie šípky vľavo vpravo", + "PE.Controllers.Main.txtShape_leftRightUpArrow": "Šípka doľava doprava nahor", + "PE.Controllers.Main.txtShape_leftUpArrow": "Šípka doľava nahor", + "PE.Controllers.Main.txtShape_lightningBolt": "Blesk", "PE.Controllers.Main.txtShape_line": "Čiara", "PE.Controllers.Main.txtShape_lineWithArrow": "Šípka", "PE.Controllers.Main.txtShape_lineWithTwoArrows": "Dvojitá šípka", @@ -453,11 +818,34 @@ "PE.Controllers.Main.txtShape_mathPlus": "Plus", "PE.Controllers.Main.txtShape_moon": "Mesiac", "PE.Controllers.Main.txtShape_noSmoking": "Symbol \"Nie\"", + "PE.Controllers.Main.txtShape_notchedRightArrow": "Šípka v pravo so zárezom", + "PE.Controllers.Main.txtShape_octagon": "Osemuholník", + "PE.Controllers.Main.txtShape_parallelogram": "Rovnobežník", + "PE.Controllers.Main.txtShape_pentagon": "Päťuholník", "PE.Controllers.Main.txtShape_pie": "Koláčový graf", "PE.Controllers.Main.txtShape_plaque": "Podpísať", "PE.Controllers.Main.txtShape_plus": "Plus", + "PE.Controllers.Main.txtShape_polyline1": "Čmárať", + "PE.Controllers.Main.txtShape_polyline2": "Voľná forma", + "PE.Controllers.Main.txtShape_quadArrow": "Štvorstranná šípka", + "PE.Controllers.Main.txtShape_quadArrowCallout": "Bublina so štvorstrannou šípkou", + "PE.Controllers.Main.txtShape_rect": "Pravouholník", "PE.Controllers.Main.txtShape_ribbon": "Pruh nadol", + "PE.Controllers.Main.txtShape_ribbon2": "Pásik hore", "PE.Controllers.Main.txtShape_rightArrow": "Pravá šípka", + "PE.Controllers.Main.txtShape_rightArrowCallout": "Bublina so šípkou vpravo", + "PE.Controllers.Main.txtShape_rightBrace": "Pravá svorka", + "PE.Controllers.Main.txtShape_rightBracket": "Pravá zátvorka", + "PE.Controllers.Main.txtShape_round1Rect": "Obdĺžnik s jedným oblým rohom", + "PE.Controllers.Main.txtShape_round2DiagRect": "Obdĺžnik s okrúhlymi protiľahlými rohmi", + "PE.Controllers.Main.txtShape_round2SameRect": "Obdĺžnik s oblými rohmi na rovnakej strane", + "PE.Controllers.Main.txtShape_roundRect": "obdĺžnik s oblými rohmi", + "PE.Controllers.Main.txtShape_rtTriangle": "Pravý trojuholník", + "PE.Controllers.Main.txtShape_smileyFace": "Smajlík", + "PE.Controllers.Main.txtShape_snip1Rect": "Obdĺžnik s jedným odstrihnutým rohom", + "PE.Controllers.Main.txtShape_snip2DiagRect": "Obdĺžnik s dvoma protiľahlými odstrihnutými rohmi", + "PE.Controllers.Main.txtShape_snip2SameRect": "Obdĺžnik s dvoma odstrihnutými rohmi na rovnakej strane ", + "PE.Controllers.Main.txtShape_snipRoundRect": "Obdĺžnik s jedným zaobleným a jedným odstrihnutým rohom hore", "PE.Controllers.Main.txtShape_spline": "Krivka", "PE.Controllers.Main.txtShape_star10": "10-cípa hviezda", "PE.Controllers.Main.txtShape_star12": "12-cípa hviezda", @@ -469,10 +857,21 @@ "PE.Controllers.Main.txtShape_star6": "6-cípa hviezda", "PE.Controllers.Main.txtShape_star7": "7-cípa hviezda", "PE.Controllers.Main.txtShape_star8": "8-cípa hviezda", + "PE.Controllers.Main.txtShape_stripedRightArrow": "Prúžkovaná šípka vpravo", "PE.Controllers.Main.txtShape_sun": "Ne", + "PE.Controllers.Main.txtShape_teardrop": "Slza", "PE.Controllers.Main.txtShape_textRect": "Textové pole", + "PE.Controllers.Main.txtShape_trapezoid": "Lichobežník", + "PE.Controllers.Main.txtShape_triangle": "Trojuholník", "PE.Controllers.Main.txtShape_upArrow": "Šípka hore", + "PE.Controllers.Main.txtShape_upArrowCallout": "Bublina so šípkou hore", + "PE.Controllers.Main.txtShape_upDownArrow": "Šípka hore a dole", + "PE.Controllers.Main.txtShape_uturnArrow": "Šípka s otočkou", + "PE.Controllers.Main.txtShape_verticalScroll": "Vertikálne posúvanie", "PE.Controllers.Main.txtShape_wave": "Vlnka", + "PE.Controllers.Main.txtShape_wedgeEllipseCallout": "Oválna bublina", + "PE.Controllers.Main.txtShape_wedgeRectCallout": "Obdĺžniková bublina", + "PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Bublina v tvare obdĺžnika so zaoblenými rohmi", "PE.Controllers.Main.txtSldLtTBlank": "Prázdny", "PE.Controllers.Main.txtSldLtTChart": "Graf", "PE.Controllers.Main.txtSldLtTChartAndTx": "Graf a text", @@ -520,25 +919,35 @@ "PE.Controllers.Main.txtTheme_corner": "Roh", "PE.Controllers.Main.txtTheme_dotted": "Bodkovaný", "PE.Controllers.Main.txtTheme_green": "Zelený", + "PE.Controllers.Main.txtTheme_green_leaf": "Zelený list", "PE.Controllers.Main.txtTheme_lines": "Čiary", "PE.Controllers.Main.txtTheme_office": "Kancelária", + "PE.Controllers.Main.txtTheme_office_theme": "Kancelársky vzhľad prostredia", "PE.Controllers.Main.txtTheme_official": "Oficiálny", "PE.Controllers.Main.txtTheme_pixel": "Pixel", + "PE.Controllers.Main.txtTheme_safari": "Safari", + "PE.Controllers.Main.txtTheme_turtle": "Korytnačka", "PE.Controllers.Main.txtXAxis": "Os X", "PE.Controllers.Main.txtYAxis": "Os Y", "PE.Controllers.Main.unknownErrorText": "Neznáma chyba.", "PE.Controllers.Main.unsupportedBrowserErrorText": "Váš prehliadač nie je podporovaný.", "PE.Controllers.Main.uploadImageExtMessage": "Neznámy formát obrázka.", "PE.Controllers.Main.uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", - "PE.Controllers.Main.uploadImageSizeMessage": "Prekročená maximálna veľkosť obrázka", + "PE.Controllers.Main.uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB.", "PE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...", "PE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku", "PE.Controllers.Main.waitText": "Prosím čakajte...", "PE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "PE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.", + "PE.Controllers.Main.warnLicenseExceeded": "Dosiahli ste limit počtu súbežných spojení %1 editora. Dokument bude otvorený len na náhľad.
        Pre viac podrobností kontaktujte svojho správcu. ", "PE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.
        Prosím, aktualizujte si svoju licenciu a obnovte stránku.", - "PE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru.
        Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", + "PE.Controllers.Main.warnLicenseLimitedNoAccess": "Licencia vypršala.
        K funkcii úprav dokumentu už nemáte prístup.
        Kontaktujte svojho administrátora, prosím.", + "PE.Controllers.Main.warnLicenseLimitedRenewed": "Je potrebné obnoviť licenciu.
        K funkciám úprav dokumentov máte obmedzený prístup.
        Pre získanie úplného prístupu kontaktujte prosím svojho administrátora.", + "PE.Controllers.Main.warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "PE.Controllers.Main.warnNoLicense": "Dosiahli ste limit súběžných pripojení %1 editora. Dokument bude otvorený len na prezeranie.
        Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "PE.Controllers.Main.warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", "PE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", + "PE.Controllers.Statusbar.textDisconnect": "Spojenie sa stratilo
        Pokus o opätovné spojenie. Skontrolujte nastavenie pripojenia. ", "PE.Controllers.Statusbar.zoomText": "Priblíženie {0}%", "PE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení.
        Štýl textu sa zobrazí pomocou jedného zo systémových písiem, uložené písmo sa použije, keď bude k dispozícii.
        Chcete pokračovať?", "PE.Controllers.Toolbar.textAccent": "Akcenty", @@ -875,6 +1284,30 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zéta", "PE.Controllers.Viewport.textFitPage": "Prispôsobiť snímke", "PE.Controllers.Viewport.textFitWidth": "Prispôsobiť na šírku", + "PE.Views.Animation.strDelay": "Oneskorenie", + "PE.Views.Animation.strDuration": "Trvanie", + "PE.Views.Animation.strRepeat": "Zopakovať", + "PE.Views.Animation.strRewind": "Vrátiť na začiatok", + "PE.Views.Animation.strStart": "Štart", + "PE.Views.Animation.strTrigger": "Spúšťač", + "PE.Views.Animation.textMoreEffects": "Zobraziť ďalšie efekty", + "PE.Views.Animation.textMoveEarlier": "Presunúť skôr", + "PE.Views.Animation.textMoveLater": "Presunúť neskôr", + "PE.Views.Animation.textMultiple": "Viacnásobný", + "PE.Views.Animation.textNone": "žiadny", + "PE.Views.Animation.textNoRepeat": "(žiadne)", + "PE.Views.Animation.textOnClickOf": "Pri kliknutí na", + "PE.Views.Animation.textOnClickSequence": "Kliknite na položku Sekvencia", + "PE.Views.Animation.textStartAfterPrevious": "Po predchádzajúcom", + "PE.Views.Animation.textStartOnClick": "Pri kliknutí", + "PE.Views.Animation.textStartWithPrevious": "S predchádzajúcim", + "PE.Views.Animation.txtAddEffect": "Pridať animáciu", + "PE.Views.Animation.txtAnimationPane": "Animačná Tabuľka", + "PE.Views.Animation.txtParameters": "Parametre", + "PE.Views.Animation.txtPreview": "Náhľad", + "PE.Views.Animation.txtSec": "S", + "PE.Views.AnimationDialog.textPreviewEffect": "Náhľad efektu", + "PE.Views.AnimationDialog.textTitle": "Ďalšie efekty", "PE.Views.ChartSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "PE.Views.ChartSettings.textChartType": "Zmeniť typ grafu", "PE.Views.ChartSettings.textEditData": "Upravovať dáta", @@ -888,6 +1321,8 @@ "PE.Views.ChartSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", "PE.Views.ChartSettingsAdvanced.textAltTitle": "Názov", "PE.Views.ChartSettingsAdvanced.textTitle": "Graf - Pokročilé nastavenia", + "PE.Views.DateTimeDialog.confirmDefault": "Nastaviť defaultný formát pre {0}: \"{1}\"", + "PE.Views.DateTimeDialog.textDefault": "Nastaviť ako defaultné", "PE.Views.DateTimeDialog.textFormat": "Formáty", "PE.Views.DateTimeDialog.textLang": "Jazyk", "PE.Views.DateTimeDialog.textUpdate": "Aktualizovať automaticky", @@ -896,7 +1331,7 @@ "PE.Views.DocumentHolder.addCommentText": "Pridať komentár", "PE.Views.DocumentHolder.addToLayoutText": "Pridať do rozloženia", "PE.Views.DocumentHolder.advancedImageText": "Pokročilé nastavenia obrázku", - "PE.Views.DocumentHolder.advancedParagraphText": "Pokročilé nastavenia textu", + "PE.Views.DocumentHolder.advancedParagraphText": "Pokročilé nastavenia odseku", "PE.Views.DocumentHolder.advancedShapeText": "Pokročilé nastavenia tvaru", "PE.Views.DocumentHolder.advancedTableText": "Pokročilé nastavenia tabuľky", "PE.Views.DocumentHolder.alignmentText": "Zarovnanie", @@ -932,7 +1367,7 @@ "PE.Views.DocumentHolder.mniCustomTable": "Vložiť vlastnú tabuľku", "PE.Views.DocumentHolder.moreText": "Viac variantov...", "PE.Views.DocumentHolder.noSpellVariantsText": "Žiadne varianty", - "PE.Views.DocumentHolder.originalSizeText": "Predvolená veľkosť", + "PE.Views.DocumentHolder.originalSizeText": "Aktuálna veľkosť", "PE.Views.DocumentHolder.removeHyperlinkText": "Odstrániť hypertextový odkaz", "PE.Views.DocumentHolder.rightText": "Vpravo", "PE.Views.DocumentHolder.rowText": "Riadok", @@ -952,6 +1387,7 @@ "PE.Views.DocumentHolder.textCut": "Vystrihnúť", "PE.Views.DocumentHolder.textDistributeCols": "Rozdeliť stĺpce", "PE.Views.DocumentHolder.textDistributeRows": "Rozdeliť riadky", + "PE.Views.DocumentHolder.textEditPoints": "Upraviť body", "PE.Views.DocumentHolder.textFlipH": "Prevrátiť horizontálne", "PE.Views.DocumentHolder.textFlipV": "Prevrátiť vertikálne", "PE.Views.DocumentHolder.textFromFile": "Zo súboru", @@ -960,6 +1396,7 @@ "PE.Views.DocumentHolder.textNextPage": "Nasledujúca snímka", "PE.Views.DocumentHolder.textPaste": "Vložiť", "PE.Views.DocumentHolder.textPrevPage": "Predchádzajúca snímka", + "PE.Views.DocumentHolder.textReplace": "Nahradiť obrázok", "PE.Views.DocumentHolder.textRotate": "Otočiť", "PE.Views.DocumentHolder.textRotate270": "Otočiť o 90° doľava", "PE.Views.DocumentHolder.textRotate90": "Otočiť o 90° doprava", @@ -1035,11 +1472,16 @@ "PE.Views.DocumentHolder.txtLimitUnder": "Limita pod textom", "PE.Views.DocumentHolder.txtMatchBrackets": "Prispôsobenie zátvoriek k výške obsahu", "PE.Views.DocumentHolder.txtMatrixAlign": "Zarovnanie matice", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "Presunúť slajd na koniec", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "Presunúť slajd na začiatok", "PE.Views.DocumentHolder.txtNewSlide": "Nová snímka", "PE.Views.DocumentHolder.txtOverbar": "Čiara nad textom", + "PE.Views.DocumentHolder.txtPasteDestFormat": "Použiť cieľový vzhľad ", "PE.Views.DocumentHolder.txtPastePicture": "Obrázok", + "PE.Views.DocumentHolder.txtPasteSourceFormat": "Uchovať zdrojové formátovanie", "PE.Views.DocumentHolder.txtPressLink": "Stlačte CTRL a kliknite na odkaz", "PE.Views.DocumentHolder.txtPreview": "Spustiť prezentáciu", + "PE.Views.DocumentHolder.txtPrintSelection": "Vytlačiť výber", "PE.Views.DocumentHolder.txtRemFractionBar": "Odstrániť zlomok", "PE.Views.DocumentHolder.txtRemLimit": "Odstrániť limitu", "PE.Views.DocumentHolder.txtRemoveAccentChar": "Odstrániť znak akcentu", @@ -1047,6 +1489,7 @@ "PE.Views.DocumentHolder.txtRemScripts": "Odstrániť skripty", "PE.Views.DocumentHolder.txtRemSubscript": "Odstrániť dolný index", "PE.Views.DocumentHolder.txtRemSuperscript": "Odstrániť horný index", + "PE.Views.DocumentHolder.txtResetLayout": "Obnovenie slajdu", "PE.Views.DocumentHolder.txtScriptsAfter": "Zápisy za textom", "PE.Views.DocumentHolder.txtScriptsBefore": "Zápisy pred textom", "PE.Views.DocumentHolder.txtSelectAll": "Vybrať všetko", @@ -1062,6 +1505,7 @@ "PE.Views.DocumentHolder.txtTop": "Hore", "PE.Views.DocumentHolder.txtUnderbar": "Čiara pod textom", "PE.Views.DocumentHolder.txtUngroup": "Oddeliť", + "PE.Views.DocumentHolder.txtWarnUrl": "Kliknutie na tento odkaz môže byť škodlivé pre Vaše zariadenie a Vaše dáta.
        Ste si istý, že chcete pokračovať?", "PE.Views.DocumentHolder.vertAlignText": "Vertikálne zarovnanie", "PE.Views.DocumentPreview.goToSlideText": "Prejsť na snímku", "PE.Views.DocumentPreview.slideIndexText": "Snímka {0} z {1}", @@ -1077,10 +1521,12 @@ "PE.Views.DocumentPreview.txtPrev": "Predchádzajúca snímka", "PE.Views.DocumentPreview.txtReset": "Obnoviť", "PE.Views.FileMenu.btnAboutCaption": "O aplikácii", - "PE.Views.FileMenu.btnBackCaption": "Prejsť do Dokumentov", + "PE.Views.FileMenu.btnBackCaption": "Otvoriť umiestnenie súboru", "PE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "PE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "PE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", + "PE.Views.FileMenu.btnExitCaption": "Koniec", + "PE.Views.FileMenu.btnFileOpenCaption": "Otvoriť...", "PE.Views.FileMenu.btnHelpCaption": "Pomoc...", "PE.Views.FileMenu.btnHistoryCaption": "História verzií", "PE.Views.FileMenu.btnInfoCaption": "Informácie o prezentácii...", @@ -1092,8 +1538,10 @@ "PE.Views.FileMenu.btnRightsCaption": "Prístupové práva...", "PE.Views.FileMenu.btnSaveAsCaption": "Uložiť ako", "PE.Views.FileMenu.btnSaveCaption": "Uložiť", + "PE.Views.FileMenu.btnSaveCopyAsCaption": "Uložiť kópiu ako...", "PE.Views.FileMenu.btnSettingsCaption": "Pokročilé nastavenia...", "PE.Views.FileMenu.btnToEditCaption": "Upraviť prezentáciu", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "Prázdná prezentácia", "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Vytvoriť nový", "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Použiť", "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Pridať autora", @@ -1109,28 +1557,30 @@ "PE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Umiestnenie", "PE.Views.FileMenuPanels.DocumentInfo.txtRights": "Osoby s oprávneniami", "PE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Predmet", - "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov prezentácie", + "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov", "PE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Nahrané", "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmeniť prístupové práva", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby s oprávneniami", "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Upozornenie", + "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Za pomoci hesla", + "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "Zabezpečenie prezentácie", + "PE.Views.FileMenuPanels.ProtectDoc.strSignature": "S podpisom", "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Upraviť prezentáciu", "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Úprava odstráni podpisy z prezentácie.
        Naozaj chcete pokračovať?", + "PE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Prezentácia je zabezpečená heslom", + "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Do prezentácie boli pridané platné podpisy. Je zabezpečená pred úpravámi. ", + "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Niektoré z digitálnych podpisov v prezentácií sú neplatné, alebo sa ich nepodarilo overiť. Prezentácia je zabezpečená proti úpravám.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobraziť podpisy", "PE.Views.FileMenuPanels.Settings.okButtonText": "Použiť", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Zapnúť tipy zarovnávania", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Zapnúť automatickú obnovu", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Zapnúť automatické ukladanie", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Režim spoločnej úpravy", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Ostatní používatelia uvidia Vaše zmeny naraz", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Musíte akceptovať zmeny pretým ako ich uvidíte ", "PE.Views.FileMenuPanels.Settings.strFast": "Rýchly", - "PE.Views.FileMenuPanels.Settings.strForcesave": "Vždy uložiť na server (inak uložiť na server pri zatvorení dokumentu)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Zapnúť hieroglyfy", + "PE.Views.FileMenuPanels.Settings.strFontRender": "Vyhladzovanie hrán písma", + "PE.Views.FileMenuPanels.Settings.strForcesave": "Pridaj verziu na úložisko kliknutím na Uložiť alebo Ctrl+S", + "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Nastavenia makier", "PE.Views.FileMenuPanels.Settings.strPaste": "Vystrihni, skopíruj a vlep", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Zmeny spolupráce v reálnom čase", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Zapnúť kontrolu pravopisu", + "PE.Views.FileMenuPanels.Settings.strPasteButton": "Po vložení obsahu ukázať tlačítko Možnosti vloženia", "PE.Views.FileMenuPanels.Settings.strStrict": "Prísny", + "PE.Views.FileMenuPanels.Settings.strTheme": "Vzhľad prostredia", "PE.Views.FileMenuPanels.Settings.strUnit": "Jednotka merania", "PE.Views.FileMenuPanels.Settings.strZoom": "Predvolená hodnota priblíženia", "PE.Views.FileMenuPanels.Settings.text10Minutes": "Každých 10 minút", @@ -1141,7 +1591,7 @@ "PE.Views.FileMenuPanels.Settings.textAutoRecover": "Automatická obnova", "PE.Views.FileMenuPanels.Settings.textAutoSave": "Automatické ukladanie", "PE.Views.FileMenuPanels.Settings.textDisabled": "Zakázané", - "PE.Views.FileMenuPanels.Settings.textForceSave": "Uložiť na Server", + "PE.Views.FileMenuPanels.Settings.textForceSave": "Uložiť dočasnú verziu", "PE.Views.FileMenuPanels.Settings.textMinute": "Každú minútu", "PE.Views.FileMenuPanels.Settings.txtAll": "Zobraziť všetko", "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Možnosti automatickej opravy...", @@ -1154,23 +1604,29 @@ "PE.Views.FileMenuPanels.Settings.txtLast": "Zobraziť posledný", "PE.Views.FileMenuPanels.Settings.txtMac": "ako macOS", "PE.Views.FileMenuPanels.Settings.txtNative": "Pôvodný", + "PE.Views.FileMenuPanels.Settings.txtProofing": "Hľadanie chýb", "PE.Views.FileMenuPanels.Settings.txtPt": "Bod", "PE.Views.FileMenuPanels.Settings.txtRunMacros": "Povoliť všetko", "PE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Umožniť všetky makrá bez oznámenia", "PE.Views.FileMenuPanels.Settings.txtSpellCheck": "Kontrola pravopisu", "PE.Views.FileMenuPanels.Settings.txtStopMacros": "Zablokovať všetko", "PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Zablokovať všetky makrá bez upozornenia", + "PE.Views.FileMenuPanels.Settings.txtWarnMacros": "Ukázať oznámenie", "PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Zablokovať všetky makrá s upozornením", "PE.Views.FileMenuPanels.Settings.txtWin": "ako Windows", "PE.Views.HeaderFooterDialog.applyAllText": "Použiť na všetko", "PE.Views.HeaderFooterDialog.applyText": "Použiť", + "PE.Views.HeaderFooterDialog.diffLanguage": "Nie je možné použiť formát dát z iného jazyka, než je používaný pre hlavný slajd.
        Pre zmenu hlavného jazyka, kliknite na \"Použiť na všetko\"namiesto \"Použiť\"", + "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "Upozornenie", "PE.Views.HeaderFooterDialog.textDateTime": "Dátum a čas", "PE.Views.HeaderFooterDialog.textFixed": "Fixný", + "PE.Views.HeaderFooterDialog.textFooter": "Text v päte strany", "PE.Views.HeaderFooterDialog.textFormat": "Formáty", "PE.Views.HeaderFooterDialog.textLang": "Jazyk", "PE.Views.HeaderFooterDialog.textNotTitle": "Neukazovať na titulnom snímku", "PE.Views.HeaderFooterDialog.textPreview": "Náhľad", "PE.Views.HeaderFooterDialog.textSlideNum": "Číslo snímky", + "PE.Views.HeaderFooterDialog.textTitle": "Nastavenie päty stránky", "PE.Views.HeaderFooterDialog.textUpdate": "Aktualizovať automaticky", "PE.Views.HyperlinkSettingsDialog.strDisplay": "Zobraziť", "PE.Views.HyperlinkSettingsDialog.strLinkTo": "Odkaz na", @@ -1189,11 +1645,13 @@ "PE.Views.HyperlinkSettingsDialog.txtNext": "Nasledujúca snímka", "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", "PE.Views.HyperlinkSettingsDialog.txtPrev": "Predchádzajúca snímka", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Toto pole je obmedzené na 2083 znakov", "PE.Views.HyperlinkSettingsDialog.txtSlide": "Snímka", "PE.Views.ImageSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "PE.Views.ImageSettings.textCrop": "Orezať", "PE.Views.ImageSettings.textCropFill": "Vyplniť", "PE.Views.ImageSettings.textCropFit": "Prispôsobiť", + "PE.Views.ImageSettings.textCropToShape": "Orezať podľa tvaru", "PE.Views.ImageSettings.textEdit": "Upraviť", "PE.Views.ImageSettings.textEditObject": "Upraviť objekt", "PE.Views.ImageSettings.textFitSlide": "Prispôsobiť snímke", @@ -1207,7 +1665,8 @@ "PE.Views.ImageSettings.textHintFlipH": "Prevrátiť horizontálne", "PE.Views.ImageSettings.textHintFlipV": "Prevrátiť vertikálne", "PE.Views.ImageSettings.textInsert": "Nahradiť obrázok", - "PE.Views.ImageSettings.textOriginalSize": "Predvolená veľkosť", + "PE.Views.ImageSettings.textOriginalSize": "Aktuálna veľkosť", + "PE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "PE.Views.ImageSettings.textRotate90": "Otočiť o 90°", "PE.Views.ImageSettings.textRotation": "Otočenie", "PE.Views.ImageSettings.textSize": "Veľkosť", @@ -1221,7 +1680,7 @@ "PE.Views.ImageSettingsAdvanced.textHeight": "Výška", "PE.Views.ImageSettingsAdvanced.textHorizontally": "Vodorovne", "PE.Views.ImageSettingsAdvanced.textKeepRatio": "Konštantné rozmery", - "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Predvolená veľkosť", + "PE.Views.ImageSettingsAdvanced.textOriginalSize": "Aktuálna veľkosť", "PE.Views.ImageSettingsAdvanced.textPlacement": "Umiestnenie", "PE.Views.ImageSettingsAdvanced.textPosition": "Pozícia", "PE.Views.ImageSettingsAdvanced.textRotation": "Otočenie", @@ -1238,7 +1697,9 @@ "PE.Views.LeftMenu.tipSupport": "Spätná väzba a podpora", "PE.Views.LeftMenu.tipTitles": "Nadpisy", "PE.Views.LeftMenu.txtDeveloper": "VÝVOJÁRSKY REŽIM", + "PE.Views.LeftMenu.txtLimit": "Obmedziť prístup", "PE.Views.LeftMenu.txtTrial": "Skúšobný režim", + "PE.Views.LeftMenu.txtTrialDev": "Skúšobný vývojársky režim", "PE.Views.ParagraphSettings.strLineHeight": "Riadkovanie", "PE.Views.ParagraphSettings.strParagraphSpacing": "Riadkovanie medzi odstavcami", "PE.Views.ParagraphSettings.strSpacingAfter": "Za", @@ -1254,6 +1715,7 @@ "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Dvojité prečiarknutie", "PE.Views.ParagraphSettingsAdvanced.strIndent": "Odsadenia", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Vľavo", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Riadkovanie", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Vpravo", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Za", "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred", @@ -1273,6 +1735,7 @@ "PE.Views.ParagraphSettingsAdvanced.textEffects": "Efekty", "PE.Views.ParagraphSettingsAdvanced.textExact": "Presne", "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prvý riadok", + "PE.Views.ParagraphSettingsAdvanced.textHanging": "Závesný", "PE.Views.ParagraphSettingsAdvanced.textJustified": "Podľa okrajov", "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(žiadne)", "PE.Views.ParagraphSettingsAdvanced.textRemove": "Odstrániť", @@ -1286,8 +1749,9 @@ "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automaticky", "PE.Views.RightMenu.txtChartSettings": "Nastavenia grafu", "PE.Views.RightMenu.txtImageSettings": "Nastavenie obrázka", - "PE.Views.RightMenu.txtParagraphSettings": "Nastavenia textu", + "PE.Views.RightMenu.txtParagraphSettings": "Nastavenia odseku", "PE.Views.RightMenu.txtShapeSettings": "Nastavenia tvaru", + "PE.Views.RightMenu.txtSignatureSettings": "Nastavenia Podpisu", "PE.Views.RightMenu.txtSlideSettings": "Nastavenia snímky", "PE.Views.RightMenu.txtTableSettings": "Nastavenie tabuľky", "PE.Views.RightMenu.txtTextArtSettings": "Nastavenie Text Art", @@ -1297,8 +1761,9 @@ "PE.Views.ShapeSettings.strFill": "Vyplniť", "PE.Views.ShapeSettings.strForeground": "Farba popredia", "PE.Views.ShapeSettings.strPattern": "Vzor", + "PE.Views.ShapeSettings.strShadow": "Ukázať tieň", "PE.Views.ShapeSettings.strSize": "Veľkosť", - "PE.Views.ShapeSettings.strStroke": "Obrys", + "PE.Views.ShapeSettings.strStroke": "Čiara", "PE.Views.ShapeSettings.strTransparency": "Priehľadnosť", "PE.Views.ShapeSettings.strType": "Typ", "PE.Views.ShapeSettings.textAdvanced": "Zobraziť pokročilé nastavenia", @@ -1321,15 +1786,19 @@ "PE.Views.ShapeSettings.textLinear": "Lineárny/čiarový", "PE.Views.ShapeSettings.textNoFill": "Bez výplne", "PE.Views.ShapeSettings.textPatternFill": "Vzor", + "PE.Views.ShapeSettings.textPosition": "Pozícia", "PE.Views.ShapeSettings.textRadial": "Kruhový/hviezdicovitý", + "PE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "PE.Views.ShapeSettings.textRotate90": "Otočiť o 90°", "PE.Views.ShapeSettings.textRotation": "Otočenie", + "PE.Views.ShapeSettings.textSelectImage": "Vybrať obrázok", "PE.Views.ShapeSettings.textSelectTexture": "Vybrať", "PE.Views.ShapeSettings.textStretch": "Roztiahnuť", "PE.Views.ShapeSettings.textStyle": "Štýl", "PE.Views.ShapeSettings.textTexture": "Z textúry", "PE.Views.ShapeSettings.textTile": "Dlaždica", "PE.Views.ShapeSettings.tipAddGradientPoint": "Pridať spádový bod", + "PE.Views.ShapeSettings.tipRemoveGradientPoint": "Odstrániť spádový bod", "PE.Views.ShapeSettings.txtBrownPaper": "Hnedý/baliaci papier", "PE.Views.ShapeSettings.txtCanvas": "Plátno", "PE.Views.ShapeSettings.txtCarton": "Kartón", @@ -1369,9 +1838,11 @@ "PE.Views.ShapeSettingsAdvanced.textLineStyle": "Štýl čiary", "PE.Views.ShapeSettingsAdvanced.textMiter": "Sklon", "PE.Views.ShapeSettingsAdvanced.textNofit": "Neprispôsobovať automaticky", + "PE.Views.ShapeSettingsAdvanced.textResizeFit": "Zmeniť veľkosť tvaru, aby zodpovedala textu", "PE.Views.ShapeSettingsAdvanced.textRight": "Vpravo", "PE.Views.ShapeSettingsAdvanced.textRotation": "Otočenie", "PE.Views.ShapeSettingsAdvanced.textRound": "Zaoblené", + "PE.Views.ShapeSettingsAdvanced.textShrink": "V prípade pretečenia riadku orezať text", "PE.Views.ShapeSettingsAdvanced.textSize": "Veľkosť", "PE.Views.ShapeSettingsAdvanced.textSpacing": "Medzera medzi stĺpcami", "PE.Views.ShapeSettingsAdvanced.textSquare": "Štvorec", @@ -1383,16 +1854,24 @@ "PE.Views.ShapeSettingsAdvanced.textWidth": "Šírka", "PE.Views.ShapeSettingsAdvanced.txtNone": "Žiadny", "PE.Views.SignatureSettings.notcriticalErrorTitle": "Upozornenie", + "PE.Views.SignatureSettings.strDelete": "Odstrániť podpis", + "PE.Views.SignatureSettings.strDetails": "Podrobnosti podpisu", + "PE.Views.SignatureSettings.strInvalid": "Neplatné podpisy", "PE.Views.SignatureSettings.strSign": "Podpísať", "PE.Views.SignatureSettings.strSignature": "Podpis", + "PE.Views.SignatureSettings.strValid": "Platné podpisy", "PE.Views.SignatureSettings.txtContinueEditing": "Aj tak upraviť", "PE.Views.SignatureSettings.txtEditWarning": "Úprava odstráni podpisy z prezentácie.
        Naozaj chcete pokračovať?", "PE.Views.SignatureSettings.txtRemoveWarning": "Chcete odstrániť tento podpis?
        Nie je možné to vrátiť späť.", + "PE.Views.SignatureSettings.txtSigned": "Do prezentácie boli pridané platné podpisy. Je zabezpečená pred úpravámi. ", + "PE.Views.SignatureSettings.txtSignedInvalid": "Niektoré z digitálnych podpisov v prezentácií sú neplatné, alebo sa ich nepodarilo overiť. Prezentácia je zabezpečená proti úpravám.", "PE.Views.SlideSettings.strBackground": "Farba pozadia", "PE.Views.SlideSettings.strColor": "Farba", + "PE.Views.SlideSettings.strDateTime": "Zobraziť dátum a čas", "PE.Views.SlideSettings.strFill": "Pozadie", "PE.Views.SlideSettings.strForeground": "Farba popredia", "PE.Views.SlideSettings.strPattern": "Vzor", + "PE.Views.SlideSettings.strSlideNum": "Zobraziť čísla slajdov", "PE.Views.SlideSettings.strTransparency": "Priehľadnosť", "PE.Views.SlideSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "PE.Views.SlideSettings.textAngle": "Uhol", @@ -1408,14 +1887,17 @@ "PE.Views.SlideSettings.textLinear": "Lineárny/čiarový", "PE.Views.SlideSettings.textNoFill": "Bez výplne", "PE.Views.SlideSettings.textPatternFill": "Vzor", + "PE.Views.SlideSettings.textPosition": "Pozícia", "PE.Views.SlideSettings.textRadial": "Kruhový/hviezdicovitý", "PE.Views.SlideSettings.textReset": "Obnoviť zmeny", + "PE.Views.SlideSettings.textSelectImage": "Vybrať obrázok", "PE.Views.SlideSettings.textSelectTexture": "Vybrať", "PE.Views.SlideSettings.textStretch": "Roztiahnuť", "PE.Views.SlideSettings.textStyle": "Štýl", "PE.Views.SlideSettings.textTexture": "Z textúry", "PE.Views.SlideSettings.textTile": "Dlaždica", "PE.Views.SlideSettings.tipAddGradientPoint": "Pridať spádový bod", + "PE.Views.SlideSettings.tipRemoveGradientPoint": "Odstrániť spádový bod", "PE.Views.SlideSettings.txtBrownPaper": "Hnedý/baliaci papier", "PE.Views.SlideSettings.txtCanvas": "Plátno", "PE.Views.SlideSettings.txtCarton": "Kartón", @@ -1447,8 +1929,12 @@ "PE.Views.SlideSizeSettings.txtLetter": "Listový papier (8,5 x 11 palcov)", "PE.Views.SlideSizeSettings.txtOverhead": "Horný", "PE.Views.SlideSizeSettings.txtStandard": "Štandard (4:3)", + "PE.Views.SlideSizeSettings.txtWidescreen": "Širokouhlý", "PE.Views.Statusbar.goToPageText": "Prejsť na snímku", "PE.Views.Statusbar.pageIndexText": "Snímka {0} z {1}", + "PE.Views.Statusbar.textShowBegin": "Zobraziť od začiatku", + "PE.Views.Statusbar.textShowCurrent": "Zobraziť od aktuálneho slajdu", + "PE.Views.Statusbar.textShowPresenterView": "Zobraziť režim prezentácie", "PE.Views.Statusbar.tipAccessRights": "Spravovať prístupové práva k dokumentom", "PE.Views.Statusbar.tipFitPage": "Prispôsobiť snímke", "PE.Views.Statusbar.tipFitWidth": "Prispôsobiť na šírku", @@ -1505,6 +1991,12 @@ "PE.Views.TableSettings.txtNoBorders": "Bez orámovania", "PE.Views.TableSettings.txtTable_Accent": "Akcent", "PE.Views.TableSettings.txtTable_DarkStyle": "Tmavý štýl", + "PE.Views.TableSettings.txtTable_LightStyle": "Svetlý štýl", + "PE.Views.TableSettings.txtTable_MediumStyle": "Stredný štýl", + "PE.Views.TableSettings.txtTable_NoGrid": "Žiadna mriežka", + "PE.Views.TableSettings.txtTable_NoStyle": "Bez štýlu", + "PE.Views.TableSettings.txtTable_TableGrid": "Mriežka tabuľky", + "PE.Views.TableSettings.txtTable_ThemedStyle": "Téma štýlu", "PE.Views.TableSettingsAdvanced.textAlt": "Alternatívny text", "PE.Views.TableSettingsAdvanced.textAltDescription": "Popis", "PE.Views.TableSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", @@ -1524,7 +2016,7 @@ "PE.Views.TextArtSettings.strForeground": "Farba popredia", "PE.Views.TextArtSettings.strPattern": "Vzor", "PE.Views.TextArtSettings.strSize": "Veľkosť", - "PE.Views.TextArtSettings.strStroke": "Obrys", + "PE.Views.TextArtSettings.strStroke": "Čiara", "PE.Views.TextArtSettings.strTransparency": "Priehľadnosť", "PE.Views.TextArtSettings.strType": "Typ", "PE.Views.TextArtSettings.textAngle": "Uhol", @@ -1540,6 +2032,7 @@ "PE.Views.TextArtSettings.textLinear": "Lineárny/čiarový", "PE.Views.TextArtSettings.textNoFill": "Bez výplne", "PE.Views.TextArtSettings.textPatternFill": "Vzor", + "PE.Views.TextArtSettings.textPosition": "Pozícia", "PE.Views.TextArtSettings.textRadial": "Kruhový/hviezdicovitý", "PE.Views.TextArtSettings.textSelectTexture": "Vybrať", "PE.Views.TextArtSettings.textStretch": "Roztiahnuť", @@ -1549,6 +2042,7 @@ "PE.Views.TextArtSettings.textTile": "Dlaždica", "PE.Views.TextArtSettings.textTransform": "Transformovať", "PE.Views.TextArtSettings.tipAddGradientPoint": "Pridať spádový bod", + "PE.Views.TextArtSettings.tipRemoveGradientPoint": "Odstrániť spádový bod", "PE.Views.TextArtSettings.txtBrownPaper": "Hnedý/baliaci papier", "PE.Views.TextArtSettings.txtCanvas": "Plátno", "PE.Views.TextArtSettings.txtCarton": "Kartón", @@ -1585,9 +2079,14 @@ "PE.Views.Toolbar.mniImageFromFile": "Obrázok zo súboru", "PE.Views.Toolbar.mniImageFromStorage": "Obrázok z úložiska", "PE.Views.Toolbar.mniImageFromUrl": "Obrázok z URL adresy", + "PE.Views.Toolbar.mniLowerCase": "malé písmena", + "PE.Views.Toolbar.mniSentenceCase": "Veľké písmeno na začiatku vety.", "PE.Views.Toolbar.mniSlideAdvanced": "Pokročilé nastavenia", "PE.Views.Toolbar.mniSlideStandard": "Štandard (4:3)", "PE.Views.Toolbar.mniSlideWide": "Širokouhlý (16:9)", + "PE.Views.Toolbar.mniToggleCase": "zAMENIŤ mALÉ a vEĽKÉ", + "PE.Views.Toolbar.mniUpperCase": "VEĽKÉ PÍSMENÁ", + "PE.Views.Toolbar.strMenuNoFill": "Bez výplne", "PE.Views.Toolbar.textAlignBottom": "Zarovnať text nadol", "PE.Views.Toolbar.textAlignCenter": "Vycentrovať text", "PE.Views.Toolbar.textAlignJust": "Zarovnať/nastaviť", @@ -1601,7 +2100,12 @@ "PE.Views.Toolbar.textArrangeFront": "Premiestniť do popredia", "PE.Views.Toolbar.textBold": "Tučné", "PE.Views.Toolbar.textColumnsCustom": "Vlastné stĺpce", + "PE.Views.Toolbar.textColumnsOne": "Jeden stĺpec", + "PE.Views.Toolbar.textColumnsThree": "Tri stĺpce", + "PE.Views.Toolbar.textColumnsTwo": "Dva stĺpce", "PE.Views.Toolbar.textItalic": "Kurzíva", + "PE.Views.Toolbar.textListSettings": "Nastavenia zoznamu", + "PE.Views.Toolbar.textRecentlyUsed": "Nedávno použité", "PE.Views.Toolbar.textShapeAlignBottom": "Zarovnať dole", "PE.Views.Toolbar.textShapeAlignCenter": "Centrovať", "PE.Views.Toolbar.textShapeAlignLeft": "Zarovnať doľava", @@ -1615,11 +2119,14 @@ "PE.Views.Toolbar.textStrikeout": "Prečiarknuť", "PE.Views.Toolbar.textSubscript": "Dolný index", "PE.Views.Toolbar.textSuperscript": "Horný index", + "PE.Views.Toolbar.textTabAnimation": "Animácie", "PE.Views.Toolbar.textTabCollaboration": "Spolupráca", "PE.Views.Toolbar.textTabFile": "Súbor", "PE.Views.Toolbar.textTabHome": "Hlavná stránka", "PE.Views.Toolbar.textTabInsert": "Vložiť", "PE.Views.Toolbar.textTabProtect": "Ochrana", + "PE.Views.Toolbar.textTabTransitions": "Prechod", + "PE.Views.Toolbar.textTabView": "Zobraziť", "PE.Views.Toolbar.textTitleError": "Chyba", "PE.Views.Toolbar.textUnderline": "Podčiarknuť", "PE.Views.Toolbar.tipAddSlide": "Pridať snímku", @@ -1629,8 +2136,10 @@ "PE.Views.Toolbar.tipChangeSlide": "Zmeniť usporiadanie snímky", "PE.Views.Toolbar.tipClearStyle": "Vymazať štýl", "PE.Views.Toolbar.tipColorSchemas": "Zmeniť farebnú schému", + "PE.Views.Toolbar.tipColumns": "Vložiť stĺpce", "PE.Views.Toolbar.tipCopy": "Kopírovať", "PE.Views.Toolbar.tipCopyStyle": "Kopírovať štýl", + "PE.Views.Toolbar.tipDateTime": "Vložiť aktuálny dátum a čas", "PE.Views.Toolbar.tipDecFont": "Zmenšiť veľkosť písma", "PE.Views.Toolbar.tipDecPrLeft": "Zmenšiť zarážku", "PE.Views.Toolbar.tipEditHeader": "Upraviť pätu", @@ -1638,8 +2147,10 @@ "PE.Views.Toolbar.tipFontName": "Písmo", "PE.Views.Toolbar.tipFontSize": "Veľkosť písma", "PE.Views.Toolbar.tipHAligh": "Horizontálne zarovnanie", + "PE.Views.Toolbar.tipHighlightColor": "Farba zvýraznenia", "PE.Views.Toolbar.tipIncFont": "Zväčšiť veľkosť písma", "PE.Views.Toolbar.tipIncPrLeft": "Zväčšiť zarážku", + "PE.Views.Toolbar.tipInsertAudio": "Vložiť zvuk", "PE.Views.Toolbar.tipInsertChart": "Vložiť graf", "PE.Views.Toolbar.tipInsertEquation": "Vložiť rovnicu", "PE.Views.Toolbar.tipInsertHyperlink": "Pridať odkaz", @@ -1647,10 +2158,19 @@ "PE.Views.Toolbar.tipInsertShape": "Vložiť automatický tvar", "PE.Views.Toolbar.tipInsertSymbol": "Vložiť symbol", "PE.Views.Toolbar.tipInsertTable": "Vložiť tabuľku", - "PE.Views.Toolbar.tipInsertText": "Vložiť text", + "PE.Views.Toolbar.tipInsertText": "Vložiť textové pole", "PE.Views.Toolbar.tipInsertTextArt": "Vložiť Text Art", + "PE.Views.Toolbar.tipInsertVideo": "Vložiť video", "PE.Views.Toolbar.tipLineSpace": "Riadkovanie", "PE.Views.Toolbar.tipMarkers": "Odrážky", + "PE.Views.Toolbar.tipMarkersArrow": "Šípkové odrážky", + "PE.Views.Toolbar.tipMarkersCheckmark": "Začiarknuteľné odrážky", + "PE.Views.Toolbar.tipMarkersDash": "Pomlčkové odrážky", + "PE.Views.Toolbar.tipMarkersFRhombus": "Kosoštvorcové odrážky s výplňou", + "PE.Views.Toolbar.tipMarkersFRound": "Vyplnené okrúhle odrážky", + "PE.Views.Toolbar.tipMarkersFSquare": "Vyplnené štvorcové odrážky", + "PE.Views.Toolbar.tipMarkersHRound": "Prázdne okrúhle odrážky", + "PE.Views.Toolbar.tipMarkersStar": "Hviezdičkové odrážky", "PE.Views.Toolbar.tipNumbers": "Číslovanie", "PE.Views.Toolbar.tipPaste": "Vložiť", "PE.Views.Toolbar.tipPreview": "Spustiť prezentáciu", @@ -1660,6 +2180,7 @@ "PE.Views.Toolbar.tipSaveCoauth": "Uložte zmeny, aby ich videli aj ostatní používatelia.", "PE.Views.Toolbar.tipShapeAlign": "Zarovnať tvar", "PE.Views.Toolbar.tipShapeArrange": "Usporiadať tvar", + "PE.Views.Toolbar.tipSlideNum": "Vložiť číslo slajdu", "PE.Views.Toolbar.tipSlideSize": "Vyberte veľkosť snímku", "PE.Views.Toolbar.tipSlideTheme": "Téma snímky", "PE.Views.Toolbar.tipUndo": "Krok späť", @@ -1667,6 +2188,7 @@ "PE.Views.Toolbar.tipViewSettings": "Zobraziť nastavenia", "PE.Views.Toolbar.txtDistribHor": "Rozložiť horizontálne", "PE.Views.Toolbar.txtDistribVert": "Rozložiť vertikálne", + "PE.Views.Toolbar.txtDuplicateSlide": "Kopírovať snímku", "PE.Views.Toolbar.txtGroup": "Skupina", "PE.Views.Toolbar.txtObjectsAlign": "Zarovnať označené objekty", "PE.Views.Toolbar.txtScheme1": "Kancelária", @@ -1683,6 +2205,7 @@ "PE.Views.Toolbar.txtScheme2": "Odtiene sivej", "PE.Views.Toolbar.txtScheme20": "Mestský", "PE.Views.Toolbar.txtScheme21": "Elán", + "PE.Views.Toolbar.txtScheme22": "Nová kancelária", "PE.Views.Toolbar.txtScheme3": "Vrchol", "PE.Views.Toolbar.txtScheme4": "Aspekt", "PE.Views.Toolbar.txtScheme5": "Občiansky", @@ -1694,6 +2217,8 @@ "PE.Views.Toolbar.txtUngroup": "Oddeliť", "PE.Views.Transitions.strDelay": "Oneskorenie", "PE.Views.Transitions.strDuration": "Trvanie", + "PE.Views.Transitions.strStartOnClick": "Začať kliknutím", + "PE.Views.Transitions.textBlack": "Prostredníctvom čiernej", "PE.Views.Transitions.textBottom": "Dole", "PE.Views.Transitions.textBottomLeft": "Dole-vľavo", "PE.Views.Transitions.textBottomRight": "Dole-vpravo", @@ -1705,6 +2230,7 @@ "PE.Views.Transitions.textHorizontalIn": "Horizontálne dnu", "PE.Views.Transitions.textHorizontalOut": "Horizontálne von", "PE.Views.Transitions.textLeft": "Vľavo", + "PE.Views.Transitions.textNone": "žiadny", "PE.Views.Transitions.textPush": "Posunúť", "PE.Views.Transitions.textRight": "Vpravo", "PE.Views.Transitions.textSmoothly": "Plynule", @@ -1715,11 +2241,22 @@ "PE.Views.Transitions.textUnCover": "Odkryť", "PE.Views.Transitions.textVerticalIn": "Vertikálne dnu", "PE.Views.Transitions.textVerticalOut": "Vertikálne von", + "PE.Views.Transitions.textWedge": "Konjunkcia", "PE.Views.Transitions.textWipe": "Rozotrieť", + "PE.Views.Transitions.textZoom": "Priblíženie", "PE.Views.Transitions.textZoomIn": "Priblížiť", "PE.Views.Transitions.textZoomOut": "Oddialiť", "PE.Views.Transitions.textZoomRotate": "Priblížiť a otáčať", "PE.Views.Transitions.txtApplyToAll": "Použiť na všetky snímky", + "PE.Views.Transitions.txtParameters": "Parametre", "PE.Views.Transitions.txtPreview": "Náhľad", - "PE.Views.Transitions.txtSec": "S" + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovať panel nástrojov", + "PE.Views.ViewTab.textFitToSlide": "Prispôsobiť snímke", + "PE.Views.ViewTab.textFitToWidth": "Prispôsobiť na šírku", + "PE.Views.ViewTab.textInterfaceTheme": "Vzhľad prostredia", + "PE.Views.ViewTab.textNotes": "Poznámky", + "PE.Views.ViewTab.textRulers": "Pravítka", + "PE.Views.ViewTab.textStatusBar": "Stavový riadok", + "PE.Views.ViewTab.textZoom": "Priblíženie" } \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/sl.json b/apps/presentationeditor/main/locale/sl.json index 19b96411d..799af2d3f 100644 --- a/apps/presentationeditor/main/locale/sl.json +++ b/apps/presentationeditor/main/locale/sl.json @@ -28,6 +28,7 @@ "Common.define.chartData.textPoint": "Točkovni grafikon", "Common.define.chartData.textStock": "Založni grafikon", "Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo", + "Common.UI.ButtonColored.textNewColor": "Dodaj novo barvo po meri", "Common.UI.ComboBorderSize.txtNoBorders": "Ni mej", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ni mej", "Common.UI.ComboDataView.emptyComboText": "Ni slogov", @@ -706,16 +707,10 @@ "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Osebe, ki imajo pravice", "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Uredi predstavitev", "PE.Views.FileMenuPanels.Settings.okButtonText": "Uporabi", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Vključi vodnike poravnave", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Vključi samodejno shranjevanje", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Co-editing mode", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Other users will see your changes at once", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "PE.Views.FileMenuPanels.Settings.strFast": "Fast", "PE.Views.FileMenuPanels.Settings.strFontRender": "Namigovanje pisave", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Vključi hieroglife", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Nastavitve makrojev", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Sprotne spremembe sodelovanja", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strUnit": "Merilna enota", "PE.Views.FileMenuPanels.Settings.strZoom": "Privzeta vrednost zooma", diff --git a/apps/presentationeditor/main/locale/sv.json b/apps/presentationeditor/main/locale/sv.json index 872a68309..6d75f6e1e 100644 --- a/apps/presentationeditor/main/locale/sv.json +++ b/apps/presentationeditor/main/locale/sv.json @@ -179,6 +179,7 @@ "Common.define.effectData.textSCurve1": "S kurva 1", "Common.define.effectData.textSCurve2": "S kurva 2", "Common.define.effectData.textShape": "Form", + "Common.define.effectData.textShapes": "Former", "Common.define.effectData.textShimmer": "Skimmer", "Common.define.effectData.textShrinkTurn": "Krymp och sväng", "Common.define.effectData.textSineWave": "Sinusvåg", @@ -238,7 +239,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Skapa en kopia", "Common.Translation.warnFileLockedBtnView": "Öppna skrivskyddad", "Common.UI.ButtonColored.textAutoColor": "Automatisk", - "Common.UI.ButtonColored.textNewColor": "Lägg till ny anpassad färg", + "Common.UI.ButtonColored.textNewColor": "Lägg till ny egen färg", "Common.UI.ComboBorderSize.txtNoBorders": "Inga ramar", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Inga ramar", "Common.UI.ComboDataView.emptyComboText": "Inga stilar", @@ -1569,21 +1570,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Vissa av de digitala signaturerna i presentationen är ogiltiga eller kunde inte verifieras. Presentationen är skyddad från redigering.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Visa signaturer", "PE.Views.FileMenuPanels.Settings.okButtonText": "Tillämpa", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Aktivera justeringsguider", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Aktivera automatisk återställning", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Aktivera spara automatiskt", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Redigera samtidigt", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Andra användare kommer att se dina ändringar på en gång", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Du måste acceptera ändringar innan du kan se dom", "PE.Views.FileMenuPanels.Settings.strFast": "Snabb", "PE.Views.FileMenuPanels.Settings.strFontRender": "Fontförslag", "PE.Views.FileMenuPanels.Settings.strForcesave": "Lägg till version till lagringen efter att ha klickat på Spara eller CTRL+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Aktivera hieroglyfer", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makroinställningar", "PE.Views.FileMenuPanels.Settings.strPaste": "Klipp ut, kopiera och klistra in", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Visa knappen Klistra in alternativ när innehållet klistras in", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Samarbeta i realtid", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Aktivera stavningskontroll", "PE.Views.FileMenuPanels.Settings.strStrict": "Strikt", "PE.Views.FileMenuPanels.Settings.strTheme": "Gränssnittstema", "PE.Views.FileMenuPanels.Settings.strUnit": "Måttenhet", @@ -2168,6 +2161,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Infoga video", "PE.Views.Toolbar.tipLineSpace": "Radavstånd", "PE.Views.Toolbar.tipMarkers": "Punktlista", + "PE.Views.Toolbar.tipMarkersArrow": "Pil punkter", + "PE.Views.Toolbar.tipMarkersCheckmark": "Bock punkt", + "PE.Views.Toolbar.tipMarkersDash": "Sträck punkter", + "PE.Views.Toolbar.tipMarkersFRhombus": "Fyllda romb punkter", + "PE.Views.Toolbar.tipMarkersFRound": "Fyllda runda punkter", + "PE.Views.Toolbar.tipMarkersFSquare": "Fyllda kvadratiska punkter", + "PE.Views.Toolbar.tipMarkersHRound": "Ofyllda runda punkter", + "PE.Views.Toolbar.tipMarkersStar": "Stjärn punkter", "PE.Views.Toolbar.tipNumbers": "Numrering", "PE.Views.Toolbar.tipPaste": "Klistra in", "PE.Views.Toolbar.tipPreview": "Starta visning", diff --git a/apps/presentationeditor/main/locale/tr.json b/apps/presentationeditor/main/locale/tr.json index 0697945bb..0dff83719 100644 --- a/apps/presentationeditor/main/locale/tr.json +++ b/apps/presentationeditor/main/locale/tr.json @@ -1199,6 +1199,7 @@ "PE.Views.Animation.strDelay": "Geciktir", "PE.Views.Animation.strDuration": "Süre", "PE.Views.Animation.strRepeat": "Tekrar", + "PE.Views.Animation.textNoRepeat": "(hiçbiri)", "PE.Views.Animation.textStartAfterPrevious": "Öncekinden Sonra", "PE.Views.Animation.txtAddEffect": "Animasyon ekle", "PE.Views.Animation.txtAnimationPane": "Animasyon Bölmesi", @@ -1464,21 +1465,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Sunumdaki bazı dijital imzalar geçersiz veya doğrulanamadı. Sunu, düzenlemeye karşı korumalıdır.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzaları görüntüle", "PE.Views.FileMenuPanels.Settings.okButtonText": "Uygula", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Turn on alignment guides", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Otomatik kaydetmeyi aç", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Otomatik kaydetmeyi aç", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Ortak Düzenleme Modu", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Diğer kullanıcılar değişikliklerinizi hemen görecek", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Değişiklikleri görebilmeniz için önce kabul etmeniz gerekecek", "PE.Views.FileMenuPanels.Settings.strFast": "Hızlı", "PE.Views.FileMenuPanels.Settings.strFontRender": "Yazı Tipi İpucu", "PE.Views.FileMenuPanels.Settings.strForcesave": "Kaydet veya Ctrl+S'ye tıkladıktan sonra sürümü depolamaya ekleyin", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Hiyeroglifleri aç", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Makro Ayarları", "PE.Views.FileMenuPanels.Settings.strPaste": "Kes, kopyala ve yapıştır", "PE.Views.FileMenuPanels.Settings.strPasteButton": "İçerik yapıştırıldığında Yapıştırma Seçenekleri düğmesini göster", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Gerçek Zamanlı Ortak Düzenleme Değişiklikleri", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Yazım denetimi seçeneğini aç", "PE.Views.FileMenuPanels.Settings.strStrict": "Strict", "PE.Views.FileMenuPanels.Settings.strTheme": "Arayüz teması", "PE.Views.FileMenuPanels.Settings.strUnit": "Ölçüm birimi", @@ -2062,6 +2055,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Video ekle", "PE.Views.Toolbar.tipLineSpace": "Satır Aralığı", "PE.Views.Toolbar.tipMarkers": "Maddeler", + "PE.Views.Toolbar.tipMarkersArrow": "Ok işaretleri", + "PE.Views.Toolbar.tipMarkersCheckmark": "Onay işaretleri", + "PE.Views.Toolbar.tipMarkersDash": "Çizgi işaretleri", + "PE.Views.Toolbar.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", + "PE.Views.Toolbar.tipMarkersFRound": "Dolu yuvarlak işaretler", + "PE.Views.Toolbar.tipMarkersFSquare": "Dolu kare işaretler", + "PE.Views.Toolbar.tipMarkersHRound": "İçi boş daire işaretler", + "PE.Views.Toolbar.tipMarkersStar": "Yıldız işaretleri", "PE.Views.Toolbar.tipNumbers": "Numaralandırma", "PE.Views.Toolbar.tipPaste": "Yapıştır", "PE.Views.Toolbar.tipPreview": "Önizlemeye Başla", diff --git a/apps/presentationeditor/main/locale/uk.json b/apps/presentationeditor/main/locale/uk.json index 369556469..4fa798ed3 100644 --- a/apps/presentationeditor/main/locale/uk.json +++ b/apps/presentationeditor/main/locale/uk.json @@ -179,6 +179,7 @@ "Common.define.effectData.textSCurve1": "Синусоїда 1", "Common.define.effectData.textSCurve2": "Синусоїда 2", "Common.define.effectData.textShape": "Фігура", + "Common.define.effectData.textShapes": "Фігури", "Common.define.effectData.textShimmer": "Мерехтіння", "Common.define.effectData.textShrinkTurn": "Зменшення з поворотом", "Common.define.effectData.textSineWave": "Часта синусоїда", @@ -238,7 +239,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Створити копію", "Common.Translation.warnFileLockedBtnView": "Відкрити на перегляд", "Common.UI.ButtonColored.textAutoColor": "Автоматичний", - "Common.UI.ButtonColored.textNewColor": "Додати новий спеціальний колір", + "Common.UI.ButtonColored.textNewColor": "Новий спеціальний колір", "Common.UI.ComboBorderSize.txtNoBorders": "Немає кордонів", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Немає кордонів", "Common.UI.ComboDataView.emptyComboText": "Немає стилів", @@ -1569,21 +1570,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Деякі з цифрових підписів у презентації недійсні або їх не можна перевірити. Презентація захищена від редагування.", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "Перегляд підписів", "PE.Views.FileMenuPanels.Settings.okButtonText": "Застосувати", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Увімкніть посібники для вирівнювання", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Увімкніть автозапуск", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Увімкніть автоматичне збереження", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Режим спільного редагування", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Інші користувачі побачать ваші зміни одразу", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Вам потрібно буде прийняти зміни, перш ніж побачити їх", "PE.Views.FileMenuPanels.Settings.strFast": "Швидко", "PE.Views.FileMenuPanels.Settings.strFontRender": "Хінтинг шрифтів", "PE.Views.FileMenuPanels.Settings.strForcesave": "Додавати версію до сховища після натискання кнопки Зберегти або Ctrl+S", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Увімкніть ієрогліфи", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "Налаштування макросів", "PE.Views.FileMenuPanels.Settings.strPaste": "Вирізання, копіювання та вставка", "PE.Views.FileMenuPanels.Settings.strPasteButton": "Показувати кнопку Налаштування вставки при вставці вмісту", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Зміни у співпраці в реальному часі", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Увімкніть параметр перевірки орфографії", "PE.Views.FileMenuPanels.Settings.strStrict": "Суворий", "PE.Views.FileMenuPanels.Settings.strTheme": "Тема інтерфейсу", "PE.Views.FileMenuPanels.Settings.strUnit": "Одиниця виміру", @@ -2168,6 +2161,14 @@ "PE.Views.Toolbar.tipInsertVideo": "Вставити відео", "PE.Views.Toolbar.tipLineSpace": "Лінія інтервалу", "PE.Views.Toolbar.tipMarkers": "Кулі", + "PE.Views.Toolbar.tipMarkersArrow": "Маркери-стрілки", + "PE.Views.Toolbar.tipMarkersCheckmark": "Маркери-галочки", + "PE.Views.Toolbar.tipMarkersDash": "Маркери-тире", + "PE.Views.Toolbar.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", + "PE.Views.Toolbar.tipMarkersFRound": "Заповнені круглі маркери", + "PE.Views.Toolbar.tipMarkersFSquare": "Заповнені квадратні маркери", + "PE.Views.Toolbar.tipMarkersHRound": "Пусті круглі маркери", + "PE.Views.Toolbar.tipMarkersStar": "Маркери-зірочки", "PE.Views.Toolbar.tipNumbers": "Нумерація", "PE.Views.Toolbar.tipPaste": "Вставити", "PE.Views.Toolbar.tipPreview": "Розпочати слайдшоу", diff --git a/apps/presentationeditor/main/locale/vi.json b/apps/presentationeditor/main/locale/vi.json index ef3a77646..63c3a62a1 100644 --- a/apps/presentationeditor/main/locale/vi.json +++ b/apps/presentationeditor/main/locale/vi.json @@ -13,6 +13,7 @@ "Common.define.chartData.textPoint": "XY (Phân tán)", "Common.define.chartData.textStock": "Cổ phiếu", "Common.define.chartData.textSurface": "Bề mặt", + "Common.UI.ButtonColored.textNewColor": "Màu tùy chỉnh", "Common.UI.ComboBorderSize.txtNoBorders": "Không viền", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Không viền", "Common.UI.ComboDataView.emptyComboText": "Không có kiểu", @@ -809,17 +810,9 @@ "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Thay đổi quyền truy cập", "PE.Views.FileMenuPanels.DocumentRights.txtRights": "Những cá nhân có quyền", "PE.Views.FileMenuPanels.Settings.okButtonText": "Áp dụng", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "Bật hướng dẫn căn chỉnh", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "Bật tự động khôi phục", - "PE.Views.FileMenuPanels.Settings.strAutosave": "Bật tự động lưu", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "Chế độ đồng chỉnh sửa", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Những người dùng khác sẽ cùng lúc thấy các thay đổi của bạn", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Bạn sẽ cần chấp nhận thay đổi trước khi có thể xem chúng", "PE.Views.FileMenuPanels.Settings.strFast": "Nhanh", "PE.Views.FileMenuPanels.Settings.strForcesave": "Luôn lưu vào server (hoặc lưu vào server khi đóng tài liệu)", - "PE.Views.FileMenuPanels.Settings.strInputMode": "Bật chữ tượng hình", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "Thay đổi Cộng tác Thời gian thực", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "Bật tùy chọn kiểm tra chính tả", "PE.Views.FileMenuPanels.Settings.strStrict": "Nghiêm ngặt", "PE.Views.FileMenuPanels.Settings.strUnit": "Đơn vị đo lường", "PE.Views.FileMenuPanels.Settings.strZoom": "Giá trị Phóng to Mặc định", diff --git a/apps/presentationeditor/main/locale/zh-TW.json b/apps/presentationeditor/main/locale/zh-TW.json new file mode 100644 index 000000000..32a6e8651 --- /dev/null +++ b/apps/presentationeditor/main/locale/zh-TW.json @@ -0,0 +1,2264 @@ +{ + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", + "Common.Controllers.Chat.textEnterMessage": "在這裡輸入您的信息", + "Common.Controllers.ExternalDiagramEditor.textAnonymous": "匿名", + "Common.Controllers.ExternalDiagramEditor.textClose": "關閉", + "Common.Controllers.ExternalDiagramEditor.warningText": "該對像被禁用,因為它正在由另一個用戶編輯。", + "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", + "Common.define.chartData.textArea": "區域", + "Common.define.chartData.textAreaStacked": "堆叠面積", + "Common.define.chartData.textAreaStackedPer": "100% 堆疊面積圖", + "Common.define.chartData.textBar": "槓", + "Common.define.chartData.textBarNormal": "劇集柱形", + "Common.define.chartData.textBarNormal3d": "3D劇集柱形", + "Common.define.chartData.textBarNormal3dPerspective": "3-D 直式長條圖", + "Common.define.chartData.textBarStacked": "堆叠柱形", + "Common.define.chartData.textBarStacked3d": "3D堆叠柱形", + "Common.define.chartData.textBarStackedPer": "100%堆叠柱形", + "Common.define.chartData.textBarStackedPer3d": "3-D 100% 堆疊直式長條圖", + "Common.define.chartData.textCharts": "圖表", + "Common.define.chartData.textColumn": "欄", + "Common.define.chartData.textCombo": "組合", + "Common.define.chartData.textComboAreaBar": "堆叠面積 - 劇集柱形", + "Common.define.chartData.textComboBarLine": "劇集柱形 - 綫", + "Common.define.chartData.textComboBarLineSecondary": "劇集柱形 - 副軸綫", + "Common.define.chartData.textComboCustom": "自訂組合", + "Common.define.chartData.textDoughnut": "甜甜圈圖", + "Common.define.chartData.textHBarNormal": "劇集條形", + "Common.define.chartData.textHBarNormal3d": "3D劇集條形", + "Common.define.chartData.textHBarStacked": "堆叠條形", + "Common.define.chartData.textHBarStacked3d": "3D堆叠條形", + "Common.define.chartData.textHBarStackedPer": "100%堆叠條形", + "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 堆疊橫式長條圖", + "Common.define.chartData.textLine": "線", + "Common.define.chartData.textLine3d": "3-D 直線圖", + "Common.define.chartData.textLineMarker": "直線加標記", + "Common.define.chartData.textLineStacked": "堆叠綫", + "Common.define.chartData.textLineStackedMarker": "堆積綫及標記", + "Common.define.chartData.textLineStackedPer": "100%堆叠綫", + "Common.define.chartData.textLineStackedPerMarker": "100% 堆疊直線圖加標記", + "Common.define.chartData.textPie": "餅", + "Common.define.chartData.textPie3d": "3-D 圓餅圖", + "Common.define.chartData.textPoint": "XY(散點圖)", + "Common.define.chartData.textScatter": "散佈圖", + "Common.define.chartData.textScatterLine": "散佈圖同直線", + "Common.define.chartData.textScatterLineMarker": "散佈圖同直線及標記", + "Common.define.chartData.textScatterSmooth": "散佈圖同平滑線", + "Common.define.chartData.textScatterSmoothMarker": "散佈圖同平滑線及標記", + "Common.define.chartData.textStock": "庫存", + "Common.define.chartData.textSurface": "表面", + "Common.define.effectData.textAcross": "橫向", + "Common.define.effectData.textAppear": "顯示", + "Common.define.effectData.textArcDown": "弧形下彎", + "Common.define.effectData.textArcLeft": "弧形左彎", + "Common.define.effectData.textArcRight": "弧形右彎", + "Common.define.effectData.textArcUp": "弧形上彎", + "Common.define.effectData.textBasic": "基本的", + "Common.define.effectData.textBasicSwivel": "簡版漩渦", + "Common.define.effectData.textBasicZoom": "基礎縮放", + "Common.define.effectData.textBean": "豆豆", + "Common.define.effectData.textBlinds": "百葉窗", + "Common.define.effectData.textBlink": "閃爍", + "Common.define.effectData.textBoldFlash": "加深閃爍", + "Common.define.effectData.textBoldReveal": "加深顯示", + "Common.define.effectData.textBoomerang": "回飛鏢", + "Common.define.effectData.textBounce": "反彈", + "Common.define.effectData.textBounceLeft": "左反彈", + "Common.define.effectData.textBounceRight": "右反彈", + "Common.define.effectData.textBox": "方形", + "Common.define.effectData.textBrushColor": "畫筆色彩", + "Common.define.effectData.textCenterRevolve": "中心旋轉", + "Common.define.effectData.textCheckerboard": "棋盤", + "Common.define.effectData.textCircle": "圓形", + "Common.define.effectData.textCollapse": "縮小", + "Common.define.effectData.textColorPulse": "色彩頻率", + "Common.define.effectData.textComplementaryColor": "互補色", + "Common.define.effectData.textComplementaryColor2": "互補色2", + "Common.define.effectData.textCompress": "壓縮", + "Common.define.effectData.textContrast": "對比", + "Common.define.effectData.textContrastingColor": "對比色", + "Common.define.effectData.textCredits": "來源出處", + "Common.define.effectData.textCrescentMoon": "弦月形", + "Common.define.effectData.textCurveDown": "弧形向下", + "Common.define.effectData.textCurvedSquare": "圓角正方形", + "Common.define.effectData.textCurvedX": "曲線X", + "Common.define.effectData.textCurvyLeft": "自左曲線", + "Common.define.effectData.textCurvyRight": "自右曲線", + "Common.define.effectData.textCurvyStar": "曲形星星", + "Common.define.effectData.textCustomPath": "客制路徑", + "Common.define.effectData.textCuverUp": "弧形向上", + "Common.define.effectData.textDarken": "加深", + "Common.define.effectData.textDecayingWave": "弱減波", + "Common.define.effectData.textDesaturate": "色彩不飽和", + "Common.define.effectData.textDiagonalDownRight": "對角向右下", + "Common.define.effectData.textDiagonalUpRight": "對角向右上", + "Common.define.effectData.textDiamond": "鑽石", + "Common.define.effectData.textDisappear": "消失", + "Common.define.effectData.textDissolveIn": "平滑淡出", + "Common.define.effectData.textDissolveOut": "淡出切換", + "Common.define.effectData.textDown": "下", + "Common.define.effectData.textDrop": "落下", + "Common.define.effectData.textEmphasis": "加強特效", + "Common.define.effectData.textEntrance": "進場特效", + "Common.define.effectData.textEqualTriangle": "等邊三角形", + "Common.define.effectData.textExciting": "華麗", + "Common.define.effectData.textExit": "離開特效", + "Common.define.effectData.textExpand": "擴大", + "Common.define.effectData.textFade": "褪", + "Common.define.effectData.textFigureFour": "雙8圖", + "Common.define.effectData.textFillColor": "填色", + "Common.define.effectData.textFlip": "翻轉", + "Common.define.effectData.textFloat": "漂浮", + "Common.define.effectData.textFloatDown": "向下浮動", + "Common.define.effectData.textFloatIn": "漂浮進入", + "Common.define.effectData.textFloatOut": "漂浮出去", + "Common.define.effectData.textFloatUp": "向上浮動", + "Common.define.effectData.textFlyIn": "飛入", + "Common.define.effectData.textFlyOut": "飛出", + "Common.define.effectData.textFontColor": "字體顏色", + "Common.define.effectData.textFootball": "足球形", + "Common.define.effectData.textFromBottom": "自下而上", + "Common.define.effectData.textFromBottomLeft": "從左下", + "Common.define.effectData.textFromBottomRight": "從右下", + "Common.define.effectData.textFromLeft": "從左邊", + "Common.define.effectData.textFromRight": "從右邊", + "Common.define.effectData.textFromTop": "自上", + "Common.define.effectData.textFromTopLeft": "自左上", + "Common.define.effectData.textFromTopRight": "自右上", + "Common.define.effectData.textFunnel": "漏斗", + "Common.define.effectData.textGrowShrink": "放大/縮小", + "Common.define.effectData.textGrowTurn": "延展及翻轉", + "Common.define.effectData.textGrowWithColor": "顏色伸展", + "Common.define.effectData.textHeart": "心", + "Common.define.effectData.textHeartbeat": "心跳圖", + "Common.define.effectData.textHexagon": "六邊形", + "Common.define.effectData.textHorizontal": "水平", + "Common.define.effectData.textHorizontalFigure": "水平數字8", + "Common.define.effectData.textHorizontalIn": "水平", + "Common.define.effectData.textHorizontalOut": "水平向外", + "Common.define.effectData.textIn": "在", + "Common.define.effectData.textInFromScreenCenter": "從螢幕中心展開", + "Common.define.effectData.textInSlightly": "微量放大", + "Common.define.effectData.textInvertedSquare": "反向正方形", + "Common.define.effectData.textInvertedTriangle": "反向三角形", + "Common.define.effectData.textLeft": "左", + "Common.define.effectData.textLeftDown": "左下", + "Common.define.effectData.textLeftUp": "左上", + "Common.define.effectData.textLighten": "淡化", + "Common.define.effectData.textLineColor": "線條顏色", + "Common.define.effectData.textLines": "線", + "Common.define.effectData.textLinesCurves": "直線曲線", + "Common.define.effectData.textLoopDeLoop": "漣漪", + "Common.define.effectData.textModerate": "中等", + "Common.define.effectData.textNeutron": "中子", + "Common.define.effectData.textObjectCenter": "物件中心", + "Common.define.effectData.textObjectColor": "物件色彩", + "Common.define.effectData.textOctagon": "八邊形", + "Common.define.effectData.textOut": "外", + "Common.define.effectData.textOutFromScreenBottom": "從螢幕下縮小", + "Common.define.effectData.textOutSlightly": "微量縮小", + "Common.define.effectData.textParallelogram": "平行四邊形", + "Common.define.effectData.textPath": "動態路徑", + "Common.define.effectData.textPeanut": "花生", + "Common.define.effectData.textPeekIn": "向內", + "Common.define.effectData.textPeekOut": "向外", + "Common.define.effectData.textPentagon": "五角形", + "Common.define.effectData.textPinwheel": "風車", + "Common.define.effectData.textPlus": "加", + "Common.define.effectData.textPointStar": "點星", + "Common.define.effectData.textPointStar4": "4點星", + "Common.define.effectData.textPointStar5": "5點星", + "Common.define.effectData.textPointStar6": "6點星", + "Common.define.effectData.textPointStar8": "8點星", + "Common.define.effectData.textPulse": "頻率", + "Common.define.effectData.textRandomBars": "隨機線條", + "Common.define.effectData.textRight": "右", + "Common.define.effectData.textRightDown": "右下", + "Common.define.effectData.textRightTriangle": "直角三角形", + "Common.define.effectData.textRightUp": "右上", + "Common.define.effectData.textRiseUp": "升起", + "Common.define.effectData.textSCurve1": "S曲線1", + "Common.define.effectData.textSCurve2": "S曲線2", + "Common.define.effectData.textShape": "形状", + "Common.define.effectData.textShapes": "形狀", + "Common.define.effectData.textShimmer": "閃爍", + "Common.define.effectData.textShrinkTurn": "縮小並旋轉", + "Common.define.effectData.textSineWave": "正弦波", + "Common.define.effectData.textSinkDown": "向下漂浮", + "Common.define.effectData.textSlideCenter": "投影片中心", + "Common.define.effectData.textSpecial": "特殊", + "Common.define.effectData.textSpin": "旋轉", + "Common.define.effectData.textSpinner": "迴旋鏢", + "Common.define.effectData.textSpiralIn": "螺旋向內", + "Common.define.effectData.textSpiralLeft": "自左螺旋", + "Common.define.effectData.textSpiralOut": "螺旋向外", + "Common.define.effectData.textSpiralRight": "自右螺旋", + "Common.define.effectData.textSplit": "分割", + "Common.define.effectData.textSpoke1": "1輪幅條", + "Common.define.effectData.textSpoke2": "2輪幅條", + "Common.define.effectData.textSpoke3": "3輪幅條", + "Common.define.effectData.textSpoke4": "4輪幅條", + "Common.define.effectData.textSpoke8": "8輪幅條", + "Common.define.effectData.textSpring": "彈跳", + "Common.define.effectData.textSquare": "正方形", + "Common.define.effectData.textStairsDown": "向下階梯", + "Common.define.effectData.textStretch": "延伸", + "Common.define.effectData.textStrips": "階梯狀", + "Common.define.effectData.textSubtle": "輕微", + "Common.define.effectData.textSwivel": "漩渦", + "Common.define.effectData.textSwoosh": "旋轉", + "Common.define.effectData.textTeardrop": "淚珠", + "Common.define.effectData.textTeeter": "落下", + "Common.define.effectData.textToBottom": "自下", + "Common.define.effectData.textToBottomLeft": "自左下", + "Common.define.effectData.textToBottomRight": "自右下", + "Common.define.effectData.textToLeft": "自左", + "Common.define.effectData.textToRight": "自右", + "Common.define.effectData.textToTop": "自上", + "Common.define.effectData.textToTopLeft": "從左上", + "Common.define.effectData.textToTopRight": "從右上", + "Common.define.effectData.textTransparency": "透明度", + "Common.define.effectData.textTrapezoid": "梯形", + "Common.define.effectData.textTurnDown": "向下轉", + "Common.define.effectData.textTurnDownRight": "向右下轉", + "Common.define.effectData.textTurnUp": "向上轉", + "Common.define.effectData.textTurnUpRight": "向右上轉", + "Common.define.effectData.textUnderline": "底線", + "Common.define.effectData.textUp": "上", + "Common.define.effectData.textVertical": "垂直", + "Common.define.effectData.textVerticalFigure": "垂直數字8", + "Common.define.effectData.textVerticalIn": "垂直", + "Common.define.effectData.textVerticalOut": "由中向左右", + "Common.define.effectData.textWave": "波", + "Common.define.effectData.textWedge": "楔", + "Common.define.effectData.textWheel": "輪型", + "Common.define.effectData.textWhip": "猛然挪動", + "Common.define.effectData.textWipe": "擦去", + "Common.define.effectData.textZigzag": "鋸齒邊緣", + "Common.define.effectData.textZoom": "放大", + "Common.Translation.warnFileLocked": "該文件正在另一個應用程序中進行編輯。您可以繼續編輯並將其另存為副本。", + "Common.Translation.warnFileLockedBtnEdit": "\n建立副本", + "Common.Translation.warnFileLockedBtnView": "打開查看", + "Common.UI.ButtonColored.textAutoColor": "自動", + "Common.UI.ButtonColored.textNewColor": "新增自訂顏色", + "Common.UI.ComboBorderSize.txtNoBorders": "無邊框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "無邊框", + "Common.UI.ComboDataView.emptyComboText": "無樣式", + "Common.UI.ExtendedColorDialog.addButtonText": "增加", + "Common.UI.ExtendedColorDialog.textCurrent": "當前", + "Common.UI.ExtendedColorDialog.textHexErr": "輸入的值不正確。
        請輸入一個介於000000和FFFFFF之間的值。", + "Common.UI.ExtendedColorDialog.textNew": "新", + "Common.UI.ExtendedColorDialog.textRGBErr": "輸入的值不正確。
        請輸入0到255之間的數字。", + "Common.UI.HSBColorPicker.textNoColor": "無顏色", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "不顯示密碼", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "顯示密碼", + "Common.UI.SearchDialog.textHighlight": "強調結果", + "Common.UI.SearchDialog.textMatchCase": "區分大小寫", + "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.SynchronizeTip.textDontShow": "不再顯示此消息", + "Common.UI.SynchronizeTip.textSynchronize": "該文檔已被其他用戶更改。
        請單擊以保存更改並重新加載更新。", + "Common.UI.ThemeColorPalette.textStandartColors": "標準顏色", + "Common.UI.ThemeColorPalette.textThemeColors": "主題顏色", + "Common.UI.Themes.txtThemeClassicLight": "傳統亮色", + "Common.UI.Themes.txtThemeDark": "暗", + "Common.UI.Themes.txtThemeLight": "淺色主題", + "Common.UI.Window.cancelButtonText": "取消", + "Common.UI.Window.closeButtonText": "關閉", + "Common.UI.Window.noButtonText": "沒有", + "Common.UI.Window.okButtonText": "確定", + "Common.UI.Window.textConfirmation": "確認", + "Common.UI.Window.textDontShow": "不再顯示此消息", + "Common.UI.Window.textError": "錯誤", + "Common.UI.Window.textInformation": "資訊", + "Common.UI.Window.textWarning": "警告", + "Common.UI.Window.yesButtonText": "是", + "Common.Utils.Metric.txtCm": "公分", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "地址:", + "Common.Views.About.txtLicensee": "被許可人", + "Common.Views.About.txtLicensor": "許可人", + "Common.Views.About.txtMail": "電子郵件:", + "Common.Views.About.txtPoweredBy": "於支援", + "Common.Views.About.txtTel": "電話: ", + "Common.Views.About.txtVersion": "版本", + "Common.Views.AutoCorrectDialog.textAdd": "增加", + "Common.Views.AutoCorrectDialog.textApplyText": "鍵入時同時申請", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "自動更正", + "Common.Views.AutoCorrectDialog.textAutoFormat": "鍵入時自動調整規格", + "Common.Views.AutoCorrectDialog.textBulleted": "自動項目符號列表", + "Common.Views.AutoCorrectDialog.textBy": "通過", + "Common.Views.AutoCorrectDialog.textDelete": "刪除", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "按兩下空白鍵自動增加一個句點(.)符號", + "Common.Views.AutoCorrectDialog.textFLCells": "儲存格首字母大寫", + "Common.Views.AutoCorrectDialog.textFLSentence": "句子第一個字母大寫", + "Common.Views.AutoCorrectDialog.textHyperlink": "網絡路徑超連結", + "Common.Views.AutoCorrectDialog.textHyphens": "帶連字符(-)的連字符(-)", + "Common.Views.AutoCorrectDialog.textMathCorrect": "數學自動更正", + "Common.Views.AutoCorrectDialog.textNumbered": "自動編號列表", + "Common.Views.AutoCorrectDialog.textQuotes": "“直引號”與“智能引號”", + "Common.Views.AutoCorrectDialog.textRecognized": "公認的功能", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表達式是公認的數學表達式。它們不會自動斜體顯示。", + "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.textWarnAddRec": "公認的函數只能包含字母A到Z,大寫或小寫。", + "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.mniAuthorAsc": "作者排行A到Z", + "Common.Views.Comments.mniAuthorDesc": "作者排行Z到A", + "Common.Views.Comments.mniDateAsc": "從最老的", + "Common.Views.Comments.mniDateDesc": "從最新的", + "Common.Views.Comments.mniFilterGroups": "依群組篩選", + "Common.Views.Comments.mniPositionAsc": "自上", + "Common.Views.Comments.mniPositionDesc": "自下而上", + "Common.Views.Comments.textAdd": "增加", + "Common.Views.Comments.textAddComment": "增加評論", + "Common.Views.Comments.textAddCommentToDoc": "在文檔中添加評論", + "Common.Views.Comments.textAddReply": "加入回覆", + "Common.Views.Comments.textAll": "全部", + "Common.Views.Comments.textAnonym": "來賓帳戶", + "Common.Views.Comments.textCancel": "取消", + "Common.Views.Comments.textClose": "關閉", + "Common.Views.Comments.textClosePanel": "關註釋", + "Common.Views.Comments.textComments": "評論", + "Common.Views.Comments.textEdit": "確定", + "Common.Views.Comments.textEnterCommentHint": "在這裡輸入您的評論", + "Common.Views.Comments.textHintAddComment": "增加評論", + "Common.Views.Comments.textOpenAgain": "重新打開", + "Common.Views.Comments.textReply": "回覆", + "Common.Views.Comments.textResolve": "解決", + "Common.Views.Comments.textResolved": "已解決", + "Common.Views.Comments.textSort": "註釋分類", + "Common.Views.Comments.textViewResolved": "您沒有權限來重新開啟這個註解", + "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.DocumentAccessDialog.textLoading": "載入中...", + "Common.Views.DocumentAccessDialog.textTitle": "分享設定", + "Common.Views.ExternalDiagramEditor.textClose": "關閉", + "Common.Views.ExternalDiagramEditor.textSave": "存檔並離開", + "Common.Views.ExternalDiagramEditor.textTitle": "圖表編輯器", + "Common.Views.Header.labelCoUsersDescr": "正在編輯文件的用戶:", + "Common.Views.Header.textAddFavorite": "標記為最愛收藏", + "Common.Views.Header.textAdvSettings": "進階設定", + "Common.Views.Header.textBack": "打開文件所在位置", + "Common.Views.Header.textCompactView": "隱藏工具欄", + "Common.Views.Header.textHideLines": "隱藏標尺", + "Common.Views.Header.textHideNotes": "隐藏笔记", + "Common.Views.Header.textHideStatusBar": "隱藏狀態欄", + "Common.Views.Header.textRemoveFavorite": "\n從最愛收藏夾中刪除", + "Common.Views.Header.textSaveBegin": "存檔中...", + "Common.Views.Header.textSaveChanged": "已更改", + "Common.Views.Header.textSaveEnd": "所有更改已保存", + "Common.Views.Header.textSaveExpander": "所有更改已保存", + "Common.Views.Header.textZoom": "放大", + "Common.Views.Header.tipAccessRights": "管理文檔存取權限", + "Common.Views.Header.tipDownload": "下載文件", + "Common.Views.Header.tipGoEdit": "編輯當前文件", + "Common.Views.Header.tipPrint": "列印文件", + "Common.Views.Header.tipRedo": "重做", + "Common.Views.Header.tipSave": "儲存", + "Common.Views.Header.tipUndo": "復原", + "Common.Views.Header.tipUndock": "移至單獨的視窗", + "Common.Views.Header.tipViewSettings": "查看設定", + "Common.Views.Header.tipViewUsers": "查看用戶並管理文檔存取權限", + "Common.Views.Header.txtAccessRights": "更改存取權限", + "Common.Views.Header.txtRename": "重新命名", + "Common.Views.History.textCloseHistory": "關閉歷史紀錄", + "Common.Views.History.textHide": "縮小", + "Common.Views.History.textHideAll": "隱藏詳細的更改", + "Common.Views.History.textRestore": "恢復", + "Common.Views.History.textShow": "擴大", + "Common.Views.History.textShowAll": "顯示詳細的更改歷史", + "Common.Views.History.textVer": "版本", + "Common.Views.ImageFromUrlDialog.textUrl": "粘貼圖片網址:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "這是必填欄", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "此字段應為“ http://www.example.com”格式的網址", + "Common.Views.InsertTableDialog.textInvalidRowsCols": "您需要指定有效的行數和列數。", + "Common.Views.InsertTableDialog.txtColumns": "列數", + "Common.Views.InsertTableDialog.txtMaxText": "此字段的最大值為{0}。", + "Common.Views.InsertTableDialog.txtMinText": "此字段的最小值為{0}。", + "Common.Views.InsertTableDialog.txtRows": "行數", + "Common.Views.InsertTableDialog.txtTitle": "表格大小", + "Common.Views.InsertTableDialog.txtTitleSplit": "分割儲存格", + "Common.Views.LanguageDialog.labelSelect": "選擇文件語言", + "Common.Views.ListSettingsDialog.textBulleted": "已加入項目點", + "Common.Views.ListSettingsDialog.textNumbering": "已編號", + "Common.Views.ListSettingsDialog.tipChange": "更改項目點", + "Common.Views.ListSettingsDialog.txtBullet": "項目點", + "Common.Views.ListSettingsDialog.txtColor": "顏色", + "Common.Views.ListSettingsDialog.txtNewBullet": "新子彈點", + "Common.Views.ListSettingsDialog.txtNone": "無", + "Common.Views.ListSettingsDialog.txtOfText": "文字百分比", + "Common.Views.ListSettingsDialog.txtSize": "大小", + "Common.Views.ListSettingsDialog.txtStart": "開始", + "Common.Views.ListSettingsDialog.txtSymbol": "符號", + "Common.Views.ListSettingsDialog.txtTitle": "清單設定", + "Common.Views.ListSettingsDialog.txtType": "類型", + "Common.Views.OpenDialog.closeButtonText": "關閉檔案", + "Common.Views.OpenDialog.txtEncoding": "編碼", + "Common.Views.OpenDialog.txtIncorrectPwd": "密碼錯誤。", + "Common.Views.OpenDialog.txtOpenFile": "輸入檔案密碼", + "Common.Views.OpenDialog.txtPassword": "密碼", + "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": "重複輸入密碼", + "Common.Views.PasswordDialog.txtTitle": "設置密碼", + "Common.Views.PasswordDialog.txtWarning": "警告:如果失去密碼,將無法取回。請妥善保存。", + "Common.Views.PluginDlg.textLoading": "載入中", + "Common.Views.Plugins.groupCaption": "外掛程式", + "Common.Views.Plugins.strPlugins": "外掛程式", + "Common.Views.Plugins.textLoading": "載入中", + "Common.Views.Plugins.textStart": "開始", + "Common.Views.Plugins.textStop": "停止", + "Common.Views.Protection.hintAddPwd": "用密碼加密", + "Common.Views.Protection.hintPwd": "更改或刪除密碼", + "Common.Views.Protection.hintSignature": "添加數字簽名或簽名行", + "Common.Views.Protection.txtAddPwd": "新增密碼", + "Common.Views.Protection.txtChangePwd": "變更密碼", + "Common.Views.Protection.txtDeletePwd": "刪除密碼", + "Common.Views.Protection.txtEncrypt": "加密", + "Common.Views.Protection.txtInvisibleSignature": "添加數字簽名", + "Common.Views.Protection.txtSignature": "簽名", + "Common.Views.Protection.txtSignatureLine": "添加簽名行", + "Common.Views.RenameDialog.textName": "\n文件名", + "Common.Views.RenameDialog.txtInvalidName": "文件名不能包含以下任何字符:", + "Common.Views.ReviewChanges.hintNext": "到下一個變化", + "Common.Views.ReviewChanges.hintPrev": "到之前的變化", + "Common.Views.ReviewChanges.strFast": "快", + "Common.Views.ReviewChanges.strFastDesc": "即時共同編輯。所有更改將自動存檔。", + "Common.Views.ReviewChanges.strStrict": "嚴格", + "Common.Views.ReviewChanges.strStrictDesc": "使用“保存”按鈕同步您和其他人所做的更改。", + "Common.Views.ReviewChanges.tipAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.tipCoAuthMode": "設定共同編輯模式", + "Common.Views.ReviewChanges.tipCommentRem": "刪除評論", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "刪除當前評論", + "Common.Views.ReviewChanges.tipCommentResolve": "標記註解為已解決", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "將註解標記為已解決", + "Common.Views.ReviewChanges.tipHistory": "顯示版本歷史", + "Common.Views.ReviewChanges.tipRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewChanges.tipReview": "跟蹤變化", + "Common.Views.ReviewChanges.tipReviewView": "選擇您要顯示更改的模式", + "Common.Views.ReviewChanges.tipSetDocLang": "設定文件語言", + "Common.Views.ReviewChanges.tipSetSpelling": "拼字檢查", + "Common.Views.ReviewChanges.tipSharing": "管理文檔存取權限", + "Common.Views.ReviewChanges.txtAccept": "同意", + "Common.Views.ReviewChanges.txtAcceptAll": "接受全部的更改", + "Common.Views.ReviewChanges.txtAcceptChanges": "同意更改", + "Common.Views.ReviewChanges.txtAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.txtChat": "聊天", + "Common.Views.ReviewChanges.txtClose": "關閉", + "Common.Views.ReviewChanges.txtCoAuthMode": "共同編輯模式", + "Common.Views.ReviewChanges.txtCommentRemAll": "刪除所有評論", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "刪除當前評論", + "Common.Views.ReviewChanges.txtCommentRemMy": "刪除我的評論", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "刪除我當前的評論", + "Common.Views.ReviewChanges.txtCommentRemove": "移除", + "Common.Views.ReviewChanges.txtCommentResolve": "解決", + "Common.Views.ReviewChanges.txtCommentResolveAll": "將所有註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "將註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMy": "將所有自己的註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "將自己的註解標記為已解決", + "Common.Views.ReviewChanges.txtDocLang": "語言", + "Common.Views.ReviewChanges.txtFinal": "更改已全部接受(預覽)", + "Common.Views.ReviewChanges.txtFinalCap": "最後", + "Common.Views.ReviewChanges.txtHistory": "版本歷史", + "Common.Views.ReviewChanges.txtMarkup": "全部的更改(編輯中)", + "Common.Views.ReviewChanges.txtMarkupCap": "標記", + "Common.Views.ReviewChanges.txtNext": "下一個", + "Common.Views.ReviewChanges.txtOriginal": "全部更改被拒絕(預覽)", + "Common.Views.ReviewChanges.txtOriginalCap": "原始", + "Common.Views.ReviewChanges.txtPrev": "前一個", + "Common.Views.ReviewChanges.txtReject": "拒絕", + "Common.Views.ReviewChanges.txtRejectAll": "拒絕所有更改", + "Common.Views.ReviewChanges.txtRejectChanges": "拒絕更改", + "Common.Views.ReviewChanges.txtRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewChanges.txtSharing": "分享", + "Common.Views.ReviewChanges.txtSpelling": "拼字檢查", + "Common.Views.ReviewChanges.txtTurnon": "跟蹤變化", + "Common.Views.ReviewChanges.txtView": "顯示模式", + "Common.Views.ReviewPopover.textAdd": "增加", + "Common.Views.ReviewPopover.textAddReply": "加入回覆", + "Common.Views.ReviewPopover.textCancel": "取消", + "Common.Views.ReviewPopover.textClose": "關閉", + "Common.Views.ReviewPopover.textEdit": "確定", + "Common.Views.ReviewPopover.textMention": "+提及將提供對文檔的存取權限並發送電子郵件", + "Common.Views.ReviewPopover.textMentionNotify": "+提及將通過電子郵件通知用戶", + "Common.Views.ReviewPopover.textOpenAgain": "重新打開", + "Common.Views.ReviewPopover.textReply": "回覆", + "Common.Views.ReviewPopover.textResolve": "解決", + "Common.Views.ReviewPopover.textViewResolved": "您沒有權限來重新開啟這個註解", + "Common.Views.ReviewPopover.txtDeleteTip": "刪除", + "Common.Views.ReviewPopover.txtEditTip": "編輯", + "Common.Views.SaveAsDlg.textLoading": "載入中", + "Common.Views.SaveAsDlg.textTitle": "保存文件夾", + "Common.Views.SelectFileDlg.textLoading": "載入中", + "Common.Views.SelectFileDlg.textTitle": "選擇資料來源", + "Common.Views.SignDialog.textBold": "粗體", + "Common.Views.SignDialog.textCertificate": "證書", + "Common.Views.SignDialog.textChange": "變更", + "Common.Views.SignDialog.textInputName": "輸入簽名者名稱", + "Common.Views.SignDialog.textItalic": "斜體", + "Common.Views.SignDialog.textNameError": "簽名人姓名不能留空。", + "Common.Views.SignDialog.textPurpose": "簽署本文件的目的", + "Common.Views.SignDialog.textSelect": "選擇", + "Common.Views.SignDialog.textSelectImage": "選擇圖片", + "Common.Views.SignDialog.textSignature": "簽名看起來像", + "Common.Views.SignDialog.textTitle": "簽署文件", + "Common.Views.SignDialog.textUseImage": "或單擊“選擇圖像”以使用圖片作為簽名", + "Common.Views.SignDialog.textValid": "從%1到%2有效", + "Common.Views.SignDialog.tipFontName": "字體名稱", + "Common.Views.SignDialog.tipFontSize": "字體大小", + "Common.Views.SignSettingsDialog.textAllowComment": "允許簽名者在簽名對話框中添加註釋", + "Common.Views.SignSettingsDialog.textInfo": "簽名者資訊", + "Common.Views.SignSettingsDialog.textInfoEmail": "電子郵件", + "Common.Views.SignSettingsDialog.textInfoName": "名稱", + "Common.Views.SignSettingsDialog.textInfoTitle": "簽名人稱號", + "Common.Views.SignSettingsDialog.textInstructions": "簽名者說明", + "Common.Views.SignSettingsDialog.textShowDate": "在簽名行中顯示簽名日期", + "Common.Views.SignSettingsDialog.textTitle": "簽名設置", + "Common.Views.SignSettingsDialog.txtEmpty": "這是必填欄", + "Common.Views.SymbolTableDialog.textCharacter": "字符", + "Common.Views.SymbolTableDialog.textCode": "Unicode HEX 值", + "Common.Views.SymbolTableDialog.textCopyright": "版權標誌", + "Common.Views.SymbolTableDialog.textDCQuote": "結束雙引號", + "Common.Views.SymbolTableDialog.textDOQuote": "開頭雙引號", + "Common.Views.SymbolTableDialog.textEllipsis": "水平橢圓", + "Common.Views.SymbolTableDialog.textEmDash": "空槓", + "Common.Views.SymbolTableDialog.textEmSpace": "空白空間", + "Common.Views.SymbolTableDialog.textEnDash": "En 橫槓", + "Common.Views.SymbolTableDialog.textEnSpace": "En 空白", + "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": "註冊標誌", + "Common.Views.SymbolTableDialog.textSCQuote": "結束單引號", + "Common.Views.SymbolTableDialog.textSection": "分區標誌", + "Common.Views.SymbolTableDialog.textShortcut": "快捷鍵", + "Common.Views.SymbolTableDialog.textSHyphen": "軟連字符", + "Common.Views.SymbolTableDialog.textSOQuote": "開單報價", + "Common.Views.SymbolTableDialog.textSpecial": "特殊字符", + "Common.Views.SymbolTableDialog.textSymbols": "符號", + "Common.Views.SymbolTableDialog.textTitle": "符號", + "Common.Views.SymbolTableDialog.textTradeMark": "商標符號", + "Common.Views.UserNameDialog.textDontShow": "不要再顯示", + "Common.Views.UserNameDialog.textLabel": "標籤:", + "Common.Views.UserNameDialog.textLabelError": "標籤不能為空。", + "PE.Controllers.LeftMenu.leavePageText": "該文檔中所有未保存的更改都將丟失。
        單擊“取消”,然後單擊“保存”以保存它們。單擊“確定”,放棄所有未保存的更改。", + "PE.Controllers.LeftMenu.newDocumentTitle": "未命名的演講", + "PE.Controllers.LeftMenu.notcriticalErrorTitle": "警告", + "PE.Controllers.LeftMenu.requestEditRightsText": "正在請求編輯權限...", + "PE.Controllers.LeftMenu.textLoadHistory": "正在載入版本歷史記錄...", + "PE.Controllers.LeftMenu.textNoTextFound": "找不到您一直在搜索的數據。請調整您的搜索選項。", + "PE.Controllers.LeftMenu.textReplaceSkipped": "替換已完成。 {0}個事件被跳過。", + "PE.Controllers.LeftMenu.textReplaceSuccess": "搜索已完成。發生的事件已替換:{0}", + "PE.Controllers.LeftMenu.txtUntitled": "無標題", + "PE.Controllers.Main.applyChangesTextText": "加載數據中...", + "PE.Controllers.Main.applyChangesTitleText": "加載數據中", + "PE.Controllers.Main.convertationTimeoutText": "轉換逾時。", + "PE.Controllers.Main.criticalErrorExtText": "按“確定”返回文檔列表。", + "PE.Controllers.Main.criticalErrorTitle": "錯誤", + "PE.Controllers.Main.downloadErrorText": "下載失敗", + "PE.Controllers.Main.downloadTextText": "下載簡報中...", + "PE.Controllers.Main.downloadTitleText": "下載簡報中", + "PE.Controllers.Main.errorAccessDeny": "您嘗試進行未被授權的動作
        請聯繫您的文件伺服器主機的管理者。", + "PE.Controllers.Main.errorBadImageUrl": "不正確的圖像 URL", + "PE.Controllers.Main.errorCoAuthoringDisconnect": "服務器連接丟失。該文檔目前無法編輯。", + "PE.Controllers.Main.errorComboSeries": "新增組合圖表需選兩個以上的數據系列。", + "PE.Controllers.Main.errorConnectToServer": "此文件無法儲存。請檢查連線設定或聯絡您的管理者
        當您點選'OK'按鈕, 您將會被提示來進行此文件的下載。", + "PE.Controllers.Main.errorDatabaseConnection": "外部錯誤。
        數據庫連接錯誤。如果錯誤仍然存在,請聯繫支持。", + "PE.Controllers.Main.errorDataEncrypted": "已收到加密的更改,無法解密。", + "PE.Controllers.Main.errorDataRange": "不正確的資料範圍", + "PE.Controllers.Main.errorDefaultMessage": "錯誤編號:%1", + "PE.Controllers.Main.errorEditingDownloadas": "在處理文檔期間發生錯誤。
        使用“下載為...”選項將文件備份副本保存到計算機硬碟驅動器中。", + "PE.Controllers.Main.errorEditingSaveas": "使用文檔期間發生錯誤。
        使用“另存為...”選項將文件備份副本保存到計算機硬碟驅動器中。", + "PE.Controllers.Main.errorEmailClient": "找不到電子郵件客戶端。", + "PE.Controllers.Main.errorFilePassProtect": "該文件受密碼保護,無法打開。", + "PE.Controllers.Main.errorFileSizeExceed": "此檔案超過這一主機限制的大小
        進一步資訊,請聯絡您的文件服務主機的管理者。", + "PE.Controllers.Main.errorForceSave": "保存文件時發生錯誤。請使用“下載為”選項將文件保存到電腦機硬碟中,或稍後再試。", + "PE.Controllers.Main.errorKeyEncrypt": "未知密鑰描述符", + "PE.Controllers.Main.errorKeyExpire": "密鑰描述符已過期", + "PE.Controllers.Main.errorLoadingFont": "字體未加載。
        請聯繫文件服務器管理員。", + "PE.Controllers.Main.errorProcessSaveResult": "儲存失敗", + "PE.Controllers.Main.errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以應用更改。", + "PE.Controllers.Main.errorSessionAbsolute": "此文件編輯的會期已經過時。請重新載入此頁面。", + "PE.Controllers.Main.errorSessionIdle": "此文件已經在編輯狀態有很長時間, 請重新載入此頁面。", + "PE.Controllers.Main.errorSessionToken": "與服務器的連接已中斷。請重新加載頁面。", + "PE.Controllers.Main.errorSetPassword": "無法設定密碼。", + "PE.Controllers.Main.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
        出價, 最高價, 最低價, 節標價。", + "PE.Controllers.Main.errorToken": "文檔安全令牌的格式不正確。
        請與您的Document Server管理員聯繫。", + "PE.Controllers.Main.errorTokenExpire": "文檔安全令牌已過期。
        請與您的Document Server管理員聯繫。", + "PE.Controllers.Main.errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "PE.Controllers.Main.errorUpdateVersionOnDisconnect": "網路連接已恢復,文件版本已更改。
        在繼續工作之前,您需要下載文件或複制其內容以確保沒有丟失,然後重新加載此頁面。", + "PE.Controllers.Main.errorUserDrop": "目前無法存取該文件。", + "PE.Controllers.Main.errorUsersExceed": "超出了定價計劃所允許的用戶數量", + "PE.Controllers.Main.errorViewerDisconnect": "連接斷開。您仍然可以查看該文檔,但在恢復連接並重新加載頁面之前將無法下載或打印該文檔。", + "PE.Controllers.Main.leavePageText": "您尚未保存此演示文稿中的更改。單擊“保留在此頁面上”,然後單擊“保存”以保存它們。單擊“離開此頁面”以放棄所有未保存的更改。", + "PE.Controllers.Main.leavePageTextOnClose": "該文檔中所有未保存的更改都將丟失。
        單擊“取消”,然後單擊“保存”以保存它們。單擊“確定”,放棄所有未保存的更改。", + "PE.Controllers.Main.loadFontsTextText": "加載數據中...", + "PE.Controllers.Main.loadFontsTitleText": "加載數據中", + "PE.Controllers.Main.loadFontTextText": "加載數據中...", + "PE.Controllers.Main.loadFontTitleText": "加載數據中", + "PE.Controllers.Main.loadImagesTextText": "正在載入圖片...", + "PE.Controllers.Main.loadImagesTitleText": "正在載入圖片", + "PE.Controllers.Main.loadImageTextText": "正在載入圖片...", + "PE.Controllers.Main.loadImageTitleText": "正在載入圖片", + "PE.Controllers.Main.loadingDocumentTextText": "正在載入簡報...", + "PE.Controllers.Main.loadingDocumentTitleText": "正在載入簡報", + "PE.Controllers.Main.loadThemeTextText": "載入主題中...", + "PE.Controllers.Main.loadThemeTitleText": "載入主題中", + "PE.Controllers.Main.notcriticalErrorTitle": "警告", + "PE.Controllers.Main.openErrorText": "開啟檔案時發生錯誤", + "PE.Controllers.Main.openTextText": "開幕演講...", + "PE.Controllers.Main.openTitleText": "開幕演講", + "PE.Controllers.Main.printTextText": "列印簡報...", + "PE.Controllers.Main.printTitleText": "列印簡報", + "PE.Controllers.Main.reloadButtonText": "重新載入頁面", + "PE.Controllers.Main.requestEditFailedMessageText": "有人正在編輯此演示文稿。請稍後再試。", + "PE.Controllers.Main.requestEditFailedTitleText": "存取被拒", + "PE.Controllers.Main.saveErrorText": "儲存檔案時發生錯誤", + "PE.Controllers.Main.saveErrorTextDesktop": "無法保存或創建此文件。
        可能的原因是:
        1。該文件是只讀的。
        2。該文件正在由其他用戶編輯。
        3。磁碟已滿或損壞。", + "PE.Controllers.Main.saveTextText": "正在保存演示文稿...", + "PE.Controllers.Main.saveTitleText": "保存演示文稿", + "PE.Controllers.Main.scriptLoadError": "連接速度太慢,某些組件無法加載。請重新加載頁面。", + "PE.Controllers.Main.splitDividerErrorText": "行數必須是%1的除數。", + "PE.Controllers.Main.splitMaxColsErrorText": "列數必須少於%1。", + "PE.Controllers.Main.splitMaxRowsErrorText": "行數必須少於%1。", + "PE.Controllers.Main.textAnonymous": "匿名", + "PE.Controllers.Main.textApplyAll": "適用於所有方程式", + "PE.Controllers.Main.textBuyNow": "訪問網站", + "PE.Controllers.Main.textChangesSaved": "所有更改已保存", + "PE.Controllers.Main.textClose": "關閉", + "PE.Controllers.Main.textCloseTip": "點擊關閉提示", + "PE.Controllers.Main.textContactUs": "聯絡銷售人員", + "PE.Controllers.Main.textConvertEquation": "該方程式是使用不再受支持的方程式編輯器的舊版本創建的。要對其進行編輯,請將等式轉換為Office Math ML格式。
        立即轉換?", + "PE.Controllers.Main.textCustomLoader": "請注意,根據許可條款,您無權更換裝載機。
        請聯繫我們的銷售部門以獲取報價。", + "PE.Controllers.Main.textDisconnect": "失去網絡連接", + "PE.Controllers.Main.textGuest": "來賓帳戶", + "PE.Controllers.Main.textHasMacros": "此檔案包含自動的", + "PE.Controllers.Main.textLearnMore": "了解更多", + "PE.Controllers.Main.textLoadingDocument": "正在載入簡報", + "PE.Controllers.Main.textLongName": "輸入少於128個字符的名稱。", + "PE.Controllers.Main.textNoLicenseTitle": "達到許可限制", + "PE.Controllers.Main.textPaidFeature": "付費功能", + "PE.Controllers.Main.textReconnect": "連線恢復", + "PE.Controllers.Main.textRemember": "記住我對所有文件的選擇", + "PE.Controllers.Main.textRenameError": "使用者名稱無法留空。", + "PE.Controllers.Main.textRenameLabel": "輸入合作名稱", + "PE.Controllers.Main.textShape": "形狀", + "PE.Controllers.Main.textStrict": "嚴格模式", + "PE.Controllers.Main.textTryUndoRedo": "快速共同編輯模式禁用了“撤消/重做”功能。
        單擊“嚴格模式”按鈕切換到“嚴格共同編輯”模式以編輯文件而不會受到其他用戶的干擾,並且僅在保存後發送更改他們。您可以使用編輯器的“高級”設置在共同編輯模式之間切換。", + "PE.Controllers.Main.textTryUndoRedoWarn": "在快速共同編輯模式下,撤消/重做功能被禁用。", + "PE.Controllers.Main.titleLicenseExp": "證件過期", + "PE.Controllers.Main.titleServerVersion": "編輯器已更新", + "PE.Controllers.Main.txtAddFirstSlide": "點擊以新增第一張投影片", + "PE.Controllers.Main.txtAddNotes": "點擊添加筆記", + "PE.Controllers.Main.txtArt": "在這輸入文字", + "PE.Controllers.Main.txtBasicShapes": "基本形狀", + "PE.Controllers.Main.txtButtons": "按鈕", + "PE.Controllers.Main.txtCallouts": "標註", + "PE.Controllers.Main.txtCharts": "圖表", + "PE.Controllers.Main.txtClipArt": "剪貼畫", + "PE.Controllers.Main.txtDateTime": "日期和時間", + "PE.Controllers.Main.txtDiagram": "SmartArt", + "PE.Controllers.Main.txtDiagramTitle": "圖表標題", + "PE.Controllers.Main.txtEditingMode": "設定編輯模式...", + "PE.Controllers.Main.txtErrorLoadHistory": "歷史記錄加載失敗", + "PE.Controllers.Main.txtFiguredArrows": "圖箭", + "PE.Controllers.Main.txtFooter": "頁尾", + "PE.Controllers.Main.txtHeader": "標頭", + "PE.Controllers.Main.txtImage": "圖像", + "PE.Controllers.Main.txtLines": "線數", + "PE.Controllers.Main.txtLoading": "載入中...", + "PE.Controllers.Main.txtMath": "數學", + "PE.Controllers.Main.txtMedia": "媒體", + "PE.Controllers.Main.txtNeedSynchronize": "您有更新", + "PE.Controllers.Main.txtNone": "無", + "PE.Controllers.Main.txtPicture": "圖片", + "PE.Controllers.Main.txtRectangles": "長方形", + "PE.Controllers.Main.txtSeries": "系列", + "PE.Controllers.Main.txtShape_accentBorderCallout1": "線路標註1(邊框和強調欄)", + "PE.Controllers.Main.txtShape_accentBorderCallout2": "線路標註2(邊框和強調欄)", + "PE.Controllers.Main.txtShape_accentBorderCallout3": "線路標註3(邊框和強調欄)", + "PE.Controllers.Main.txtShape_accentCallout1": "線路標註1(強調欄)", + "PE.Controllers.Main.txtShape_accentCallout2": "線路標註2(強調欄)", + "PE.Controllers.Main.txtShape_accentCallout3": "線路標註3(強調欄)", + "PE.Controllers.Main.txtShape_actionButtonBackPrevious": "後退或上一步按鈕", + "PE.Controllers.Main.txtShape_actionButtonBeginning": "開始按鈕", + "PE.Controllers.Main.txtShape_actionButtonBlank": "空白按鈕", + "PE.Controllers.Main.txtShape_actionButtonDocument": "文件按鈕", + "PE.Controllers.Main.txtShape_actionButtonEnd": "結束按鈕", + "PE.Controllers.Main.txtShape_actionButtonForwardNext": "前進或後退按鈕", + "PE.Controllers.Main.txtShape_actionButtonHelp": "幫助按鈕", + "PE.Controllers.Main.txtShape_actionButtonHome": "首頁按鈕", + "PE.Controllers.Main.txtShape_actionButtonInformation": "資訊按鈕", + "PE.Controllers.Main.txtShape_actionButtonMovie": "電影按鈕", + "PE.Controllers.Main.txtShape_actionButtonReturn": "返回按鈕", + "PE.Controllers.Main.txtShape_actionButtonSound": "聲音按鈕", + "PE.Controllers.Main.txtShape_arc": "弧", + "PE.Controllers.Main.txtShape_bentArrow": "彎曲箭頭", + "PE.Controllers.Main.txtShape_bentConnector5": "彎頭接頭", + "PE.Controllers.Main.txtShape_bentConnector5WithArrow": "彎頭箭頭連接器", + "PE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "彎頭雙箭頭連接器", + "PE.Controllers.Main.txtShape_bentUpArrow": "向上彎曲箭頭", + "PE.Controllers.Main.txtShape_bevel": "斜角", + "PE.Controllers.Main.txtShape_blockArc": "圓弧", + "PE.Controllers.Main.txtShape_borderCallout1": "線路標註1", + "PE.Controllers.Main.txtShape_borderCallout2": "線路標註2", + "PE.Controllers.Main.txtShape_borderCallout3": "線路標註3", + "PE.Controllers.Main.txtShape_bracePair": "雙括號", + "PE.Controllers.Main.txtShape_callout1": "線路標註1(無邊框)", + "PE.Controllers.Main.txtShape_callout2": "線路標註2(無邊框)", + "PE.Controllers.Main.txtShape_callout3": "線路標註3(無邊框)", + "PE.Controllers.Main.txtShape_can": "能夠", + "PE.Controllers.Main.txtShape_chevron": "雪佛龍", + "PE.Controllers.Main.txtShape_chord": "弦", + "PE.Controllers.Main.txtShape_circularArrow": "圓形箭頭", + "PE.Controllers.Main.txtShape_cloud": "雲", + "PE.Controllers.Main.txtShape_cloudCallout": "雲標註", + "PE.Controllers.Main.txtShape_corner": "角", + "PE.Controllers.Main.txtShape_cube": " 立方體", + "PE.Controllers.Main.txtShape_curvedConnector3": "彎曲連接器", + "PE.Controllers.Main.txtShape_curvedConnector3WithArrow": "彎曲箭頭連接器", + "PE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "彎曲雙箭頭連接器", + "PE.Controllers.Main.txtShape_curvedDownArrow": "彎曲的向下箭頭", + "PE.Controllers.Main.txtShape_curvedLeftArrow": "彎曲的左箭頭", + "PE.Controllers.Main.txtShape_curvedRightArrow": "彎曲的右箭頭", + "PE.Controllers.Main.txtShape_curvedUpArrow": "彎曲的向上箭頭", + "PE.Controllers.Main.txtShape_decagon": "十邊形", + "PE.Controllers.Main.txtShape_diagStripe": "斜條紋", + "PE.Controllers.Main.txtShape_diamond": "鑽石", + "PE.Controllers.Main.txtShape_dodecagon": "十二邊形", + "PE.Controllers.Main.txtShape_donut": "甜甜圈", + "PE.Controllers.Main.txtShape_doubleWave": "雙波", + "PE.Controllers.Main.txtShape_downArrow": "下箭頭", + "PE.Controllers.Main.txtShape_downArrowCallout": "向下箭頭標註", + "PE.Controllers.Main.txtShape_ellipse": "橢圓", + "PE.Controllers.Main.txtShape_ellipseRibbon": "彎下絲帶", + "PE.Controllers.Main.txtShape_ellipseRibbon2": "彎曲絲帶", + "PE.Controllers.Main.txtShape_flowChartAlternateProcess": "流程圖:替代過程", + "PE.Controllers.Main.txtShape_flowChartCollate": "流程圖:整理", + "PE.Controllers.Main.txtShape_flowChartConnector": "流程圖:連接器", + "PE.Controllers.Main.txtShape_flowChartDecision": "流程圖:決策", + "PE.Controllers.Main.txtShape_flowChartDelay": "流程圖:延遲", + "PE.Controllers.Main.txtShape_flowChartDisplay": "流程圖:顯示", + "PE.Controllers.Main.txtShape_flowChartDocument": "流程圖:文件", + "PE.Controllers.Main.txtShape_flowChartExtract": "流程圖:提取", + "PE.Controllers.Main.txtShape_flowChartInputOutput": "流程圖:數據", + "PE.Controllers.Main.txtShape_flowChartInternalStorage": "流程圖:內部存儲", + "PE.Controllers.Main.txtShape_flowChartMagneticDisk": "流程圖:磁碟", + "PE.Controllers.Main.txtShape_flowChartMagneticDrum": "流程圖:直接存取存儲", + "PE.Controllers.Main.txtShape_flowChartMagneticTape": "流程圖:順序存取存儲", + "PE.Controllers.Main.txtShape_flowChartManualInput": "流程圖:手動輸入", + "PE.Controllers.Main.txtShape_flowChartManualOperation": "流程圖:手動操作", + "PE.Controllers.Main.txtShape_flowChartMerge": "流程圖:合併", + "PE.Controllers.Main.txtShape_flowChartMultidocument": "流程圖:多文檔", + "PE.Controllers.Main.txtShape_flowChartOffpageConnector": "流程圖:頁外連接器", + "PE.Controllers.Main.txtShape_flowChartOnlineStorage": "流程圖:存儲的數據", + "PE.Controllers.Main.txtShape_flowChartOr": "流程圖:或", + "PE.Controllers.Main.txtShape_flowChartPredefinedProcess": "流程圖:預定義流程", + "PE.Controllers.Main.txtShape_flowChartPreparation": "流程圖:準備", + "PE.Controllers.Main.txtShape_flowChartProcess": "流程圖:流程", + "PE.Controllers.Main.txtShape_flowChartPunchedCard": "流程圖:卡", + "PE.Controllers.Main.txtShape_flowChartPunchedTape": "流程圖:穿孔紙帶", + "PE.Controllers.Main.txtShape_flowChartSort": "流程圖:排序", + "PE.Controllers.Main.txtShape_flowChartSummingJunction": "流程圖:求和結點", + "PE.Controllers.Main.txtShape_flowChartTerminator": "流程圖:終結者", + "PE.Controllers.Main.txtShape_foldedCorner": "折角", + "PE.Controllers.Main.txtShape_frame": "框", + "PE.Controllers.Main.txtShape_halfFrame": "半框", + "PE.Controllers.Main.txtShape_heart": "心", + "PE.Controllers.Main.txtShape_heptagon": "七邊形", + "PE.Controllers.Main.txtShape_hexagon": "六邊形", + "PE.Controllers.Main.txtShape_homePlate": "五角形", + "PE.Controllers.Main.txtShape_horizontalScroll": "水平滾動", + "PE.Controllers.Main.txtShape_irregularSeal1": "爆炸1", + "PE.Controllers.Main.txtShape_irregularSeal2": "爆炸2", + "PE.Controllers.Main.txtShape_leftArrow": "左箭頭", + "PE.Controllers.Main.txtShape_leftArrowCallout": "向左箭頭標註", + "PE.Controllers.Main.txtShape_leftBrace": "左括號", + "PE.Controllers.Main.txtShape_leftBracket": "左括號", + "PE.Controllers.Main.txtShape_leftRightArrow": "左右箭頭", + "PE.Controllers.Main.txtShape_leftRightArrowCallout": "左右箭頭標註", + "PE.Controllers.Main.txtShape_leftRightUpArrow": "左右上箭頭", + "PE.Controllers.Main.txtShape_leftUpArrow": "左上箭頭", + "PE.Controllers.Main.txtShape_lightningBolt": "閃電", + "PE.Controllers.Main.txtShape_line": "線", + "PE.Controllers.Main.txtShape_lineWithArrow": "箭頭", + "PE.Controllers.Main.txtShape_lineWithTwoArrows": "雙箭頭", + "PE.Controllers.Main.txtShape_mathDivide": "分裂", + "PE.Controllers.Main.txtShape_mathEqual": "等於", + "PE.Controllers.Main.txtShape_mathMinus": "減去", + "PE.Controllers.Main.txtShape_mathMultiply": "乘", + "PE.Controllers.Main.txtShape_mathNotEqual": "不平等", + "PE.Controllers.Main.txtShape_mathPlus": "加", + "PE.Controllers.Main.txtShape_moon": "月亮", + "PE.Controllers.Main.txtShape_noSmoking": "“否”符號", + "PE.Controllers.Main.txtShape_notchedRightArrow": "缺口右箭頭", + "PE.Controllers.Main.txtShape_octagon": "八邊形", + "PE.Controllers.Main.txtShape_parallelogram": "平行四邊形", + "PE.Controllers.Main.txtShape_pentagon": "五角形", + "PE.Controllers.Main.txtShape_pie": "餅", + "PE.Controllers.Main.txtShape_plaque": "簽名", + "PE.Controllers.Main.txtShape_plus": "加", + "PE.Controllers.Main.txtShape_polyline1": "塗", + "PE.Controllers.Main.txtShape_polyline2": "自由形式", + "PE.Controllers.Main.txtShape_quadArrow": "四箭頭", + "PE.Controllers.Main.txtShape_quadArrowCallout": "四箭頭標註", + "PE.Controllers.Main.txtShape_rect": "長方形", + "PE.Controllers.Main.txtShape_ribbon": "下絨帶", + "PE.Controllers.Main.txtShape_ribbon2": "上色帶", + "PE.Controllers.Main.txtShape_rightArrow": "右箭頭", + "PE.Controllers.Main.txtShape_rightArrowCallout": "右箭頭標註", + "PE.Controllers.Main.txtShape_rightBrace": "右括號", + "PE.Controllers.Main.txtShape_rightBracket": "右括號", + "PE.Controllers.Main.txtShape_round1Rect": "圓形單角矩形", + "PE.Controllers.Main.txtShape_round2DiagRect": "圓斜角矩形", + "PE.Controllers.Main.txtShape_round2SameRect": "圓同一邊角矩形", + "PE.Controllers.Main.txtShape_roundRect": "圓角矩形", + "PE.Controllers.Main.txtShape_rtTriangle": "直角三角形", + "PE.Controllers.Main.txtShape_smileyFace": "笑臉", + "PE.Controllers.Main.txtShape_snip1Rect": "剪斷單角矩形", + "PE.Controllers.Main.txtShape_snip2DiagRect": "剪裁對角線矩形", + "PE.Controllers.Main.txtShape_snip2SameRect": "剪斷同一邊角矩形", + "PE.Controllers.Main.txtShape_snipRoundRect": "剪斷和圓形單角矩形", + "PE.Controllers.Main.txtShape_spline": "曲線", + "PE.Controllers.Main.txtShape_star10": "十點星", + "PE.Controllers.Main.txtShape_star12": "十二點星", + "PE.Controllers.Main.txtShape_star16": "十六點星", + "PE.Controllers.Main.txtShape_star24": "24點星", + "PE.Controllers.Main.txtShape_star32": "32點星", + "PE.Controllers.Main.txtShape_star4": "4點星", + "PE.Controllers.Main.txtShape_star5": "5點星", + "PE.Controllers.Main.txtShape_star6": "6點星", + "PE.Controllers.Main.txtShape_star7": "7點星", + "PE.Controllers.Main.txtShape_star8": "8點星", + "PE.Controllers.Main.txtShape_stripedRightArrow": "條紋右箭頭", + "PE.Controllers.Main.txtShape_sun": "太陽", + "PE.Controllers.Main.txtShape_teardrop": "淚珠", + "PE.Controllers.Main.txtShape_textRect": "文字框", + "PE.Controllers.Main.txtShape_trapezoid": "梯形", + "PE.Controllers.Main.txtShape_triangle": "三角形", + "PE.Controllers.Main.txtShape_upArrow": "向上箭頭", + "PE.Controllers.Main.txtShape_upArrowCallout": "向上箭頭標註", + "PE.Controllers.Main.txtShape_upDownArrow": "上下箭頭", + "PE.Controllers.Main.txtShape_uturnArrow": "掉頭箭頭", + "PE.Controllers.Main.txtShape_verticalScroll": "垂直滾動", + "PE.Controllers.Main.txtShape_wave": "波", + "PE.Controllers.Main.txtShape_wedgeEllipseCallout": "橢圓形標註", + "PE.Controllers.Main.txtShape_wedgeRectCallout": "矩形標註", + "PE.Controllers.Main.txtShape_wedgeRoundRectCallout": "圓角矩形標註", + "PE.Controllers.Main.txtSldLtTBlank": "空白", + "PE.Controllers.Main.txtSldLtTChart": "圖表", + "PE.Controllers.Main.txtSldLtTChartAndTx": "圖表和文字", + "PE.Controllers.Main.txtSldLtTClipArtAndTx": "剪貼畫和文字", + "PE.Controllers.Main.txtSldLtTClipArtAndVertTx": "剪貼畫和垂直文字", + "PE.Controllers.Main.txtSldLtTCust": "自訂", + "PE.Controllers.Main.txtSldLtTDgm": "圖表", + "PE.Controllers.Main.txtSldLtTFourObj": "四個對象", + "PE.Controllers.Main.txtSldLtTMediaAndTx": "媒體和文字", + "PE.Controllers.Main.txtSldLtTObj": "標題和物件", + "PE.Controllers.Main.txtSldLtTObjAndTwoObj": "物件和兩個物件", + "PE.Controllers.Main.txtSldLtTObjAndTx": "物件和文字", + "PE.Controllers.Main.txtSldLtTObjOnly": "物件", + "PE.Controllers.Main.txtSldLtTObjOverTx": "物件覆蓋文字", + "PE.Controllers.Main.txtSldLtTObjTx": "標題,物件和標題", + "PE.Controllers.Main.txtSldLtTPicTx": "圖片和標題", + "PE.Controllers.Main.txtSldLtTSecHead": "區塊標題", + "PE.Controllers.Main.txtSldLtTTbl": "表格", + "PE.Controllers.Main.txtSldLtTTitle": "標題", + "PE.Controllers.Main.txtSldLtTTitleOnly": "僅標題", + "PE.Controllers.Main.txtSldLtTTwoColTx": "兩欄文字", + "PE.Controllers.Main.txtSldLtTTwoObj": "兩個物件", + "PE.Controllers.Main.txtSldLtTTwoObjAndObj": "兩個物件和物件", + "PE.Controllers.Main.txtSldLtTTwoObjAndTx": "兩個物件和文字", + "PE.Controllers.Main.txtSldLtTTwoObjOverTx": "兩個物件覆蓋文字", + "PE.Controllers.Main.txtSldLtTTwoTxTwoObj": "兩個文字和兩個物件", + "PE.Controllers.Main.txtSldLtTTx": "文字", + "PE.Controllers.Main.txtSldLtTTxAndChart": "文字和圖表", + "PE.Controllers.Main.txtSldLtTTxAndClipArt": "文字和剪貼畫", + "PE.Controllers.Main.txtSldLtTTxAndMedia": "文字和媒體", + "PE.Controllers.Main.txtSldLtTTxAndObj": "文字和物件", + "PE.Controllers.Main.txtSldLtTTxAndTwoObj": "文字和兩個物件", + "PE.Controllers.Main.txtSldLtTTxOverObj": "文字覆蓋物件", + "PE.Controllers.Main.txtSldLtTVertTitleAndTx": "垂直標題和文字", + "PE.Controllers.Main.txtSldLtTVertTitleAndTxOverChart": "垂直標題和圖表上方的文字", + "PE.Controllers.Main.txtSldLtTVertTx": "垂直文字", + "PE.Controllers.Main.txtSlideNumber": "投影片頁碼", + "PE.Controllers.Main.txtSlideSubtitle": "投影片副標題", + "PE.Controllers.Main.txtSlideText": "投影片字幕", + "PE.Controllers.Main.txtSlideTitle": "投影片標題", + "PE.Controllers.Main.txtStarsRibbons": "星星和絲帶", + "PE.Controllers.Main.txtTheme_basic": "基本的", + "PE.Controllers.Main.txtTheme_blank": "空白", + "PE.Controllers.Main.txtTheme_classic": "經典", + "PE.Controllers.Main.txtTheme_corner": "角", + "PE.Controllers.Main.txtTheme_dotted": "點", + "PE.Controllers.Main.txtTheme_green": "綠色", + "PE.Controllers.Main.txtTheme_green_leaf": "綠葉", + "PE.Controllers.Main.txtTheme_lines": "線數", + "PE.Controllers.Main.txtTheme_office": "辦公室", + "PE.Controllers.Main.txtTheme_office_theme": "辦公室主題", + "PE.Controllers.Main.txtTheme_official": "官方", + "PE.Controllers.Main.txtTheme_pixel": "像素點", + "PE.Controllers.Main.txtTheme_safari": "蘋果瀏覽器", + "PE.Controllers.Main.txtTheme_turtle": "龜", + "PE.Controllers.Main.txtXAxis": "X軸", + "PE.Controllers.Main.txtYAxis": "Y軸", + "PE.Controllers.Main.unknownErrorText": "未知錯誤。", + "PE.Controllers.Main.unsupportedBrowserErrorText": "不支援您的瀏覽器", + "PE.Controllers.Main.uploadImageExtMessage": "圖片格式未知。", + "PE.Controllers.Main.uploadImageFileCountMessage": "沒有上傳圖片。", + "PE.Controllers.Main.uploadImageSizeMessage": "圖像超出最大大小限制。最大大小為25MB。", + "PE.Controllers.Main.uploadImageTextText": "正在上傳圖片...", + "PE.Controllers.Main.uploadImageTitleText": "上載圖片", + "PE.Controllers.Main.waitText": "請耐心等待...", + "PE.Controllers.Main.warnBrowserIE9": "該應用程序在IE9上具有較低的功能。使用IE10或更高版本", + "PE.Controllers.Main.warnBrowserZoom": "瀏覽器當前的縮放設置不受完全支持。請按Ctrl + 0重置為預設縮放。", + "PE.Controllers.Main.warnLicenseExceeded": "您的系統已經達到同時編輯連線的 %1 編輯者。只能以檢視模式開啟此文件。
        進一步訊息, 請聯繫您的管理者。", + "PE.Controllers.Main.warnLicenseExp": "您的授權證已過期.
        請更新您的授權證並重新整理頁面。", + "PE.Controllers.Main.warnLicenseLimitedNoAccess": "授權過期
        您已沒有編輯文件功能的授權
        請與您的管理者聯繫。", + "PE.Controllers.Main.warnLicenseLimitedRenewed": "授權證書需要更新
        您只有部分的文件編輯功能的存取權限
        請與您的管理者聯繫來取得完整的存取權限。", + "PE.Controllers.Main.warnLicenseUsersExceeded": "您已達到%1個編輯器的用戶限制。請與您的管理員聯繫以了解更多信息。", + "PE.Controllers.Main.warnNoLicense": "您的系統已經達到同時編輯連線的 %1 編輯者。只能以檢視模式開啟此文件。
        請聯繫 %1 銷售團隊來取得個人升級的需求。", + "PE.Controllers.Main.warnNoLicenseUsers": "您已達到%1個編輯器的用戶限制。與%1銷售團隊聯繫以了解個人升級條款。", + "PE.Controllers.Main.warnProcessRightsChange": "您被拒絕編輯文件的權利。", + "PE.Controllers.Statusbar.textDisconnect": "連線失敗
        正在嘗試連線。請檢查網路連線設定。", + "PE.Controllers.Statusbar.zoomText": "放大{0}%", + "PE.Controllers.Toolbar.confirmAddFontName": "您要保存的字體在當前設備上不可用。
        文本樣式將使用一種系統字體顯示,保存的字體將在可用時使用。
        要繼續嗎? ?", + "PE.Controllers.Toolbar.textAccent": "強調", + "PE.Controllers.Toolbar.textBracket": "括號", + "PE.Controllers.Toolbar.textEmptyImgUrl": "您必須輸入圖檔的URL.", + "PE.Controllers.Toolbar.textFontSizeErr": "輸入的值不正確。
        請輸入1到300之間的數字值", + "PE.Controllers.Toolbar.textFraction": "分數", + "PE.Controllers.Toolbar.textFunction": "功能", + "PE.Controllers.Toolbar.textInsert": "插入", + "PE.Controllers.Toolbar.textIntegral": "積分", + "PE.Controllers.Toolbar.textLargeOperator": "大型運營商", + "PE.Controllers.Toolbar.textLimitAndLog": "極限和對數", + "PE.Controllers.Toolbar.textMatrix": "矩陣", + "PE.Controllers.Toolbar.textOperator": "經營者", + "PE.Controllers.Toolbar.textRadical": "激進單數", + "PE.Controllers.Toolbar.textScript": "腳本", + "PE.Controllers.Toolbar.textSymbols": "符號", + "PE.Controllers.Toolbar.textWarning": "警告", + "PE.Controllers.Toolbar.txtAccent_Accent": "尖銳", + "PE.Controllers.Toolbar.txtAccent_ArrowD": "上方的左右箭頭", + "PE.Controllers.Toolbar.txtAccent_ArrowL": "上方的向左箭頭", + "PE.Controllers.Toolbar.txtAccent_ArrowR": "上方向右箭頭", + "PE.Controllers.Toolbar.txtAccent_Bar": "槓", + "PE.Controllers.Toolbar.txtAccent_BarBot": "底橫槓", + "PE.Controllers.Toolbar.txtAccent_BarTop": "橫槓", + "PE.Controllers.Toolbar.txtAccent_BorderBox": "盒裝公式(帶佔位符)", + "PE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "盒裝公式(示例)", + "PE.Controllers.Toolbar.txtAccent_Check": "檢查", + "PE.Controllers.Toolbar.txtAccent_CurveBracketBot": "底括號", + "PE.Controllers.Toolbar.txtAccent_CurveBracketTop": "大括號", + "PE.Controllers.Toolbar.txtAccent_Custom_1": "向量A", + "PE.Controllers.Toolbar.txtAccent_Custom_2": "帶橫線的ABC", + "PE.Controllers.Toolbar.txtAccent_Custom_3": "x X或y與橫槓", + "PE.Controllers.Toolbar.txtAccent_DDDot": "三點", + "PE.Controllers.Toolbar.txtAccent_DDot": "雙點", + "PE.Controllers.Toolbar.txtAccent_Dot": "點", + "PE.Controllers.Toolbar.txtAccent_DoubleBar": "雙橫槓", + "PE.Controllers.Toolbar.txtAccent_Grave": "墓", + "PE.Controllers.Toolbar.txtAccent_GroupBot": "下面的分組字符", + "PE.Controllers.Toolbar.txtAccent_GroupTop": "上面的分組字符", + "PE.Controllers.Toolbar.txtAccent_HarpoonL": "上方的向左魚叉", + "PE.Controllers.Toolbar.txtAccent_HarpoonR": "右上方的魚叉", + "PE.Controllers.Toolbar.txtAccent_Hat": "帽子", + "PE.Controllers.Toolbar.txtAccent_Smile": "布雷夫", + "PE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", + "PE.Controllers.Toolbar.txtBracket_Angle": "括號", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "帶分隔符的括號", + "PE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "帶分隔符的括號", + "PE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_Curve": "括號", + "PE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "帶分隔符的括號", + "PE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_Custom_1": "案件(兩件條件)", + "PE.Controllers.Toolbar.txtBracket_Custom_2": "案件(三件條件)", + "PE.Controllers.Toolbar.txtBracket_Custom_3": "堆疊物件", + "PE.Controllers.Toolbar.txtBracket_Custom_4": "堆疊物件", + "PE.Controllers.Toolbar.txtBracket_Custom_5": "案件例子", + "PE.Controllers.Toolbar.txtBracket_Custom_6": "二項式係數", + "PE.Controllers.Toolbar.txtBracket_Custom_7": "二項式係數", + "PE.Controllers.Toolbar.txtBracket_Line": "括號", + "PE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_Line_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_LineDouble": "括號", + "PE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_LowLim": "括號", + "PE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_Round": "括號", + "PE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "帶分隔符的括號", + "PE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_Round_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_Square": "括號", + "PE.Controllers.Toolbar.txtBracket_Square_CloseClose": "括號", + "PE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "括號", + "PE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_Square_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "括號", + "PE.Controllers.Toolbar.txtBracket_SquareDouble": "括號", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtBracket_UppLim": "括號", + "PE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "單括號", + "PE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "單括號", + "PE.Controllers.Toolbar.txtFractionDiagonal": "偏斜分數", + "PE.Controllers.Toolbar.txtFractionDifferential_1": "微分", + "PE.Controllers.Toolbar.txtFractionDifferential_2": "微分", + "PE.Controllers.Toolbar.txtFractionDifferential_3": "微分", + "PE.Controllers.Toolbar.txtFractionDifferential_4": "微分", + "PE.Controllers.Toolbar.txtFractionHorizontal": "線性分數", + "PE.Controllers.Toolbar.txtFractionPi_2": "Pi超過2", + "PE.Controllers.Toolbar.txtFractionSmall": "小分數", + "PE.Controllers.Toolbar.txtFractionVertical": "堆積分數", + "PE.Controllers.Toolbar.txtFunction_1_Cos": "反餘弦函數", + "PE.Controllers.Toolbar.txtFunction_1_Cosh": "雙曲餘弦函數", + "PE.Controllers.Toolbar.txtFunction_1_Cot": "反正切函數", + "PE.Controllers.Toolbar.txtFunction_1_Coth": "雙曲反正切函數", + "PE.Controllers.Toolbar.txtFunction_1_Csc": "餘割函數反", + "PE.Controllers.Toolbar.txtFunction_1_Csch": "雙曲反餘割函數", + "PE.Controllers.Toolbar.txtFunction_1_Sec": "反割線功能", + "PE.Controllers.Toolbar.txtFunction_1_Sech": "雙曲反正割函數", + "PE.Controllers.Toolbar.txtFunction_1_Sin": "反正弦函數", + "PE.Controllers.Toolbar.txtFunction_1_Sinh": "雙曲反正弦函數", + "PE.Controllers.Toolbar.txtFunction_1_Tan": "反正切函數", + "PE.Controllers.Toolbar.txtFunction_1_Tanh": "雙曲反正切函數", + "PE.Controllers.Toolbar.txtFunction_Cos": "Cosine 函數", + "PE.Controllers.Toolbar.txtFunction_Cosh": "雙曲餘弦函數", + "PE.Controllers.Toolbar.txtFunction_Cot": "Cotangent 函數", + "PE.Controllers.Toolbar.txtFunction_Coth": "雙曲餘切函數", + "PE.Controllers.Toolbar.txtFunction_Csc": "餘割函數", + "PE.Controllers.Toolbar.txtFunction_Csch": "雙曲餘割函數", + "PE.Controllers.Toolbar.txtFunction_Custom_1": "正弦波", + "PE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "PE.Controllers.Toolbar.txtFunction_Custom_3": "切線公式", + "PE.Controllers.Toolbar.txtFunction_Sec": "正割功能", + "PE.Controllers.Toolbar.txtFunction_Sech": "雙曲正割函數", + "PE.Controllers.Toolbar.txtFunction_Sin": "正弦函數", + "PE.Controllers.Toolbar.txtFunction_Sinh": "雙曲正弦函數", + "PE.Controllers.Toolbar.txtFunction_Tan": "切線公式", + "PE.Controllers.Toolbar.txtFunction_Tanh": "雙曲正切函數", + "PE.Controllers.Toolbar.txtIntegral": "積分", + "PE.Controllers.Toolbar.txtIntegral_dtheta": "微分塞塔", + "PE.Controllers.Toolbar.txtIntegral_dx": "差分 x", + "PE.Controllers.Toolbar.txtIntegral_dy": "差分 y", + "PE.Controllers.Toolbar.txtIntegralCenterSubSup": "積分", + "PE.Controllers.Toolbar.txtIntegralDouble": "雙積分", + "PE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "雙積分", + "PE.Controllers.Toolbar.txtIntegralDoubleSubSup": "雙積分", + "PE.Controllers.Toolbar.txtIntegralOriented": "輪廓積分", + "PE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "輪廓積分", + "PE.Controllers.Toolbar.txtIntegralOrientedDouble": "表面積分", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "表面積分", + "PE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "表面積分", + "PE.Controllers.Toolbar.txtIntegralOrientedSubSup": "輪廓積分", + "PE.Controllers.Toolbar.txtIntegralOrientedTriple": "體積積分", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "體積積分", + "PE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "體積積分", + "PE.Controllers.Toolbar.txtIntegralSubSup": "積分", + "PE.Controllers.Toolbar.txtIntegralTriple": "三重積分", + "PE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "三重積分", + "PE.Controllers.Toolbar.txtIntegralTripleSubSup": "三重積分", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction": "楔", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "楔", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "楔", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "楔", + "PE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "楔", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd": "聯產品", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "聯產品", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "聯產品", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "聯產品", + "PE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "聯產品", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_1": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_2": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_3": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_4": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Custom_5": "聯合", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection": "交叉點", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "交叉點", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "交叉點", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "交叉點", + "PE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "交叉點", + "PE.Controllers.Toolbar.txtLargeOperator_Prod": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "產品", + "PE.Controllers.Toolbar.txtLargeOperator_Sum": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "求和", + "PE.Controllers.Toolbar.txtLargeOperator_Union": "聯合", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "聯合", + "PE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "聯合", + "PE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "聯合", + "PE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "聯合", + "PE.Controllers.Toolbar.txtLimitLog_Custom_1": "限制例子", + "PE.Controllers.Toolbar.txtLimitLog_Custom_2": "最大例子", + "PE.Controllers.Toolbar.txtLimitLog_Lim": "限制", + "PE.Controllers.Toolbar.txtLimitLog_Ln": "自然對數", + "PE.Controllers.Toolbar.txtLimitLog_Log": "對數", + "PE.Controllers.Toolbar.txtLimitLog_LogBase": "對數", + "PE.Controllers.Toolbar.txtLimitLog_Max": "最大", + "PE.Controllers.Toolbar.txtLimitLog_Min": "最低", + "PE.Controllers.Toolbar.txtMatrix_1_2": "1x2的空矩陣", + "PE.Controllers.Toolbar.txtMatrix_1_3": "1x3 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_1": "2x1 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_2": "2x2 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "帶括號的空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "帶括號的空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "帶括號的空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "帶括號的空矩陣", + "PE.Controllers.Toolbar.txtMatrix_2_3": "2x3 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_3_1": "3x1 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_3_2": "3x2 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_3_3": "3x3 空矩陣", + "PE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "基準點", + "PE.Controllers.Toolbar.txtMatrix_Dots_Center": "中線點", + "PE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "對角點", + "PE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "垂直點", + "PE.Controllers.Toolbar.txtMatrix_Flat_Round": "稀疏矩陣", + "PE.Controllers.Toolbar.txtMatrix_Flat_Square": "稀疏矩陣", + "PE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 單位矩陣", + "PE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 單位矩陣", + "PE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 單位矩陣", + "PE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 單位矩陣", + "PE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "下方的左右箭頭", + "PE.Controllers.Toolbar.txtOperator_ArrowD_Top": "上方的左右箭頭", + "PE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "下方的向左箭頭", + "PE.Controllers.Toolbar.txtOperator_ArrowL_Top": "上方的向左箭頭", + "PE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "下方向右箭頭", + "PE.Controllers.Toolbar.txtOperator_ArrowR_Top": "上方向右箭頭", + "PE.Controllers.Toolbar.txtOperator_ColonEquals": "冒號相等", + "PE.Controllers.Toolbar.txtOperator_Custom_1": "產量", + "PE.Controllers.Toolbar.txtOperator_Custom_2": "Delta 收益", + "PE.Controllers.Toolbar.txtOperator_Definition": "等同於定義", + "PE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta 等於", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "下方的左右箭頭", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "上方的左右箭頭", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "下方的向左箭頭", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "上方的向左箭頭", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "下方向右箭頭", + "PE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "上方向右箭頭", + "PE.Controllers.Toolbar.txtOperator_EqualsEquals": "等於 等於", + "PE.Controllers.Toolbar.txtOperator_MinusEquals": "負等於", + "PE.Controllers.Toolbar.txtOperator_PlusEquals": "加等於", + "PE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "測量者", + "PE.Controllers.Toolbar.txtRadicalCustom_1": "激進", + "PE.Controllers.Toolbar.txtRadicalCustom_2": "激進", + "PE.Controllers.Toolbar.txtRadicalRoot_2": "平方根", + "PE.Controllers.Toolbar.txtRadicalRoot_3": "立方根", + "PE.Controllers.Toolbar.txtRadicalRoot_n": "自由基度", + "PE.Controllers.Toolbar.txtRadicalSqrt": "平方根", + "PE.Controllers.Toolbar.txtScriptCustom_1": "腳本", + "PE.Controllers.Toolbar.txtScriptCustom_2": "腳本", + "PE.Controllers.Toolbar.txtScriptCustom_3": "腳本", + "PE.Controllers.Toolbar.txtScriptCustom_4": "腳本", + "PE.Controllers.Toolbar.txtScriptSub": "下標", + "PE.Controllers.Toolbar.txtScriptSubSup": "下標-上標", + "PE.Controllers.Toolbar.txtScriptSubSupLeft": "左下標-上標", + "PE.Controllers.Toolbar.txtScriptSup": "上標", + "PE.Controllers.Toolbar.txtSymbol_about": "大約", + "PE.Controllers.Toolbar.txtSymbol_additional": "補充", + "PE.Controllers.Toolbar.txtSymbol_aleph": "A", + "PE.Controllers.Toolbar.txtSymbol_alpha": "Α", + "PE.Controllers.Toolbar.txtSymbol_approx": "幾乎等於", + "PE.Controllers.Toolbar.txtSymbol_ast": "星號運算符", + "PE.Controllers.Toolbar.txtSymbol_beta": "貝塔", + "PE.Controllers.Toolbar.txtSymbol_beth": "賭注", + "PE.Controllers.Toolbar.txtSymbol_bullet": "項目點操作者", + "PE.Controllers.Toolbar.txtSymbol_cap": "交叉點", + "PE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", + "PE.Controllers.Toolbar.txtSymbol_cdots": "中線水平省略號", + "PE.Controllers.Toolbar.txtSymbol_celsius": "攝氏度", + "PE.Controllers.Toolbar.txtSymbol_chi": "Chi", + "PE.Controllers.Toolbar.txtSymbol_cong": "大約等於", + "PE.Controllers.Toolbar.txtSymbol_cup": "聯合", + "PE.Controllers.Toolbar.txtSymbol_ddots": "右下斜省略號", + "PE.Controllers.Toolbar.txtSymbol_degree": "度", + "PE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "PE.Controllers.Toolbar.txtSymbol_div": "分裂標誌", + "PE.Controllers.Toolbar.txtSymbol_downarrow": "下箭頭", + "PE.Controllers.Toolbar.txtSymbol_emptyset": "空組集", + "PE.Controllers.Toolbar.txtSymbol_epsilon": "Epsilon", + "PE.Controllers.Toolbar.txtSymbol_equals": "等於", + "PE.Controllers.Toolbar.txtSymbol_equiv": "相同", + "PE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "PE.Controllers.Toolbar.txtSymbol_exists": "存在", + "PE.Controllers.Toolbar.txtSymbol_factorial": "階乘", + "PE.Controllers.Toolbar.txtSymbol_fahrenheit": "華氏度", + "PE.Controllers.Toolbar.txtSymbol_forall": "對所有人", + "PE.Controllers.Toolbar.txtSymbol_gamma": "Gamma", + "PE.Controllers.Toolbar.txtSymbol_geq": "大於或等於", + "PE.Controllers.Toolbar.txtSymbol_gg": "比大得多", + "PE.Controllers.Toolbar.txtSymbol_greater": "更佳", + "PE.Controllers.Toolbar.txtSymbol_in": "元素", + "PE.Controllers.Toolbar.txtSymbol_inc": "增量", + "PE.Controllers.Toolbar.txtSymbol_infinity": "無限", + "PE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "PE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", + "PE.Controllers.Toolbar.txtSymbol_lambda": "拉姆達", + "PE.Controllers.Toolbar.txtSymbol_leftarrow": "左箭頭", + "PE.Controllers.Toolbar.txtSymbol_leftrightarrow": "左右箭頭", + "PE.Controllers.Toolbar.txtSymbol_leq": "小於或等於", + "PE.Controllers.Toolbar.txtSymbol_less": "少於", + "PE.Controllers.Toolbar.txtSymbol_ll": "遠遠少於", + "PE.Controllers.Toolbar.txtSymbol_minus": "減去", + "PE.Controllers.Toolbar.txtSymbol_mp": "減加", + "PE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "PE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "PE.Controllers.Toolbar.txtSymbol_neq": "不等於", + "PE.Controllers.Toolbar.txtSymbol_ni": "包含為成員", + "PE.Controllers.Toolbar.txtSymbol_not": "不簽名", + "PE.Controllers.Toolbar.txtSymbol_notexists": "不存在", + "PE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "PE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "PE.Controllers.Toolbar.txtSymbol_omega": "Omega", + "PE.Controllers.Toolbar.txtSymbol_partial": "偏微分", + "PE.Controllers.Toolbar.txtSymbol_percent": "百分比", + "PE.Controllers.Toolbar.txtSymbol_phi": "Phi", + "PE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "PE.Controllers.Toolbar.txtSymbol_plus": "加", + "PE.Controllers.Toolbar.txtSymbol_pm": "加減", + "PE.Controllers.Toolbar.txtSymbol_propto": "成比例", + "PE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "PE.Controllers.Toolbar.txtSymbol_qdrt": "第四根", + "PE.Controllers.Toolbar.txtSymbol_qed": "證明結束", + "PE.Controllers.Toolbar.txtSymbol_rddots": "右上斜省略號", + "PE.Controllers.Toolbar.txtSymbol_rho": "Rho", + "PE.Controllers.Toolbar.txtSymbol_rightarrow": "右箭頭", + "PE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "PE.Controllers.Toolbar.txtSymbol_sqrt": "激進標誌", + "PE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "PE.Controllers.Toolbar.txtSymbol_therefore": "因此", + "PE.Controllers.Toolbar.txtSymbol_theta": "Theta", + "PE.Controllers.Toolbar.txtSymbol_times": "乘法符號", + "PE.Controllers.Toolbar.txtSymbol_uparrow": "向上箭頭", + "PE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", + "PE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon 變體", + "PE.Controllers.Toolbar.txtSymbol_varphi": "Phi 變體", + "PE.Controllers.Toolbar.txtSymbol_varpi": "Pi變體", + "PE.Controllers.Toolbar.txtSymbol_varrho": "Rho變體", + "PE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma 變體", + "PE.Controllers.Toolbar.txtSymbol_vartheta": "Theta變體", + "PE.Controllers.Toolbar.txtSymbol_vdots": "垂直省略號", + "PE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "PE.Controllers.Viewport.textFitPage": "與投影片切合", + "PE.Controllers.Viewport.textFitWidth": "切合至寬度", + "PE.Views.Animation.strDelay": "延遲", + "PE.Views.Animation.strDuration": "持續時間", + "PE.Views.Animation.strRepeat": "重複", + "PE.Views.Animation.strRewind": "倒退", + "PE.Views.Animation.strStart": "開始", + "PE.Views.Animation.strTrigger": "觸發程序", + "PE.Views.Animation.textMoreEffects": "顯示其他特效", + "PE.Views.Animation.textMoveEarlier": "向前移動", + "PE.Views.Animation.textMoveLater": "向後移動", + "PE.Views.Animation.textMultiple": "多項", + "PE.Views.Animation.textNone": "無", + "PE.Views.Animation.textNoRepeat": "(空)", + "PE.Views.Animation.textOnClickOf": "點擊:", + "PE.Views.Animation.textOnClickSequence": "一鍵排序", + "PE.Views.Animation.textStartAfterPrevious": "在前一個動畫後", + "PE.Views.Animation.textStartOnClick": "點擊", + "PE.Views.Animation.textStartWithPrevious": "與上一個動畫一起", + "PE.Views.Animation.txtAddEffect": "新增動畫", + "PE.Views.Animation.txtAnimationPane": "動畫面版", + "PE.Views.Animation.txtParameters": "參量", + "PE.Views.Animation.txtPreview": "預覽", + "PE.Views.Animation.txtSec": "秒", + "PE.Views.AnimationDialog.textPreviewEffect": "預覽效果", + "PE.Views.AnimationDialog.textTitle": "其他特效", + "PE.Views.ChartSettings.textAdvanced": "顯示進階設定", + "PE.Views.ChartSettings.textChartType": "更改圖表類型", + "PE.Views.ChartSettings.textEditData": "編輯資料", + "PE.Views.ChartSettings.textHeight": "高度", + "PE.Views.ChartSettings.textKeepRatio": "比例不變", + "PE.Views.ChartSettings.textSize": "大小", + "PE.Views.ChartSettings.textStyle": "樣式", + "PE.Views.ChartSettings.textWidth": "寬度", + "PE.Views.ChartSettingsAdvanced.textAlt": "替代文字", + "PE.Views.ChartSettingsAdvanced.textAltDescription": "描述", + "PE.Views.ChartSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "PE.Views.ChartSettingsAdvanced.textAltTitle": "標題", + "PE.Views.ChartSettingsAdvanced.textTitle": "圖表-進階設置", + "PE.Views.DateTimeDialog.confirmDefault": "設置{0}的預設格式:“ {1}”", + "PE.Views.DateTimeDialog.textDefault": "設為預設", + "PE.Views.DateTimeDialog.textFormat": "格式", + "PE.Views.DateTimeDialog.textLang": "語言", + "PE.Views.DateTimeDialog.textUpdate": "自動更新", + "PE.Views.DateTimeDialog.txtTitle": "日期和時間", + "PE.Views.DocumentHolder.aboveText": "以上", + "PE.Views.DocumentHolder.addCommentText": "增加評論", + "PE.Views.DocumentHolder.addToLayoutText": "添加到佈局", + "PE.Views.DocumentHolder.advancedImageText": "圖像進階設置", + "PE.Views.DocumentHolder.advancedParagraphText": "文字進階設定", + "PE.Views.DocumentHolder.advancedShapeText": "形狀進階設定", + "PE.Views.DocumentHolder.advancedTableText": "表格進階設定", + "PE.Views.DocumentHolder.alignmentText": "對齊", + "PE.Views.DocumentHolder.belowText": "之下", + "PE.Views.DocumentHolder.cellAlignText": "單元格垂直對齊", + "PE.Views.DocumentHolder.cellText": "單元格", + "PE.Views.DocumentHolder.centerText": "中心", + "PE.Views.DocumentHolder.columnText": "欄", + "PE.Views.DocumentHolder.deleteColumnText": "刪除欄位", + "PE.Views.DocumentHolder.deleteRowText": "刪除行列", + "PE.Views.DocumentHolder.deleteTableText": "刪除表格", + "PE.Views.DocumentHolder.deleteText": "刪除", + "PE.Views.DocumentHolder.direct270Text": "向上旋轉文字", + "PE.Views.DocumentHolder.direct90Text": "向下旋轉文字", + "PE.Views.DocumentHolder.directHText": "水平", + "PE.Views.DocumentHolder.directionText": "文字方向", + "PE.Views.DocumentHolder.editChartText": "編輯資料", + "PE.Views.DocumentHolder.editHyperlinkText": "編輯超連結", + "PE.Views.DocumentHolder.hyperlinkText": "超連結", + "PE.Views.DocumentHolder.ignoreAllSpellText": "忽略所有", + "PE.Views.DocumentHolder.ignoreSpellText": "忽視", + "PE.Views.DocumentHolder.insertColumnLeftText": "欄位以左", + "PE.Views.DocumentHolder.insertColumnRightText": "欄位以右", + "PE.Views.DocumentHolder.insertColumnText": "插入欄位", + "PE.Views.DocumentHolder.insertRowAboveText": "上行", + "PE.Views.DocumentHolder.insertRowBelowText": "下行", + "PE.Views.DocumentHolder.insertRowText": "插入行", + "PE.Views.DocumentHolder.insertText": "插入", + "PE.Views.DocumentHolder.langText": "選擇語言", + "PE.Views.DocumentHolder.leftText": "左", + "PE.Views.DocumentHolder.loadSpellText": "正在加載變體...", + "PE.Views.DocumentHolder.mergeCellsText": "合併單元格", + "PE.Views.DocumentHolder.mniCustomTable": "插入自訂表格", + "PE.Views.DocumentHolder.moreText": "更多變體...", + "PE.Views.DocumentHolder.noSpellVariantsText": "沒有變體", + "PE.Views.DocumentHolder.originalSizeText": "實際大小", + "PE.Views.DocumentHolder.removeHyperlinkText": "刪除超連結", + "PE.Views.DocumentHolder.rightText": "右", + "PE.Views.DocumentHolder.rowText": "行", + "PE.Views.DocumentHolder.selectText": "選擇", + "PE.Views.DocumentHolder.spellcheckText": "拼字檢查", + "PE.Views.DocumentHolder.splitCellsText": "分割儲存格...", + "PE.Views.DocumentHolder.splitCellTitleText": "分割儲存格", + "PE.Views.DocumentHolder.tableText": "表格", + "PE.Views.DocumentHolder.textArrangeBack": "傳送到背景", + "PE.Views.DocumentHolder.textArrangeBackward": "向後發送", + "PE.Views.DocumentHolder.textArrangeForward": "向前帶進", + "PE.Views.DocumentHolder.textArrangeFront": "移到前景", + "PE.Views.DocumentHolder.textCopy": "複製", + "PE.Views.DocumentHolder.textCrop": "修剪", + "PE.Views.DocumentHolder.textCropFill": "填滿", + "PE.Views.DocumentHolder.textCropFit": "切合", + "PE.Views.DocumentHolder.textCut": "剪下", + "PE.Views.DocumentHolder.textDistributeCols": "分配列", + "PE.Views.DocumentHolder.textDistributeRows": "分配行", + "PE.Views.DocumentHolder.textEditPoints": "編輯點", + "PE.Views.DocumentHolder.textFlipH": "水平翻轉", + "PE.Views.DocumentHolder.textFlipV": "垂直翻轉", + "PE.Views.DocumentHolder.textFromFile": "從檔案", + "PE.Views.DocumentHolder.textFromStorage": "從存儲", + "PE.Views.DocumentHolder.textFromUrl": "從 URL", + "PE.Views.DocumentHolder.textNextPage": "下一張投影片", + "PE.Views.DocumentHolder.textPaste": "貼上", + "PE.Views.DocumentHolder.textPrevPage": "上一張投影片", + "PE.Views.DocumentHolder.textReplace": "取代圖片", + "PE.Views.DocumentHolder.textRotate": "旋轉", + "PE.Views.DocumentHolder.textRotate270": "逆時針旋轉90°", + "PE.Views.DocumentHolder.textRotate90": "順時針旋轉90°", + "PE.Views.DocumentHolder.textShapeAlignBottom": "底部對齊", + "PE.Views.DocumentHolder.textShapeAlignCenter": "居中對齊", + "PE.Views.DocumentHolder.textShapeAlignLeft": "對齊左側", + "PE.Views.DocumentHolder.textShapeAlignMiddle": "中央對齊", + "PE.Views.DocumentHolder.textShapeAlignRight": "對齊右側", + "PE.Views.DocumentHolder.textShapeAlignTop": "上方對齊", + "PE.Views.DocumentHolder.textSlideSettings": "投影片設定", + "PE.Views.DocumentHolder.textUndo": "復原", + "PE.Views.DocumentHolder.tipIsLocked": "該元素當前正在由另一個用戶編輯。", + "PE.Views.DocumentHolder.toDictionaryText": "添加到字典", + "PE.Views.DocumentHolder.txtAddBottom": "添加底部邊框", + "PE.Views.DocumentHolder.txtAddFractionBar": "添加分數欄", + "PE.Views.DocumentHolder.txtAddHor": "添加水平線", + "PE.Views.DocumentHolder.txtAddLB": "添加左底邊框", + "PE.Views.DocumentHolder.txtAddLeft": "添加左邊框", + "PE.Views.DocumentHolder.txtAddLT": "添加左上頂行", + "PE.Views.DocumentHolder.txtAddRight": "加入右邊框", + "PE.Views.DocumentHolder.txtAddTop": "加入上邊框", + "PE.Views.DocumentHolder.txtAddVer": "加入垂直線", + "PE.Views.DocumentHolder.txtAlign": "對齊", + "PE.Views.DocumentHolder.txtAlignToChar": "與字符對齊", + "PE.Views.DocumentHolder.txtArrange": "安排", + "PE.Views.DocumentHolder.txtBackground": "背景", + "PE.Views.DocumentHolder.txtBorderProps": "邊框屬性", + "PE.Views.DocumentHolder.txtBottom": "底部", + "PE.Views.DocumentHolder.txtChangeLayout": "變更版面", + "PE.Views.DocumentHolder.txtChangeTheme": "改變主題", + "PE.Views.DocumentHolder.txtColumnAlign": "欄位對準", + "PE.Views.DocumentHolder.txtDecreaseArg": "減小參數大小", + "PE.Views.DocumentHolder.txtDeleteArg": "刪除參數", + "PE.Views.DocumentHolder.txtDeleteBreak": "刪除手動休息", + "PE.Views.DocumentHolder.txtDeleteChars": "刪除封閉字符", + "PE.Views.DocumentHolder.txtDeleteCharsAndSeparators": "刪除括起來的字符和分隔符", + "PE.Views.DocumentHolder.txtDeleteEq": "刪除方程式", + "PE.Views.DocumentHolder.txtDeleteGroupChar": "刪除字元", + "PE.Views.DocumentHolder.txtDeleteRadical": "刪除部首", + "PE.Views.DocumentHolder.txtDeleteSlide": "刪除投影片", + "PE.Views.DocumentHolder.txtDistribHor": "水平分佈", + "PE.Views.DocumentHolder.txtDistribVert": "垂直分佈", + "PE.Views.DocumentHolder.txtDuplicateSlide": "投影片複製", + "PE.Views.DocumentHolder.txtFractionLinear": "更改為線性分數", + "PE.Views.DocumentHolder.txtFractionSkewed": "更改為傾斜分數", + "PE.Views.DocumentHolder.txtFractionStacked": "更改為堆積分數", + "PE.Views.DocumentHolder.txtGroup": "群組", + "PE.Views.DocumentHolder.txtGroupCharOver": "字符至文字的上方", + "PE.Views.DocumentHolder.txtGroupCharUnder": "字符至文字的下方", + "PE.Views.DocumentHolder.txtHideBottom": "隱藏底部邊框", + "PE.Views.DocumentHolder.txtHideBottomLimit": "隱藏下限", + "PE.Views.DocumentHolder.txtHideCloseBracket": "隱藏右括號", + "PE.Views.DocumentHolder.txtHideDegree": "隱藏度", + "PE.Views.DocumentHolder.txtHideHor": "隱藏水平線", + "PE.Views.DocumentHolder.txtHideLB": "隱藏左底線", + "PE.Views.DocumentHolder.txtHideLeft": "隱藏左邊框", + "PE.Views.DocumentHolder.txtHideLT": "隱藏左頂行", + "PE.Views.DocumentHolder.txtHideOpenBracket": "隱藏開口支架", + "PE.Views.DocumentHolder.txtHidePlaceholder": "隱藏佔位符", + "PE.Views.DocumentHolder.txtHideRight": "隱藏右邊框", + "PE.Views.DocumentHolder.txtHideTop": "隱藏頂部邊框", + "PE.Views.DocumentHolder.txtHideTopLimit": "隱藏最高限額", + "PE.Views.DocumentHolder.txtHideVer": "隱藏垂直線", + "PE.Views.DocumentHolder.txtIncreaseArg": "增加參數大小", + "PE.Views.DocumentHolder.txtInsertArgAfter": "在後面插入參數", + "PE.Views.DocumentHolder.txtInsertArgBefore": "在前面插入參數", + "PE.Views.DocumentHolder.txtInsertBreak": "插入手動中斷", + "PE.Views.DocumentHolder.txtInsertEqAfter": "在後面插入方程式", + "PE.Views.DocumentHolder.txtInsertEqBefore": "在前面插入方程式", + "PE.Views.DocumentHolder.txtKeepTextOnly": "僅保留文字", + "PE.Views.DocumentHolder.txtLimitChange": "更改限制位置", + "PE.Views.DocumentHolder.txtLimitOver": "文字限制", + "PE.Views.DocumentHolder.txtLimitUnder": "文字下的限制", + "PE.Views.DocumentHolder.txtMatchBrackets": "將括號匹配到參數高度", + "PE.Views.DocumentHolder.txtMatrixAlign": "矩陣對齊", + "PE.Views.DocumentHolder.txtMoveSlidesToEnd": "移至投影片至片尾", + "PE.Views.DocumentHolder.txtMoveSlidesToStart": "移至投影片至片頭", + "PE.Views.DocumentHolder.txtNewSlide": "新增投影片", + "PE.Views.DocumentHolder.txtOverbar": "槓覆蓋文字", + "PE.Views.DocumentHolder.txtPasteDestFormat": "使用目標主題", + "PE.Views.DocumentHolder.txtPastePicture": "圖片", + "PE.Views.DocumentHolder.txtPasteSourceFormat": "保持源格式", + "PE.Views.DocumentHolder.txtPressLink": "按Ctrl並單擊連結", + "PE.Views.DocumentHolder.txtPreview": "開始投影片放映", + "PE.Views.DocumentHolder.txtPrintSelection": "列印選擇", + "PE.Views.DocumentHolder.txtRemFractionBar": "刪除分數欄", + "PE.Views.DocumentHolder.txtRemLimit": "取消限制", + "PE.Views.DocumentHolder.txtRemoveAccentChar": "刪除強調字符", + "PE.Views.DocumentHolder.txtRemoveBar": "移除欄", + "PE.Views.DocumentHolder.txtRemScripts": "刪除腳本", + "PE.Views.DocumentHolder.txtRemSubscript": "刪除下標", + "PE.Views.DocumentHolder.txtRemSuperscript": "刪除上標", + "PE.Views.DocumentHolder.txtResetLayout": "重設投影片", + "PE.Views.DocumentHolder.txtScriptsAfter": "文字後的腳本", + "PE.Views.DocumentHolder.txtScriptsBefore": "文字前的腳本", + "PE.Views.DocumentHolder.txtSelectAll": "全選 選擇全部", + "PE.Views.DocumentHolder.txtShowBottomLimit": "顯示底限", + "PE.Views.DocumentHolder.txtShowCloseBracket": "顯示結束括號", + "PE.Views.DocumentHolder.txtShowDegree": "顯示程度", + "PE.Views.DocumentHolder.txtShowOpenBracket": "顯示開口支架", + "PE.Views.DocumentHolder.txtShowPlaceholder": "顯示佔位符", + "PE.Views.DocumentHolder.txtShowTopLimit": "顯示最高限額", + "PE.Views.DocumentHolder.txtSlide": "滑動", + "PE.Views.DocumentHolder.txtSlideHide": "隱藏投影片", + "PE.Views.DocumentHolder.txtStretchBrackets": "延伸括號", + "PE.Views.DocumentHolder.txtTop": "上方", + "PE.Views.DocumentHolder.txtUnderbar": "槓至文字底下", + "PE.Views.DocumentHolder.txtUngroup": "解開組合", + "PE.Views.DocumentHolder.txtWarnUrl": "這鏈接有可能對您的設備和數據造成損害。
        您確定要繼續嗎?", + "PE.Views.DocumentHolder.vertAlignText": "垂直對齊", + "PE.Views.DocumentPreview.goToSlideText": "轉到投影片", + "PE.Views.DocumentPreview.slideIndexText": "在{1}投影片中的第{0}張", + "PE.Views.DocumentPreview.txtClose": "關閉投影片", + "PE.Views.DocumentPreview.txtEndSlideshow": "結束投影片", + "PE.Views.DocumentPreview.txtExitFullScreen": "退出全螢幕", + "PE.Views.DocumentPreview.txtFinalMessage": "投影片預覽已結尾。點擊退出。", + "PE.Views.DocumentPreview.txtFullScreen": "全螢幕", + "PE.Views.DocumentPreview.txtNext": "下一張投影片", + "PE.Views.DocumentPreview.txtPageNumInvalid": "無效的投影片編號", + "PE.Views.DocumentPreview.txtPause": "暫停演示", + "PE.Views.DocumentPreview.txtPlay": "開始演講", + "PE.Views.DocumentPreview.txtPrev": "上一張投影片", + "PE.Views.DocumentPreview.txtReset": "重設", + "PE.Views.FileMenu.btnAboutCaption": "關於", + "PE.Views.FileMenu.btnBackCaption": "打開文件所在位置", + "PE.Views.FileMenu.btnCloseMenuCaption": "關閉選單", + "PE.Views.FileMenu.btnCreateNewCaption": "創建新的", + "PE.Views.FileMenu.btnDownloadCaption": "下載為...", + "PE.Views.FileMenu.btnExitCaption": "離開", + "PE.Views.FileMenu.btnFileOpenCaption": "開啟...", + "PE.Views.FileMenu.btnHelpCaption": "幫助...", + "PE.Views.FileMenu.btnHistoryCaption": "版本歷史", + "PE.Views.FileMenu.btnInfoCaption": "演示信息...", + "PE.Views.FileMenu.btnPrintCaption": "列印", + "PE.Views.FileMenu.btnProtectCaption": "保護", + "PE.Views.FileMenu.btnRecentFilesCaption": "打開最近...", + "PE.Views.FileMenu.btnRenameCaption": "改名...", + "PE.Views.FileMenu.btnReturnCaption": "返回簡報", + "PE.Views.FileMenu.btnRightsCaption": "存取權限...", + "PE.Views.FileMenu.btnSaveAsCaption": "另存為", + "PE.Views.FileMenu.btnSaveCaption": "儲存", + "PE.Views.FileMenu.btnSaveCopyAsCaption": "另存為...", + "PE.Views.FileMenu.btnSettingsCaption": "進階設定...", + "PE.Views.FileMenu.btnToEditCaption": "編輯簡報", + "PE.Views.FileMenuPanels.CreateNew.txtBlank": "空白演示文稿", + "PE.Views.FileMenuPanels.CreateNew.txtCreateNew": "創建新的", + "PE.Views.FileMenuPanels.DocumentInfo.okButtonText": "套用", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "添加作者", + "PE.Views.FileMenuPanels.DocumentInfo.txtAddText": "添加文字", + "PE.Views.FileMenuPanels.DocumentInfo.txtAppName": "應用程式", + "PE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "作者", + "PE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "更改存取權限", + "PE.Views.FileMenuPanels.DocumentInfo.txtComment": "評論", + "PE.Views.FileMenuPanels.DocumentInfo.txtCreated": "已建立", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "最後修改者", + "PE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "上一次更改", + "PE.Views.FileMenuPanels.DocumentInfo.txtOwner": "擁有者", + "PE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置", + "PE.Views.FileMenuPanels.DocumentInfo.txtRights": "有權利的人", + "PE.Views.FileMenuPanels.DocumentInfo.txtSubject": "主旨", + "PE.Views.FileMenuPanels.DocumentInfo.txtTitle": "標題", + "PE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "\n已上傳", + "PE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改存取權限", + "PE.Views.FileMenuPanels.DocumentRights.txtRights": "有權利的人", + "PE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", + "PE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "帶密碼", + "PE.Views.FileMenuPanels.ProtectDoc.strProtect": "保護演示", + "PE.Views.FileMenuPanels.ProtectDoc.strSignature": "帶簽名", + "PE.Views.FileMenuPanels.ProtectDoc.txtEdit": "編輯簡報", + "PE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編輯將刪除演示文稿中的簽名。
        確定要繼續嗎?", + "PE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "此演示文稿已受密碼保護", + "PE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有效的簽名已添加到演示文稿中。演示文稿受到保護,無法編輯。", + "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "演示文稿中的某些數字簽名無效或無法驗證。演示文稿受到保護,無法編輯。", + "PE.Views.FileMenuPanels.ProtectDoc.txtView": "查看簽名", + "PE.Views.FileMenuPanels.Settings.okButtonText": "套用", + "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同編輯模式", + "PE.Views.FileMenuPanels.Settings.strFast": "快", + "PE.Views.FileMenuPanels.Settings.strFontRender": "字體提示", + "PE.Views.FileMenuPanels.Settings.strForcesave": "始終保存到服務器(否則在文檔關閉時保存到服務器)", + "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "巨集設定", + "PE.Views.FileMenuPanels.Settings.strPaste": "剪切,複製和粘貼", + "PE.Views.FileMenuPanels.Settings.strPasteButton": "粘貼內容時顯示“粘貼選項”按鈕", + "PE.Views.FileMenuPanels.Settings.strStrict": "嚴格", + "PE.Views.FileMenuPanels.Settings.strTheme": "介面主題", + "PE.Views.FileMenuPanels.Settings.strUnit": "測量單位", + "PE.Views.FileMenuPanels.Settings.strZoom": "預設縮放值", + "PE.Views.FileMenuPanels.Settings.text10Minutes": "每10分鐘", + "PE.Views.FileMenuPanels.Settings.text30Minutes": "每30分鐘", + "PE.Views.FileMenuPanels.Settings.text5Minutes": "每5分鐘", + "PE.Views.FileMenuPanels.Settings.text60Minutes": "每一小時", + "PE.Views.FileMenuPanels.Settings.textAlignGuides": "對齊指南", + "PE.Views.FileMenuPanels.Settings.textAutoRecover": "自動恢復", + "PE.Views.FileMenuPanels.Settings.textAutoSave": "自動保存", + "PE.Views.FileMenuPanels.Settings.textDisabled": "已停用", + "PE.Views.FileMenuPanels.Settings.textForceSave": "儲存到伺服器", + "PE.Views.FileMenuPanels.Settings.textMinute": "每一分鐘", + "PE.Views.FileMenuPanels.Settings.txtAll": "查看全部", + "PE.Views.FileMenuPanels.Settings.txtAutoCorrect": "自動更正選項...", + "PE.Views.FileMenuPanels.Settings.txtCacheMode": "預設緩存模式", + "PE.Views.FileMenuPanels.Settings.txtCm": "公分", + "PE.Views.FileMenuPanels.Settings.txtFitSlide": "與投影片切合", + "PE.Views.FileMenuPanels.Settings.txtFitWidth": "切合至寬度", + "PE.Views.FileMenuPanels.Settings.txtInch": "吋", + "PE.Views.FileMenuPanels.Settings.txtInput": "備用輸入", + "PE.Views.FileMenuPanels.Settings.txtLast": "查看最後", + "PE.Views.FileMenuPanels.Settings.txtMac": "作為OS X", + "PE.Views.FileMenuPanels.Settings.txtNative": "本機", + "PE.Views.FileMenuPanels.Settings.txtProofing": "打樣", + "PE.Views.FileMenuPanels.Settings.txtPt": "點", + "PE.Views.FileMenuPanels.Settings.txtRunMacros": "全部啟用", + "PE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "不用提示啟用全部巨集", + "PE.Views.FileMenuPanels.Settings.txtSpellCheck": "拼字檢查", + "PE.Views.FileMenuPanels.Settings.txtStopMacros": "全部停用", + "PE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "不用提示停用全部巨集", + "PE.Views.FileMenuPanels.Settings.txtWarnMacros": "顯示通知", + "PE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "以提示停用全部巨集", + "PE.Views.FileMenuPanels.Settings.txtWin": "作為Windows", + "PE.Views.HeaderFooterDialog.applyAllText": "全部應用", + "PE.Views.HeaderFooterDialog.applyText": "套用", + "PE.Views.HeaderFooterDialog.diffLanguage": "您不能使用與投影片母片不同的語言的日期格式。
        要更改母片,請點擊“全部應用”而不是“應用”", + "PE.Views.HeaderFooterDialog.notcriticalErrorTitle": "警告", + "PE.Views.HeaderFooterDialog.textDateTime": "日期和時間", + "PE.Views.HeaderFooterDialog.textFixed": "固定", + "PE.Views.HeaderFooterDialog.textFooter": "頁腳中的文字", + "PE.Views.HeaderFooterDialog.textFormat": "格式", + "PE.Views.HeaderFooterDialog.textLang": "語言", + "PE.Views.HeaderFooterDialog.textNotTitle": "不顯示在標題投影片上", + "PE.Views.HeaderFooterDialog.textPreview": "預覽", + "PE.Views.HeaderFooterDialog.textSlideNum": "投影片頁碼", + "PE.Views.HeaderFooterDialog.textTitle": "頁腳設置", + "PE.Views.HeaderFooterDialog.textUpdate": "自動更新", + "PE.Views.HyperlinkSettingsDialog.strDisplay": "顯示", + "PE.Views.HyperlinkSettingsDialog.strLinkTo": "連結至", + "PE.Views.HyperlinkSettingsDialog.textDefault": "所選文字片段", + "PE.Views.HyperlinkSettingsDialog.textEmptyDesc": "在此處輸入標題", + "PE.Views.HyperlinkSettingsDialog.textEmptyLink": "在此處輸入連結", + "PE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "在此處輸入工具提示", + "PE.Views.HyperlinkSettingsDialog.textExternalLink": "外部連結", + "PE.Views.HyperlinkSettingsDialog.textInternalLink": "這個簡報中的投影片", + "PE.Views.HyperlinkSettingsDialog.textSlides": "投影片", + "PE.Views.HyperlinkSettingsDialog.textTipText": "屏幕提示文字", + "PE.Views.HyperlinkSettingsDialog.textTitle": "超連結設置", + "PE.Views.HyperlinkSettingsDialog.txtEmpty": "這是必填欄", + "PE.Views.HyperlinkSettingsDialog.txtFirst": "第一張投影片", + "PE.Views.HyperlinkSettingsDialog.txtLast": "最後一張投影片", + "PE.Views.HyperlinkSettingsDialog.txtNext": "下一張投影片", + "PE.Views.HyperlinkSettingsDialog.txtNotUrl": "此字段應為“ http://www.example.com”格式的網址", + "PE.Views.HyperlinkSettingsDialog.txtPrev": "上一張投影片", + "PE.Views.HyperlinkSettingsDialog.txtSizeLimit": "此欄位限2083字符", + "PE.Views.HyperlinkSettingsDialog.txtSlide": "滑動", + "PE.Views.ImageSettings.textAdvanced": "顯示進階設定", + "PE.Views.ImageSettings.textCrop": "修剪", + "PE.Views.ImageSettings.textCropFill": "填滿", + "PE.Views.ImageSettings.textCropFit": "切合", + "PE.Views.ImageSettings.textCropToShape": "剪裁成圖形", + "PE.Views.ImageSettings.textEdit": "編輯", + "PE.Views.ImageSettings.textEditObject": "編輯物件", + "PE.Views.ImageSettings.textFitSlide": "與投影片切合", + "PE.Views.ImageSettings.textFlip": "翻轉", + "PE.Views.ImageSettings.textFromFile": "從檔案", + "PE.Views.ImageSettings.textFromStorage": "從存儲", + "PE.Views.ImageSettings.textFromUrl": "從 URL", + "PE.Views.ImageSettings.textHeight": "高度", + "PE.Views.ImageSettings.textHint270": "逆時針旋轉90°", + "PE.Views.ImageSettings.textHint90": "順時針旋轉90°", + "PE.Views.ImageSettings.textHintFlipH": "水平翻轉", + "PE.Views.ImageSettings.textHintFlipV": "垂直翻轉", + "PE.Views.ImageSettings.textInsert": "取代圖片", + "PE.Views.ImageSettings.textOriginalSize": "實際大小", + "PE.Views.ImageSettings.textRecentlyUsed": "最近使用", + "PE.Views.ImageSettings.textRotate90": "旋轉90°", + "PE.Views.ImageSettings.textRotation": "旋轉", + "PE.Views.ImageSettings.textSize": "大小", + "PE.Views.ImageSettings.textWidth": "寬度", + "PE.Views.ImageSettingsAdvanced.textAlt": "替代文字", + "PE.Views.ImageSettingsAdvanced.textAltDescription": "描述", + "PE.Views.ImageSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "PE.Views.ImageSettingsAdvanced.textAltTitle": "標題", + "PE.Views.ImageSettingsAdvanced.textAngle": "角度", + "PE.Views.ImageSettingsAdvanced.textFlipped": "已翻轉", + "PE.Views.ImageSettingsAdvanced.textHeight": "高度", + "PE.Views.ImageSettingsAdvanced.textHorizontally": "水平地", + "PE.Views.ImageSettingsAdvanced.textKeepRatio": "比例不變", + "PE.Views.ImageSettingsAdvanced.textOriginalSize": "實際大小", + "PE.Views.ImageSettingsAdvanced.textPlacement": "放置", + "PE.Views.ImageSettingsAdvanced.textPosition": "位置", + "PE.Views.ImageSettingsAdvanced.textRotation": "旋轉", + "PE.Views.ImageSettingsAdvanced.textSize": "大小", + "PE.Views.ImageSettingsAdvanced.textTitle": "圖像-進階設置", + "PE.Views.ImageSettingsAdvanced.textVertically": "垂直", + "PE.Views.ImageSettingsAdvanced.textWidth": "寬度", + "PE.Views.LeftMenu.tipAbout": "關於", + "PE.Views.LeftMenu.tipChat": "聊天", + "PE.Views.LeftMenu.tipComments": "評論", + "PE.Views.LeftMenu.tipPlugins": "外掛程式", + "PE.Views.LeftMenu.tipSearch": "搜尋", + "PE.Views.LeftMenu.tipSlides": "投影片", + "PE.Views.LeftMenu.tipSupport": "反饋與支持", + "PE.Views.LeftMenu.tipTitles": "標題", + "PE.Views.LeftMenu.txtDeveloper": "開發者模式", + "PE.Views.LeftMenu.txtLimit": "限制存取", + "PE.Views.LeftMenu.txtTrial": "試用模式", + "PE.Views.LeftMenu.txtTrialDev": "試用開發人員模式", + "PE.Views.ParagraphSettings.strLineHeight": "行間距", + "PE.Views.ParagraphSettings.strParagraphSpacing": "段落間距", + "PE.Views.ParagraphSettings.strSpacingAfter": "之後", + "PE.Views.ParagraphSettings.strSpacingBefore": "之前", + "PE.Views.ParagraphSettings.textAdvanced": "顯示進階設定", + "PE.Views.ParagraphSettings.textAt": "在", + "PE.Views.ParagraphSettings.textAtLeast": "至少", + "PE.Views.ParagraphSettings.textAuto": "多項", + "PE.Views.ParagraphSettings.textExact": "準確", + "PE.Views.ParagraphSettings.txtAutoText": "自動", + "PE.Views.ParagraphSettingsAdvanced.noTabs": "指定的標籤將出現在此字段中", + "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大寫", + "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "雙刪除線", + "PE.Views.ParagraphSettingsAdvanced.strIndent": "縮進", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", + "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行間距", + "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "之後", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "之前", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊", + "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字體", + "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "縮進和間距", + "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小大寫", + "PE.Views.ParagraphSettingsAdvanced.strSpacing": "間距", + "PE.Views.ParagraphSettingsAdvanced.strStrike": "刪除線", + "PE.Views.ParagraphSettingsAdvanced.strSubscript": "下標", + "PE.Views.ParagraphSettingsAdvanced.strSuperscript": "上標", + "PE.Views.ParagraphSettingsAdvanced.strTabs": "標籤", + "PE.Views.ParagraphSettingsAdvanced.textAlign": "對齊", + "PE.Views.ParagraphSettingsAdvanced.textAuto": "多項", + "PE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "字符間距", + "PE.Views.ParagraphSettingsAdvanced.textDefault": "預設分頁", + "PE.Views.ParagraphSettingsAdvanced.textEffects": "效果", + "PE.Views.ParagraphSettingsAdvanced.textExact": "準確", + "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "第一行", + "PE.Views.ParagraphSettingsAdvanced.textHanging": "懸掛式", + "PE.Views.ParagraphSettingsAdvanced.textJustified": "合理的", + "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(空)", + "PE.Views.ParagraphSettingsAdvanced.textRemove": "移除", + "PE.Views.ParagraphSettingsAdvanced.textRemoveAll": "移除所有", + "PE.Views.ParagraphSettingsAdvanced.textSet": "指定", + "PE.Views.ParagraphSettingsAdvanced.textTabCenter": "中心", + "PE.Views.ParagraphSettingsAdvanced.textTabLeft": "左", + "PE.Views.ParagraphSettingsAdvanced.textTabPosition": "標籤位置", + "PE.Views.ParagraphSettingsAdvanced.textTabRight": "右", + "PE.Views.ParagraphSettingsAdvanced.textTitle": "段落-進階設置", + "PE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動", + "PE.Views.RightMenu.txtChartSettings": "圖表設定", + "PE.Views.RightMenu.txtImageSettings": "影像設定", + "PE.Views.RightMenu.txtParagraphSettings": "文字設定", + "PE.Views.RightMenu.txtShapeSettings": "形狀設定", + "PE.Views.RightMenu.txtSignatureSettings": "簽名設置", + "PE.Views.RightMenu.txtSlideSettings": "投影片設定", + "PE.Views.RightMenu.txtTableSettings": "表格設定", + "PE.Views.RightMenu.txtTextArtSettings": "文字藝術設定", + "PE.Views.ShapeSettings.strBackground": "背景顏色", + "PE.Views.ShapeSettings.strChange": "更改自動形狀", + "PE.Views.ShapeSettings.strColor": "顏色", + "PE.Views.ShapeSettings.strFill": "填滿", + "PE.Views.ShapeSettings.strForeground": "前景色", + "PE.Views.ShapeSettings.strPattern": "模式", + "PE.Views.ShapeSettings.strShadow": "顯示陰影", + "PE.Views.ShapeSettings.strSize": "大小", + "PE.Views.ShapeSettings.strStroke": "筆鋒", + "PE.Views.ShapeSettings.strTransparency": "透明度", + "PE.Views.ShapeSettings.strType": "類型", + "PE.Views.ShapeSettings.textAdvanced": "顯示進階設定", + "PE.Views.ShapeSettings.textAngle": "角度", + "PE.Views.ShapeSettings.textBorderSizeErr": "輸入的值不正確。
        請輸入0 pt至1584 pt之間的值。", + "PE.Views.ShapeSettings.textColor": "填充顏色", + "PE.Views.ShapeSettings.textDirection": "方向", + "PE.Views.ShapeSettings.textEmptyPattern": "無模式", + "PE.Views.ShapeSettings.textFlip": "翻轉", + "PE.Views.ShapeSettings.textFromFile": "從檔案", + "PE.Views.ShapeSettings.textFromStorage": "從存儲", + "PE.Views.ShapeSettings.textFromUrl": "從 URL", + "PE.Views.ShapeSettings.textGradient": "漸變點", + "PE.Views.ShapeSettings.textGradientFill": "漸層填充", + "PE.Views.ShapeSettings.textHint270": "逆時針旋轉90°", + "PE.Views.ShapeSettings.textHint90": "順時針旋轉90°", + "PE.Views.ShapeSettings.textHintFlipH": "水平翻轉", + "PE.Views.ShapeSettings.textHintFlipV": "垂直翻轉", + "PE.Views.ShapeSettings.textImageTexture": "圖片或紋理", + "PE.Views.ShapeSettings.textLinear": "線性的", + "PE.Views.ShapeSettings.textNoFill": "沒有填充", + "PE.Views.ShapeSettings.textPatternFill": "模式", + "PE.Views.ShapeSettings.textPosition": "位置", + "PE.Views.ShapeSettings.textRadial": "徑向的", + "PE.Views.ShapeSettings.textRecentlyUsed": "最近使用", + "PE.Views.ShapeSettings.textRotate90": "旋轉90°", + "PE.Views.ShapeSettings.textRotation": "旋轉", + "PE.Views.ShapeSettings.textSelectImage": "選擇圖片", + "PE.Views.ShapeSettings.textSelectTexture": "選擇", + "PE.Views.ShapeSettings.textStretch": "延伸", + "PE.Views.ShapeSettings.textStyle": "樣式", + "PE.Views.ShapeSettings.textTexture": "從紋理", + "PE.Views.ShapeSettings.textTile": "磚瓦", + "PE.Views.ShapeSettings.tipAddGradientPoint": "添加漸變點", + "PE.Views.ShapeSettings.tipRemoveGradientPoint": "刪除漸變點", + "PE.Views.ShapeSettings.txtBrownPaper": "牛皮紙", + "PE.Views.ShapeSettings.txtCanvas": "帆布", + "PE.Views.ShapeSettings.txtCarton": "紙箱", + "PE.Views.ShapeSettings.txtDarkFabric": "深色面料", + "PE.Views.ShapeSettings.txtGrain": "紋", + "PE.Views.ShapeSettings.txtGranite": "花崗岩", + "PE.Views.ShapeSettings.txtGreyPaper": "灰紙", + "PE.Views.ShapeSettings.txtKnit": "編織", + "PE.Views.ShapeSettings.txtLeather": "皮革", + "PE.Views.ShapeSettings.txtNoBorders": "無線條", + "PE.Views.ShapeSettings.txtPapyrus": "紙莎草紙", + "PE.Views.ShapeSettings.txtWood": "木頭", + "PE.Views.ShapeSettingsAdvanced.strColumns": "欄", + "PE.Views.ShapeSettingsAdvanced.strMargins": "文字填充", + "PE.Views.ShapeSettingsAdvanced.textAlt": "替代文字", + "PE.Views.ShapeSettingsAdvanced.textAltDescription": "描述", + "PE.Views.ShapeSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "PE.Views.ShapeSettingsAdvanced.textAltTitle": "標題", + "PE.Views.ShapeSettingsAdvanced.textAngle": "角度", + "PE.Views.ShapeSettingsAdvanced.textArrows": "箭頭", + "PE.Views.ShapeSettingsAdvanced.textAutofit": "自動調整", + "PE.Views.ShapeSettingsAdvanced.textBeginSize": "開始大小", + "PE.Views.ShapeSettingsAdvanced.textBeginStyle": "開始樣式", + "PE.Views.ShapeSettingsAdvanced.textBevel": "斜角", + "PE.Views.ShapeSettingsAdvanced.textBottom": "底部", + "PE.Views.ShapeSettingsAdvanced.textCapType": "Cap 類型", + "PE.Views.ShapeSettingsAdvanced.textColNumber": "列數", + "PE.Views.ShapeSettingsAdvanced.textEndSize": "端部尺寸", + "PE.Views.ShapeSettingsAdvanced.textEndStyle": "結束樣式", + "PE.Views.ShapeSettingsAdvanced.textFlat": "平面", + "PE.Views.ShapeSettingsAdvanced.textFlipped": "已翻轉", + "PE.Views.ShapeSettingsAdvanced.textHeight": "高度", + "PE.Views.ShapeSettingsAdvanced.textHorizontally": "水平地", + "PE.Views.ShapeSettingsAdvanced.textJoinType": "加入類型", + "PE.Views.ShapeSettingsAdvanced.textKeepRatio": "比例不變", + "PE.Views.ShapeSettingsAdvanced.textLeft": "左", + "PE.Views.ShapeSettingsAdvanced.textLineStyle": "線型", + "PE.Views.ShapeSettingsAdvanced.textMiter": "Miter", + "PE.Views.ShapeSettingsAdvanced.textNofit": "不要自動調整", + "PE.Views.ShapeSettingsAdvanced.textResizeFit": "調整形狀以適合文本", + "PE.Views.ShapeSettingsAdvanced.textRight": "右", + "PE.Views.ShapeSettingsAdvanced.textRotation": "旋轉", + "PE.Views.ShapeSettingsAdvanced.textRound": "圓", + "PE.Views.ShapeSettingsAdvanced.textShrink": "溢出文字縮小", + "PE.Views.ShapeSettingsAdvanced.textSize": "大小", + "PE.Views.ShapeSettingsAdvanced.textSpacing": "欄之前的距離", + "PE.Views.ShapeSettingsAdvanced.textSquare": "正方形", + "PE.Views.ShapeSettingsAdvanced.textTextBox": "文字框", + "PE.Views.ShapeSettingsAdvanced.textTitle": "形狀 - 進階設定", + "PE.Views.ShapeSettingsAdvanced.textTop": "上方", + "PE.Views.ShapeSettingsAdvanced.textVertically": "垂直", + "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "重量和箭頭", + "PE.Views.ShapeSettingsAdvanced.textWidth": "寬度", + "PE.Views.ShapeSettingsAdvanced.txtNone": "無", + "PE.Views.SignatureSettings.notcriticalErrorTitle": "警告", + "PE.Views.SignatureSettings.strDelete": "刪除簽名", + "PE.Views.SignatureSettings.strDetails": "簽名細節", + "PE.Views.SignatureSettings.strInvalid": "無效的簽名", + "PE.Views.SignatureSettings.strSign": "簽名", + "PE.Views.SignatureSettings.strSignature": "簽名", + "PE.Views.SignatureSettings.strValid": "有效簽名", + "PE.Views.SignatureSettings.txtContinueEditing": "仍要編輯", + "PE.Views.SignatureSettings.txtEditWarning": "編輯將刪除演示文稿中的簽名。
        確定要繼續嗎?", + "PE.Views.SignatureSettings.txtRemoveWarning": "確定移除此簽名?
        這動作無法復原.", + "PE.Views.SignatureSettings.txtSigned": "有效的簽名已添加到演示文稿中。演示文稿受到保護,無法編輯。", + "PE.Views.SignatureSettings.txtSignedInvalid": "演示文稿中的某些數字簽名無效或無法驗證。演示文稿受到保護,無法編輯。", + "PE.Views.SlideSettings.strBackground": "背景顏色", + "PE.Views.SlideSettings.strColor": "顏色", + "PE.Views.SlideSettings.strDateTime": "顯示日期和時間", + "PE.Views.SlideSettings.strFill": "背景", + "PE.Views.SlideSettings.strForeground": "前景色", + "PE.Views.SlideSettings.strPattern": "模式", + "PE.Views.SlideSettings.strSlideNum": "顯示投影片編號", + "PE.Views.SlideSettings.strTransparency": "透明度", + "PE.Views.SlideSettings.textAdvanced": "顯示進階設定", + "PE.Views.SlideSettings.textAngle": "角度", + "PE.Views.SlideSettings.textColor": "填充顏色", + "PE.Views.SlideSettings.textDirection": "方向", + "PE.Views.SlideSettings.textEmptyPattern": "無模式", + "PE.Views.SlideSettings.textFromFile": "從檔案", + "PE.Views.SlideSettings.textFromStorage": "從存儲", + "PE.Views.SlideSettings.textFromUrl": "從 URL", + "PE.Views.SlideSettings.textGradient": "漸變點", + "PE.Views.SlideSettings.textGradientFill": "漸層填充", + "PE.Views.SlideSettings.textImageTexture": "圖片或紋理", + "PE.Views.SlideSettings.textLinear": "線性的", + "PE.Views.SlideSettings.textNoFill": "沒有填充", + "PE.Views.SlideSettings.textPatternFill": "模式", + "PE.Views.SlideSettings.textPosition": "位置", + "PE.Views.SlideSettings.textRadial": "徑向的", + "PE.Views.SlideSettings.textReset": "重設變更", + "PE.Views.SlideSettings.textSelectImage": "選擇圖片", + "PE.Views.SlideSettings.textSelectTexture": "選擇", + "PE.Views.SlideSettings.textStretch": "延伸", + "PE.Views.SlideSettings.textStyle": "樣式", + "PE.Views.SlideSettings.textTexture": "從紋理", + "PE.Views.SlideSettings.textTile": "磚瓦", + "PE.Views.SlideSettings.tipAddGradientPoint": "添加漸變點", + "PE.Views.SlideSettings.tipRemoveGradientPoint": "刪除漸變點", + "PE.Views.SlideSettings.txtBrownPaper": "牛皮紙", + "PE.Views.SlideSettings.txtCanvas": "帆布", + "PE.Views.SlideSettings.txtCarton": "紙箱", + "PE.Views.SlideSettings.txtDarkFabric": "深色面料", + "PE.Views.SlideSettings.txtGrain": "紋", + "PE.Views.SlideSettings.txtGranite": "花崗岩", + "PE.Views.SlideSettings.txtGreyPaper": "灰紙", + "PE.Views.SlideSettings.txtKnit": "編織", + "PE.Views.SlideSettings.txtLeather": "皮革", + "PE.Views.SlideSettings.txtPapyrus": "紙莎草紙", + "PE.Views.SlideSettings.txtWood": "木頭", + "PE.Views.SlideshowSettings.textLoop": "連續循環直到按下“ Esc”", + "PE.Views.SlideshowSettings.textTitle": "顯示設置", + "PE.Views.SlideSizeSettings.strLandscape": "景觀", + "PE.Views.SlideSizeSettings.strPortrait": "纵向", + "PE.Views.SlideSizeSettings.textHeight": "高度", + "PE.Views.SlideSizeSettings.textSlideOrientation": "滑動方向", + "PE.Views.SlideSizeSettings.textSlideSize": "投影片大小", + "PE.Views.SlideSizeSettings.textTitle": "投影片大小設置", + "PE.Views.SlideSizeSettings.textWidth": "寬度", + "PE.Views.SlideSizeSettings.txt35": "35公釐投影片", + "PE.Views.SlideSizeSettings.txtA3": "A3紙(297x420毫米)", + "PE.Views.SlideSizeSettings.txtA4": "A4紙(210x297毫米)", + "PE.Views.SlideSizeSettings.txtB4": "B4(ICO)紙(250x353毫米)", + "PE.Views.SlideSizeSettings.txtB5": "B5(ICO)紙(176x250毫米)", + "PE.Views.SlideSizeSettings.txtBanner": "幡", + "PE.Views.SlideSizeSettings.txtCustom": "自訂", + "PE.Views.SlideSizeSettings.txtLedger": "分類帳紙(11x17英寸)", + "PE.Views.SlideSizeSettings.txtLetter": "信紙(8.5x11英寸)", + "PE.Views.SlideSizeSettings.txtOverhead": "高架", + "PE.Views.SlideSizeSettings.txtStandard": "標準(4:3)", + "PE.Views.SlideSizeSettings.txtWidescreen": "寬屏", + "PE.Views.Statusbar.goToPageText": "轉到投影片", + "PE.Views.Statusbar.pageIndexText": "在{1}投影片中的第{0}張", + "PE.Views.Statusbar.textShowBegin": "從頭開始展示", + "PE.Views.Statusbar.textShowCurrent": "從目前投影片顯示", + "PE.Views.Statusbar.textShowPresenterView": "顯示演示者視圖", + "PE.Views.Statusbar.tipAccessRights": "管理文檔存取權限", + "PE.Views.Statusbar.tipFitPage": "與投影片切合", + "PE.Views.Statusbar.tipFitWidth": "切合至寬度", + "PE.Views.Statusbar.tipPreview": "開始投影片放映", + "PE.Views.Statusbar.tipSetLang": "設定文字語言", + "PE.Views.Statusbar.tipZoomFactor": "放大", + "PE.Views.Statusbar.tipZoomIn": "放大", + "PE.Views.Statusbar.tipZoomOut": "縮小", + "PE.Views.Statusbar.txtPageNumInvalid": "無效的投影片編號", + "PE.Views.TableSettings.deleteColumnText": "刪除欄位", + "PE.Views.TableSettings.deleteRowText": "刪除行列", + "PE.Views.TableSettings.deleteTableText": "刪除表格", + "PE.Views.TableSettings.insertColumnLeftText": "向左插入列", + "PE.Views.TableSettings.insertColumnRightText": "向右插入列", + "PE.Views.TableSettings.insertRowAboveText": "在上方插入行", + "PE.Views.TableSettings.insertRowBelowText": "在下方插入行", + "PE.Views.TableSettings.mergeCellsText": "合併單元格", + "PE.Views.TableSettings.selectCellText": "選擇儲存格", + "PE.Views.TableSettings.selectColumnText": "選擇欄", + "PE.Views.TableSettings.selectRowText": "選擇列", + "PE.Views.TableSettings.selectTableText": "選擇表格", + "PE.Views.TableSettings.splitCellsText": "分割儲存格...", + "PE.Views.TableSettings.splitCellTitleText": "分割儲存格", + "PE.Views.TableSettings.textAdvanced": "顯示進階設定", + "PE.Views.TableSettings.textBackColor": "背景顏色", + "PE.Views.TableSettings.textBanded": "帶狀", + "PE.Views.TableSettings.textBorderColor": "顏色", + "PE.Views.TableSettings.textBorders": "邊框樣式", + "PE.Views.TableSettings.textCellSize": "單元格大小", + "PE.Views.TableSettings.textColumns": "欄", + "PE.Views.TableSettings.textDistributeCols": "分配列", + "PE.Views.TableSettings.textDistributeRows": "分配行", + "PE.Views.TableSettings.textEdit": "行和列", + "PE.Views.TableSettings.textEmptyTemplate": "\n沒有模板", + "PE.Views.TableSettings.textFirst": "第一", + "PE.Views.TableSettings.textHeader": "標頭", + "PE.Views.TableSettings.textHeight": "高度", + "PE.Views.TableSettings.textLast": "最後", + "PE.Views.TableSettings.textRows": "行列", + "PE.Views.TableSettings.textSelectBorders": "選擇您要更改上面選擇的應用樣式的邊框", + "PE.Views.TableSettings.textTemplate": "從範本中選擇", + "PE.Views.TableSettings.textTotal": "總計", + "PE.Views.TableSettings.textWidth": "寬度", + "PE.Views.TableSettings.tipAll": "設置外邊界和所有內線", + "PE.Views.TableSettings.tipBottom": "僅設置外底邊框", + "PE.Views.TableSettings.tipInner": "僅設置內線", + "PE.Views.TableSettings.tipInnerHor": "僅設置水平內線", + "PE.Views.TableSettings.tipInnerVert": "僅設置垂直內線", + "PE.Views.TableSettings.tipLeft": "僅設置左外邊框", + "PE.Views.TableSettings.tipNone": "設置無邊界", + "PE.Views.TableSettings.tipOuter": "僅設置外部框線", + "PE.Views.TableSettings.tipRight": "僅設置右外框", + "PE.Views.TableSettings.tipTop": "僅設置外部頂部邊框", + "PE.Views.TableSettings.txtNoBorders": "無邊框", + "PE.Views.TableSettings.txtTable_Accent": "強調", + "PE.Views.TableSettings.txtTable_DarkStyle": "黑暗風格", + "PE.Views.TableSettings.txtTable_LightStyle": "燈光風格", + "PE.Views.TableSettings.txtTable_MediumStyle": "中型樣式", + "PE.Views.TableSettings.txtTable_NoGrid": "無網格", + "PE.Views.TableSettings.txtTable_NoStyle": "沒樣式", + "PE.Views.TableSettings.txtTable_TableGrid": "表格網格", + "PE.Views.TableSettings.txtTable_ThemedStyle": "主題風格", + "PE.Views.TableSettingsAdvanced.textAlt": "替代文字", + "PE.Views.TableSettingsAdvanced.textAltDescription": "描述", + "PE.Views.TableSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "PE.Views.TableSettingsAdvanced.textAltTitle": "標題", + "PE.Views.TableSettingsAdvanced.textBottom": "底部", + "PE.Views.TableSettingsAdvanced.textCheckMargins": "使用預設邊距", + "PE.Views.TableSettingsAdvanced.textDefaultMargins": "預設邊框", + "PE.Views.TableSettingsAdvanced.textLeft": "左", + "PE.Views.TableSettingsAdvanced.textMargins": "單元格內邊距", + "PE.Views.TableSettingsAdvanced.textRight": "右", + "PE.Views.TableSettingsAdvanced.textTitle": "表格 - 進階設定", + "PE.Views.TableSettingsAdvanced.textTop": "上方", + "PE.Views.TableSettingsAdvanced.textWidthSpaces": "邊框", + "PE.Views.TextArtSettings.strBackground": "背景顏色", + "PE.Views.TextArtSettings.strColor": "顏色", + "PE.Views.TextArtSettings.strFill": "填滿", + "PE.Views.TextArtSettings.strForeground": "前景色", + "PE.Views.TextArtSettings.strPattern": "模式", + "PE.Views.TextArtSettings.strSize": "大小", + "PE.Views.TextArtSettings.strStroke": "筆鋒", + "PE.Views.TextArtSettings.strTransparency": "透明度", + "PE.Views.TextArtSettings.strType": "類型", + "PE.Views.TextArtSettings.textAngle": "角度", + "PE.Views.TextArtSettings.textBorderSizeErr": "輸入的值不正確。
        請輸入0 pt至1584 pt之間的值。", + "PE.Views.TextArtSettings.textColor": "填充顏色", + "PE.Views.TextArtSettings.textDirection": "方向", + "PE.Views.TextArtSettings.textEmptyPattern": "無模式", + "PE.Views.TextArtSettings.textFromFile": "從檔案", + "PE.Views.TextArtSettings.textFromUrl": "從 URL", + "PE.Views.TextArtSettings.textGradient": "漸變點", + "PE.Views.TextArtSettings.textGradientFill": "漸層填充", + "PE.Views.TextArtSettings.textImageTexture": "圖片或紋理", + "PE.Views.TextArtSettings.textLinear": "線性的", + "PE.Views.TextArtSettings.textNoFill": "沒有填充", + "PE.Views.TextArtSettings.textPatternFill": "模式", + "PE.Views.TextArtSettings.textPosition": "位置", + "PE.Views.TextArtSettings.textRadial": "徑向的", + "PE.Views.TextArtSettings.textSelectTexture": "選擇", + "PE.Views.TextArtSettings.textStretch": "延伸", + "PE.Views.TextArtSettings.textStyle": "樣式", + "PE.Views.TextArtSettings.textTemplate": "樣板", + "PE.Views.TextArtSettings.textTexture": "從紋理", + "PE.Views.TextArtSettings.textTile": "磚瓦", + "PE.Views.TextArtSettings.textTransform": "轉變", + "PE.Views.TextArtSettings.tipAddGradientPoint": "添加漸變點", + "PE.Views.TextArtSettings.tipRemoveGradientPoint": "刪除漸變點", + "PE.Views.TextArtSettings.txtBrownPaper": "牛皮紙", + "PE.Views.TextArtSettings.txtCanvas": "帆布", + "PE.Views.TextArtSettings.txtCarton": "紙箱", + "PE.Views.TextArtSettings.txtDarkFabric": "深色面料", + "PE.Views.TextArtSettings.txtGrain": "紋", + "PE.Views.TextArtSettings.txtGranite": "花崗岩", + "PE.Views.TextArtSettings.txtGreyPaper": "灰紙", + "PE.Views.TextArtSettings.txtKnit": "編織", + "PE.Views.TextArtSettings.txtLeather": "皮革", + "PE.Views.TextArtSettings.txtNoBorders": "無線條", + "PE.Views.TextArtSettings.txtPapyrus": "紙莎草紙", + "PE.Views.TextArtSettings.txtWood": "木頭", + "PE.Views.Toolbar.capAddSlide": "新增投影片", + "PE.Views.Toolbar.capBtnAddComment": "增加評論", + "PE.Views.Toolbar.capBtnComment": "評論", + "PE.Views.Toolbar.capBtnDateTime": "日期和時間", + "PE.Views.Toolbar.capBtnInsHeader": "頁尾", + "PE.Views.Toolbar.capBtnInsSymbol": "符號", + "PE.Views.Toolbar.capBtnSlideNum": "投影片頁碼", + "PE.Views.Toolbar.capInsertAudio": "音訊", + "PE.Views.Toolbar.capInsertChart": "圖表", + "PE.Views.Toolbar.capInsertEquation": "方程式", + "PE.Views.Toolbar.capInsertHyperlink": "超連結", + "PE.Views.Toolbar.capInsertImage": "圖像", + "PE.Views.Toolbar.capInsertShape": "形狀", + "PE.Views.Toolbar.capInsertTable": "表格", + "PE.Views.Toolbar.capInsertText": "文字框", + "PE.Views.Toolbar.capInsertVideo": "影片", + "PE.Views.Toolbar.capTabFile": "檔案", + "PE.Views.Toolbar.capTabHome": "首頁", + "PE.Views.Toolbar.capTabInsert": "插入", + "PE.Views.Toolbar.mniCapitalizeWords": "每個單字字首大寫", + "PE.Views.Toolbar.mniCustomTable": "插入自訂表格", + "PE.Views.Toolbar.mniImageFromFile": "圖片來自文件", + "PE.Views.Toolbar.mniImageFromStorage": "來自存儲的圖像", + "PE.Views.Toolbar.mniImageFromUrl": "來自網址的圖片", + "PE.Views.Toolbar.mniLowerCase": "小寫", + "PE.Views.Toolbar.mniSentenceCase": "大寫句子頭", + "PE.Views.Toolbar.mniSlideAdvanced": "進階設定", + "PE.Views.Toolbar.mniSlideStandard": "標準(4:3)", + "PE.Views.Toolbar.mniSlideWide": "寬螢幕(16:9)", + "PE.Views.Toolbar.mniToggleCase": "轉換大小寫", + "PE.Views.Toolbar.mniUpperCase": "大寫", + "PE.Views.Toolbar.strMenuNoFill": "沒有填充", + "PE.Views.Toolbar.textAlignBottom": "將文字對齊到底部", + "PE.Views.Toolbar.textAlignCenter": "中心文字", + "PE.Views.Toolbar.textAlignJust": "證明", + "PE.Views.Toolbar.textAlignLeft": "左對齊文字", + "PE.Views.Toolbar.textAlignMiddle": "文字居中對齊", + "PE.Views.Toolbar.textAlignRight": "右對齊文字", + "PE.Views.Toolbar.textAlignTop": "將文字對齊到頂部", + "PE.Views.Toolbar.textArrangeBack": "傳送到背景", + "PE.Views.Toolbar.textArrangeBackward": "向後發送", + "PE.Views.Toolbar.textArrangeForward": "向前帶進", + "PE.Views.Toolbar.textArrangeFront": "移到前景", + "PE.Views.Toolbar.textBold": "粗體", + "PE.Views.Toolbar.textColumnsCustom": "自定欄", + "PE.Views.Toolbar.textColumnsOne": "一欄", + "PE.Views.Toolbar.textColumnsThree": "三欄", + "PE.Views.Toolbar.textColumnsTwo": "兩欄", + "PE.Views.Toolbar.textItalic": "斜體", + "PE.Views.Toolbar.textListSettings": "清單設定", + "PE.Views.Toolbar.textRecentlyUsed": "最近使用", + "PE.Views.Toolbar.textShapeAlignBottom": "底部對齊", + "PE.Views.Toolbar.textShapeAlignCenter": "居中對齊", + "PE.Views.Toolbar.textShapeAlignLeft": "對齊左側", + "PE.Views.Toolbar.textShapeAlignMiddle": "中央對齊", + "PE.Views.Toolbar.textShapeAlignRight": "對齊右側", + "PE.Views.Toolbar.textShapeAlignTop": "上方對齊", + "PE.Views.Toolbar.textShowBegin": "從頭開始展示", + "PE.Views.Toolbar.textShowCurrent": "從目前投影片顯示", + "PE.Views.Toolbar.textShowPresenterView": "顯示演示者視圖", + "PE.Views.Toolbar.textShowSettings": "顯示設置", + "PE.Views.Toolbar.textStrikeout": "刪除線", + "PE.Views.Toolbar.textSubscript": "下標", + "PE.Views.Toolbar.textSuperscript": "上標", + "PE.Views.Toolbar.textTabAnimation": "動畫", + "PE.Views.Toolbar.textTabCollaboration": "協作", + "PE.Views.Toolbar.textTabFile": "檔案", + "PE.Views.Toolbar.textTabHome": "首頁", + "PE.Views.Toolbar.textTabInsert": "插入", + "PE.Views.Toolbar.textTabProtect": "保護", + "PE.Views.Toolbar.textTabTransitions": "過渡", + "PE.Views.Toolbar.textTabView": "檢視", + "PE.Views.Toolbar.textTitleError": "錯誤", + "PE.Views.Toolbar.textUnderline": "底線", + "PE.Views.Toolbar.tipAddSlide": "新增投影片", + "PE.Views.Toolbar.tipBack": "返回", + "PE.Views.Toolbar.tipChangeCase": "改大小寫", + "PE.Views.Toolbar.tipChangeChart": "更改圖表類型", + "PE.Views.Toolbar.tipChangeSlide": "更改投影片版面配置", + "PE.Views.Toolbar.tipClearStyle": "清晰的風格", + "PE.Views.Toolbar.tipColorSchemas": "更改配色方案", + "PE.Views.Toolbar.tipColumns": "插入欄", + "PE.Views.Toolbar.tipCopy": "複製", + "PE.Views.Toolbar.tipCopyStyle": "複製樣式", + "PE.Views.Toolbar.tipDateTime": "插入當前日期和時間", + "PE.Views.Toolbar.tipDecFont": "減少字體大小", + "PE.Views.Toolbar.tipDecPrLeft": "減少縮進", + "PE.Views.Toolbar.tipEditHeader": "編輯頁腳", + "PE.Views.Toolbar.tipFontColor": "字體顏色", + "PE.Views.Toolbar.tipFontName": "字體", + "PE.Views.Toolbar.tipFontSize": "字體大小", + "PE.Views.Toolbar.tipHAligh": "水平對齊", + "PE.Views.Toolbar.tipHighlightColor": "熒光色選", + "PE.Views.Toolbar.tipIncFont": "增量字體大小", + "PE.Views.Toolbar.tipIncPrLeft": "增加縮進", + "PE.Views.Toolbar.tipInsertAudio": "插入音頻", + "PE.Views.Toolbar.tipInsertChart": "插入圖表", + "PE.Views.Toolbar.tipInsertEquation": "插入方程式", + "PE.Views.Toolbar.tipInsertHyperlink": "新增超連結", + "PE.Views.Toolbar.tipInsertImage": "插入圖片", + "PE.Views.Toolbar.tipInsertShape": "插入自動形狀", + "PE.Views.Toolbar.tipInsertSymbol": "插入符號", + "PE.Views.Toolbar.tipInsertTable": "插入表格", + "PE.Views.Toolbar.tipInsertText": "插入文字框", + "PE.Views.Toolbar.tipInsertTextArt": "插入文字藝術", + "PE.Views.Toolbar.tipInsertVideo": "插入影片", + "PE.Views.Toolbar.tipLineSpace": "行間距", + "PE.Views.Toolbar.tipMarkers": "項目符號", + "PE.Views.Toolbar.tipMarkersArrow": "箭頭項目符號", + "PE.Views.Toolbar.tipMarkersCheckmark": "核取記號項目符號", + "PE.Views.Toolbar.tipMarkersDash": "連字號項目符號", + "PE.Views.Toolbar.tipMarkersFRhombus": "實心菱形項目符號", + "PE.Views.Toolbar.tipMarkersFRound": "實心圓項目符號", + "PE.Views.Toolbar.tipMarkersFSquare": "實心方形項目符號", + "PE.Views.Toolbar.tipMarkersHRound": "空心圓項目符號", + "PE.Views.Toolbar.tipMarkersStar": "星星項目符號", + "PE.Views.Toolbar.tipNone": "無", + "PE.Views.Toolbar.tipNumbers": "編號", + "PE.Views.Toolbar.tipPaste": "貼上", + "PE.Views.Toolbar.tipPreview": "開始投影片放映", + "PE.Views.Toolbar.tipPrint": "列印", + "PE.Views.Toolbar.tipRedo": "重做", + "PE.Views.Toolbar.tipSave": "儲存", + "PE.Views.Toolbar.tipSaveCoauth": "保存您的更改,以供其他用戶查看。", + "PE.Views.Toolbar.tipShapeAlign": "對齊形狀", + "PE.Views.Toolbar.tipShapeArrange": "排列形狀", + "PE.Views.Toolbar.tipSlideNum": "插入投影片編號", + "PE.Views.Toolbar.tipSlideSize": "選擇投影片大小", + "PE.Views.Toolbar.tipSlideTheme": "投影片主題", + "PE.Views.Toolbar.tipUndo": "復原", + "PE.Views.Toolbar.tipVAligh": "垂直對齊", + "PE.Views.Toolbar.tipViewSettings": "查看設定", + "PE.Views.Toolbar.txtDistribHor": "水平分佈", + "PE.Views.Toolbar.txtDistribVert": "垂直分佈", + "PE.Views.Toolbar.txtDuplicateSlide": "投影片複製", + "PE.Views.Toolbar.txtGroup": "群組", + "PE.Views.Toolbar.txtObjectsAlign": "對齊所選物件", + "PE.Views.Toolbar.txtScheme1": "辦公室", + "PE.Views.Toolbar.txtScheme10": "中位數", + "PE.Views.Toolbar.txtScheme11": " 地鐵", + "PE.Views.Toolbar.txtScheme12": "模組", + "PE.Views.Toolbar.txtScheme13": "豐富的", + "PE.Views.Toolbar.txtScheme14": "Oriel", + "PE.Views.Toolbar.txtScheme15": "起源", + "PE.Views.Toolbar.txtScheme16": "紙", + "PE.Views.Toolbar.txtScheme17": "冬至", + "PE.Views.Toolbar.txtScheme18": "技術", + "PE.Views.Toolbar.txtScheme19": "跋涉", + "PE.Views.Toolbar.txtScheme2": "灰階", + "PE.Views.Toolbar.txtScheme20": "市區", + "PE.Views.Toolbar.txtScheme21": "感染力", + "PE.Views.Toolbar.txtScheme22": "新的Office", + "PE.Views.Toolbar.txtScheme3": "頂尖", + "PE.Views.Toolbar.txtScheme4": "方面", + "PE.Views.Toolbar.txtScheme5": "思域", + "PE.Views.Toolbar.txtScheme6": "大堂", + "PE.Views.Toolbar.txtScheme7": "產權", + "PE.Views.Toolbar.txtScheme8": "流程", + "PE.Views.Toolbar.txtScheme9": "鑄造廠", + "PE.Views.Toolbar.txtSlideAlign": "對齊投影片", + "PE.Views.Toolbar.txtUngroup": "解開組合", + "PE.Views.Transitions.strDelay": "延遲", + "PE.Views.Transitions.strDuration": "持續時間", + "PE.Views.Transitions.strStartOnClick": "點選後開始", + "PE.Views.Transitions.textBlack": "通過黑", + "PE.Views.Transitions.textBottom": "底部", + "PE.Views.Transitions.textBottomLeft": "左下方", + "PE.Views.Transitions.textBottomRight": "右下方", + "PE.Views.Transitions.textClock": "時鐘", + "PE.Views.Transitions.textClockwise": "順時針", + "PE.Views.Transitions.textCounterclockwise": "逆時針", + "PE.Views.Transitions.textCover": "覆蓋", + "PE.Views.Transitions.textFade": "褪", + "PE.Views.Transitions.textHorizontalIn": "水平輸入", + "PE.Views.Transitions.textHorizontalOut": "水平輸出", + "PE.Views.Transitions.textLeft": "左", + "PE.Views.Transitions.textNone": "無", + "PE.Views.Transitions.textPush": "推", + "PE.Views.Transitions.textRight": "右", + "PE.Views.Transitions.textSmoothly": "順的", + "PE.Views.Transitions.textSplit": "分割", + "PE.Views.Transitions.textTop": "上方", + "PE.Views.Transitions.textTopLeft": "左上方", + "PE.Views.Transitions.textTopRight": "右上方", + "PE.Views.Transitions.textUnCover": "揭露", + "PE.Views.Transitions.textVerticalIn": "垂直輸入", + "PE.Views.Transitions.textVerticalOut": "由中向左右", + "PE.Views.Transitions.textWedge": "楔", + "PE.Views.Transitions.textWipe": "擦去", + "PE.Views.Transitions.textZoom": "放大", + "PE.Views.Transitions.textZoomIn": "放大", + "PE.Views.Transitions.textZoomOut": "縮小", + "PE.Views.Transitions.textZoomRotate": "放大與旋轉", + "PE.Views.Transitions.txtApplyToAll": "應用於所有投影片", + "PE.Views.Transitions.txtParameters": "參量", + "PE.Views.Transitions.txtPreview": "預覽", + "PE.Views.Transitions.txtSec": "S", + "PE.Views.ViewTab.textAlwaysShowToolbar": "永遠顯示工具欄", + "PE.Views.ViewTab.textFitToSlide": "與投影片切合", + "PE.Views.ViewTab.textFitToWidth": "配合寬度", + "PE.Views.ViewTab.textInterfaceTheme": "介面主題", + "PE.Views.ViewTab.textNotes": "備忘稿", + "PE.Views.ViewTab.textRulers": "尺規", + "PE.Views.ViewTab.textStatusBar": "狀態欄", + "PE.Views.ViewTab.textZoom": "放大" +} \ No newline at end of file diff --git a/apps/presentationeditor/main/locale/zh.json b/apps/presentationeditor/main/locale/zh.json index 64d844ff9..06244e0d0 100644 --- a/apps/presentationeditor/main/locale/zh.json +++ b/apps/presentationeditor/main/locale/zh.json @@ -5,10 +5,10 @@ "Common.Controllers.ExternalDiagramEditor.textClose": "关闭", "Common.Controllers.ExternalDiagramEditor.warningText": "该对象被禁用,因为它被另一个用户编辑。", "Common.Controllers.ExternalDiagramEditor.warningTitle": "警告", - "Common.define.chartData.textArea": "区域", + "Common.define.chartData.textArea": "面积图", "Common.define.chartData.textAreaStacked": "堆积面积图", "Common.define.chartData.textAreaStackedPer": "百分比堆积面积图", - "Common.define.chartData.textBar": "条", + "Common.define.chartData.textBar": "条形图", "Common.define.chartData.textBarNormal": "簇状柱形图", "Common.define.chartData.textBarNormal3d": "三维簇状柱形图", "Common.define.chartData.textBarNormal3dPerspective": "三维柱形图", @@ -16,9 +16,9 @@ "Common.define.chartData.textBarStacked3d": "三维堆积柱形图", "Common.define.chartData.textBarStackedPer": "百分比堆积柱形图", "Common.define.chartData.textBarStackedPer3d": "三维百分比堆积柱形图", - "Common.define.chartData.textCharts": "图表", - "Common.define.chartData.textColumn": "列", - "Common.define.chartData.textCombo": "组合", + "Common.define.chartData.textCharts": "流程图", + "Common.define.chartData.textColumn": "柱状图", + "Common.define.chartData.textCombo": "组合图", "Common.define.chartData.textComboAreaBar": "堆积面积图 - 簇状柱形图", "Common.define.chartData.textComboBarLine": "簇状柱形图 - 折线图", "Common.define.chartData.textComboBarLineSecondary": "簇状柱形图 - 次坐标轴上的折线图", @@ -30,28 +30,29 @@ "Common.define.chartData.textHBarStacked3d": "三维堆积条形图", "Common.define.chartData.textHBarStackedPer": "百分比堆积条形图", "Common.define.chartData.textHBarStackedPer3d": "三维百分比堆积条形图", - "Common.define.chartData.textLine": "线", - "Common.define.chartData.textLine3d": "3-D 直线图", - "Common.define.chartData.textLineMarker": "有标记的折线图", + "Common.define.chartData.textLine": "折线图", + "Common.define.chartData.textLine3d": "三维折线图", + "Common.define.chartData.textLineMarker": "带数据标记的折线图", "Common.define.chartData.textLineStacked": "堆积折线图", - "Common.define.chartData.textLineStackedMarker": "有标记的堆积折线图", + "Common.define.chartData.textLineStackedMarker": "带数据标记的堆积折线图", "Common.define.chartData.textLineStackedPer": "百分比堆积折线图", - "Common.define.chartData.textLineStackedPerMarker": "有标记的百分比堆积折线图", - "Common.define.chartData.textPie": "派", - "Common.define.chartData.textPie3d": "3-D 圆饼图", - "Common.define.chartData.textPoint": "XY(散射)", - "Common.define.chartData.textScatter": "分散", + "Common.define.chartData.textLineStackedPerMarker": "带数据标记的百分比堆积折线图", + "Common.define.chartData.textPie": "饼图", + "Common.define.chartData.textPie3d": "三维饼图", + "Common.define.chartData.textPoint": "散点图", + "Common.define.chartData.textScatter": "散点图​​", "Common.define.chartData.textScatterLine": "带直线的散点图", "Common.define.chartData.textScatterLineMarker": "带直线和数据标记的散点图", "Common.define.chartData.textScatterSmooth": "带平滑线的散点图", "Common.define.chartData.textScatterSmoothMarker": "带平滑线和数据标记的散点图", - "Common.define.chartData.textStock": "股票", + "Common.define.chartData.textStock": "股价图", "Common.define.chartData.textSurface": "平面", "Common.define.effectData.textAcross": "横向", "Common.define.effectData.textAppear": "出现", "Common.define.effectData.textArcDown": "向下弧线", "Common.define.effectData.textArcLeft": "向左弧线", "Common.define.effectData.textArcRight": "向右弧线", + "Common.define.effectData.textArcs": "弧形", "Common.define.effectData.textArcUp": "向上弧线", "Common.define.effectData.textBasic": "基本", "Common.define.effectData.textBasicSwivel": "基本旋转", @@ -139,6 +140,7 @@ "Common.define.effectData.textIn": "在", "Common.define.effectData.textInFromScreenCenter": "从屏幕中心放大", "Common.define.effectData.textInSlightly": "轻微放大", + "Common.define.effectData.textInToScreenBottom": "放大到屏幕底部", "Common.define.effectData.textInvertedSquare": "正方形结", "Common.define.effectData.textInvertedTriangle": "三角结", "Common.define.effectData.textLeft": "左侧", @@ -146,8 +148,10 @@ "Common.define.effectData.textLeftUp": "左上", "Common.define.effectData.textLighten": "变淡", "Common.define.effectData.textLineColor": "线条颜色", + "Common.define.effectData.textLines": "行", "Common.define.effectData.textLinesCurves": "直线曲线", "Common.define.effectData.textLoopDeLoop": "涟漪", + "Common.define.effectData.textLoops": "循环", "Common.define.effectData.textModerate": "中等", "Common.define.effectData.textNeutron": "中子", "Common.define.effectData.textObjectCenter": "对象中心", @@ -156,6 +160,7 @@ "Common.define.effectData.textOut": "向外", "Common.define.effectData.textOutFromScreenBottom": "从屏幕底部缩小", "Common.define.effectData.textOutSlightly": "轻微缩小", + "Common.define.effectData.textOutToScreenCenter": "缩小到屏幕中心", "Common.define.effectData.textParallelogram": "平行四边形", "Common.define.effectData.textPath": "动作路径", "Common.define.effectData.textPeanut": "花生", @@ -179,6 +184,7 @@ "Common.define.effectData.textSCurve1": "S形曲线1", "Common.define.effectData.textSCurve2": "S形曲线2", "Common.define.effectData.textShape": "形状", + "Common.define.effectData.textShapes": "形状", "Common.define.effectData.textShimmer": "闪现", "Common.define.effectData.textShrinkTurn": "收缩并旋转", "Common.define.effectData.textSineWave": "正弦波", @@ -219,6 +225,7 @@ "Common.define.effectData.textTrapezoid": "梯形", "Common.define.effectData.textTurnDown": "向下转", "Common.define.effectData.textTurnDownRight": "向右下转", + "Common.define.effectData.textTurns": "转弯", "Common.define.effectData.textTurnUp": "向上转", "Common.define.effectData.textTurnUpRight": "向右上转", "Common.define.effectData.textUnderline": "下划线", @@ -293,6 +300,7 @@ "Common.Views.AutoCorrectDialog.textBulleted": "自动项目符号列表", "Common.Views.AutoCorrectDialog.textBy": "依据", "Common.Views.AutoCorrectDialog.textDelete": "删除", + "Common.Views.AutoCorrectDialog.textDoubleSpaces": "按两下空白键自动增加一个句点(.)符号", "Common.Views.AutoCorrectDialog.textFLCells": "表格单元格的首字母大写", "Common.Views.AutoCorrectDialog.textFLSentence": "句首字母大写", "Common.Views.AutoCorrectDialog.textHyperlink": "带超链接的互联网与网络路径", @@ -341,6 +349,7 @@ "Common.Views.Comments.textResolved": "已解决", "Common.Views.Comments.textSort": "评论排序", "Common.Views.Comments.textViewResolved": "您没有重开评论的权限", + "Common.Views.Comments.txtEmpty": "文件中没有任何评论。", "Common.Views.CopyWarningDialog.textDontShow": "不要再显示此消息", "Common.Views.CopyWarningDialog.textMsg": "使用编辑器工具栏按钮和上下文菜单操作复制,剪切和粘贴操作将仅在此编辑器选项卡中执行。

        要在编辑器选项卡之外复制或粘贴到应用程序,请使用以下键盘组合:", "Common.Views.CopyWarningDialog.textTitle": "复制,剪切和粘贴操作", @@ -551,7 +560,7 @@ "Common.Views.SymbolTableDialog.textNBSpace": "不换行空格", "Common.Views.SymbolTableDialog.textPilcrow": "段落标识", "Common.Views.SymbolTableDialog.textQEmSpace": "1/4全角空格", - "Common.Views.SymbolTableDialog.textRange": "范围", + "Common.Views.SymbolTableDialog.textRange": "子集", "Common.Views.SymbolTableDialog.textRecent": "最近使用的符号", "Common.Views.SymbolTableDialog.textRegistered": "注册商标标识", "Common.Views.SymbolTableDialog.textSCQuote": "后单引号", @@ -679,20 +688,20 @@ "PE.Controllers.Main.txtBasicShapes": "基本形状", "PE.Controllers.Main.txtButtons": "按钮", "PE.Controllers.Main.txtCallouts": "标注", - "PE.Controllers.Main.txtCharts": "图表", + "PE.Controllers.Main.txtCharts": "流程图", "PE.Controllers.Main.txtClipArt": "剪贴画", "PE.Controllers.Main.txtDateTime": "日期与时间", "PE.Controllers.Main.txtDiagram": "SmartArt", "PE.Controllers.Main.txtDiagramTitle": "图表标题", "PE.Controllers.Main.txtEditingMode": "设置编辑模式..", "PE.Controllers.Main.txtErrorLoadHistory": "历史记录加载失败", - "PE.Controllers.Main.txtFiguredArrows": "图形箭头", + "PE.Controllers.Main.txtFiguredArrows": "箭头汇总", "PE.Controllers.Main.txtFooter": "页脚", "PE.Controllers.Main.txtHeader": "页眉", "PE.Controllers.Main.txtImage": "图片", - "PE.Controllers.Main.txtLines": "行", + "PE.Controllers.Main.txtLines": "线条", "PE.Controllers.Main.txtLoading": "加载中…", - "PE.Controllers.Main.txtMath": "数学", + "PE.Controllers.Main.txtMath": "公式形状", "PE.Controllers.Main.txtMedia": "媒体", "PE.Controllers.Main.txtNeedSynchronize": "你有更新", "PE.Controllers.Main.txtNone": "无", @@ -820,7 +829,7 @@ "PE.Controllers.Main.txtShape_octagon": "八边形", "PE.Controllers.Main.txtShape_parallelogram": "平行四边形", "PE.Controllers.Main.txtShape_pentagon": "五边形", - "PE.Controllers.Main.txtShape_pie": "派", + "PE.Controllers.Main.txtShape_pie": "饼图", "PE.Controllers.Main.txtShape_plaque": "符号", "PE.Controllers.Main.txtShape_plus": "加", "PE.Controllers.Main.txtShape_polyline1": "自由曲线", @@ -910,7 +919,7 @@ "PE.Controllers.Main.txtSlideSubtitle": "幻灯片副标题", "PE.Controllers.Main.txtSlideText": "幻灯片文本", "PE.Controllers.Main.txtSlideTitle": "幻灯片标题", - "PE.Controllers.Main.txtStarsRibbons": "星星和丝带", + "PE.Controllers.Main.txtStarsRibbons": "星星和旗帜", "PE.Controllers.Main.txtTheme_basic": "基本的", "PE.Controllers.Main.txtTheme_blank": "空白", "PE.Controllers.Main.txtTheme_classic": "古典", @@ -918,7 +927,7 @@ "PE.Controllers.Main.txtTheme_dotted": "点划线", "PE.Controllers.Main.txtTheme_green": "绿色", "PE.Controllers.Main.txtTheme_green_leaf": "绿叶", - "PE.Controllers.Main.txtTheme_lines": "行", + "PE.Controllers.Main.txtTheme_lines": "线条", "PE.Controllers.Main.txtTheme_office": "公司地址", "PE.Controllers.Main.txtTheme_office_theme": "办公室主题", "PE.Controllers.Main.txtTheme_official": "官方", @@ -1282,22 +1291,32 @@ "PE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", "PE.Controllers.Viewport.textFitPage": "适合幻灯片", "PE.Controllers.Viewport.textFitWidth": "适合宽度", + "PE.Views.Animation.str0_5": "0.5秒(非常快)", + "PE.Views.Animation.str1": "1秒(快)", + "PE.Views.Animation.str2": "2秒(中)", + "PE.Views.Animation.str20": "20秒(极慢)", + "PE.Views.Animation.str3": "3秒(慢)", + "PE.Views.Animation.str5": "5秒(非常慢)", "PE.Views.Animation.strDelay": "延迟", "PE.Views.Animation.strDuration": "持续时间", "PE.Views.Animation.strRepeat": "重复", "PE.Views.Animation.strRewind": "后退", "PE.Views.Animation.strStart": "开始", "PE.Views.Animation.strTrigger": "触发器", + "PE.Views.Animation.textAutoPreview": "自动预览", "PE.Views.Animation.textMoreEffects": "显示其他效果", "PE.Views.Animation.textMoveEarlier": "向前移动", "PE.Views.Animation.textMoveLater": "向后移动", "PE.Views.Animation.textMultiple": "多个", "PE.Views.Animation.textNone": "无", + "PE.Views.Animation.textNoRepeat": "(无)", "PE.Views.Animation.textOnClickOf": "单击:", "PE.Views.Animation.textOnClickSequence": "在单击序列中", "PE.Views.Animation.textStartAfterPrevious": "上一动画之后", "PE.Views.Animation.textStartOnClick": "单击", "PE.Views.Animation.textStartWithPrevious": "与上一动画同时", + "PE.Views.Animation.textUntilEndOfSlide": "直到幻灯片末尾", + "PE.Views.Animation.textUntilNextClick": "直到下一次单击", "PE.Views.Animation.txtAddEffect": "添加动画", "PE.Views.Animation.txtAnimationPane": "动画窗格", "PE.Views.Animation.txtParameters": "参数", @@ -1374,8 +1393,8 @@ "PE.Views.DocumentHolder.splitCellTitleText": "拆分单元格", "PE.Views.DocumentHolder.tableText": "表格", "PE.Views.DocumentHolder.textArrangeBack": "发送到背景", - "PE.Views.DocumentHolder.textArrangeBackward": "向后移动", - "PE.Views.DocumentHolder.textArrangeForward": "向前移动", + "PE.Views.DocumentHolder.textArrangeBackward": "下移一层", + "PE.Views.DocumentHolder.textArrangeForward": "上移一层", "PE.Views.DocumentHolder.textArrangeFront": "放到最上面", "PE.Views.DocumentHolder.textCopy": "复制", "PE.Views.DocumentHolder.textCrop": "裁剪", @@ -1522,7 +1541,7 @@ "PE.Views.FileMenu.btnCloseMenuCaption": "关闭菜单", "PE.Views.FileMenu.btnCreateNewCaption": "新建", "PE.Views.FileMenu.btnDownloadCaption": "下载为...", - "PE.Views.FileMenu.btnExitCaption": "退出", + "PE.Views.FileMenu.btnExitCaption": "关闭", "PE.Views.FileMenu.btnFileOpenCaption": "打开...", "PE.Views.FileMenu.btnHelpCaption": "帮助", "PE.Views.FileMenu.btnHistoryCaption": "版本历史", @@ -1569,21 +1588,13 @@ "PE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "演示文稿中的某些数字签名无效或无法验证。该演示文稿已限制编辑。", "PE.Views.FileMenuPanels.ProtectDoc.txtView": "查看签名", "PE.Views.FileMenuPanels.Settings.okButtonText": "应用", - "PE.Views.FileMenuPanels.Settings.strAlignGuides": "显示对齐辅助线", - "PE.Views.FileMenuPanels.Settings.strAutoRecover": "启用自动恢复", - "PE.Views.FileMenuPanels.Settings.strAutosave": "打开自动保存", "PE.Views.FileMenuPanels.Settings.strCoAuthMode": "共同编辑模式", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "其他用户将一次看到您的更改", - "PE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "您将需要接受更改才能看到它们", "PE.Views.FileMenuPanels.Settings.strFast": "快速", "PE.Views.FileMenuPanels.Settings.strFontRender": "字体微调方式", "PE.Views.FileMenuPanels.Settings.strForcesave": "单击“保存”或Ctrl+S之后版本添加到存储", - "PE.Views.FileMenuPanels.Settings.strInputMode": "显示象形文字", "PE.Views.FileMenuPanels.Settings.strMacrosSettings": "宏设置", "PE.Views.FileMenuPanels.Settings.strPaste": "剪切、复制、黏贴", "PE.Views.FileMenuPanels.Settings.strPasteButton": "在执行粘贴操作后显示“粘贴选项”按钮", - "PE.Views.FileMenuPanels.Settings.strShowChanges": "实时协作变更", - "PE.Views.FileMenuPanels.Settings.strSpellCheckMode": "显示拼写检查选项", "PE.Views.FileMenuPanels.Settings.strStrict": "严格", "PE.Views.FileMenuPanels.Settings.strTheme": "界面主題", "PE.Views.FileMenuPanels.Settings.strUnit": "测量单位", @@ -1707,8 +1718,8 @@ "PE.Views.LeftMenu.txtTrialDev": "试用开发者模式", "PE.Views.ParagraphSettings.strLineHeight": "行间距", "PE.Views.ParagraphSettings.strParagraphSpacing": "段落间距", - "PE.Views.ParagraphSettings.strSpacingAfter": "后", - "PE.Views.ParagraphSettings.strSpacingBefore": "以前", + "PE.Views.ParagraphSettings.strSpacingAfter": "段后", + "PE.Views.ParagraphSettings.strSpacingBefore": "段前", "PE.Views.ParagraphSettings.textAdvanced": "显示高级设置", "PE.Views.ParagraphSettings.textAt": "在", "PE.Views.ParagraphSettings.textAtLeast": "至少", @@ -1716,18 +1727,18 @@ "PE.Views.ParagraphSettings.textExact": "精确", "PE.Views.ParagraphSettings.txtAutoText": "自动", "PE.Views.ParagraphSettingsAdvanced.noTabs": "指定的选项卡将显示在此字段中", - "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写", + "PE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写字母", "PE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "双删除线", "PE.Views.ParagraphSettingsAdvanced.strIndent": "缩进", "PE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", "PE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行间距", "PE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右侧", - "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "后", - "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "前", - "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特别", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "段后", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "段前", + "PE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊格式", "PE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字体", "PE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "缩进和间距", - "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", + "PE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小型大写字母", "PE.Views.ParagraphSettingsAdvanced.strSpacing": "间距", "PE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", "PE.Views.ParagraphSettingsAdvanced.strSubscript": "下标", @@ -1739,8 +1750,8 @@ "PE.Views.ParagraphSettingsAdvanced.textDefault": "默认选项", "PE.Views.ParagraphSettingsAdvanced.textEffects": "效果", "PE.Views.ParagraphSettingsAdvanced.textExact": "精确", - "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "第一行", - "PE.Views.ParagraphSettingsAdvanced.textHanging": "悬挂", + "PE.Views.ParagraphSettingsAdvanced.textFirstLine": "首行缩进", + "PE.Views.ParagraphSettingsAdvanced.textHanging": "悬挂缩进", "PE.Views.ParagraphSettingsAdvanced.textJustified": "正当", "PE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(无)", "PE.Views.ParagraphSettingsAdvanced.textRemove": "删除", @@ -1759,7 +1770,7 @@ "PE.Views.RightMenu.txtSignatureSettings": "签名设置", "PE.Views.RightMenu.txtSlideSettings": "幻灯片设置", "PE.Views.RightMenu.txtTableSettings": "表设置", - "PE.Views.RightMenu.txtTextArtSettings": "文字艺术设定", + "PE.Views.RightMenu.txtTextArtSettings": "艺术字体设置", "PE.Views.ShapeSettings.strBackground": "背景颜色", "PE.Views.ShapeSettings.strChange": "更改自动形状", "PE.Views.ShapeSettings.strColor": "颜色", @@ -1850,14 +1861,14 @@ "PE.Views.ShapeSettingsAdvanced.textShrink": "超出时压缩文本", "PE.Views.ShapeSettingsAdvanced.textSize": "大小", "PE.Views.ShapeSettingsAdvanced.textSpacing": "列之间的间距", - "PE.Views.ShapeSettingsAdvanced.textSquare": "正方形", + "PE.Views.ShapeSettingsAdvanced.textSquare": "四周型环绕", "PE.Views.ShapeSettingsAdvanced.textTextBox": "文本框", "PE.Views.ShapeSettingsAdvanced.textTitle": "形状 - 高级设置", "PE.Views.ShapeSettingsAdvanced.textTop": "顶部", "PE.Views.ShapeSettingsAdvanced.textVertically": "垂直", "PE.Views.ShapeSettingsAdvanced.textWeightArrows": "重量和箭头", "PE.Views.ShapeSettingsAdvanced.textWidth": "宽度", - "PE.Views.ShapeSettingsAdvanced.txtNone": "没有", + "PE.Views.ShapeSettingsAdvanced.txtNone": "无", "PE.Views.SignatureSettings.notcriticalErrorTitle": "警告", "PE.Views.SignatureSettings.strDelete": "删除签名", "PE.Views.SignatureSettings.strDetails": "签名详情", @@ -1919,7 +1930,7 @@ "PE.Views.SlideSizeSettings.strLandscape": "横向", "PE.Views.SlideSizeSettings.strPortrait": "纵向", "PE.Views.SlideSizeSettings.textHeight": "高度", - "PE.Views.SlideSizeSettings.textSlideOrientation": "幻灯片方位", + "PE.Views.SlideSizeSettings.textSlideOrientation": "幻灯片方向", "PE.Views.SlideSizeSettings.textSlideSize": "滑动尺寸", "PE.Views.SlideSizeSettings.textTitle": "幻灯片大小设置", "PE.Views.SlideSizeSettings.textWidth": "宽度", @@ -2100,11 +2111,11 @@ "PE.Views.Toolbar.textAlignRight": "对齐文本", "PE.Views.Toolbar.textAlignTop": "将文本对齐到顶部", "PE.Views.Toolbar.textArrangeBack": "发送到背景", - "PE.Views.Toolbar.textArrangeBackward": "向后移动", - "PE.Views.Toolbar.textArrangeForward": "向前移动", + "PE.Views.Toolbar.textArrangeBackward": "下移一层", + "PE.Views.Toolbar.textArrangeForward": "上移一层", "PE.Views.Toolbar.textArrangeFront": "放到最上面", "PE.Views.Toolbar.textBold": "加粗", - "PE.Views.Toolbar.textColumnsCustom": "自定义列", + "PE.Views.Toolbar.textColumnsCustom": "自定义栏", "PE.Views.Toolbar.textColumnsOne": "一列", "PE.Views.Toolbar.textColumnsThree": "三列", "PE.Views.Toolbar.textColumnsTwo": "两列", @@ -2164,10 +2175,19 @@ "PE.Views.Toolbar.tipInsertSymbol": "插入符号", "PE.Views.Toolbar.tipInsertTable": "插入表", "PE.Views.Toolbar.tipInsertText": "插入文字", - "PE.Views.Toolbar.tipInsertTextArt": "插入文字艺术", + "PE.Views.Toolbar.tipInsertTextArt": "插入艺术字体", "PE.Views.Toolbar.tipInsertVideo": "插入视频", "PE.Views.Toolbar.tipLineSpace": "行间距", "PE.Views.Toolbar.tipMarkers": "项目符号", + "PE.Views.Toolbar.tipMarkersArrow": "箭头项目符号", + "PE.Views.Toolbar.tipMarkersCheckmark": "选中标记项目符号", + "PE.Views.Toolbar.tipMarkersDash": "划线项目符号", + "PE.Views.Toolbar.tipMarkersFRhombus": "实心菱形项目符号", + "PE.Views.Toolbar.tipMarkersFRound": "实心圆形项目符号", + "PE.Views.Toolbar.tipMarkersFSquare": "实心方形项目符号", + "PE.Views.Toolbar.tipMarkersHRound": "空心圆形项目符号", + "PE.Views.Toolbar.tipMarkersStar": "星形项目符号", + "PE.Views.Toolbar.tipNone": "无", "PE.Views.Toolbar.tipNumbers": "编号", "PE.Views.Toolbar.tipPaste": "粘贴", "PE.Views.Toolbar.tipPreview": "开始幻灯片放映", diff --git a/apps/presentationeditor/main/resources/help/de/Contents.json b/apps/presentationeditor/main/resources/help/de/Contents.json index dda651068..519ecea29 100644 --- a/apps/presentationeditor/main/resources/help/de/Contents.json +++ b/apps/presentationeditor/main/resources/help/de/Contents.json @@ -3,7 +3,10 @@ { "src": "ProgramInterface/FileTab.htm", "name": "Registerkarte Datei" }, { "src": "ProgramInterface/HomeTab.htm", "name": "Registerkarte Startseite" }, { "src": "ProgramInterface/InsertTab.htm", "name": "Registerkarte Einfügen" }, - { "src": "ProgramInterface/CollaborationTab.htm", "name": "Registerkarte Zusammenarbeit" }, + {"src": "ProgramInterface/TransitionsTab.htm", "name": "Registerkarte Übergänge" }, + {"src": "ProgramInterface/AnimationTab.htm", "name": "Registerkarte Animation" }, + {"src": "ProgramInterface/CollaborationTab.htm", "name": "Registerkarte Zusammenarbeit" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Registerkarte Ansicht"}, { "src": "ProgramInterface/PluginsTab.htm", "name": "Registerkarte Plugins" }, { "src": "UsageInstructions/OpenCreateNew.htm", "name": "Eine neue Präsentation erstellen oder eine vorhandene öffnen", "headername": "Grundfunktionen" }, { "src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Daten kopieren/einfügen, Aktionen rückgängig machen/wiederholen" }, @@ -20,12 +23,17 @@ { "src": "UsageInstructions/InsertImages.htm", "name": "Bilder einfügen und anpassen" }, { "src": "UsageInstructions/InsertCharts.htm", "name": "Diagramme einfügen und bearbeiten" }, { "src": "UsageInstructions/InsertTables.htm", "name": "Tabellen einfügen und formatieren" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Unterstützung von SmartArt" }, + {"src": "UsageInstructions/AddingAnimations.htm", "name": "Animationen hinzufügen" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Symbole und Sonderzeichen einfügen" }, { "src": "UsageInstructions/FillObjectsSelectColor.htm", "name": "Objekte ausfüllen und Farben auswählen" }, { "src": "UsageInstructions/ManipulateObjects.htm", "name": "Objekte formatieren" }, { "src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Objekte auf einer Folie anordnen und ausrichten" }, { "src": "UsageInstructions/InsertEquation.htm", "name": "Formeln einfügen", "headername": "Mathematische Formeln" }, - { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Präsentationen", "headername": "Co-Bearbeitung" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Präsentationen in Echtzeit", "headername": "Co-Bearbeitung" }, + { "src": "HelpfulHints/UsingChat.htm", "name": "Kommunikation in Echtzeit" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Präsentationen kommentieren" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Versionshistorie" }, { "src": "UsageInstructions/PhotoEditor.htm", "name": "Bild bearbeiten", "headername": "Plugins"}, { "src": "UsageInstructions/YouTube.htm", "name": "Video einfügen" }, { "src": "UsageInstructions/HighlightedCode.htm", "name": "Hervorgehobenen Code einfügen" }, diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm index ac256992b..33fdb9987 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm @@ -23,7 +23,8 @@
      • Hilfslinien - aktivieren/deaktivieren von Ausrichtungshilfslinien, die Ihnen dabei helfen, Objekte präzise auf der Seite zu positionieren.
      • Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten.
      • - Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen:
          + Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: +
          • Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden.
          • Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern
            geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen.
          @@ -33,18 +34,42 @@
          • Die Option Hell enthält Standardfarben - orange, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind.
          • Die Option Klassisch Hell enthält Standardfarben - orange, weiß und hellgrau.
          • -
          • Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind.
          • +
          • + Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. +

            Hinweis: Abgesehen von den verfügbaren Oberflächendesigns Hell, Klassisch Hell und Dunkel können ONLYOFFICE-Editoren jetzt mit Ihrem eigenen Farbdesign angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können.

            +
          - -
        • Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Sie können auch die Option An Folie anpassen oder An Breite anpassen auswählen.
        • +
        • Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Sie können auch die Option An Folie anpassen oder An Breite anpassen auswählen.
        • - Hinting - Auswahl der Schriftartdarstellung im Präsentationseditor:
            + Schriftglättung - Auswahl der Schriftartdarstellung im Präsentationseditor:
            • Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints.
            • Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints.
            • -
            • Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind.
            • +
            • Wählen Sie Einheitlich, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind.
            • +
            • + Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, es ohne Gründe zu wechseln. Es kann nur in manchen Fällen hilfreich sein, beispielsweise wenn der Google Chrome-Browser Probleme mit der aktivierten Hardwarebeschleunigung hat. +

              Der Präsentationseditor verfügt über zwei Cache-Modi:

              +
                +
              1. Im ersten Cache-Modus wird jeder Buchstabe als separates Bild gecachet.
              2. +
              3. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw.
              4. +
              +

              Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an:

              +
                +
              • Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus .
              • +
              • Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus .
              • +
              +
          • Maßeinheiten - geben Sie an, welche Einheiten auf den Linealen und in Eigenschaftenfenstern verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. zu messen. Sie können die Optionen Zentimeter, Punkt, oder Zoll wählen.
          • +
          • Ausschneiden, Kopieren und Einfügen wird verwendet, um die Schaltfläche Einfügeoptionen anzuzeigen, wenn Inhalt eingefügt wird. Aktivieren Sie das Kontrollkästchen, um diese Funktion zu aktivieren.
          • +
          • + Einstellungen von Makros wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. +
              +
            • Wählen Sie die Option Alle deaktivieren aus, um alle Makros in der Präsentation zu deaktivieren;
            • +
            • Benachrichtigung anzeigen, um Benachrichtigungen über Makros innerhalb der Präsentation zu erhalten;
            • +
            • Alle aktivieren, um alle Makros innerhalb der Präsentation automatisch auszuführen.
            • +
            +

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

          diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm index e4c1c9e71..baec79000 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Gemeinsame Bearbeitung von Präsentationen + Gemeinsame Bearbeitung von Präsentationen in Echtzeit @@ -10,74 +10,25 @@ -
          -
          - +
          +
          + +
          +

          Gemeinsame Bearbeitung von Präsentationen in Echtzeit

          +

          Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern.

          +

          Im Präsentationseditor können Sie in Echtzeit an Präsentationen mit zwei Modi zusammenarbeiten: Schnell oder Formal.

          +

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

          +

          Co-editing Mode menu

          +

          Die Anzahl der Benutzer, die in der aktuellen Präsentation arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - Number of users icon. Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen.

          +

          Modus "Schnell"

          +

          Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie eine Präsentation in diesem Modus gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. In diesem Modus werden die Aktionen und die Namen der Mitbearbeiter angezeigt. Wenn eine Präsentation in diesem Modus von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Objekte mit gestrichelten Linien in unterschiedlichen Farben gekennzeichnet. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der sie gerade bearbeitet.

          +

          Modus "Formal"

          +

          Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern Save icon klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen.

          +

          Wenn eine Präsentation von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Objekte (AutoFormen, Textobjekte, Tabellen, Bilder, Diagramme) mit gestrichelten Linien unterschiedlicher Farbe markiert. Das Objekt, das Sie bearbeiten, ist von der grün gestrichelten Linie umgeben. Rote gestrichelte Linien zeigen an, dass Objekte von anderen Benutzern bearbeitet werden.

          +

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

          +

          Anonym

          +

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

          +

          Anonym - Zusammenarbeit

          -

          Gemeinsame Bearbeitung von Präsentationen

          -

          Im Präsentationseditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Präsentation zu arbeiten. Diese Funktion umfasst:

          -
            -
          • gleichzeitiger Zugriff von mehreren Benutzern auf eine Präsentation
          • -
          • visuelle Markierung von Objekten, die aktuell von anderen Benutzern bearbeitet werden
          • -
          • Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick.
          • -
          • Chat zum Austauschen von Ideen zu bestimmten Abschnitten der Präsentation
          • -
          • Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).
          • -
          -
          -

          Verbindung mit der Online-Version herstellen

          -

          Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her.

          -
          -
          -

          Co-Bearbeitung

          -

          Im Präsentationseneditor stehen die folgenden Modelle für die Co-Bearbeitung zur Verfügung:

          -
            -
          • Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt.
          • -
          • Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern
            klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen.
          • -
          -

          Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol

          Co-Bearbeitung.

          -

          Menü Co-Bearbeitung

          -

          Wenn Sie eine Präsentation im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar.

          -

          Wenn eine Präsentation im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Objekte (AutoFormen, Textobjekte, Tabellen, Bilder und Diagramme) mit gestrichelten Linien in verschiedenen Farben markiert. Das Objekt, das Sie bearbeiten, ist von der grünen gestrichelten Linie umgeben. Rote gestrichelte Linien zeigen, dass die Objekte von anderen Benutzern bearbeitet werden. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der diese Passage aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben.

          -

          Die Anzahl der Benutzer, die in der aktuellen Präsentation arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben -

          . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält.

          -

          Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus:

          über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Kommentieren der Präsentation erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol
          , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige des Dokuments beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol
          Teilen.

          -

          Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol

          speichert, sehen die anderen Benutzer in der Statusleiste eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf
          . Die Updates werden hervorgehoben, damit Sie nachvollziehen können, was genau geändert wurde.

          -

          Anonym

          -

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

          -

          Anonym - Zusammenarbeit

          -

          Chat

          -

          Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Absatz Sie jetzt bearbeiten usw.

          -

          Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Präsentation zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden.

          -

          Chat nutzen und Nachrichten für andere Benutzer erstellen:

          -
            -
          1. Klicken Sie im linken Seitenbereich auf das Symbol
            oder
            wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche
            Chat.
          2. -
          3. Geben Sie Ihren Text in das entsprechende Feld unten ein.
          4. -
          5. Klicken Sie auf Senden.
          6. -
          -

          Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus -

          .

          -

          Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol

          oder klicken Sie in der oberen Symbolleiste erneut auf
          Chat.

          -
          -

          Kommentare

          -

          Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).

          -

          Einen Kommentar bezüglich eines bestimmten Objekts (Textbox, Form etc.) hinterlassen:

          -
            -
          1. Wählen Sie ein Objekt, das Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet.
          2. -
          3. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf
            Kommentare, oder
            klicken Sie mit der rechten Maustaste auf das gewünschten Objekt und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus.
          4. -
          5. Geben Sie den gewünschten Text ein.
          6. -
          7. Klicken Sie auf Kommentar hinzufügen/Hinzufügen.
          8. -
          -

          Das von Ihnen markierte Objekt wird mit dem Symbol

          markiert. Um den Kommentar einzusehen, klicken Sie einfach auf dieses Symbol.

          -

          Um einer bestimmten Folie einen Kommentar hinzuzufügen, wählen Sie die Folie aus und klicken Sie in der oberen Symbolleiste in der Registerkarte Einfügen oder Zusammenarbeit auf

          Kommentar. Der hinzugefügte Kommentar wird in der unteren linken Ecke der Folie angezeigt.

          -

          Um der gesamten Präsentation einen Kommentar hinzuzufügen, der sich nicht auf ein einzelnes Objekt oder eine einzelne Folie bezieht, klicken Sie in der linken Seitenleiste auf das Symbol

          , um das Kommentarfeld zu öffnen und klicken Sie anschließend auf Kommentar hinzufügen. Kommentare die sich auf die gesamte Präsentation beziehen weren im Kommentarfeld angezeigt. Auch Kommentare in Bezug auf Objekte und einzelne Folien sind hier verfügbar.

          -

          Alle Nutzer können nun auf hinzugefügte Kommentare antworten, Fragen stellen oder über durchgeführte Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar.

          -

          Hinzugefügte Kommentare verwalten:

          -
            -
          • bearbeiten - klicken Sie dazu auf
          • -
          • löschen - klicken Sie dazu auf
          • -
          • Diskussion schließen - klicken Sie dazu auf
            , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf
            ,
          • -
          • Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
          • -
          -

          Neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, werden erst sichtbar, wenn Sie in der in der linken oberen Ecke der oberen Symbolleiste auf

          klicken.

          -

          Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf

          .

          -
          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/Commenting.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..b0f448025 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Commenting.htm @@ -0,0 +1,75 @@ + + + + Präsentationen kommentieren + + + + + +
          +

          Präsentationen kommentieren

          +

          Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern.

          +

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

          +

          Kommentare hinterlassen und darauf antworten

          +

          Um einen Kommentar zu einem bestimmten Objekt (Textfeld, Form usw.) zu hinterlassen:

          +
            +
          1. Wählen Sie ein Objekt aus, bei dem Ihrer Meinung nach ein Fehler oder Problem vorliegt.
          2. +
          3. + Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit der oberen Symbolleiste und klicken Sie auf die Schaltfläche Comment icon Kommentar, oder
            + Klicken Sie mit der rechten Maustaste auf das ausgewählte Objekt und wählen Sie im Menü die Option Kommentar hinzufügen.
            +
          4. +
          5. Geben Sie den erforderlichen Text ein.
          6. +
          7. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen.
          8. +
          +

          Das von Ihnen kommentierte Objekt wird mit dem Symbol Commented object icon gekennzeichnet. Um den Kommentar anzuzeigen, klicken Sie einfach auf dieses Symbol.

          +

          Um einen Kommentar zu einer bestimmten Folie hinzuzufügen, wählen Sie die Folie aus und verwenden Sie die Schaltfläche Comment icon Kommentar auf der Registerkarte Einfügen oder Zusammenarbeit in der oberen Symbolleiste. Der hinzugefügte Kommentar wird in der oberen linken Ecke der Folie angezeigt.

          +

          Um einen Kommentar auf Präsentationsebene zu erstellen, der sich nicht auf ein bestimmtes Objekt oder eine bestimmte Folie bezieht, klicken Sie auf das Symbol Comments icon in der linken Seitenleiste, um das Bedienfield Kommentare zu öffnen, und verwenden Sie den Link Kommentar zum Dokument hinzufügen. Die Kommentare auf Präsentationsebene können im Bereich Kommentare angezeigt werden. Hier sind auch Kommentare zu Objekten und Folien verfügbar.

          +

          Jeder andere Benutzer kann auf den hinzugefügten Kommentar antworten, indem er Fragen stellt oder über seine Arbeit berichtet. Klicken Sie dazu auf den Link Antwort hinzufügen unterhalb des Kommentars, geben Sie Ihren Antworttext in das Eingabefeld ein und klicken Sie auf die Schaltfläche Antworten.

          +

          Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol Save icon in der linken oberen Ecke der oberen Symbolleiste geklickt haben.

          +

          Kommentare verwalten

          +

          Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten:

          +
            +
          • + Sortieren Sie die hinzugefügten Kommentare, indem Sie auf das Symbol Sort icon klicken: +
              +
            • nach Datum: Neueste zuerst oder Älteste zuerste.
            • +
            • nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A).
            • +
            • + nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. +

              Sort comments

              +
            • +
            +
          • +
          • Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Edit icon klicken.
          • +
          • Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Delete icon klicken.
          • +
          • Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol Resolve icon klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol Open again icon, um die Diskussion neu zu öffnen.
          • +
          • Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
          • +
          +

          Erwähnungen hinzufügen

          +

          Sie können Erwähnungen nur zu den Kommentaren zum Inhalt der Präsentation hinzufügen, nicht zur Präsentation selbst.

          +

          Bei der Eingabe von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie die Aufmerksamkeit von jemandem auf den Kommentar lenken und eine Benachrichtigung per E-Mail und Chat an den erwähnten Benutzer senden können.

          +

          Um eine Erwähnung hinzuzufügen:

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

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

          +

          Kommentare entfernen

          +

          Um Kommentare zu entfernen:

          +
            +
          1. Klicken Sie auf die Schaltfläche Remove comment icon Entfernen auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste.
          2. +
          3. + Wählen Sie die erforderliche Option aus dem Menü: +
              +
            • Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt.
            • +
            • Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt.
            • +
            • Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben.
            • +
            +
          4. +
          +

          Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol Comments icon.

          +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm index 0725874d5..25d9a0653 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm @@ -17,8 +17,22 @@

          Tastenkombinationen

          -

          Die Tastaturkombinationen werden für einen schnelleren und einfacheren Zugriff auf die Funktionen des Präsentationseditors über die Tastatur verwendet.

          -
            +

            Tastenkombinationen für Key-Tipps

            +

            Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen des Präsentationseditors ohne eine Maus zu verwenden.

            +
              +
            1. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten.
            2. +
            3. + Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. +

              Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen.

              +

              Primärtastentipps

              +

              Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte.

              +

              Sekundärtastentipps

              +

              Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht.

              +
            4. +
            5. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren.
            6. +
            +

            In der folgenden Liste finden Sie die gängigsten Tastenkombinationen:

            +
            • Windows/Linux
            • Mac OS
            @@ -28,8 +42,8 @@ Dateimenü öffnen - ALT+F - ⌥ Option+F + ALT+F + ⌥ Option+F Über das Dateimenü können Sie die aktuelle Präsentation speichern, drucken, herunterladen, Informationen einsehen, eine neue Präsentation erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. @@ -72,7 +86,7 @@ Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S,
            ⌘ Cmd+⇧ UMSCHALT+S - Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Präsentation in einem der unterstützten Dateiformate auf der Festplatte speichern: PPTX, PDF, ODP, POTX, PDF/A, OTP. + Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Präsentation in einem der unterstützten Dateiformate auf der Festplatte speichern: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Vollbild @@ -134,13 +148,13 @@ Vergrößern STRG++ - ^ STRG+=,
            ⌘ Cmd+= + ^ STRG+= Die Ansicht der aktuellen Präsentation vergrößern. Verkleinern STRG+- - ^ STRG+-,
            ⌘ Cmd+- + ^ STRG+- Die Ansicht der aktuellen Präsentation verkleinern. @@ -469,14 +483,14 @@ Tiefgestellt - STRG+⇧ UMSCHALT+> - ⌘ Cmd+⇧ UMSCHALT+> + STRG+⇧ UMSCHALT+> + ⌘ Cmd+⇧ UMSCHALT+> Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt - STRG+⇧ UMSCHALT+< - ⌘ Cmd+⇧ UMSCHALT+< + STRG+⇧ UMSCHALT+< + ⌘ Cmd+⇧ UMSCHALT+< Der gewählte Textabschnitt wird verkleinert und hochgestellt wie z. B. in Bruchzahlen. diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/Navigation.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Navigation.htm index 95ae8c280..5556993f6 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/Navigation.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Navigation.htm @@ -29,7 +29,8 @@

            Die rechte Seitenleiste ist standartmäßig minimiert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt/Folie aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Die Breite der linken Randleiste wurd durch Ziehen und Loslassen mit dem Mauszeiger angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in einen bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach links, um die Seitenleiste zu verkleinern und nach rechs um sie zu erweitern.

            Verwendung der Navigationswerkzeuge

            Mithilfe der folgenden Werkzeuge können Sie durch Ihre Präsentation navigieren:

            -

            Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern der aktuellen Präsentation. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern

            oder Verkleinern
            . Klicken Sie auf das Symbol Breite anpassen
            , um die Folienbreite der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen. Um die ganze Folie der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Folie anpassen
            . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen
            verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten.

            +

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

            Sie können einen Standard-Zoomwert festlegen. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen..., wählen Sie den gewünschten Zoom-Standardwert aus der Liste aus und klicken sie auf Übernehmen.

            Um während der Bearbeitung der Präsentation zur nächsten Folie zu wechseln oder zur vorherigen Folie zurückzukehren, können Sie über die Schaltflächen

            und
            oben und unten in der vertikalen Bildlaufleiste am rechten Folienrand für die Navigation verwenden.

            Die Folienzahlanzeige stellt die aktuelle Folie als Teil aller Folien in der aktuellen Präsentation dar (Folie „n“ von „nn“). Wenn Sie auf die Anzeige der Foliennummer klicken, öffnet sich ein Fenster und Sie können eine gewünschte Foliennummer angeben, um direkt auf diese Folie zu wechseln. Wenn Sie die Statusleiste ausgeblendet haben, ist dieser Schnellzugriff nicht zugänglich.

            diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/Password.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Password.htm index 24d555222..4c55b9703 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/Password.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/Password.htm @@ -24,7 +24,7 @@
          • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
          • wählen Sie die Option Schützen aus,
          • klicken Sie auf die Schaltfläche Kennwort hinzufügen,
          • -
          • geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
          • +
          • geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Klicken Sie auf Kennwortsymbol anzeigen, um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden.

          Kennwort erstellen

          diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 9bad92b05..8c74d8c4b 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -24,27 +24,27 @@ Bearbeitung Download - - PPT - Dateiformat, das in Microsoft PowerPoint verwendet wird - + - + - - + + PPT + Dateiformat, das in Microsoft PowerPoint verwendet wird + + + + + + PPTX Office Open XML Presentation
          Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + - - - POTX - PowerPoint Office Open XML Dokumenten-Vorlage
          Gezipptes, XML-basiertes, von Microsoft für Präsentationsvorlagen entwickeltes Dateiformat. Eine POTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. - + - + - + - + + + POTX + PowerPoint Office Open XML Dokumenten-Vorlage
          Gezipptes, XML-basiertes, von Microsoft für Präsentationsvorlagen entwickeltes Dateiformat. Eine POTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + + + + + ODP OpenDocument Presentation
          Dateiformat, das mit der Anwendung Impress erstellte Präsentationen darstellt; diese Anwendung ist ein Bestandteil des OpenOffice-Pakets @@ -52,13 +52,13 @@ + + - - OTP - OpenDocument-Präsentationsvorlage
          OpenDocument-Dateiformat für Präsentationsvorlagen. Eine OTP-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. - + - + - + - + + OTP + OpenDocument-Präsentationsvorlage
          OpenDocument-Dateiformat für Präsentationsvorlagen. Eine OTP-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + + + + + PDF Portable Document Format
          Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. @@ -66,13 +66,26 @@ + - - PDF/A - Portable Document Format / A
          Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. - - - + - + + PDF/A + Portable Document Format / A
          Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. + + + + + + PNG + Ein Akronym für Portable Network Graphics.
          PNG ist ein Dateiformat für Rastergrafiken, das eher im Web als für Fotografie und Grafik verwendet wird. + + + + + + + JPG + Ein Akronym für Joint Photographic Experts Group.
          Das am häufigsten verwendete komprimierte Bildformat zum Speichern und Übertragen von Bildern. + + + + + diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/UsingChat.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/UsingChat.htm index 820f45464..0158cf33f 100644 --- a/apps/presentationeditor/main/resources/help/de/HelpfulHints/UsingChat.htm +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/UsingChat.htm @@ -1,7 +1,7 @@  - Nutzung des Chat-Tools + Kommunikation in Echtzeit @@ -9,16 +9,18 @@
          -

          Nutzung des Chat-Tools

          -

          Der ONLYOFFICE Presentation Editor bietet Ihnen die Möglichkeit, mit den anderen Benutzern zu kommunizieren und Ideen betreffend die bestimmten Abschnitte der Präsentationen zu besprechen.

          -

          Um auf den Chat zuzugreifen und eine Nachricht für die anderen Benutzer zu hinterlassen, führen Sie die folgenden Schritte aus:

          +

          Kommunikation in Echtzeit

          +

          Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern.

          +

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

          +

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

            -
          1. Klicken Sie auf das Symbol
            auf der oberen Symbolleiste.
          2. -
          3. Geben Sie Ihren Text ins entsprechende Feld ein.
          4. -
          5. Klicken Sie auf den Button Senden.
          6. +
          7. Klicken Sie auf das Symbol Chat icon in der linken Symbolleiste.
          8. +
          9. Geben Sie Ihren Text in das entsprechende Feld unten ein.
          10. +
          11. Klicken Sie die Schaltfläche Senden.
          -

          Alle Nachrichten, die von den Benutzern hinterlassen wurden, werden auf der Leiste links angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, wird das Chat-Symbol so aussehen -

          .

          -

          Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie aufs Symbol

          noch einmal.

          +

          Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt der Präsentation zu diskutieren, verwenden Sie besser Kommentare, die bis zu ihrer Löschung gespeichert werden.

          +

          Alle von Benutzern hinterlassenen Nachrichten werden auf der linken Seite angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, sieht das Chat-Symbol so aus - Chat icon.

          +

          Um das Fenster mit Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol Chat icon.

          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/HelpfulHints/VersionHistory.htm b/apps/presentationeditor/main/resources/help/de/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..869854aa8 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/HelpfulHints/VersionHistory.htm @@ -0,0 +1,40 @@ + + + + Versionshistorie + + + + + + + +
          +
          + +
          +

          Versionshistorie

          +

          Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren.

          +

          Im Präsentationseditor können Sie den Versionsverlauf der Präsentation anzeigen, an der Sie mitarbeiten.

          +

          Versionshistorie anzeigen:

          +

          Um alle an der Präsentation vorgenommenen Änderungen anzuzeigen:

          +
            +
          • Gehen Sie zur Registerkarte Datei.
          • +
          • + Wählen Sie in der linken Seitenleiste die Option Versionshistorie aus +

            oder

            +
          • +
          • Gehen Sie zur Registerkarte Zusammenarbeit.
          • +
          • Öffnen Sie die Versionshistorie mithilfe des Symbols Version history Versionshistorie in der oberen Symbolleiste.
          • +
          +

          Sie sehen die Liste der Präsentationsversionen und -Revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Präsentationsversionen wird auch die Versionsnummer angegeben (z. B. ver. 2).

          +

          Versionen anzeigen:

          +

          Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird.

          +

          Um zur aktuellen Version der Präsentation zurückzukehren, verwenden Sie die Option Historie schließen oben in der Versionsliste.

          +

          Versionen wiederherstellen:

          +

          Wenn Sie zu einer der vorherigen Versionen der Präsentation zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision.

          +

          Restore

          +

          Um mehr über das Verwalten von Versionen und Zwischenrevisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel.

          +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/ProgramInterface/AnimationTab.htm b/apps/presentationeditor/main/resources/help/de/ProgramInterface/AnimationTab.htm new file mode 100644 index 000000000..48ae0884f --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/ProgramInterface/AnimationTab.htm @@ -0,0 +1,40 @@ + + + + Registerkarte Animation + + + + + + + +
          +
          + +
          +

          Registerkarte Animation

          +

          + Die Registerkarte Animation im Präsentationseditor ermöglicht Ihnen die Verwaltung von Animationseffekten. Sie können Animationseffekte hinzufügen, bestimmen, wie sich die Animationseffekte bewegen, und andere Parameter für Animationseffekte konfigurieren, um Ihre Präsentation anzupassen. +

          +
          +

          Dialogbox Online-Präsentationseditor:

          +

          Registerkarte Animation

          +
          +
          +

          Dialogbox Desktop-Präsentationseditor:

          +

          Registerkarte Animation

          +
          +

          Sie können:

          +
            +
          • Animationseffekte auswählen,
          • +
          • für jeden Animationseffekt die geeigneten Bewegungsparameter festlegen,
          • +
          • mehrere Animationen hinzufügen,
          • +
          • die Reihenfolge der Animationseffekte mit den Optionen Aufwärts schweben oder Abwärts schweben ändern,
          • +
          • Vorschau des Animationseffekts aktivieren,
          • +
          • die Timing-Optionen wie Dauer, Verzögern und Wiederholen für Animationseffekte festlegen,
          • +
          • die Option Zurückspulen aktivieren und deaktivieren.
          • +
          +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm index 8d7b40d1c..febd48652 100644 --- a/apps/presentationeditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm @@ -39,10 +39,10 @@
      • - Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Startseite, Einfügen, Zusammenarbeit, Schützen und Plugins. -

        Die Befehle

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

        + Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Startseite, Einfügen, Übergänge, Animation, Zusammenarbeit, Schützen und Plugins. +

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

      • -
      • In der Statusleiste am unteren Rand des Editorfensters finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie diverse Navigationswerkzeuge: z. B. Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert" usw.) und Sie haben die Möglichkeit, die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren.
      • +
      • In der Statusleiste am unteren Rand des Editorfensters finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie diverse Navigationswerkzeuge: z. B. Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert“, „Verbindung verloren“, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen usw.) und Sie haben die Möglichkeit, die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren.
      • Symbole in der linken Seitenleiste:
          diff --git a/apps/presentationeditor/main/resources/help/de/ProgramInterface/TransitionsTab.htm b/apps/presentationeditor/main/resources/help/de/ProgramInterface/TransitionsTab.htm new file mode 100644 index 000000000..6bcfcffa7 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/ProgramInterface/TransitionsTab.htm @@ -0,0 +1,37 @@ + + + + Registerkarte Übergänge + + + + + + + +
          +
          + +
          +

          Registerkarte Übergänge

          +

          Auf der Registerkarte Übergänge im Präsentationseditor können Sie Folienübergänge verwalten. Sie können Übergangseffekte hinzufügen, die Übergangsgeschwindigkeit einstellen und andere Folienübergangsparameter konfigurieren, um Ihre Präsentation anzupassen.

          +
          +

          Dialogbox Online-Präsentationseditor:

          +

          Registerkarte Übergänge

          +
          +
          +

          Dialogbox Desktop-Präsentationseditor:

          +

          Registerkarte Übergänge

          +
          +

          Sie können:

          + +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/ProgramInterface/ViewTab.htm b/apps/presentationeditor/main/resources/help/de/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..d435783c1 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/ProgramInterface/ViewTab.htm @@ -0,0 +1,44 @@ + + + + Registerkarte Ansicht + + + + + + + +
          +
          + +
          +

          Registerkarte Ansicht

          +

          + Auf der Registerkarte Ansicht im Präsentationseditor können Sie verwalten, wie Ihr Dokument aussieht, während Sie daran arbeiten. +

          +
          +

          Dialogbox Online-Präsentationseditor:

          +

          Registerkarte Ansicht

          +
          +
          +

          Dialogbox Desktop-Präsentationseditor:

          +

          Registerkarte Ansicht

          +
          +

          Auf dieser Registerkarte sind die folgenden Funktionen verfügbar:

          +
            +
          • Zoom ermöglicht das Vergrößern und Verkleinern Ihres Dokuments.
          • +
          • Folie anpassen ermöglicht es, die Größe der Folie so zu ändern, dass der Bildschirm die gesamte Folie anzeigt.
          • +
          • Breite anpassen ermöglicht es, die Folie so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird.
          • +
          • Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Hell, Klassisch Hell oder Dunkel.
          • +
          +

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

          +
            +
          • Notizen, um das Notizenfeld immer sichtbar zu machen.
          • +
          • Lineale, um Lineale immer sichtbar zu machen.
          • +
          • Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen.
          • +
          • Statusleiste, um die Statusleiste immer sichtbar zu machen.
          • +
          +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/AddingAnimations.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/AddingAnimations.htm new file mode 100644 index 000000000..d20c6d4d7 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/AddingAnimations.htm @@ -0,0 +1,89 @@ + + + + Animationen hinzufügen + + + + + + + +
          +
          + +
          +

          Animationen hinzufügen

          +

          Animation ist ein visueller Effekt, mit dem Sie Text, Objekte und Grafiken animieren können, um Ihre Präsentation dynamischer zu gestalten und wichtige Informationen hervorzuheben. Sie können die Bewegung, Farbe und Größe von Text, Objekten und Grafiken verwalten.

          +

          Animationseffekt anwenden

          +
            +
          1. Wechseln Sie in der oberen Symbolleiste zur Registerkarte Animation.
          2. +
          3. Wählen Sie einen Text, ein Objekt oder ein Grafikelement aus, um den Animationseffekt darauf anzuwenden.
          4. +
          5. Wählen Sie einen Animationseffekt aus der Animationsgalerie aus.
          6. +
          7. Wählen Sie die Bewegungsrichtung des Animationseffekts aus, indem Sie neben der Animationsgalerie auf Parameter klicken. Die Parameter in der Liste hängen vom angewendeten Effekt ab.
          8. +
          +

          Sie können Animationseffekte auf der aktuellen Folie in der Vorschau anzeigen. Standardmäßig werden Animationseffekte automatisch abgespielt, wenn Sie sie zu einer Folie hinzufügen, aber Sie können sie deaktivieren. Klicken Sie auf der Registerkarte Animation auf das Drop-Down-Menü Vorschau und wählen Sie einen Vorschaumodus aus:

          +
            +
          • Vorschau, um eine Vorschau anzuzeigen, wenn Sie auf die Schaltfläche Vorschau klicken.
          • +
          • AutoVorschau, um automatisch eine Vorschau anzuzeigen, wenn Sie einer Folie eine Animation hinzufügen.
          • +
          + +

          Typen von Animationen

          +

          Alle Animationseffekte sind in der Animationsgalerie aufgelistet. Klicken Sie auf den Drop-Down-Pfeil, um sie zu öffnen. Jeder Animationseffekt wird durch ein sternförmiges Symbol dargestellt. Die Animationen sind nach dem Zeitpunkt ihres Auftretens gruppiert:

          +

          Animationsgalerie

          +

          Eingangseffekte bestimmen, wie Objekte auf einer Folie erscheinen, und werden in der Galerie grün gefärbt.

          +

          Hervorhebungseffekte ändern die Größe oder Farbe des Objekts, um ein Objekt hervorzuheben und die Aufmerksamkeit des Publikums auf sich zu ziehen, und sind in der Galerie gelb oder zweifarbig gefärbt.

          +

          Ausgangseffekte bestimmen, wie Objekte von einer Folie verschwinden, und werden in der Galerie rot eingefärbt.

          +

          Animationspfad bestimmt die Bewegung eines Objekts und den Pfad, dem es folgt. Die Symbole in der Galerie stellen den vorgeschlagenen Pfad dar.

          +

          Scrollen Sie in der Animationsgalerie nach unten, um alle in der Galerie enthaltenen Effekte anzuzeigen. Wenn Sie die benötigte Animation nicht in der Galerie sehen, klicken Sie unten in der Galerie auf die Option Mehr Effekte anzeigen.

          +

          Mehr Effekte

          +

          Hier finden Sie die vollständige Liste der Animationseffekte. Effekte werden zusätzlich nach der visuellen Wirkung gruppiert, die sie auf das Publikum haben.

          +
            +
          • Die Eingangs-, Hervorhebungs- und Ausgangseffekte sind gruppiert: Grundlegende, Dezent, Mittelmäßig und Spektakulär.
          • +
          • Animationspfad-Effekte sind gruppiert: Grundlegende, Dezent und Mittelmäßig.
          • +
          + + +

          Anwenden mehrerer Animationen

          +

          Sie können demselben Objekt mehr als einen Animationseffekt hinzufügen. Um eine weitere Animation hinzuzufügen,

          +
            +
          1. Klicken Sie auf der Registerkarte Animation auf die Schaltfläche Animation hinzufügen.
          2. +
          3. Die Liste der Animationseffekte wird geöffnet. Wiederholen Sie die Schritte 3 und 4 oben, um eine Animation hinzuzufügen.
          4. +
          +

          Wenn Sie die Animationsgalerie und nicht die Schaltfläche Animation hinzufügen verwenden, wird der erste Animationseffekt durch einen neuen Effekt ersetzt. Ein kleines Quadrat neben dem Objekt zeigt die Sequenznummern der angewendeten Effekte.

          +

          Sobald Sie einem Objekt mehrere Effekte hinzufügen, erscheint das Symbol Mehrfach Animationen in der Animationsgalerie.

          +

          Mehrere Effekte

          +

          Ändern der Reihenfolge der Animationseffekte auf einer Folie

          +
            +
          1. Klicken Sie auf das Animationsquadrat.
          2. +
          3. Klicken Sie auf die Pfeile Aufwärts schweben oder Abwärts schweben auf der Registerkarte Animation, um die Reihenfolge der Darstellung von Objekten auf der Folie zu ändern.
          4. +
          +

          Reihenfolge der Animationen

          +

          Einstellen des Animationstimings

          +

          Verwenden Sie die Timing-Optionen auf der Registerkarte Animation, um die Optionen Start, Dauer, Verzögern, Wiederholen und Zurückspulen für Animationen auf einer Folie festzulegen.

          +

          Startoptionen für Animationen

          +
            +
          • Beim Klicken: Die Animation beginnt, wenn Sie auf die Folie klicken. Dies ist die Standardoption.
          • +
          • Mit vorheriger: Die Animation beginnt, wenn der vorherige Animationseffekt beginnt und die Effekte gleichzeitig erscheinen.
          • +
          • Nach vorheriger: Die Animation beginnt direkt nach dem vorherigen Animationseffekt.
          • +
          +

          Animationseffekte werden automatisch auf einer Folie nummeriert. Alle Animationen, die auf Mit vorheriger und Nach vorheriger eingestellt sind, nehmen die Nummer der Animation, mit der sie verbunden sind, da sie automatisch erscheinen.

          +

          Nummerierung von Animationen

          +

          Optionen für Animation-Trigger

          +

          Klicken Sie auf die Schaltfläche Trigger und wählen Sie eine der entsprechenden Optionen aus:

          +
            +
          • Bei Reihenfolge von Klicken: Jedes Mal, wenn Sie irgendwo auf die Folie klicken, wird die nächste Animation in Folge gestartet. Dies ist die Standardoption.
          • +
          • Beim Klicken auf: Um die Animation zu starten, wenn Sie auf das Objekt klicken, das Sie aus der Drop-Down-Liste auswählen.
          • +
          +

          Trigger Optionen

          +

          Andere Timing-Optionen

          +

          Timing-Optionen

          +

          Dauer: Verwenden Sie diese Option, um festzulegen, wie lange eine Animation angezeigt werden soll. Wählen Sie eine der verfügbaren Optionen aus dem Menü oder geben Sie den erforderlichen Zeitwert ein.

          +

          Animationsdauer

          +

          Verzögern: Verwenden Sie diese Option, wenn Sie möchten, dass die ausgewählte Animation innerhalb eines bestimmten Zeitraums angezeigt wird, oder wenn Sie eine Pause zwischen den Effekten benötigen. Verwenden Sie die Pfeile, um den erforderlichen Zeitwert auszuwählen, oder geben Sie den erforderlichen Wert in Sekunden ein.

          +

          Wiederholen: Verwenden Sie diese Option, wenn Sie eine Animation mehr als einmal anzeigen möchten. Klicken Sie auf das Feld Wiederholen und wählen Sie eine der verfügbaren Optionen aus oder geben Sie Ihren Wert ein.

          +

          Animation wiederholen

          +

          Zurückspulen: Aktivieren Sie dieses Kontrollkästchen, wenn Sie das Objekt in seinen ursprünglichen Zustand zurückspulen möchten, wenn die Animation endet.

          +
          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ApplyTransitions.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ApplyTransitions.htm index 0764680a6..016833523 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ApplyTransitions.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ApplyTransitions.htm @@ -11,30 +11,30 @@
          -
          - -
          +
          + +

          Übergänge hinzufügen

          -

          Ein Übergang ist ein Animationseffekt, beim Wechsel zwischen zwei Folien, während einer Bildschirmdemonstration. Im Präsentationseditor sie können den gleichen Übergang zu allen Folien hinzufügen oder verschiedene Übergänge auf jede einzelne Folie anwenden und die Eigenschaften der Übergänge anpassen.

          -

          Einen Übergang auf eine einzelne Folie oder auf mehrere gewählte Folien anwenden:

          -

          Registerkarte Folieneinstellungen

          -
            -
          1. Wählen Sie die gewünschte Folie aus (oder mehrere Folien in der Folienliste), der Sie einen Übergang hinzufügen möchten. Die Registerkarte Folieneinstellungen wird auf der rechten Seitenleiste aktiviert. Um sie zu öffnen, klicken Sie rechts auf das Symbol Folieneinstellungen
            . Alternativ können Sie eine Folie im Folienbearbeitungsbereich mit der rechten Maustaste anklicken und die Option Folieneinstellungen im Kontextmenü wählen.
          2. -
          3. Wählen Sie den gewünschten Übergang im Listenmenü Effekt.

            Die folgenden Übergänge sind verfügbar: Verblassen, Schieben, Wischen, Teilen, Aufdecken, Bedecken, Uhr, Zoom.

            +

            Ein Übergang ist ein Effekt, der angezeigt wird, wenn während der Präsentation eine Folie zur nächsten weitergeht. Im Präsentationseditor können Sie auf alle Folien denselben Übergang oder auf jede einzelne Folie unterschiedliche Übergänge anwenden und die Übergangsparameter anpassen.

            +

            Um einen Übergang auf eine einzelne Folie oder mehrere ausgewählte Folien anzuwenden:

            +
              +
            1. Wechseln Sie zur Registerkarte Übergänge in der oberen Symbolleiste.

              +

              Registerkarte Übergänge

            2. -
            3. Wählen Sie im Listenmenü eine der verfügbaren Effektoptionen aus. Durch diese Optionen wird festgelegt, wie genau der Effekt ausgeführt wird. Ist zum Beispiel, der Übergang „Zoom“ aktiviert, stehen die Optionen Hinein, Heraus und Zoomen und Drehen zur Verfügung.
            4. +
            5. Wählen Sie eine Folie (oder mehrere Folien in der Folienliste) aus, auf die Sie einen Übergang anwenden möchten.
            6. +
            7. Wählen Sie einen der verfügbaren Übergangseffekte auf der Registerkarte Übergänge aus: Kein(e), Einblendung, Schieben, Wischblende, Aufteilen, Aufdecken, Bedecken, Uhr, Vergrößern.
            8. +
            9. Klicken Sie auf die Schaltfläche Parameter, um eine der verfügbaren Effektoptionen auszuwählen, die genau definieren, wie der Effekt angezeigt wird. Die verfügbaren Optionen für den Vergrößern-Effekt sind beispielsweise Vergrößern, Verkleinern und Vergrößern und drehen.
            10. Geben Sie die Dauer des gewünschten Übergangs an. Wählen Sie im Feld Dauer die gewünschte Dauer aus oder geben Sie einen Wert in das dafür vorgesehene Feld ein (die Dauer wird in Sekunden gemessen).
            11. Klicken Sie auf die Schaltfläche Vorschau, um den ausgewählten Übergang im Folienbearbeitungsbereich abzuspielen.
            12. Geben Sie an, wie lange die Folie angezeigt werden soll, bis der Übergang in die nächste Folie erfolgt:
                -
              • Bei Klicken beginnen – aktivieren Sie dieses Kontrollkästchen, wenn Sie keine Beschränkung für die Anzeigedauer einer Folie wünschen. Der Wechseln in eine neue Folie erfolgt erst bei Mausklick
              • -
              • Verzögern – nutzen Sie diese Option, wenn die gewählte Folie für eine bestimmte Zeit angezeigt werden soll, bis der Übergang in eine andere Folie erfolgt. Aktivieren Sie dieses Kontrollkästchen und wählen Sie die Dauer in Sekunden aus oder geben Sie den Wert in das dafür vorgesehene Kästchen ein.

                Hinweis: wenn Sie nur das Kontrollkästchen Verzögern aktivieren, erfolgt der Übergang automatisch, in einem festgelegten Zeitintervall. Wenn Sie die Kontrollkästchen Bei Klicken beginnen und Verzögern gleichzeitig aktivieren und den Wert für die Dauer der Verzögerung festlegen, erfolgt der Übergang ebenfalls automatisch, sie haben zusätzlich jedoch auch die Möglichkeit, ein Slide mit der Maus anzuklicken, um den Übergang in die nächste Folie einzuleiten.

                -
              • -
              +
            13. Bei Klicken beginnen – aktivieren Sie dieses Kontrollkästchen, wenn Sie keine Beschränkung für die Anzeigedauer einer Folie wünschen. Der Wechseln in eine neue Folie erfolgt erst bei Mausklick
            14. +
            15. Verzögern – nutzen Sie diese Option, wenn die gewählte Folie für eine bestimmte Zeit angezeigt werden soll, bis der Übergang in eine andere Folie erfolgt. Aktivieren Sie dieses Kontrollkästchen und wählen Sie die Dauer in Sekunden aus oder geben Sie den Wert in das dafür vorgesehene Kästchen ein.

              Hinweis: wenn Sie nur das Kontrollkästchen Verzögern aktivieren, erfolgt der Übergang automatisch, in einem festgelegten Zeitintervall. Wenn Sie die Kontrollkästchen Bei Klicken beginnen und Verzögern gleichzeitig aktivieren und den Wert für die Dauer der Verzögerung festlegen, erfolgt der Übergang ebenfalls automatisch, sie haben zusätzlich jedoch auch die Möglichkeit, ein Slide mit der Maus anzuklicken, um den Übergang in die nächste Folie einzuleiten.

            16. +
      • -

        Um einen Übergang auf alle Folien anzuwenden, führen Sie zuvor beschriebenen Schritte aus und klicken Sie anschließend auf die Schaltfläche Auf alle Folien anwenden.

        -

        Einen Übergang löschen: Wechseln Sie in die gewünschte Folie und wählen Sie die Option Ohne in der Liste Effekt.

        -

        Alle Übergänge löschen:wählen Sie eine Folie, aktivieren Sie die Option Ohne in der Liste Effekt und klicken Sie anschließend auf die Schaltfläche Auf alle Folien anwenden.

        +

        Um einen Übergang auf alle Folien in Ihrer Präsentation anzuwenden, klicken Sie auf der Registerkarte Übergänge auf die Schaltfläche Auf alle Folien anwenden.

        +

        Um einen Übergang zu löschen, wählen Sie die erforderliche Folie aus und wählen Sie Kein(e) unter den Übergangseffektoptionen auf der Registerkarte Übergänge.

        +

        Um alle Übergänge zu löschen, wählen Sie eine beliebige Folie aus, wählen Sie Kein(e) unter den Übergangseffektoptionen und klicken Sie auf die Schaltfläche Auf alle Folien anwenden auf der Registerkarte Übergänge.

        diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm index 53181bd77..85d601525 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/CopyPasteUndoRedo.htm @@ -10,26 +10,27 @@ -
        -
        - -
        -

        Daten kopieren/einfügen, Aktionen rückgängig machen/wiederholen

        +
        +
        + +
        +

        Daten kopieren/einfügen, Aktionen rückgängig machen/wiederholen

        Zwischenablage verwenden

        -

        Um gewählte Objekte (Folien, Textabschnitte, AutoFormen) im Präsentationseditor auszuschneiden, zu kopieren, einzufügen oder Aktionen rückgängig zu machen bzw. zu wiederholen, nutzen Sie die Optionen aus dem Rechtsklickmenü oder die entsprechenden Tastenkombinationen oder die Symbole die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind:

        +

        Um gewählte Objekte (Folien, Textabschnitte, AutoFormen) im Präsentationseditor auszuschneiden, zu kopieren, einzufügen oder Aktionen rückgängig zu machen bzw. zu wiederholen, nutzen Sie die Optionen aus dem Rechtsklickmenü oder die entsprechenden Tastenkombinationen oder die Symbole die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind:

        • Ausschneiden - wählen Sie ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Präsentation wieder eingefügt werden.
        • -
        • Kopieren – wählen Sie ein Objekt aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren,
          um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden.
        • -
        • Einfügen – platzieren Sie den Cursor an der Stelle in Ihrer Präsentation, an der Sie das zuvor kopierte Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen
          . Das Objekt wird an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite.
        • -
        +
      • Kopieren – wählen Sie ein Objekt aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, Kopieren um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden.
      • +
      • Einfügen – platzieren Sie den Cursor an der Stelle in Ihrer Präsentation, an der Sie das zuvor kopierte Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen Einfügen. Das Objekt wird an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite.
      • +

      In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Präsentation oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden:

      -
        -
      • STRG+C - Kopieren;
      • -
      • STRG+V - Einfügen;
      • -
      • STRG+X - Ausschneiden;
      • -
      +
        +
      • STRG+C - Kopieren;
      • +
      • STRG+V - Einfügen;
      • +
      • STRG+X - Ausschneiden;
      • +

      Inhalte einfügen mit Optionen

      -

      Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage oder dem eingefügten Objekt das Menü Einfügeoptionen

      . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

      +

      Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar.

      +

      Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage oder dem eingefügten Objekt das Menü Einfügeoptionen Einfügen mit Sonderoptionen. Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

      Für das Einfügen von Textpassagen stehen folgende Auswahlmöglichkeiten zur Verfügung:

      • An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt.
      • @@ -43,15 +44,17 @@
      • An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt.
      • Bild - das Objekt wird als Bild eingefügt und kann nicht bearbeitet werden.
      +

      Um die automatische Anzeige der Schaltfläche Spezielles Einfügen nach dem Einfügen zu aktivieren/deaktivieren, gehen Sie zur Registerkarte Datei > Erweiterte Einstellungen... und aktivieren/deaktivieren Sie das Kontrollkästchen Ausschneiden, Kopieren und Einfügen.

      Vorgänge rückgängig machen/wiederholen

      Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile des Editors, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen:

        -
      • Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen
        , um den zuletzt durchgeführten Vorgang rückgängig zu machen.
      • -
      • Wiederholen – klicken Sie auf das Symbol Wiederholen
        , um den zuletzt rückgängig gemachten Vorgang zu wiederholen.

        Alternativ können Sie Vorgänge auch mit der Tastenkombination STRG+Z rückgängig machen bzw. mit STRG+Y wiederholen.

        +
      • Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen Rückgängig machen, um den zuletzt durchgeführten Vorgang rückgängig zu machen.
      • +
      • + Wiederholen – klicken Sie auf das Symbol Wiederholen Wiederholen, um den zuletzt rückgängig gemachten Vorgang zu wiederholen.

        Alternativ können Sie Vorgänge auch mit der Tastenkombination STRG+Z rückgängig machen bzw. mit STRG+Y wiederholen.

      Hinweis: Wenn Sie eine Präsentation im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar.

      - - + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/FillObjectsSelectColor.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/FillObjectsSelectColor.htm index 17fc90e0e..41736b428 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/FillObjectsSelectColor.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/FillObjectsSelectColor.htm @@ -3,7 +3,7 @@ Objekte ausfüllen und Farben auswählen - + @@ -11,88 +11,96 @@
      -
      - -
      +
      + +

      Objekte ausfüllen und Farben auswählen

      Im Präsentationseditor sie haben die Möglichkeit für Folien, AutoFormen und DekoSchriften verschiedene Füllfarben und Hintergründe zu verwenden.

        -
      1. Wählen Sie ein Objekt
          -
        • Um die Hintergrundfarbe einer Folie zu ändern, wählen Sie die gewünschte Folie in der Folienliste aus. Die Registerkarte
          Folieneinstellungen wird in der rechten Menüleiste aktiviert.
        • -
        • Um die Füllung einer AutoForm zu ändern, klicken Sie mit der linken Maustaste auf die gewünschte AutoForm. Die Registerkarte
          Folieneinstellungen wird in der rechten Menüleiste aktiviert.
        • -
        • Um die Füllung einer DekoSchrift zu ändern, klicken Sie mit der linken Maustaste auf das gewünschte Textfeld. Die Registerkarte
          Folieneinstellungen wird in der rechten Menüleiste aktiviert.
        • +
        • Wählen Sie ein Objekt +
            +
          • Um die Hintergrundfarbe einer Folie zu ändern, wählen Sie die gewünschte Folie in der Folienliste aus. Die Registerkarte Folieneinstellungen Folieneinstellungen wird in der rechten Menüleiste aktiviert.
          • +
          • Um die Füllung einer AutoForm zu ändern, klicken Sie mit der linken Maustaste auf die gewünschte AutoForm. Die Registerkarte Formeinstellungen Folieneinstellungen wird in der rechten Menüleiste aktiviert.
          • +
          • Um die Füllung einer DekoSchrift zu ändern, klicken Sie mit der linken Maustaste auf das gewünschte Textfeld. Die Registerkarte TextArt-Einstellungen Folieneinstellungen wird in der rechten Menüleiste aktiviert.
        • -
        • Gewünschte Füllung festlegen
        • -
        • Passen Sie die Eigenschaften der gewählten Füllung an (eine detaillierte Beschreibung für jeden Füllungstyp finden Sie im weiteren Verlauf)

          Für AutoFormen und TextArt können Sie unabhängig vom gewählten Füllungstyp die gewünschte Transparenz festlegen, schieben Sie den Schieberegler in die gewünschte Position oder geben Sie manuelle den Prozentwert ein. Der Standardwert ist 100%. 100% entspricht dabei völliger Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz.

          -
        • -
      +
    • Gewünschte Füllung festlegen
    • +
    • Passen Sie die Eigenschaften der gewählten Füllung an (eine detaillierte Beschreibung für jeden Füllungstyp finden Sie weiter in dieser Anleitung). +

      Für AutoFormen und TextArt können Sie unabhängig vom gewählten Füllungstyp die gewünschte Transparenz festlegen, schieben Sie den Schieberegler in die gewünschte Position oder geben Sie manuelle den Prozentwert ein. Der Standardwert ist 100%. 100% entspricht dabei völliger Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz.

      +
    • +

      Die folgenden Füllungstypen sind verfügbar:

        -
      • Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Folie/Form ausfüllen möchten.

        Einfarbige Füllung

        +
      • Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Folie/Form ausfüllen möchten. +

        Einfarbige Füllung

        Klicken Sie auf das Farbfeld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbpaletten aus oder legen Sie eine beliebige Farbe fest:

        -

        Paletten

        -
          -
        • Designfarben - die Farben, die dem gewählten Farbschema der Präsentation entsprechen. Sobald Sie ein anderes Thema oder ein anderes Farbschema anwenden, ändert sich die Einstellung für die Designfarben.
        • +

          Paletten

          +
            +
          • Designfarben - die Farben, die dem gewählten Farbschema der Präsentation entsprechen. Sobald Sie ein anderes Thema oder ein anderes Farbschema anwenden, ändert sich die Einstellung für die Designfarben.
          • Standardfarben - die festgelegten Standardfarben.
          • -
          • Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen.

            Palette - Benutzerdefinierte Farbe

            -

            Die benutzerdefinierte Farbe wird auf das Objekt angewandt und in die Palette Benutzerdefinierte Farbe hinzugefügt.

            -
          • -
          -

          Es sind die gleichen Farbtypen, die Ihnen bei der Auswahl der Strichfarbe für AutoFormen, Schriftfarbe oder bei der Farbänderung des Tabellenhintergrunds und -rahmens zur Verfügung stehen.

          +
        • Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. +

          Palette - Benutzerdefinierte Farbe

          +

          Die benutzerdefinierte Farbe wird auf das Objekt angewandt und in die Palette Benutzerdefinierte Farbe hinzugefügt.

          +
        • +
        +

        Es sind die gleichen Farbtypen, die Ihnen bei der Auswahl der Strichfarbe für AutoFormen, Schriftfarbe oder bei der Farbänderung des Tabellenhintergrunds und -rahmens zur Verfügung stehen.

      -
      +
        -
      • Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit zwei Farben zu füllen, die sanft ineinander übergehen.

        Füllung mit Farbverlauf

        -
          -
        • Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten).
        • -
        • Richtung - wählen Sie eine Vorlage aus dem Menü. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung.
        • -
        • Winkel - stellen Sie den numerischen Wert für einen genauen Farbübergangswinkel ein.
        • -
        • Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. -
            -
          • Verwenden Sie die Schaltfläche
            Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche
            Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen.
          • -
          • Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten.
          • -
          • Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen.
          • -
          -
        • -
        -
      • -
      -
      -
        -
      • - Bild- oder Texturfüllung - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Hintergrund für eine Form/Folie zu benutzen.

        Bild- oder Texturfüllung

        -
          -
        • Wenn Sie ein Bild als Hintergrund für eine Form/Folie verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie die entsprechende Webadresse in das geöffnete Fenster ein.
        • -
        • - Wenn Sie eine Textur als Hintergrund für eine Form bzw. Folie verwenden möchten, öffnen Sie die Liste Aus Textur und wählen Sie die gewünschte Texturvoreinstellung.

          Aktuell stehen die folgenden Texturen zur Verfügung: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood.

          -
        • -
        -
          -
        • - Wenn das gewählte Bild kleiner oder größer als die AutoForm oder Folie ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen.

          Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es die Folie oder AutoForm vollständig ausfüllen kann.

          -

          Die Option Kacheln ermöglicht Ihnen nur einen Teil des größeren Bildes zu verwenden und die Originalgröße für diesen Teil beizubehalten oder ein kleineres Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der Folie oder AutoForm auszufüllen.

          -

          Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden.

          -
        • -
        -
      • -
      -
      -
        -
      • - Muster - wählen Sie diese Option, um die Form/Folie mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht.

        Füllungsmuster

        -
          -
        • Muster - wählen Sie eine der Designvorgaben aus dem Menü aus.
        • -
        • Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern.
        • -
        • Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Hintergrundmusters zu ändern.
        • -
        -
      • -
      -
      -
        -
      • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
      • -
      -
      +
    • + Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit zwei Farben zu füllen, die sanft ineinander übergehen. +

      Füllung mit Farbverlauf

      +
        +
      • Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten).
      • +
      • Richtung - das Richtungsvorschaufenster zeigt die ausgewählte Verlaufsfarbe an. Klicken Sie auf den Pfeil, um eine Vorlage aus dem Menü auszuwählen. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung.
      • +
      • Winkel - stellen Sie den numerischen Wert für einen genauen Farbübergangswinkel ein.
      • +
      • Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. +
          +
        • Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen.
        • +
        • Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten.
        • +
        • Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen.
        • +
        +
      • +
      +
    • +
    +
    +
      +
    • Bild- oder Texturfüllung - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Hintergrund für eine Form/Folie zu benutzen. +

      Bild- oder Texturfüllung

      +
        +
      • + Wenn Sie ein Bild als Hintergrund für eine Form/Folie verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie die entsprechende Webadresse in das geöffnete Fenster ein. +
      • +
      • Wenn Sie eine Textur als Hintergrund für eine Form bzw. Folie verwenden möchten, öffnen Sie die Liste Aus Textur und wählen Sie die gewünschte Texturvoreinstellung. +

        Aktuell stehen die folgenden Texturen zur Verfügung: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood.

        +
      • +
      +
        +
      • Wenn das gewählte Bild kleiner oder größer als die AutoForm oder Folie ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen. +

        Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es die Folie oder AutoForm vollständig ausfüllen kann.

        +

        Die Option Kacheln ermöglicht Ihnen nur einen Teil des größeren Bildes zu verwenden und die Originalgröße für diesen Teil beizubehalten oder ein kleineres Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der Folie oder AutoForm auszufüllen.

        +

        Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden.

        +
      • +
      +
    • +
    +
    +
      +
    • Muster - wählen Sie diese Option, um die Form/Folie mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht. +

      Füllungsmuster

      +
        +
      • Muster - wählen Sie eine der Designvorgaben aus dem Menü aus.
      • +
      • Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern.
      • +
      • Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Hintergrundmusters zu ändern.
      • +
      +
    • +
    +
    +
      +
    • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
    • +
    + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm index e766e20a0..dd691bbf6 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm @@ -11,108 +11,130 @@
    -
    - -
    +
    + +

    AutoFormen einfügen und formatieren

    -

    AutoForm einfügen

    -

    Eine AutoForm in eine Folie einfügen im Präsentationseditor:

    +

    AutoForm einfügen

    +

    Um eine AutoForm in eine Folie im Präsentationseditor einzufügen:

    1. Wählen Sie in der Folienliste links die Folie aus, der Sie eine AutoForm hinzufügen wollen.
    2. -
    3. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf
      Form.
    4. -
    5. Wählen Sie eine der verfügbaren Gruppen von AutoFormen: Standardformen, geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Buttons, Rechtecke, Linien.
    6. -
    7. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm.
    8. -
    9. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form hinzufügen möchten.

      Hinweis: Sie können klicken und ziehen, um die Form auszudehnen.

      +
    10. + Klicken Sie auf das Symbol Form Form auf der Registerkarte Startseite oder klicken Sie auf die FormengalerieFormengalerie auf der Registerkarte Einfügen in der oberen Symbolleiste.
    11. -
    12. Sobald die AutoForm hinzugefügt wurde, können Sie Größe, Position und Eigenschaften ändern.

      Hinweis: Um eine Bildunterschrift innerhalb der AutoForm hinzuzufügen, wählen Sie die Form auf der Folie aus und geben Sie den Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht).

      +
    13. Wählen Sie eine der verfügbaren Gruppen von AutoFormen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Schaltflächen, Rechtecke, Linien.
    14. +
    15. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm.
    16. +
    17. + Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form hinzufügen möchten. +

      Sie können klicken und ziehen, um die Form auszudehnen.

      +
    18. +
    19. + Sobald die AutoForm hinzugefügt wurde, können Sie Größe, Position und Eigenschaften ändern. +

      Um eine Bildunterschrift innerhalb der AutoForm hinzuzufügen, wählen Sie die Form auf der Folie aus und geben Sie den Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht).

    +

    Es ist auch möglich, einem Folienlayout eine AutoForm hinzuzufügen. Weitere Informationen finden Sie in dieser Artikel.


    -

    Einstellungen der AutoForm anpassen

    -

    Einige Eigenschaften der AutoFormen können in der Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Klicken Sie dazu auf die AutoForm und wählen Sie das Symbol Formeinstellungen

    in der rechten Seitenleiste aus. Hier können die folgenden Eigenschaften geändert werden:

    -

    Registerkarte Formeinstellungen

    -
      -
    • Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung:
        -
      • Farbfüllung - um die homogene Farbe zu bestimmen, mit der Sie die gewählte Form füllen wollen.
      • -
      • Füllung mit Farbverlauf - um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen.
      • -
      • Bild oder Textur - um ein Bild oder eine vorgegebene Textur als Hintergrund der Form zu nutzen.
      • -
      • Muster - um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht.
      • -
      • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
      • -
      -

      Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen.

      -
    • -
    • Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern.
        -
      • Um die Breite zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Göße aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen.
      • -
      • Um die Konturfarbe zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Sie können die gewählte Designfarbe, eine Standardfarbe oder eine benutzerdefinierte Farbe auswählen.
      • -
      • Um den Stil der Kontur zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern).
      • -
      -
    • -
    • Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen:
        -
      • um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen
      • -
      • um die Form um 90 Grad im Uhrzeigersinn zu drehen
      • -
      • um die Form horizontal zu spiegeln (von links nach rechts)
      • -
      • um die Form vertikal zu spiegeln (von oben nach unten)
      • -
      -
    • +

      Einstellungen der AutoForm anpassen

      +

      Einige Eigenschaften der AutoFormen können in der Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Klicken Sie dazu auf die AutoForm und wählen Sie das Symbol Formeinstellungen Formeinstellungen in der rechten Seitenleiste aus. Hier können die folgenden Eigenschaften geändert werden:

      +

      Registerkarte Formeinstellungen

      +
        +
      • Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung: +
          +
        • Farbfüllung - um die homogene Farbe zu bestimmen, mit der Sie die gewählte Form füllen wollen.
        • +
        • Füllung mit Farbverlauf - um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen.
        • +
        • Bild oder Textur - um ein Bild oder eine vorgegebene Textur als Hintergrund der Form zu nutzen.
        • +
        • Muster - um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht.
        • +
        • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
        • +
        +

        Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen.

        +
      • +
      • Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern. +
          +
        • Um die Breite der Striche zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Größe aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen.
        • +
        • Um die Farbe der Striche zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Sie können die gewählte Designfarbe, eine Standardfarbe oder eine benutzerdefinierte Farbe auswählen.
        • +
        • Um den Typ der Striche zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Drop-Down-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern).
        • +
        +
      • +
      • + Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: +
          +
        • Gegen den Uhrzeigersinn drehen um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen
        • +
        • Im Uhrzeigersinn drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen
        • +
        • Horizontal spiegeln um die Form horizontal zu spiegeln (von links nach rechts)
        • +
        • Vertikal spiegeln um die Form vertikal zu spiegeln (von oben nach unten)
        • +
        +
      • +
      • AutoForm ändern - verwenden Sie diesen Abschnitt, um die aktuelle AutoForm durch eine andere Form aus der Drop-Down-Liste zu ersetzen.
      • +
      • Schatten anzeigen - aktivieren Sie diese Option, um die Form mit Schatten anzuzeigen.

      Um die erweiterte Einstellungen der AutoForm zu ändern, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie die Option Form - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Formeigenschaften wird geöffnet:

      -

      Formeigenschaften - Registerkarte Größe

      -

      Über die Registerkarte Größe können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren

      aktivieren (in diesem Fall sieht das Symbol so aus
      ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Deitenverhältnis der AutoForm wird beibehalten.

      -

      Form - Erweiterte Einstellungen

      -

      Die Registerkarte Drehen umfasst die folgenden Parameter:

      -
        -
      • Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein.
      • -
      • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten).
      • -
      -

      Formeigenschaften - Registerkarte Stärken & Pfeile

      +

      Formeigenschaften - Registerkarte Größe

      +

      Über die Registerkarte Größe können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus Symbol Seitenverhältnis sperren aktiviert), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Deitenverhältnis der AutoForm wird beibehalten.

      +

      Form - Erweiterte Einstellungen

      +

      Die Registerkarte Drehen umfasst die folgenden Parameter:

      +
        +
      • Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein.
      • +
      • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten).
      • +
      +

      Formeigenschaften - Registerkarte Stärken & Pfeile

      Die Registerkarte Stärken & Pfeile enthält folgende Parameter:

        -
      • Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen:
          -
        • Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.:
            -
          • Flach - für flache Endpunkte.
          • -
          • Rund - für runde Endpunkte.
          • -
          • Quadratisch - quadratisches Linienende.
          • -
          -
        • -
        • Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden:
            -
          • Rund - die Ecke wird abgerundet.
          • -
          • Schräge Kante - die Ecke wird schräg abgeschnitten.
          • -
          • Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln.
          • -
          -

          Hinweis: Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden.

          -
        • -
        +
      • + Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen:
          +
        • + Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.:
            +
          • Flach - für flache Endpunkte.
          • +
          • Rund - für runde Endpunkte.
          • +
          • Quadratisch - quadratisches Linienende.
          • +
          +
        • +
        • + Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden:
            +
          • Rund - die Ecke wird abgerundet.
          • +
          • Schräge Kante - die Ecke wird schräg abgeschnitten.
          • +
          • Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln.
          • +
          +

          Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden.

          +
        • +
      • Pfeile - diese Option ist verfügbar, wenn eine Form aus der Gruppe Linien ausgewählt ist. Dadurch können Sie die Form von Startpfeil und Endpfeil festlegen und die jeweilige Größe bestimmen. Wählen Sie dazu einfach die gewünschte Option aus der Liste aus.
      -

      Formeigenschaften - Registerkarte Ränder

      +

      Formeigenschaften - Registerkarte Ränder

      Über die Registerkarte Textränder können Sie die oberen, unteren, linken und rechten inneren Ränder der AutoForm ändern (also den Abstand zwischen dem Text innerhalb der Form und dem Rahmen der AutoForm).

      -

      Hinweis: diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet.

      -

      Formeigenschaften - Spalten

      -

      Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über.

      -

      Formeigenschaften - Alternativtext

      -

      Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind.

      -
      +

      Diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet.

      +

      Formeigenschaften - Spalten

      +

      Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über.

      +

      Formeigenschaften - Alternativtext

      +

      Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind.

      +

      Um die hinzugefügte AutoForm zu ersetzen, klicken Sie diese mit der linken Maustaste an, wechseln Sie in die Registerkarte Formeinstellungen in der rechten Seitenleiste und wählen Sie unter AutoForm ändern in der Liste die gewünschte Form aus.

      Um die hinzugefügte AutoForm zu löschen, klicken Sie dieses mit der linken Maustaste an und drücken Sie die Taste Entfernen auf Ihrer Tastatur.

      Um mehr über die Ausrichtung einer AuftoForm auf einer Folie zu erfahren oder mehrere AutoFormen anzuordnen, lesen Sie den Abschnitt Objekte auf einer Folie ausrichten und anordnen.

      -
      -

      AutoFormen mithilfe von Verbindungen anbinden

      -

      Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt:

      -
        -
      1. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf
        Form.
      2. -
      3. Wählen Sie die Gruppe Linien im Menü aus.

        Formen - Linien

        -
      4. -
      5. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand).
      6. -
      7. Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte
        , die auf dem Umriss der Form zu sehen sind.

        -
      8. -
      9. Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form.

        -
      10. -
      -

      Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen.

      -

      -

      Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden.

      +
      +

      AutoFormen mithilfe von Verbindungen anbinden

      +

      Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt:

      +
        +
      1. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf Form Form.
      2. +
      3. + Wählen Sie die Gruppe Linien im Menü aus. +

        Formen - Linien

        +
      4. +
      5. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand).
      6. +
      7. + Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte Verbindungspunkt, die auf dem Umriss der Form zu sehen sind. +

        Verbindungen setzen

        +
      8. +
      9. + Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form. +

        Verbindungen setzen

        +
      10. +
      +

      Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen.

      +

      Verbundene AutoFormen verschieben

      +

      Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden.

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertCharts.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertCharts.htm index 021c9ccc8..7974e4786 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertCharts.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertCharts.htm @@ -81,6 +81,7 @@ Punkte (XY)
    • Punkte
    • +
    • Gestapelte Balken
    • Punkte mit interpolierten Linien und Datenpunkten
    • Punkte mit interpolierten Linien
    • Punkte mit geraden Linien und Datenpunkten
    • @@ -97,6 +98,7 @@
    +

    ONLYOFFICE Präsentationseditor unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern.

  • Wenn Sie Ihre Auswahl getroffen haben, öffnet sich das Fenster Diagramm bearbeiten und Sie können die gewünschten Daten mithilfe der folgenden Steuerelemente in die Zellen eingeben:
      @@ -163,14 +165,16 @@

      Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern.

      • - Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus:
          + Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: +
          • Keine - es wird keine Diagrammbezeichnung angezeigt.
          • Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt.
          • Keine Überlagerung - der Titel wird über dem Diagramm angezeigt.
        • - Wählen Sie die gewünschte Position der Legende aus der Menüliste aus:
            + Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: +
            • Keine - es wird keine Legende angezeigt
            • Unten - die Legende wird unterhalb des Diagramms angezeigt
            • Oben - die Legende wird oberhalb des Diagramms angezeigt
            • @@ -181,9 +185,11 @@
          • - Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten):
              + Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten):
              +
              • - Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp.
                  + Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. +
                  • Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich.
                  • Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten.
                  • Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich.
                  • @@ -256,8 +262,11 @@
                -

                Diagramm - Erweiterte Einstellungen - Fenster

                +

                + Diagramm - Erweiterte Einstellungen - Fenster +

                Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar.

                +

                Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms.

                Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten.

                Diagramm - Erweiterte Einstellungen - Fenster

                Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen.

                @@ -319,10 +328,10 @@

                Diagramm - Erweiterte Einstellungen

                Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält.

              • -
              • - Wenn das Diagramm eingefügt ist, können Sie die Größe und Position ändern. -

                Sie können die Position des Diagramm auf der Folie angeben, indem Sie das Diagram vertikal oder horizontal ziehen.

                -
              • +
              • + Wenn das Diagramm eingefügt ist, können Sie die Größe und Position ändern. +

                Sie können die Position des Diagramm auf der Folie angeben, indem Sie das Diagram vertikal oder horizontal ziehen.

                +
              • Sie können einem Textplatzhalter auch ein Diagramm hinzufügen, indem Sie auf das Symbol

                Diagramm innen drücken und den gewünschten Diagrammtyp auswählen:

                Einem Textplatzhalter ein Diagramm hinzufügen

                @@ -330,9 +339,19 @@

                Diagrammelemente bearbeiten

                Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein.

                -

                Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten.

                +

                Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Startseite und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten.

                +

                Wenn das Diagramm ausgewählt ist, ist das Symbol Formeinstellungen Symbol für Formeinstellungen auch auf der rechten Seite verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Formeinstellungen anzupassen: Füllung, Strich und Textumbruch. Beachten Sie, dass Sie den Formtyp nicht ändern können.

                +

                + Mit der Registerkarte Formeinstellungen auf der rechten Seite können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Zeichnungsfläche, Datenreihe, Diagrammtitel, Legende usw. und wenden Sie verschiedene Füllungstypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken, und wählen Sie den bevorzugten Füllungstyp aus: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Geben Sie die Füllparameter an und stellen Sie bei Bedarf die Undurchsichtigkeit ein. + Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Einzelheiten zum Arbeiten mit Formfarben, Füllungen und Striche finden Sie auf dieser Seite. +

                +

                Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, sie ist jedoch für Diagrammelemente deaktiviert.

                +

                Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate Quadrat Symbol entlang des Umfangs von das Element.

                +

                Größe von Diagrammelementen ändern

                +

                Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf, vergewissern Sie sich, dass sich Ihr Cursor in Pfeil geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie die Element in die benötigte Position.

                +

                Diagrammelemente positionieren

                Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur.

                -

                Sie haben die Möglichkeit 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen.

                +

                Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen.

                3D-Diagramm


                Diagrammeinstellungen anpassen

                @@ -341,7 +360,7 @@

                Im Abschnitt Diagrammtyp ändern können Sie den gewählten Diagrammtyp und -stil über die entsprechende Auswahlliste ändern.

                Um den gewünschten Diagrammstil auszuwählen, verwenden Sie im Abschnitt Diagrammtyp ändern die zweite Auswahlliste.

                Über die Schaltfläche Daten ändern können Sie das Fenster Diagrammtools öffnen und die Daten ändern (wie oben beschrieben).

                -

                Hinweis: Wenn Sie einen Doppelklick auf einem in Ihrer Präsentation enthaltenen Diagramm ausführen, öffnet sich das Fenster „Diagrammtools“.

                +

                Wenn Sie einen Doppelklick auf einem in Ihrer Präsentation enthaltenen Diagramm ausführen, öffnet sich das Fenster „Diagrammtools“.

                Die Option Erweiterte Einstellungen anzeigen in der rechten Seitenleiste ermöglicht das Öffnen des Fensters Diagramm - Erweiterte Einstellungen, über das Sie den alternativen Text festlegen können:

                Diagramme - Erweiterte Einstellungen

                Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol Formeinstellungen

                verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Füllung und Linienstärke der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können.

                diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertEquation.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertEquation.htm index c1256d93b..6533f2460 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertEquation.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertEquation.htm @@ -10,45 +10,56 @@ -
                -
                - -
                -

                Formeln einfügen

                +
                +
                + +
                +

                Formeln einfügen

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

                Eine neue Formel einfügen

                Eine Formel aus den Vorlagen einfügen:

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

                  Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt.

                  Wenn der Rahmen des Formelfelds nicht angezeigt wird, klicken Sie auf eine beliebige Stelle innerhalb der Formel - der Rahmen wird als gestrichelte Linie dargestellt. Das Formelfeld kann auf der Folie beliebig verschoben, in der Größe verändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird alsdurchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

                  Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie

                  Setzen Sie in alle Platzhalter die gewünschten Werte ein.

                  +
                +

                Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt.

                + Formel einfügen +

                Wenn der Rahmen des Formelfelds nicht angezeigt wird, klicken Sie auf eine beliebige Stelle innerhalb der Formel - der Rahmen wird als gestrichelte Linie dargestellt. Das Formelfeld kann auf der Folie beliebig verschoben, in der Größe verändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

                + Formel auswählen +

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

                Werte eingeben

                -

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

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

                  -
                • Geben Sie geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein.
                • -
                • Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü
                  Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus.
                • -
                • Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen.
                • -
                +

                Der Einfügepunkt gibt an, wo das nächste von Ihnen eingegebene Zeichen erscheinen wird. Um die Einfügemarke genau zu positionieren, klicken Sie in einen Platzhalter und bewegen Sie die Einfügemarke mit den Pfeiltasten der Tastatur, um ein Zeichen nach links/rechts zu bewegen.

                + Bearbeitete Formel +

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

                  +
                • Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein.
                • +
                • Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus (sehen Sie die Beschreibung der Option AutoKorrekturfunktionen).
                • +
                • Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen.
                • +

                Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen:

                  -
                • Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen.
                • -
                • Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus.
                • +
                • Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen.
                • +
                • Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen, klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus.
                • Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts.
                -

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

                +

                Derzeit können Gleichungen nicht im linearen Format eingegeben werden, d. h. \sqrt(4&x^3).

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

                -

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

                +

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

                Formeln formatieren

                -

                Standardmäßig wird die Formel innerhalb des Textfelds horizontal zentriert und vertikal am oberen Rand des Textfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Textfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der Registerkarte Start, auf der oberen Symbolleiste.

                -

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

                -

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

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

                -
                • Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab).
                • +

                  Standardmäßig wird die Formel innerhalb des Textfelds horizontal zentriert und vertikal am oberen Rand des Textfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Textfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der Registerkarte Startseite in der oberen Symbolleiste.

                  +

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

                  +

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

                  + Bearbeitete Formel +

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

                  +
                    +
                  • Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab).
                  • Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus.
                  • -
                  • Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus.
                  • +
                  • Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus.
                  • Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus.
                  • Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus.
                  • Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden.
                  • @@ -68,7 +79,9 @@

                    Formelelemente löschen

                    Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF.

                    Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden.

                    -

                    Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.

                    Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen:

                    +

                    Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.

                    + Formel löschen +

                    Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen:

                    • Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus.
                    • Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar.
                    • @@ -79,6 +92,12 @@
                    • Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab).
                    • Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen.
                    -
                +

                Gleichungen konvertieren

                +

                Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können.

                +

                Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt:

                +

                Gleichungen konvertieren

                +

                Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja.

                +

                Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten.

                +
                \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertImages.htm index ac3b1f2de..3d9e622ee 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertImages.htm @@ -10,31 +10,38 @@ -
                -
                - -
                -

                Bilder einfügen und anpassen

                +
                +
                + +
                +

                Bilder einfügen und anpassen

                Bild einfügen

                -

                Im Präsentationseditor können Sie Bilder in den gängigen Formaten in Ihre Präsentation einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                -

                Ein Bild in eine Folie einfügen:

                -
                  -
                1. Markieren Sie mit dem Cursor die Folie in der Folienliste links, in die Sie ein Bild einfügen möchten.
                2. -
                3. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf
                  Bild.
                4. -
                5. Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen:
                    -
                  • Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. -

                    Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen.

                  • -
                  • Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK.
                  • +

                    Im Präsentationseditor können Sie Bilder in den gängigen Formaten in Ihre Präsentation einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                    +

                    Um ein Bild in eine Folie einzufügen:

                    +
                      +
                    1. Markieren Sie mit dem Cursor die Folie in der Folienliste links, in die Sie ein Bild einfügen möchten.
                    2. +
                    3. Klicken Sie auf das Symbol Bild Symbol Bild auf der Registerkarte Startseite oder Einfügen in der oberen Symbolleiste,
                    4. +
                    5. + Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: +
                        +
                      • + Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. +

                        Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen.

                        +
                      • +
                      • Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK.
                      • Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK.
                      • -
                      -
                    6. -
                    7. Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern.
                    8. -
                    -
                    +
                  +
                6. +
                7. Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern.
                8. +
                +

                Sie können auch ein Bild in einen Textplatzhalter einfügen, indem Sie das Bild aus Datei Symbol Bild aus Datei darin klicken und das erforderliche Bild auswählen, das auf Ihrem PC gespeichert ist, oder verwenden Sie die Schaltfläche Bild aus URL Symbol Bild aus URL und geben Sie die URL-Adresse des Bildes:

                +

                Bild in einen Textplatzhalter einfügen

                +

                Es ist auch möglich, ein Bild zu einem Folienlayout hinzuzufügen. Weitere Informationen finden Sie in dieser Artikel.

                +

                Bildeinstellungen anpassen

                -

                Klicken Sie mit der linken Maustaste ein Bild an und wählen Sie rechts das Symbol Bildeinstellungen

                aus, um die rechte Seitenleiste zu aktivieren. Hier finden Sie die folgenden Abschnitte:

                Registerkarte Bildeinstellungen

                Größe - um Breite und Höhe des aktuellen Bildes einzusehen oder bei Bedarf die Standardgröße des Bildes wiederherzustellen.

                - -

                Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das

                Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

                +

                Klicken Sie mit der linken Maustaste ein Bild an und wählen Sie rechts das Symbol Bildeinstellungen Bildeinstellungen aus, um die rechte Seitenleiste zu aktivieren. Hier finden Sie die folgenden Abschnitte:

                Registerkarte Bildeinstellungen

                Größe - um Breite und Höhe des aktuellen Bildes einzusehen oder bei Bedarf die Standardgröße des Bildes wiederherzustellen.

                + +

                Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Pfeil Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

                • Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite.
                • Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken.
                • @@ -42,8 +49,9 @@
                • Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken.

                Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Taste Esc oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen.

                -

                Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Füllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                +

                Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Füllen und Anpassen verwenden, die im Drop-Down-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                  +
                • Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Ausfüllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild an die Form angepasst wird.
                • Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden.
                • Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen.
                @@ -55,16 +63,17 @@
              • um das Bild horizontal zu spiegeln (von links nach rechts)
              • um das Bild vertikal zu spiegeln (von oben nach unten)
              -

              Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen

              verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl.

              +

              Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen, d.h. den Linientyp, Größe und Farbe auswählen oder die Form ändern und im Menü AutoForm ändern eine neue Form auswählen. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl.

              +

              Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen.

              Registerkarte Formeinstellungen

              -
              -

              Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet:

              +
              +

              Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet:

              Bildeigenschaften

              -

              In der Registerkarte positionieren können Sie die folgenden Bildeigenschaften festlegen:

              -
                -
              • Größe - mit diesen Optionen können Sie die Breite bzw. Höhe des Bildes ändern. Wenn Sie die Funktion Seitenverhältnis sperren
                aktivieren (in diesem Fall sieht das Symbol so aus
                ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße.
              • -
              • Position - über diese Option können Sie die Position des Bildes auf der Folie ändern (die Position wird im Verhältnis zum oberen und linken Rand der Folie berechnet).
              • -
              +

              In der Registerkarte positionieren können Sie die folgenden Bildeigenschaften festlegen:

              +
                +
              • Größe - mit diesen Optionen können Sie die Breite bzw. Höhe des Bildes ändern. Wenn Sie die Funktion Seitenverhältnis sperren Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus Symbol Seitenverhältnis sperren aktiviert), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße.
              • +
              • Position - über diese Option können Sie die Position des Bildes auf der Folie ändern (die Position wird im Verhältnis zum oberen und linken Rand der Folie berechnet).
              • +

              Bildeigenschaften: Drehen

              Die Registerkarte Drehen umfasst die folgenden Parameter:

                @@ -72,10 +81,10 @@
              • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten).

              Bildeigenschaften

              -

              Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind.

              -
              -

              Um das eingefügte Bild zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur.

              -

              Informationen zum Ausrichten eines Bildes auf der Folie oder zum Anordnen mehrerer Bilder finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen.

              - +

              Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind.

              +
              +

              Um das eingefügte Bild zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur.

              +

              Informationen zum Ausrichten eines Bildes auf der Folie oder zum Anordnen mehrerer Bilder finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen.

              + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertText.htm index 85e4e5acb..f2109c79a 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/InsertText.htm @@ -3,7 +3,7 @@ Text einfügen und formatieren - + @@ -15,7 +15,7 @@

              Text einfügen und formatieren

              -

              Text einfügen

              +

              Text in der Präsentation einfügen

              Im Präsentationseditor für die Eingabe von neuem Text stehen Ihnen drei Möglichkeiten zur Auswahl:

              • Textabschnitt in den entsprechenden Textplatzhalter auf der Folie einfügen. Platzieren Sie dazu den Cursor im Platzhalter und geben Sie Ihren Text ein oder fügen Sie diesen mithilfe der Tastenkombination STRG+V ein.
              • @@ -32,7 +32,7 @@

                Der Text innerhalb des Textfelds ist Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text mit ihr verschoben oder gedreht).

                Da ein eingefügtes Textobjekt von einem rechteckigen Rahmen umgeben ist (TextArt-Objekte haben standardmäßig unsichtbare Rahmen) und dieser Rahmen eine allgemeine AutoForm ist, können Sie sowohl die Form als auch die Texteigenschaften ändern.

                Um das hinzugefügte Textobjekt zu löschen, klicken Sie auf den Rand des Textfelds und drücken Sie die Taste ENTF auf der Tastatur. Dadurch wird auch der Text im Textfeld gelöscht.

                -

                Textfeld formatieren

                +

                Textfeld formatieren

                Wählen Sie das entsprechende Textfeld durch Anklicken der Rahmenlinien aus, um die Eigenschaften zu verändern. Wenn das Textfeld markiert ist, werden alle Rahmenlinien als durchgezogene Linien (nicht gestrichelt) angezeigt.

                Markiertes Textfeld

                  @@ -41,10 +41,10 @@
                • Um ein Textfeld auf einer Folie auszurichten, zu drehen oder zu spiegeln oder Textfelder mit anderen Objekten zu verknüpfen, klicken Sie mit der rechten Maustaste auf den Feldrand und nutzen Sie die entsprechende Option im geöffneten Kontextmenü.
                • Um Textspalten in einem Textfeld zu erzeugen, klicken Sie auf das entsprechende Symbol
                  in der Symbolleiste für Textformatierung und wählen Sie die gewünschte Option aus, oder klicken Sie mit der rechten Maustaste auf den Feldrand, klicken Sie auf die Option Form - Erweiterte Einstellungen und wechseln Sie im Fenster Form - Erweiterte Einstellungen in die Registerkarte Spalten.
                -

                Text im Textfeld formatieren

                +

                Text im Textfeld formatieren

                Markieren Sie den Text im Textfeld, um die Eigenschaften zu verändern. Wenn der Text markiert ist, werden alle Rahmenlinien als gestrichelte Linien angezeigt.

                Markierter Text

                -

                Hinweis: Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden.

                +

                Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden.

                Text im Textfeld ausrichten

                Der Text kann auf vier Arten horizontal ausgerichtet werden: linksbündig, rechtsbündig, zentriert oder im Blocksatz. Textobjekt einfügen:

                  @@ -75,7 +75,7 @@

                  Schriftart, -größe und -farbe anpassen und DekoSchriften anwenden

                  In der Registerkarte Start können Sie über die Symbole in der oberen Symbolleiste Schriftart, -größe und -Farbe festelgen und verschiedene DekoSchriften anwenden.

                  -

                  Hinweis: Wenn Sie die Formatierung auf Text anwenden wollen, der bereits in der Präsentation vorhanden ist, wählen Sie diesen mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung fest. Sie können den Mauszeiger auch innerhalb des erforderlichen Wortes platzieren, um die Formatierung nur auf dieses Wort anzuwenden.

                  +

                  Wenn Sie die Formatierung auf Text anwenden wollen, der bereits in der Präsentation vorhanden ist, wählen Sie diesen mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung fest. Sie können den Mauszeiger auch innerhalb des erforderlichen Wortes platzieren, um die Formatierung nur auf dieses Wort anzuwenden.

                  @@ -160,7 +160,7 @@
                1. Mit der linken Einzugsmarke
                  lässt sich der Versatz des Absatzes vom linken inneren Seitenrand der Textbox festlegen.
                2. Die Marke Rechter Einzug
                  wird genutzt, um den Versatz des Absatzes vom rechten inneren Seitenrand der Textbox festzulegen.
                3. -

                  Hinweis: Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen

                  und deaktivieren Sie die Option Lineale ausblenden.

                  Absatzeigenschaften - Registerkarte Schriftart

                  Die Registerkarte Schriftart enthält folgende Parameter:

                  +

                  Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen Einstellungen anzeigen und deaktivieren Sie die Option Lineale ausblenden.

                  Absatzeigenschaften - Registerkarte Schriftart

                  Die Registerkarte Schriftart enthält folgende Parameter:

                  • Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie.
                  • Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie.
                  • @@ -184,13 +184,13 @@

                  Alternativ können Sie die Tabstopps auch mithilfe des horizontalen Lineals festlegen.

                    -
                  1. Klicken Sie zum Auswählen des gewünschten Tabstopps auf das Symbol
                    in der oberen linken Ecke des Arbeitsbereichs, um den gewünschten Tabstopp auszuwählen: Links
                    , Zentriert
                    oder Rechts
                    .
                  2. -
                  3. Klicken Sie an der unteren Kante des Lineals auf die Position, an der Sie einen Tabstopp setzen möchten. Ziehen Sie die Markierung nach links oder rechts, um die Position zu ändern. Um den hinzugefügten Tabstopp zu entfernen, ziehen Sie die Markierung aus dem Lineal.

                    -

                    Hinweis: Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen

                    und deaktivieren Sie die Option Lineale ausblenden.

                    +
                  4. Klicken Sie zum Auswählen des gewünschten Tabstopps auf das Symbol Linksbündiger Tabstopp in der oberen linken Ecke des Arbeitsbereichs, um den gewünschten Tabstopp auszuwählen: Links Linksbündiger Tabstopp, Zentriert Zentrierter Tabstopp oder Rechts Rechtsbündiger Tabstopp.
                  5. +
                  6. Klicken Sie an der unteren Kante des Lineals auf die Position, an der Sie einen Tabstopp setzen möchten. Ziehen Sie die Markierung nach links oder rechts, um die Position zu ändern. Um den hinzugefügten Tabstopp zu entfernen, ziehen Sie die Markierung aus dem Lineal.

                    Horizontales Lineal mit den hinzugefügten Tabstopps

                    +

                    Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen Einstellungen anzeigen und deaktivieren Sie die Option Lineale ausblenden.

                  -

                  TextArt-Stil bearbeiten

                  -

                  Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen

                  .

                  +

                  TextArt-Stil bearbeiten

                  +

                  Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen TextArt-Einstellungen.

                  Registerkarte TextArt-Einstellungen

                  • Ändern Sie den angewandten Textstil, indem Sie eine neue Vorlage aus der Galerie auswählen. Sie können den Grundstil außerdem ändern, indem Sie eine andere Schriftart, -größe usw. auswählen.
                  • diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManageSlides.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManageSlides.htm index 630ecd41d..c93b1bb8d 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManageSlides.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManageSlides.htm @@ -11,66 +11,68 @@
                    -
                    - -
                    +
                    + +

                    Folien verwalten

                    Standardmäßig besteht eine neu erstellte Präsentation aus einer leeren Titelfolie. Im Präsentationseditor sie haben nun die Möglichkeit neue Folien zu erstellen, eine Folie zu kopieren, um sie an anderer Stelle in der Folienliste einzufügen, Folien zu duplizieren, Folien mit dem Cursor in eine andere Position zu ziehen, um die Reihenfolge zu verändern, überflüssige Folien zu löschen, ausgewählte Folien auszublenden.

                    -

                    Erstellen einer neuen Folie mit Titel und Inhalt:

                    +

                    Um eine neue Folie mit Titel und Inhalt zu erstellen:

                    • Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf das Symbol
                      Folie hinzufügen oder
                    • klicken Sie mit der rechten Maustaste auf eine beliebige Folie und wählen Sie die Option Neue Folie im Kontextmenü aus oder
                    • -
                    • nutzen Sie die Tastenkombination STRG+V.
                    • +
                    • nutzen Sie die Tastenkombination STRG+M.
                    -

                    Erstellen einer neuen Folie mit einem anderen Layout:

                    -
                      -
                    1. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf den Pfeil neben dem Symbol
                      Folie hinzufügen.
                    2. -
                    3. Wählen Sie eine Folie mit dem gewünschten Layout im Menü aus.

                      Hinweis: Sie können das Layout der hinzugefügten Folie jederzeit ändern. Weitere Informationen finden Sie im Abschnitt Folienparameter festlegen.

                      -
                    4. -
                    -

                    Die neue Folie wird vor der aktuell mit dem Cursor markierten Folie eingefügt.

                    -

                    Eine Folie duplizieren:

                    +

                    Um eine neue Folie mit einem anderen Layout zu erstellen:

                      -
                    1. Klicken Sie in der Folienliste mit der rechten Maustaste auf die gewünschte Folie.
                    2. -
                    3. Wählen Sie die Option Folie duplizieren im Kontextmenü.
                    4. +
                    5. Klicken Sie in der oberen Symbolleiste auf den Registerkarten Startseite oder Einfügen auf den Pfeil neben dem Symbol Folie hinzufügen Folie hinzufügen.
                    6. +
                    7. + Wählen Sie eine Folie mit dem gewünschten Layout im Menü aus. +

                      Sie können das Layout der hinzugefügten Folie jederzeit ändern. Weitere Informationen finden Sie im Abschnitt Folienparameter festlegen.

                      +
                    8. +
                    +

                    Die neue Folie wird vor der aktuell mit dem Cursor markierten Folie eingefügt.

                    +

                    Um die Folien zu duplizieren:

                    +
                      +
                    1. Wählen Sie eine Folie oder mehrere Folien in der Liste der vorhandenen Folien auf der linken Seite aus.
                    2. +
                    3. Klicken Sie mit der rechten Maustaste und wählen Sie die Option Folie duplizieren aus dem Kontextmenü, oder gehen Sie zur Registerkarte Startseite oder Einfügen, klicken Sie auf die Folie hinzufügen und wählen Sie die Menüoption Folie duplizieren.

                    Die duplizierte Folie wird nach der gewählten Folie in die Folienliste eingefügt.

                    -

                    Eine Folie kopieren:

                    +

                    Um die Folien zu kopieren:

                      -
                    1. Wählen Sie die gewünschte Folie in der Folienliste aus.
                    2. +
                    3. Wählen Sie eine Folie oder mehrere Folien in der Folienliste aus.
                    4. Drücken Sie die Tasten STRG+C.
                    5. Wählen Sie die Folie in der Liste aus, hinter der Sie die kopierte Folie einfügen wollen.
                    6. Drücken Sie die Tasten STRG+V.
                    -

                    Eine vorhandene Folie verschieben:

                    +

                    Um die vorhandenen Folien zu verschieben:

                      -
                    1. Klicken Sie mit der linken Maustaste auf die entsprechende Folie.
                    2. +
                    3. Klicken Sie mit der linken Maustaste auf eine Folie oder mehrere Folien.
                    4. Ziehen Sie die Folie nun mit dem Mauszeiger an die gewünschte Stelle, ohne die Maustaste loszulassen (eine horizontale Linie zeigt eine neue Position an).
                    -

                    Eine überflüssige Folie löschen:

                    +

                    Um die Folien zu löschen:

                      -
                    1. Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf die überflüssige Folie.
                    2. +
                    3. Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf eine Folie oder mehrere Folien, die Sie löschen möchten.
                    4. Wählen Sie die Option Folie löschen im Kontextmenü.
                    -

                    Eine Folie ausblenden:

                    -
                      -
                    1. Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf die Folie, die Sie ausblenden möchten.
                    2. -
                    3. Wählen Sie die Option Folie ausblenden im Kontextmenü.
                    4. -
                    -

                    Die Foliennummer, die der entsprechenden Folie entspricht, wird durchgestrichen. Um die ausgeblendete Folie wieder normal darzustellen, klicken Sie erneut auf die Option Folie ausblenden.

                    -

                    -

                    Hinweis: Nutzen Sie diese Option, wenn Sie Ihrer Zielgruppe bestimmte Folien nicht grundsätzlich vorführen wollen, aber diese bei Bedarf dennoch einbinden können. Wenn Sie die Präsentation in der Referentenansicht starten, werden alle vorhandenen Folien in der Liste angezeigt, wobei die Foliennummern der ausgeblendeten Folien durchgestrichen sind. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt.

                    -

                    Alle vorhandenen Folien auswählen:

                    +

                    Um die Folien auszublenden:

                    +
                      +
                    1. Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf eine Folie oder mehrere Folien, die Sie ausblenden möchten.
                    2. +
                    3. Wählen Sie die Option Folie ausblenden im Kontextmenü.
                    4. +
                    +

                    Die Foliennummer, die der entsprechenden Folie entspricht, wird durchgestrichen. Um die ausgeblendete Folie wieder normal darzustellen, klicken Sie erneut auf die Option Folie ausblenden.

                    +

                    Ausgeblendete Folie

                    +

                    Nutzen Sie diese Option, wenn Sie Ihrer Zielgruppe bestimmte Folien nicht grundsätzlich vorführen wollen, aber diese bei Bedarf dennoch einbinden können. Wenn Sie die Präsentation in der Referentenansicht starten, werden alle vorhandenen Folien in der Liste angezeigt, wobei die Foliennummern der ausgeblendeten Folien durchgestrichen sind. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt.

                    +

                    Um alle vorhandenen Folien auszuwählen:

                    1. Klicken Sie mit der rechten Maustaste auf eine beliebige Folie in der Folienliste.
                    2. Wählen Sie die Option Alle wählen im Kontextmenü.
                    -

                    Mehrere Folien auswählen:

                    +

                    Um mehrere Folien auszuwählen:

                      -
                    1. Drücken Sie die Taste STRG und halten Sie diese gedrückt.
                    2. +
                    3. Drücken Sie die Taste STRG und halten Sie sie gedrückt.
                    4. Wählen Sie die gewünschten Folien in der Folienliste aus.
                    -

                    Hinweis: Alle Tastenkombinationen zum navigieren und einrichten von Folien verwendet werden können, finden Sie auf der Seite Tastenkombinationen.

                    +

                    Alle Tastenkombinationen zum navigieren und einrichten von Folien verwendet werden können, finden Sie auf der Seite Tastenkombinationen.

                    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm index c6619c636..3bde628ba 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm @@ -11,35 +11,59 @@
                    -
                    - -
                    +
                    + +

                    Objekte formatieren

                    -

                    Im Präsentationseditor sie können die verschiedene Objekte auf einer Folie mithilfe der speziellen Ziehpunkte manuell verschieben, drehen und ihre Größe ändern. Alternativ können Sie über die rechte Seitenleiste oder das Fenster Erweiterte Einstellungen genaue Werte für die Abmessungen und die Position von Objekten festlegen.

                    -

                    Hinweis: Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten.

                    -

                    Größe von Objekten ändern

                    -

                    Um die Größe von AutoFormen, Bildern, Diagrammen, Tabellen oder Textboxen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten

                    an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole.

                    -

                    +

                    Im Präsentationseditor sie können die verschiedene Objekte auf einer Folie mithilfe der speziellen Ziehpunkte manuell verschieben, drehen und ihre Größe ändern. Alternativ können Sie über die rechte Seitenleiste oder das Fenster Erweiterte Einstellungen genaue Werte für die Abmessungen und die Position von Objekten festlegen.

                    +

                    + Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. +

                    +

                    Größe von Objekten ändern

                    +

                    Um die Größe von AutoFormen, Bildern, Diagrammen, Tabellen oder Textboxen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten Quadrat an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole.

                    +

                    Seitenverhältnis sperren

                    Um die präzise Breite und Höhe eines Diagramms festzulegen, wählen Sie es auf der Folie aus und navigieren Sie über den Bereich Größe, der in der rechten Seitenleiste aktiviert wird.

                    Um die präzise Abmessungen eines Bildes oder einer AutoForm festzulegen, klicken Sie mit der rechten Maustaste auf das gewünschte Objekt und wählen Sie die Option Bild/AutoForm - Erweiterte Einstellungen aus dem Menü aus. Legen Sie benötigte Werte in die Registerkarte Größe im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK.

                    Die Form einer AutoForm ändern

                    -

                    Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol

                    verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                    -

                    +

                    Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol Gelber Diamant verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                    +

                    Form einer AutoForm ändern

                    +

                    Um eine AutoForm umzuformen, können Sie auch die Option Punkte bearbeiten aus dem Kontextmenü verwenden.

                    +

                    Die Option Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern.

                    +
                      +
                    1. + Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü die Option Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken Sie darauf und ziehen Sie, um den Punkt neu zu positionieren und den Umriss der Form zu ändern. +

                      Punkte bearbeiten Menü

                      +
                    2. +
                    3. + Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. +

                      Punkte bearbeiten

                      +
                    4. +
                    5. + Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen: +
                        +
                      • Um einer Form einen Punkt hinzuzufügen, halten Sie die Strg-Taste gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten.
                      • +
                      • Um einen Punkt zu löschen, halten Sie die Strg-Taste gedrückt und klicken Sie auf den unnötigen Punkt.
                      • +
                      +

                    Objekte verschieben

                    -

                    Um die Position von AutoFormen, Bildern, Diagrammen, Tabellen und Textfeldern zu ändern, nutzen Sie das Symbol

                    , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt.

                    +

                    + Um die Position von AutoFormen, Bildern, Diagrammen, Tabellen und Textfeldern zu ändern, nutzen Sie das Symbol Pfeil, das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. + Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. + Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. +

                    Um die exakte Position eines Bildes festzulegen, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen aus dem Menü aus. Legen Sie gewünschten Werte im Bereich Position im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK.

                    Objekte drehen

                    -

                    Um AutoFormen, Bilder und Textfelder manuell zu drehen, positionieren Sie den Cursor auf dem Drehpunkt

                    und ziehen Sie das Objekt im Uhrzeigersinn oder gegen Uhrzeigersinn in die gewünschte Position. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt.

                    -

                    Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit das Objekt um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen

                    oder das Symbol Bildeinstellungen
                    . Wählen Sie eine der folgenden Optionen:

                    -
                      -
                    • - die Form um 90 Grad gegen den Uhrzeigersinn drehen
                    • -
                    • - die Form um 90 Grad im Uhrzeigersinn drehen
                    • -
                    • - die Form horizontal spiegeln (von links nach rechts)
                    • -
                    • - die Form vertikal spiegeln (von oben nach unten)
                    • -
                    -

                    Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen.

                    -

                    Um den Text in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK.

                    - +

                    Um AutoFormen, Bilder und Textfelder manuell zu drehen, positionieren Sie den Cursor auf dem Drehpunkt Drehpunkt und ziehen Sie das Objekt im Uhrzeigersinn oder gegen Uhrzeigersinn in die gewünschte Position. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt.

                    +

                    Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit das Objekt um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen Formeinstellungen oder das Symbol Bildeinstellungen Bildeinstellungen. Wählen Sie eine der folgenden Optionen:

                    +
                      +
                    • Gegen den Uhrzeigersinn drehen - die Form um 90 Grad gegen den Uhrzeigersinn drehen
                    • +
                    • Im Uhrzeigersinn drehen - die Form um 90 Grad im Uhrzeigersinn drehen
                    • +
                    • Horizontal spiegeln - die Form horizontal spiegeln (von links nach rechts)
                    • +
                    • Vertikal spiegeln - die Form vertikal spiegeln (von oben nach unten)
                    • +
                    +

                    Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen.

                    +

                    Um den Text in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK.

                    +
                    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm index 9e50a429c..66b231cc5 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/MathAutoCorrect.htm @@ -17,9 +17,7 @@

                    AutoKorrekturfunktionen

                    Die Autokorrekturfunktionen im Präsentationseditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden.

                    Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur.

                    -

                    - Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text. -

                    +

                    Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text.

                    Math. AutoKorrektur

                    Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben.

                    Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste.

                    @@ -48,6 +46,7 @@
                  • Klicken Sie auf die Schaltfläche Löschen.

                  +

                  Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den wiederherzustellenden Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen.

                  Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt.

                  Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math. AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten.

                  Text bei der Eingabe ersetzen

                  @@ -2546,8 +2545,9 @@

                  Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt.

                  Erkannte Funktionen

                  AutoKorrektur während der Eingabe

                  -

                  Standardmäßig formatiert der Editor den Text bei der Eingabe gemäß den Voreinstellungen für die automatische Korrektur. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird; ersetzt Anführungszeichen oder ändert Bindestriche in Gedankenstriche.

                  -

                  Wenn Sie die Voreinstellungen für die automatische Korrektur deaktivieren sollen, deaktivieren Sie das Kontrollkästchen; dazu wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Text bei der Eingabe ersetzen.

                  +

                  Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung: Ersetzt Anführungszeichen, konvertiert Bindestriche in Gedankenstriche, ersetzt Internet- oder Netzwerkpfade durch Hyperlinks, startet eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste wird erkannt.

                  +

                  Mit der Option Punkt mit doppeltem Leerzeichen hinzufügen können Sie einen Punkt hinzufügen, wenn Sie zweimal die Leertaste drücken. Aktivieren oder deaktivieren Sie sie nach Bedarf. Standardmäßig ist diese Option für Linux und Windows deaktiviert und für macOS aktiviert.

                  +

                  Um die Voreinstellungen für die automatische Formatierung zu aktivieren oder zu deaktivieren, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Text bei der Eingabe ersetzen.

                  AutoKorrektur bei der Eingabe

                  Autokorrektur für Text

                  Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen.

                  diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/PreviewPresentation.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/PreviewPresentation.htm index e12eb9358..86cc3aa8c 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/PreviewPresentation.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/PreviewPresentation.htm @@ -10,13 +10,14 @@ -
                  -
                  - -
                  -

                  Vorschau einer Präsentation

                  +
                  +
                  + +
                  +

                  Vorschau einer Präsentation

                  Vorschau beginnen

                  -

                  Bildschirmpräsentation der aktuellen Präsentation im Präsentationseditor:

                  +

                  Hinweis: Wenn Sie eine Präsentation herunterladen, die mit einer Drittanbieteranwendung erstellt wurde, können Sie ggf. eine Vorschau der Animationseffekte anzeigen.

                  +

                  Bildschirmpräsentation der aktuellen Präsentation im Präsentationseditor:

                  • Klicken Sie in der Registerkarte Start oder links in der Statusleiste auf das Symbol Bildschirmpräsentation
                    oder
                  • wählen Sie in der Folienliste links eine bestimmte Folie aus, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Bildschirmpräsentation starten im Kontextmenü aus.
                  • @@ -27,7 +28,8 @@
                  • Von Beginn an - die Bildschirmpräsentation aber der ersten Folie starten
                  • Ab aktueller Folie - die Bildschirmpräsentation beginnt bei der aktuellen Folie
                  • Referentenansicht - die Präsentation wird in der Referentenansicht gestartet, die Zielgruppe sieht die Präsentation auf einem Bildschirm im Vollbildmodus und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen angezeigt.
                  • -
                  • Einstellungen anzeigen - ein Einstellungsfenster wird geöffnet, in dem sich eine Sonderoption einstellen lässt: Dauerschleife, bis zum Drücken der Taste „ESC“. Aktivieren Sie diese Option bei Bedarf und klicken Sie auf OK. Wenn Sie diese Option aktivieren, wird die Präsentation angezeigt, bis Sie die Taste Escape auf Ihrer Tastatur drücken, d.h., wenn die letzte Folie der Präsentation erreicht ist, beginnt die Bildschirmpräsentation wieder bei der ersten Folie usw. Wenn Sie diese Option deaktivieren, erscheint nach der letzten Folie ein schwarzer Bildschirm, der Sie darüber informiert, dass die Präsentation beendet ist und Sie die Vorschau verlassen können.

                    Fenster Anzeigeeinstellungen

                    +
                  • + Einstellungen anzeigen - ein Einstellungsfenster wird geöffnet, in dem sich eine Sonderoption einstellen lässt: Dauerschleife, bis zum Drücken der Taste „ESC“. Aktivieren Sie diese Option bei Bedarf und klicken Sie auf OK. Wenn Sie diese Option aktivieren, wird die Präsentation angezeigt, bis Sie die Taste Escape auf Ihrer Tastatur drücken, d.h., wenn die letzte Folie der Präsentation erreicht ist, beginnt die Bildschirmpräsentation wieder bei der ersten Folie usw. Wenn Sie diese Option deaktivieren, erscheint nach der letzten Folie ein schwarzer Bildschirm, der Sie darüber informiert, dass die Präsentation beendet ist und Sie die Vorschau verlassen können.

                    Fenster Anzeigeeinstellungen

                  Vorschaumodus

                  @@ -43,7 +45,7 @@
                4. Über die Schaltfläche Vollbildmodus verlassen
                  können Sie die Vollbildansicht verlassen.
                5. Über die Schaltfläche Bildschirmpräsentation beenden
                  können Sie den Präsentationsmodus verlassen.
                6. -

                  Alternativ können Sie im Präsentationsmodus auch mit den Tastenkombinationen zwischen den Folien wechseln.

                  +

                  Alternativ können Sie im Präsentationsmodus auch mit den Tastenkombinationen zwischen den Folien wechseln.

                  Referentenansicht

                  Referentenansicht - die Präsentation wird auf einem Bildschirm im Vollbildmodus angezeigt und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen wiedergegeben. Die Notizen für jede Folie werden unter dem Folienvorschaubereich angezeigt.

                  Nutzen Sie die Tasten

                  und
                  oder klicken Sie im linken Seitenbereich auf die entsprechende Folie in der Liste. Foliennummer von ausgeblendeten Folien sind in der Liste durchgestrichen. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt.

                  @@ -59,7 +61,7 @@
                7. Foliennummer - Anzeige der aktuellen Foliennummer sowie der Gesamtzahl von Folien in der Präsentation.
                8. Pointer
                  - Ausgewählte Elemente während der Präsentation hervorheben. Wenn diese Option aktiviert ist, sieht der Cursor aus wie folgt:
                  . Um auf bestimmte Objekte zu zeigen, bewegen Sie den Mauszeiger über den Vorschaubereich der Folie und bewegen Sie den Pointer über die Folie. Der Pointer wird wie folgt angezeigt:
                  . Um diese Option zu deaktivieren, klicken Sie erneut auf
                  .
                9. Bildschirmpräsentation beenden - Präsentationsmodus verlassen.
                10. - -
                  + +
                  \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index 3e79fd26a..a467e0d32 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -14,7 +14,7 @@
                  -

                  Präsentation speichern/drucken/herunterladen

                  +

                  Präsentation speichern/drucken/herunterladen

                  Speichern

                  Standardmäßig speichert der Online-Präsentationseditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren.

                  Aktuelle Präsentation manuell im aktuellen Format im aktuellen Verzeichnis speichern:

                  @@ -29,7 +29,7 @@
                  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                  2. Wählen Sie die Option Speichern als....
                  3. -
                  4. Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen.
                  5. +
                  6. Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A, PNG, JPG. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen.
                  @@ -38,14 +38,14 @@
                  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                  2. Wählen Sie die Option Herunterladen als....
                  3. -
                  4. Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                  5. +
                  6. Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG.

                  Kopie speichern

                  In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern.

                  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                  2. Wählen Sie die Option Kopie Speichern als....
                  3. -
                  4. Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                  5. +
                  6. Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG.
                  7. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern.
                  diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SetSlideParameters.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SetSlideParameters.htm index 8c968cfb8..f23f9716c 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SetSlideParameters.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SetSlideParameters.htm @@ -1,9 +1,9 @@  - Folienparameter festlegen + Folienparameter festlegen - + @@ -12,66 +12,121 @@
                  - +
                  -

                  Folienparameter festlegen

                  -

                  Um Ihre Präsentation zu personalisieren im Präsentationseditor, können Sie ein Thema und ein Farbschema sowie die Foliengröße und -ausrichtung für die gesamte Präsentation auswählen, Hintergrundfarbe oder Folienlayout für jede einzelne Folie ändern und Übergänge zwischen den Folien hinzufügen. Es ist außerdem möglich Notizen zu jeder Folie einzufüllen, die hilfreich sein können, wenn Sie die Präsentation in der Referentenansicht wiedergeben.

                  -
                    -
                  • Über die Vorlagen in Themen können Sie das Design der Präsentation schnell ändern, insbesondere den Hintergrund der Folien, vordefinierte Schriftarten für Titel und Texte sowie das Farbschema, das für die Präsentationselemente verwendet wird. Um ein Thema für die Präsentation zu wählen, klicken Sie auf die gewünschte Themenvorlage auf der rechten Seite der oberen Symbolleiste in der Registerkarte Start. Wenn Sie nicht im Vorfeld bestimmte Folien ausgewählt haben, wird das gewählte Thema auf alle Folien angewendet.

                    -

                    Um das ausgewählte Thema für eine oder mehrere Folien zu ändern, klicken Sie mit der rechten Maustaste auf die ausgewählten Folien in der Liste (oder klicken Sie mit der rechten Maustaste auf eine Folie im Bearbeitungsbereich), wählen Sie im Kontextmenü die Option Design ändern und wählen Sie das gewünschte Thema aus.

                    -
                  • -
                  • Der Farbentwurf beeinflusst die vordefinierten Farben für die Präsentationselemente (Schriftarten, Linien, Füllungen usw.) und ermöglicht eine einheitliche Farbgebung für die gesamte Präsentation. Um den Farbentwurf zu ändern, klicken Sie auf das Symbol
                    Farbentwurf ändern in der Registerkarte Start und wählen Sie den gewünschten Entwuf aus dem Listenmenü aus. Der ausgewählte Entwurf wird auf alle Folien angewendet.

                    Farbentwürfe

                    -
                  • -
                  • Um die Foliengröße für die ganze Präsentation zu ändern, klicken Sie auf das Symbol
                    Foliengröße wählen in der Registerkarte Start und wählen Sie die gewünschte Option im Listenmenü aus. Folgende Optionen stehen Ihnen zur Auswahl:
                      -
                    • eine der zwei Voreinstellungen - Standard (4:3) oder Breitbildschirm (16:9),
                    • -
                    • die Option Erweiterte Einstellungen. Klicken Sie auf diese Option, öffnet sich das Fenster Einstellungen Foliengröße und Sie können eine der verfügbaren Voreinstellungen auswählen oder eine benutzerdefinierte Größe festlegen, durch die Angabe der gewünschten Breite und Höhe.

                      Einstellungen Foliengröße

                      -

                      Verfügbare Voreinstellungen: Die verfügbaren Voreinstellungen sind Standard (4:3), Breitbild (16:9), Breitbild (16:10), Briefpapier (8.5x11 in), Ledger (11x17 in), A3 Papier (297x420 mm), A4 (210x297 mm), B4 (ICO) Papier (250x353 mm), B5 (ICO) Papier (176x250 mm), 35 mm Folien, Overhead, Banner.

                      -

                      Im Menü Folienausrichtung können Sie den aktuell ausgewählten Ausrichtungstyp ändern. Die Standardeinstellung ist Querformat. Es ist möglich das Format auf Hochformat zu ändern.

                      +

                      Folienparameter festlegen

                      +

                      Um Ihre Präsentation zu personalisieren im Präsentationseditor, können Sie ein Thema und ein Farbschema sowie die Foliengröße und -ausrichtung für die gesamte Präsentation auswählen, Hintergrundfarbe oder Folienlayout für jede einzelne Folie ändern und Übergänge zwischen den Folien hinzufügen. Es ist außerdem möglich Notizen zu jeder Folie einzufüllen, die hilfreich sein können, wenn Sie die Präsentation in der Referentenansicht wiedergeben.

                      +
                        +
                      • + Mit Themen können Sie das Präsentationsdesign schnell ändern, insbesondere das Aussehen des Folienhintergrunds, vordefinierte Schriftarten für Titel und Texte und das Farbschema, das für die Präsentationselemente verwendet wird. + Um ein Thema für die Präsentation auszuwählen, klicken Sie auf das erforderliche vordefinierte Thema aus der Themengalerie rechts in der oberen Symbolleiste auf der Registerkarte Startseite. Das ausgewählte Thema wird auf alle Folien angewendet, wenn Sie nicht zuvor bestimmte Folien zum Anwenden des Themas ausgewählt haben. +

                        Themengalerie

                        +

                        Um das ausgewählte Thema für eine oder mehrere Folien zu ändern, können Sie mit der rechten Maustaste auf die ausgewählten Folien in der Liste links klicken (oder mit der rechten Maustaste auf eine Folie im Bearbeitungsbereich klicken), die Option Thema ändern auswählen aus dem Kontextmenü und wählen Sie das gewünschte Thema.

                      • -
                      -
                    • -
                    • Hintergrundfarbe der Folie ändern:
                        -
                      1. Wählen Sie die gewünschte Folie in der Folienliste aus: Oder klicken Sie im Folienbearbeitungsbereich innerhalb der aktuell bearbeiteten Folie auf ein beliebiges leeres Feld, um den Fülltyp für diese separate Folie zu ändern
                      2. -
                      3. Wählen Sie die gewünschte Option auf der Registerkarte Folieneinstellungen in der rechten Seitenleiste und wählen Sie die notwendige Option:
                          -
                        • Farbfüllung - wählen Sie diese Option, um die Farbe festzulegen, die Sie auf die ausgwählten Folien anwenden wollen.
                        • -
                        • Füllung mit Farbverlauf - wählen Sie diese Option, um die Folie in zwei Farben zu gestalten, die sanft ineinander übergehen.
                        • -
                        • Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Folienhintergrund festzulegen.
                        • -
                        • Muster - wählen Sie diese Option, um die Folie mit dem zweifarbigen Design, das aus regelmässig wiederholten Elementen besteht, zu füllen.
                        • -
                        • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
                        • -
                        • Undurchsichtigkeit - ziehen Sie den Schieberegler oder geben Sie den Prozentwert manuell ein. Der Standardwert ist 100%. Er entspricht der vollen Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz.
                        • -
                        -

                        Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen.

                        -
                      4. -
                      -
                    • -
                    • Durch Übergänge wird Ihre Präsentation dynamischer. Diese helfen Ihnen sich die Aufmerksamkeit des Publikums zu sichern. Einen Übergang hinzufügen:
                        -
                      1. Wählen Sie die Folien, auf die Sie einen Übergang einfügen wollen links in der Folienliste aus.
                      2. -
                      3. wählen Sie einen Übergang im Listenmenü Effekt in der Registerkarte Folieneinstellungen, -

                        Um die Registerkarte Folieneinstellungen zu öffnen, klicken Sie im Folienbearbeitungsbereich auf das Symbol Folieneinstellungen

                        oder öffnen Sie das Rechtsklickmenü und wählen Sie Folieneinstellungen aus dem Kontextmenü aus.

                        +
                      4. + Farbschema wirkt sich auf die vordefinierten Farben der Präsentationselemente (Schriften, Linien, Füllungen usw.) aus und ermöglichen Ihnen, die Farbkonsistenz während der gesamten Präsentation beizubehalten. + Um ein Farbschema zu ändern, klicken Sie auf das Symbol Farbschema ändern Farbschema ändern auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie das erforderliche Schema aus der Drop-Down-Liste aus. Das ausgewählte Farbschema wird in der Liste hervorgehoben und auf alle Folien angewendet. +

                        Farbschema

                      5. -
                      6. Eigenschaften des Übergangs anpassen: wählen Sie Art und Dauer des Übergangs und die Art des Folienwechsels,
                      7. -
                      8. klicken Sie auf die Schaltfläche Auf alle Folien anwenden, um den gleichen Übergang auf alle Folien in der Präsentation anzuwenden.

                        Weitere Informationen über diese Optionen finden Sie im Abschnitt Übergänge anwenden.

                        -
                      9. -
                      -
                    • -
                    • Folienlayout ändern:
                        -
                      1. wählen Sie links in der Folienliste die Folien aus, auf die Sie ein neues Layout anwenden wollen.
                      2. -
                      3. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Smybol
                        Folienlayout ändern.
                      4. -
                      5. Wählen Sie das gewünschte Layout im Menü aus.

                        Alternativ können Sie mit der rechten Maustaste auf die gewünschte Folie in der Liste links klicken, wählen Sie die Option Layout ändern im Kontextmenü wählen aus und bestimmen Sie das gewünschte Layout.

                        -

                        Aktuell sind die folgenden Layoutoptionen verfügbar: Titel, Titel und Objekt, Abschnittsüberschrift, Zwei Objekte, Zwei Inhalte und zwei Objekte, Nur Titel, Leer, Objekt und Bildunterschrift, Bild und Bildunterschrift, Vertikaler Text, Vertikaler Titel und Text.

                        -
                      6. -
                      -
                    • -
                    • Notizen einfügen:
                        -
                      1. Wählen Sie die Folie aus der Liste aus, die Sie mit Notizen versehen wollen.
                      2. -
                      3. Klicken Sie unterhalb dem Bearbeitungsbereich auf Notizen hinzufügen
                      4. -
                      5. Geben Sie Ihre Notizen ein. -

                        In der Registerkarte Start in der oberen Symbolleiste, können Sie den Text formatieren.

                        +
                      6. + Um die Größe aller Folien in der Präsentation zu ändern, klicken Sie auf Symbol Foliengröße auswählen Foliegröße wählen auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie die erforderliche Option aus der Drop-Down-Liste aus. Sie können wählen: +
                          +
                        • eine der beiden Schnellzugriffs-Voreinstellungen - Standard (4:3) oder Breitbildschirm (16:9),
                        • +
                        • + die Option Erweiterte Einstellungen, die das Fenster Einstellungen der Foliengröße öffnet, in dem Sie eine der verfügbaren Voreinstellungen auswählen oder eine benutzerdefinierte-Größe (Breite und Höhe) festlegen können, +

                          Einstellungen der Foliengröße

                          +

                          die verfügbaren Voreinstellungen sind: Standard (4:3), Breitbild (16:9), Breitbild (16:10), Letter Paper (8.5x11 in), Ledger Blatt (11x17 in), A3 Blatt (297x420 mm), A4 Blatt (210x297 mm), B4 (ICO) Blatt (250x353 mm), B5 (ICO) Blatt (176x250 mm), 35 mm Folien, Overheadfolien, Banner,

                          +

                          das Menü Folienausrichtung ermöglicht das Ändern des aktuell ausgewählten Ausrichtungstyps. Der Standardausrichtungstyp ist Querformat, der auf Hochformat umgestellt werden kann.

                          +
                        • +
                        +
                      7. +
                      8. + Um eine Hintergrundfüllung zu ändern, +
                          +
                        1. wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie die Füllung anwenden möchten. Oder klicken Sie auf eine beliebige Leerstelle innerhalb der aktuell bearbeiteten Folie im Folienbearbeitungsbereich, um den Fülltyp für diese separate Folie zu ändern.
                        2. +
                        3. + Wählen Sie auf der Registerkarte Folien-Einstellungen der rechten Seitenleiste die erforderliche Option aus: +
                            +
                          • Farbfüllung - wählen Sie diese Option, um die Farbe festzulegen, die Sie auf die ausgwählten Folien anwenden wollen.
                          • +
                          • Füllung mit Farbverlauf - wählen Sie diese Option, um die Folie in zwei Farben zu gestalten, die sanft ineinander übergehen.
                          • +
                          • Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Folienhintergrund festzulegen.
                          • +
                          • Muster - wählen Sie diese Option, um die Folie mit dem zweifarbigen Design, das aus regelmässig wiederholten Elementen besteht, zu füllen.
                          • +
                          • Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten.
                          • +
                          • Undurchsichtigkeit - ziehen Sie den Schieberegler oder geben Sie den Prozentwert manuell ein. Der Standardwert ist 100%. Er entspricht der vollen Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz.
                          • +
                          +

                          Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen.

                          +
                        4. +
                        +
                      9. +
                      10. + Die Übergänge helfen dabei, Ihre Präsentation dynamischer zu gestalten und die Aufmerksamkeit Ihres Publikums zu erhalten. Um einen Übergang anzuwenden, +
                          +
                        1. wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie einen Übergang anwenden möchten,
                        2. +
                        3. + wählen Sie in der Drop-Down-Liste Effekt auf der Registerkarte Folien-Einstellungen einen Übergang aus, +

                          Um die Registerkarte Folien-Einstellungen zu öffnen, klicken Sie im Folienbearbeitungsbereich auf das Symbol Folien-Einstellungen Folien-Einstellungen oder öffnen Sie das Rechtsklickmenü und wählen Sie Folien-Einstellungen aus dem Kontextmenü aus.

                          +
                        4. +
                        5. passen Sie die Übergangseigenschaften an: Wählen Sie einen Übergang, Dauer und die Art und Weise, wie die Folien vorgerückt werden,
                        6. +
                        7. + klicken Sie auf die Schaltfläche Auf alle Folien anwenden, um den gleichen Übergang auf alle Folien in der Präsentation anzuwenden. +

                          Weitere Informationen über diese Optionen finden Sie im Abschnitt Übergänge anwenden.

                          +
                        8. +
                        +
                      11. +
                      12. + Um Folienlayout zu ändern, +
                          +
                        1. wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie ein neues Layout anwenden möchten,
                        2. +
                        3. klicken Sie auf das Symbol Folienlayout ändern Folienlayout ändern auf der Registerkarte Startseite der obere Symbolleiste,
                        4. +
                        5. + wählen Sie das gewünschte Layout aus dem Menü aus. +

                          Sie können auch mit der rechten Maustaste auf die gewünschte Folie in der Liste links klicken, die Option Layout ändern im Kontextmenü auswählen und das gewünschte Layout bestimmen.

                          +

                          Derzeit sind die folgenden Layouts verfügbar: Title Slide, Title and Content, Section Header, Two Content, Comparison, Title Only, Blank, Content with Caption, Picture with Caption, Title and Vertical Text, Vertical Title and Text.

                          +
                        6. +
                        +
                      13. +
                      14. + Um einem Folienlayout Objekte hinzuzufügen, +
                          +
                        1. Klicken Sie auf das Symbol Folienlayout ändern Symbol Folienlayout ändern und wählen Sie ein Layout aus, zu dem Sie ein Objekt hinzufügen möchten,
                        2. +
                        3. + verwenden Sie die Registerkarte Einfügen der oberen Symbolleiste, fügen Sie das erforderliche Objekt zur Folie hinzu (Bild, Tabelle, Diagramm , Form), dann mit der rechten Maustaste auf dieses Objekt klicken und die Option Zum Layout hinzufügen auswählen, +
                          Zum Layout hinzufügen +
                        4. +
                        5. + klicken Sie auf der Registerkarte Startseite auf Folienlayout ändern Symbol Folienlayout ändern und wenden Sie die geänderte Anordnung an. +

                          Layout anwenden

                          +

                          Die ausgewählten Objekte werden dem Layout des aktuellen Themas hinzugefügt.

                          +

                          Objekte, die auf diese Weise auf einer Folie platziert wurden, können nicht ausgewählt, in der Größe geändert oder verschoben werden.

                          +
                        6. +
                        +
                      15. +
                      16. + Um das Folienlayout in den ursprünglichen Zustand zurückzusetzen, +
                          +
                        1. + wählen Sie in der Folienliste auf der linken Seite die Folien aus, die Sie in den Standardzustand zurücksetzen möchten. +

                          Halten Sie die Strg-Taste gedrückt und wählen Sie jeweils eine Folie aus, um mehrere Folien gleichzeitig auszuwählen, oder halten Sie die Umschalttaste gedrückt, um alle Folien von der aktuellen bis zur ausgewählten auszuwählen.

                          +
                        2. +
                        3. + klicken Sie mit der rechten Maustaste auf eine der Folien und wählen Sie im Kontextmenü die Option Folie zurücksetzen, +

                          Alle auf Folien befindlichen Textrahmen und Objekte werden zurückgesetzt und entsprechend dem Folienlayout angeordnet.

                          +
                        4. +
                        +
                      17. +
                      18. + Um einer Folie Notizen hinzuzufügen, +
                          +
                        1. wählen Sie in der Folienliste auf der linken Seite die Folie aus, zu der Sie eine Notiz hinzufügen möchten,
                        2. +
                        3. klicken Sie unterhalb des Folienbearbeitungsbereichs auf die Beschriftung Klicken Sie, um Notizen hinzuzufügen,
                        4. +
                        5. + geben Sie den Text Ihrer Notiz ein. +

                          Sie können den Text mithilfe der Symbole auf der Registerkarte Startseite der oberen Symbolleiste formatieren.

                        Wenn Sie die Präsentation in der Referentenansicht starten, werden Ihnen alle vorhandenen Notizen unterhalb der Vorschauansicht angezeigt.

                      19. -
                    +
                  \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..492432c9b --- /dev/null +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,42 @@ + + + + Unterstützung von SmartArt im ONLYOFFICE-Präsentationseditor + + + + + + + +
                  +
                  + +
                  +

                  Unterstützung von SmartArt im ONLYOFFICE-Präsentationseditor

                  +

                  SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Präsentationseditor unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf den SmartArt-Grafikrahmen oder den Rahmen seines Elements klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen:

                  +

                  Folien-Einstellungen zum Ändern der Hintergrundfüllung und Undurchsichtigkeit der Folie und zum Ein- oder Ausblenden von Foliennummer, Datum und Uhrzeit. Lesen Sie Folienparameter festlegen und Fußzeilen einfügen für Details.

                  +

                  Form-Einstellungen zum Konfigurieren der in einem Layout verwendeten Formen. Sie können Formen ändern, die Füllung, die Striche, die Größe, den Umbruchstil, die Position, die Stärke und Pfeile, das Textfeld und den alternativen Text bearbeiten.

                  +

                  Absatzeinstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Absatzformatierung für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv.

                  +

                  + TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undirchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. +

                  +

                  Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen:

                  +

                  SmartArt Menü

                  +

                  Anordnen, um die Objekte mit den folgenden Optionen anzuordnen: In den Vordergrund bringen, In den Hintergrund, Eine Ebene nach vorne, Eine Ebene nach hinten, Gruppieren und Gruppierung aufheben. Die Anordnungsmöglichkeiten hängen davon ab, ob die SmartArt-Elemente gruppiert sind oder nicht.

                  +

                  Ausrichtung, um die Grafik oder die Objekte mit den folgenden Optionen auszurichten: Links ausrichten, Zentriert ausrichten, Rechts ausrichten, Oben ausrichten, Mittig ausrichten, Unten ausrichten, Horizontal verteilen und Vertikal verteilen.

                  +

                  Drehen, um die Drehrichtung für das ausgewählte Element auf einer SmartArt-Grafik auszuwählen: 90° im UZS drehen, Um 90° gegen den Uhrzeigersinn drehen, Horizontal kippen, Vertikal kippen. Diese Option wird nur für SmartArt-Elemente aktiv.

                  +

                  Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen.

                  +

                  Kommentar hinzufügen, um einen Kommentar zu einer bestimmten SmartArt-Grafik oder ihrem Element zu hinterlassen.

                  +

                  Zum Layout hinzufügen, um die SmartArt-Grafik zum Folienlayout hinzuzufügen. + +

                  Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen:

                  +

                  SmartArt Menü

                  +

                  Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten.

                  +

                  Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen.

                  +

                  Erweiterte Text-Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen.

                  +

                  Kommentar hinzufügen, um einen Kommentar zu einer bestimmten SmartArt-Grafik oder ihrem Element zu hinterlassen.

                  +

                  Hyperlink, um einen Hyperlink zum SmartArt-Element hinzuzufügen.

                  +
                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/de/images/addtolayout.png b/apps/presentationeditor/main/resources/help/de/images/addtolayout.png new file mode 100644 index 000000000..4084177c0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/addtolayout.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/animationduration.png b/apps/presentationeditor/main/resources/help/de/images/animationduration.png new file mode 100644 index 000000000..f82bac32b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/animationduration.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/animationgallery.png b/apps/presentationeditor/main/resources/help/de/images/animationgallery.png new file mode 100644 index 000000000..7221dfcf6 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/animationgallery.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/animationnumbering.png b/apps/presentationeditor/main/resources/help/de/images/animationnumbering.png new file mode 100644 index 000000000..f232e6b41 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/animationnumbering.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/animationrepeat.png b/apps/presentationeditor/main/resources/help/de/images/animationrepeat.png new file mode 100644 index 000000000..c45459e23 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/animationrepeat.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/applylayout.png b/apps/presentationeditor/main/resources/help/de/images/applylayout.png new file mode 100644 index 000000000..23181682f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/applylayout.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/autoformatasyoutype.png b/apps/presentationeditor/main/resources/help/de/images/autoformatasyoutype.png index 97571f94c..cca61e043 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/autoformatasyoutype.png and b/apps/presentationeditor/main/resources/help/de/images/autoformatasyoutype.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/convertequation.png b/apps/presentationeditor/main/resources/help/de/images/convertequation.png new file mode 100644 index 000000000..82a8d863d Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/convertequation.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/editpoints_example.png b/apps/presentationeditor/main/resources/help/de/images/editpoints_example.png new file mode 100644 index 000000000..6948ea855 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/editpoints_example.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/editpoints_rightclick.png b/apps/presentationeditor/main/resources/help/de/images/editpoints_rightclick.png new file mode 100644 index 000000000..988a39a96 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/editpoints_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/animationtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/animationtab.png new file mode 100644 index 000000000..1f3afdfe1 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/collaborationtab.png index e57e0d0bb..de593e7c0 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_animationtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_animationtab.png new file mode 100644 index 000000000..b69b0eae2 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_collaborationtab.png index a289b4501..dbdf5ac08 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_collaborationtab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_editorwindow.png index 89c83fc38..c83843c86 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_editorwindow.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_filetab.png index cb2f17d69..457c46195 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_filetab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_hometab.png index b81a1013c..93d2728f1 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_hometab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_inserttab.png index 48e1be193..2a36bc0ed 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_inserttab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_pluginstab.png index c09e1b878..ff93939e1 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_pluginstab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_protectiontab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..9ae5f1f32 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_protectiontab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_transitionstab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_transitionstab.png new file mode 100644 index 000000000..92a800755 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/desktop_viewtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..1a7cd185b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/desktop_viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/de/images/interface/editorwindow.png index 961d7bf6b..bb9f5c0ac 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/de/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/de/images/interface/filetab.png index 8701d72d9..47c5b1bab 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/de/images/interface/hometab.png index d7daf8164..0d54703fe 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/de/images/interface/inserttab.png index 69edd1d4f..74a5fe0df 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/de/images/interface/pluginstab.png index d2089cd98..4cc1d8573 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/de/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/transitionstab.png b/apps/presentationeditor/main/resources/help/de/images/interface/transitionstab.png new file mode 100644 index 000000000..58b3414fb Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/interface/viewtab.png b/apps/presentationeditor/main/resources/help/de/images/interface/viewtab.png new file mode 100644 index 000000000..77bc26d1e Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/interface/viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/keytips1.png b/apps/presentationeditor/main/resources/help/de/images/keytips1.png new file mode 100644 index 000000000..3967ff244 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/keytips1.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/keytips2.png b/apps/presentationeditor/main/resources/help/de/images/keytips2.png new file mode 100644 index 000000000..f86f94940 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/keytips2.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/moreeffects.png b/apps/presentationeditor/main/resources/help/de/images/moreeffects.png new file mode 100644 index 000000000..785667c85 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/moreeffects.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/moveearlier.png b/apps/presentationeditor/main/resources/help/de/images/moveearlier.png new file mode 100644 index 000000000..3dc27b66f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/moveearlier.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/moveelement.png b/apps/presentationeditor/main/resources/help/de/images/moveelement.png new file mode 100644 index 000000000..74ead64a8 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/moveelement.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/movelater.png b/apps/presentationeditor/main/resources/help/de/images/movelater.png new file mode 100644 index 000000000..4fe508a67 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/movelater.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/multipleanimations_order.png b/apps/presentationeditor/main/resources/help/de/images/multipleanimations_order.png new file mode 100644 index 000000000..990de3385 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/multipleanimations_order.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/multipleeffect_icon.png b/apps/presentationeditor/main/resources/help/de/images/multipleeffect_icon.png new file mode 100644 index 000000000..0dfa70705 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/multipleeffect_icon.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromfile.png b/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromfile.png new file mode 100644 index 000000000..9a395c6f7 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromfile.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromurl.png b/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromurl.png new file mode 100644 index 000000000..af95ac323 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/placeholder_imagefromurl.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/removecomment_toptoolbar.png b/apps/presentationeditor/main/resources/help/de/images/removecomment_toptoolbar.png new file mode 100644 index 000000000..2351f20be Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/removecomment_toptoolbar.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/resizeelement.png b/apps/presentationeditor/main/resources/help/de/images/resizeelement.png new file mode 100644 index 000000000..206959166 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/resizeelement.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/setpassword.png b/apps/presentationeditor/main/resources/help/de/images/setpassword.png index eca962228..14b4bc9b1 100644 Binary files a/apps/presentationeditor/main/resources/help/de/images/setpassword.png and b/apps/presentationeditor/main/resources/help/de/images/setpassword.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/shapegallery.png b/apps/presentationeditor/main/resources/help/de/images/shapegallery.png new file mode 100644 index 000000000..46132eeff Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/shapegallery.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/show_password.png b/apps/presentationeditor/main/resources/help/de/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/show_password.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick.png b/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick.png new file mode 100644 index 000000000..583b5fde0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick2.png b/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick2.png new file mode 100644 index 000000000..e09c918f8 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/smartart_rightclick2.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/sortcomments.png b/apps/presentationeditor/main/resources/help/de/images/sortcomments.png new file mode 100644 index 000000000..b019092f4 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/sortcomments.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/sortcommentsicon.png b/apps/presentationeditor/main/resources/help/de/images/sortcommentsicon.png new file mode 100644 index 000000000..e68d592fe Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/sortcommentsicon.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/timingoptions.png b/apps/presentationeditor/main/resources/help/de/images/timingoptions.png new file mode 100644 index 000000000..3b0265f39 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/timingoptions.png differ diff --git a/apps/presentationeditor/main/resources/help/de/images/triggeroptions.png b/apps/presentationeditor/main/resources/help/de/images/triggeroptions.png new file mode 100644 index 000000000..df15d6126 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/de/images/triggeroptions.png differ diff --git a/apps/presentationeditor/main/resources/help/de/search/indexes.js b/apps/presentationeditor/main/resources/help/de/search/indexes.js index bcd8e539e..d78e5efe1 100644 --- a/apps/presentationeditor/main/resources/help/de/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/de/search/indexes.js @@ -8,27 +8,32 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Erweiterte Einstellungen des Präsentationseditors", - "body": "Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Präsentationseditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen umfassen: Rechtschreibprüfung - Ein-/Ausschalten der automatischen Rechtschreibprüfung. Erweiterte Eingabe - Ein-/Auszuschalten von Hieroglyphen. Hilfslinien - aktivieren/deaktivieren von Ausrichtungshilfslinien, die Ihnen dabei helfen, Objekte präzise auf der Seite zu positionieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - orange, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - orange, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Sie können auch die Option An Folie anpassen oder An Breite anpassen auswählen. Hinting - Auswahl der Schriftartdarstellung im Präsentationseditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Maßeinheiten - geben Sie an, welche Einheiten auf den Linealen und in Eigenschaftenfenstern verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. zu messen. Sie können die Optionen Zentimeter, Punkt, oder Zoll wählen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." + "body": "Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Präsentationseditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen umfassen: Rechtschreibprüfung - Ein-/Ausschalten der automatischen Rechtschreibprüfung. Erweiterte Eingabe - Ein-/Auszuschalten von Hieroglyphen. Hilfslinien - aktivieren/deaktivieren von Ausrichtungshilfslinien, die Ihnen dabei helfen, Objekte präzise auf der Seite zu positionieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - orange, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - orange, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Hinweis: Abgesehen von den verfügbaren Oberflächendesigns Hell, Klassisch Hell und Dunkel können ONLYOFFICE-Editoren jetzt mit Ihrem eigenen Farbdesign angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Sie können auch die Option An Folie anpassen oder An Breite anpassen auswählen. Schriftglättung - Auswahl der Schriftartdarstellung im Präsentationseditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Einheitlich, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, es ohne Gründe zu wechseln. Es kann nur in manchen Fällen hilfreich sein, beispielsweise wenn der Google Chrome-Browser Probleme mit der aktivierten Hardwarebeschleunigung hat. Der Präsentationseditor verfügt über zwei Cache-Modi: Im ersten Cache-Modus wird jeder Buchstabe als separates Bild gecachet. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw. Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an: Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus . Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus . Maßeinheiten - geben Sie an, welche Einheiten auf den Linealen und in Eigenschaftenfenstern verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. zu messen. Sie können die Optionen Zentimeter, Punkt, oder Zoll wählen. Ausschneiden, Kopieren und Einfügen wird verwendet, um die Schaltfläche Einfügeoptionen anzuzeigen, wenn Inhalt eingefügt wird. Aktivieren Sie das Kontrollkästchen, um diese Funktion zu aktivieren. Einstellungen von Makros wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. Wählen Sie die Option Alle deaktivieren aus, um alle Makros in der Präsentation zu deaktivieren; Benachrichtigung anzeigen, um Benachrichtigungen über Makros innerhalb der Präsentation zu erhalten; Alle aktivieren, um alle Makros innerhalb der Präsentation automatisch auszuführen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Gemeinsame Bearbeitung von Präsentationen", - "body": "Im Präsentationseditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Präsentation zu arbeiten. Diese Funktion umfasst: gleichzeitiger Zugriff von mehreren Benutzern auf eine Präsentation visuelle Markierung von Objekten, die aktuell von anderen Benutzern bearbeitet werden Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick. Chat zum Austauschen von Ideen zu bestimmten Abschnitten der Präsentation Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Verbindung mit der Online-Version herstellen Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her. Co-Bearbeitung Im Präsentationseneditor stehen die folgenden Modelle für die Co-Bearbeitung zur Verfügung: Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt. Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen. Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Co-Bearbeitung. Wenn Sie eine Präsentation im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar. Wenn eine Präsentation im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Objekte (AutoFormen, Textobjekte, Tabellen, Bilder und Diagramme) mit gestrichelten Linien in verschiedenen Farben markiert. Das Objekt, das Sie bearbeiten, ist von der grünen gestrichelten Linie umgeben. Rote gestrichelte Linien zeigen, dass die Objekte von anderen Benutzern bearbeitet werden. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der diese Passage aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben. Die Anzahl der Benutzer, die in der aktuellen Präsentation arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält. Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus: über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Kommentieren der Präsentation erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige des Dokuments beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Teilen. Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol speichert, sehen die anderen Benutzer in der Statusleiste eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf . Die Updates werden hervorgehoben, damit Sie nachvollziehen können, was genau geändert wurde. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten. Chat Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Absatz Sie jetzt bearbeiten usw. Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Präsentation zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden. Chat nutzen und Nachrichten für andere Benutzer erstellen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text in das entsprechende Feld unten ein. Klicken Sie auf Senden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie in der linken Seitenleiste auf das Symbol oder klicken Sie in der oberen Symbolleiste erneut auf Chat. Kommentare Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Einen Kommentar bezüglich eines bestimmten Objekts (Textbox, Form etc.) hinterlassen: Wählen Sie ein Objekt, das Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf Kommentare, oder klicken Sie mit der rechten Maustaste auf das gewünschten Objekt und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus. Geben Sie den gewünschten Text ein. Klicken Sie auf Kommentar hinzufügen/Hinzufügen. Das von Ihnen markierte Objekt wird mit dem Symbol markiert. Um den Kommentar einzusehen, klicken Sie einfach auf dieses Symbol. Um einer bestimmten Folie einen Kommentar hinzuzufügen, wählen Sie die Folie aus und klicken Sie in der oberen Symbolleiste in der Registerkarte Einfügen oder Zusammenarbeit auf Kommentar. Der hinzugefügte Kommentar wird in der unteren linken Ecke der Folie angezeigt. Um der gesamten Präsentation einen Kommentar hinzuzufügen, der sich nicht auf ein einzelnes Objekt oder eine einzelne Folie bezieht, klicken Sie in der linken Seitenleiste auf das Symbol , um das Kommentarfeld zu öffnen und klicken Sie anschließend auf Kommentar hinzufügen. Kommentare die sich auf die gesamte Präsentation beziehen weren im Kommentarfeld angezeigt. Auch Kommentare in Bezug auf Objekte und einzelne Folien sind hier verfügbar. Alle Nutzer können nun auf hinzugefügte Kommentare antworten, Fragen stellen oder über durchgeführte Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar. Hinzugefügte Kommentare verwalten: bearbeiten - klicken Sie dazu auf löschen - klicken Sie dazu auf Diskussion schließen - klicken Sie dazu auf , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf , Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, werden erst sichtbar, wenn Sie in der in der linken oberen Ecke der oberen Symbolleiste auf klicken. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf ." + "title": "Gemeinsame Bearbeitung von Präsentationen in Echtzeit", + "body": "Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern. Im Präsentationseditor können Sie in Echtzeit an Präsentationen mit zwei Modi zusammenarbeiten: Schnell oder Formal. Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den erforderlichen Modus über das Symbol Modus \"Gemeinsame Bearbeitung\" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen: Die Anzahl der Benutzer, die in der aktuellen Präsentation arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen. Modus \"Schnell\" Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie eine Präsentation in diesem Modus gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. In diesem Modus werden die Aktionen und die Namen der Mitbearbeiter angezeigt. Wenn eine Präsentation in diesem Modus von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Objekte mit gestrichelten Linien in unterschiedlichen Farben gekennzeichnet. Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der sie gerade bearbeitet. Modus \"Formal\" Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn eine Präsentation von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Objekte (AutoFormen, Textobjekte, Tabellen, Bilder, Diagramme) mit gestrichelten Linien unterschiedlicher Farbe markiert. Das Objekt, das Sie bearbeiten, ist von der grün gestrichelten Linie umgeben. Rote gestrichelte Linien zeigen an, dass Objekte von anderen Benutzern bearbeitet werden. Sobald einer der Benutzer seine Änderungen durch Klicken auf das Symbol speichert, sehen die anderen einen Hinweis in der Statusleiste, der darauf informiert, dass es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen, und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abzurufen, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Die Aktualisierungen werden hervorgehoben, damit Sie überprüfen können, was genau geändert wurde. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Präsentationen kommentieren", + "body": "Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern. Im Präsentationseditor können Sie Kommentare zum Inhalt von Präsentationen hinterlassen, ohne ihn tatsächlich zu bearbeiten. Im Gegensatz zu Chat-Nachrichten bleiben die Kommentare, bis sie gelöscht werden. Kommentare hinterlassen und darauf antworten Um einen Kommentar zu einem bestimmten Objekt (Textfeld, Form usw.) zu hinterlassen: Wählen Sie ein Objekt aus, bei dem Ihrer Meinung nach ein Fehler oder Problem vorliegt. Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit der oberen Symbolleiste und klicken Sie auf die Schaltfläche Kommentar, oder Klicken Sie mit der rechten Maustaste auf das ausgewählte Objekt und wählen Sie im Menü die Option Kommentar hinzufügen. Geben Sie den erforderlichen Text ein. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen. Das von Ihnen kommentierte Objekt wird mit dem Symbol gekennzeichnet. Um den Kommentar anzuzeigen, klicken Sie einfach auf dieses Symbol. Um einen Kommentar zu einer bestimmten Folie hinzuzufügen, wählen Sie die Folie aus und verwenden Sie die Schaltfläche Kommentar auf der Registerkarte Einfügen oder Zusammenarbeit in der oberen Symbolleiste. Der hinzugefügte Kommentar wird in der oberen linken Ecke der Folie angezeigt. Um einen Kommentar auf Präsentationsebene zu erstellen, der sich nicht auf ein bestimmtes Objekt oder eine bestimmte Folie bezieht, klicken Sie auf das Symbol in der linken Seitenleiste, um das Bedienfield Kommentare zu öffnen, und verwenden Sie den Link Kommentar zum Dokument hinzufügen. Die Kommentare auf Präsentationsebene können im Bereich Kommentare angezeigt werden. Hier sind auch Kommentare zu Objekten und Folien verfügbar. Jeder andere Benutzer kann auf den hinzugefügten Kommentar antworten, indem er Fragen stellt oder über seine Arbeit berichtet. Klicken Sie dazu auf den Link Antwort hinzufügen unterhalb des Kommentars, geben Sie Ihren Antworttext in das Eingabefeld ein und klicken Sie auf die Schaltfläche Antworten. Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste geklickt haben. Kommentare verwalten Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten: Sortieren Sie die hinzugefügten Kommentare, indem Sie auf das Symbol klicken: nach Datum: Neueste zuerst oder Älteste zuerste. nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A). nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol , um die Diskussion neu zu öffnen. Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Erwähnungen hinzufügen Sie können Erwähnungen nur zu den Kommentaren zum Inhalt der Präsentation hinzufügen, nicht zur Präsentation selbst. Bei der Eingabe von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie die Aufmerksamkeit von jemandem auf den Kommentar lenken und eine Benachrichtigung per E-Mail und Chat an den erwähnten Benutzer senden können. Um eine Erwähnung hinzuzufügen: Geben Sie das Zeichen \"+\" oder \"@\" an einer beliebigen Stelle im Kommentartext ein - eine Liste der Portalbenutzer wird geöffnet. Um den Suchvorgang zu vereinfachen, können Sie im Kommentarfeld mit der Eingabe eines Namens beginnen - die Benutzerliste ändert sich während der Eingabe. Wählen Sie die erforderliche Person aus der Liste aus. Wenn die Datei noch nicht für den genannten Benutzer freigegeben wurde, wird das Fenster Freigabeeinstellungen geöffnet. Der Zugriffstyp Schreibgeschützt ist standardmäßig ausgewählt. Ändern Sie es bei Bedarf. Klicken Sie auf OK. Der erwähnte Benutzer erhält eine E-Mail-Benachrichtigung, dass er in einem Kommentar erwähnt wurde. Wurde die Datei freigegeben, erhält der Benutzer auch eine entsprechende Benachrichtigung. Kommentare entfernen Um Kommentare zu entfernen: Klicken Sie auf die Schaltfläche Entfernen auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste. Wählen Sie die erforderliche Option aus dem Menü: Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt. Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt. Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol ." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Tastenkombinationen", - "body": "Die Tastaturkombinationen werden für einen schnelleren und einfacheren Zugriff auf die Funktionen des Präsentationseditors über die Tastatur verwendet. Windows/LinuxMac OS Eine Präsentation bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Präsentation speichern, drucken, herunterladen, Informationen einsehen, eine neue Präsentation erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. „Suchmaske“ öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Über die Suchmaske können Sie in der aktuellen Präsentation nach Zeichen/Wörtern/Phrasen suchen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Präsentation speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuellen Präsentation werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Präsentation drucken STRG+P ^ STRG+P, ⌘ Cmd+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Präsentation in einem der unterstützten Dateiformate auf der Festplatte speichern: PPTX, PDF, ODP, POTX, PDF/A, OTP. Vollbild F11 Der Präsentationseditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Die aktuelle Präsentation in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Navigation Erste Folie POS1 POS1, Fn+← Auf die erste Folie der aktuellen Präsentation wechseln. Letzte Folie ENDE ENDE, Fn+→ Auf die letzte Folie der aktuellen Präsentation wechseln. Nächste Folie BILD unten BILD unten, Fn+↓ Auf die nächste Folie der aktuellen Präsentation wechseln. Vorherige Folie BILD oben BILD oben, Fn+↑ Auf die vorherige Folie der aktuellen Präsentation wechseln. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Präsentation vergrößern. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuellen Präsentation verkleinern. Folien bearbeiten Neue Folie STRG+M ^ STRG+M Eine neue Folie erstellen und nach der ausgewählten Folie in der Liste einfügen. Folie verdoppeln STRG+D ⌘ Cmd+D Die ausgewählte Folie wird verdoppelt. Folie nach oben verschieben STRG+↑ ⌘ Cmd+↑ Die ausgewählte Folie in der Liste hinter die vorherige Folie verschieben. Folie nach unten verschieben STRG+↓ ⌘ Cmd+↓ Die ausgewählte Folie in der Liste hinter die nachfolgende Folie verschieben. Folie zum Anfang verschieben STRG+⇧ UMSCHALT+↑ ⌘ Cmd+⇧ UMSCHALT+↑ Verschiebt die gewählte Folie an die erste Position in der Liste. Folie zum Ende verschieben STRG+⇧ UMSCHALT+↓ ⌘ Cmd+⇧ UMSCHALT+↓ Verschiebt die gewählte Folie an die letzte Position in der Liste. Objekte bearbeiten Kopie erstellen STRG + ziehen, STRG+D ^ STRG + ziehen, ^ STRG+D, ⌘ Cmd+D Halten Sie die Taste STRG beim Ziehen des gewählten Objekts gedrückt oder drücken Sie STRG+D (⌘ Cmd+D für Mac), um die Kopie zu erstellen. Gruppieren STRG+G ⌘ Cmd+G Die ausgewählten Objekte gruppieren. Gruppierung aufheben STRG+⇧ UMSCHALT+G ⌘ Cmd+⇧ UMSCHALT+G Die Gruppierung der gewählten Objekte wird aufgehoben. Nächstes Objekt auswählen ↹ Tab ↹ Tab Das nächste Objekt nach dem aktuellen auswählen. Vorheriges Objekt wählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Das vorherige Objekt vor dem aktuellen auswählen. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Die Drehung wird auf 15-Grad-Stufen begrenzt. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Bewegung Pixel für Pixel STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Halten Sie die Taste STRG (⌘ Cmd bei Mac) gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Tabellen bearbeiten Zur nächsten Zelle in einer Zeile übergeghen ↹ Tab ↹ Tab Zur nächsten Zelle in einer Zeile wechseln. Zur nächsten Zelle in einer Tabellenzeile wechseln. ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zur vorherigen Zelle in einer Zeile wechseln. Zur nächsten Zeile wechseln ↓ ↓ Zur nächsten Zeile in einer Tabelle wechseln. Zur vorherigen Zeile wechseln ↑ ↑ Zur vorherigen Zeile in einer Tabelle wechseln. Neuen Abstz beginnen ↵ Eingabetaste ↵ Zurück Einen neuen Absatz in einer Zelle beginnen. Neue Zeile einfügen ↹ Tab in der unteren rechten Tabellenzelle. ↹ Tab in der unteren rechten Tabellenzelle. Eine neue Zeile am Ende der Tabelle einfügen. Vorschau der Präsentation Vorschau von Beginn an starten STRG+F5 ^ STRG+F5 Die Vorschau wird von Beginn an Präsentation gestartet Vorwärts navigieren ↵ Eingabetaste, BILD unten, →, ↓, ␣ Leertaste ↵ Zurück, BILD unten, →, ↓, ␣ Leertaste Startet die Vorschau der nächsten Animation oder geht zur nächsten Folie über. Rückwärts navigieren BILD oben, ←, ↑ BILD oben, ←, ↑ Vorschau der vorherigen Animation oder zur vorherigen Folie übergehen. Vorschau beenden ESC ESC Die Vorschau wird beendet. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ^ STRG+Z, ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ^ STRG+J, ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Das gewählte Objekt wird in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Das vorher kopierte Objekt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. Hyperlink einfügen STRG+K ^ STRG+K, ⌘ Cmd+K Einen Hyperlink einfügen der an eine Webadresse oder eine bestimmte Stelle in der Präsentation weiterleitet. Format übertragen STRG+⇧ UMSCHALT+C ^ STRG+⇧ UMSCHALT+C, ⌘ Cmd+⇧ UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in derselben Präsentation angewendet werden. Format übertragen STRG+⇧ UMSCHALT+V ^ STRG+⇧ UMSCHALT+V, ⌘ Cmd+⇧ UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text in der aktuellen Präsentation an. Auswahl mit der Maus Zum gewählten Abschnitt hinzufügen ⇧ UMSCHALT ⇧ UMSCHALT Starten Sie die Auswahl, halten Sie die Taste ⇧ UMSCHALT gedrückt und klicken Sie an der Stelle, wo Sie die Auswahl beenden möchten. Auswahl mithilfe der Tastatur Alles auswählen STRG+A ^ STRG+A, ⌘ Cmd+A Alle Folien (in der Folienliste) auswählen oder alle Objekte auf einer Folie (im Bereich für die Folienbearbeitung) oder den ganzen Text (im Textblock) - abhängig von der Cursorposition. Textabschnitt auswählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Den Text Zeichen für Zeichen auswählen. Text von der aktuellen Cursorposition bis zum Zeilenanfang auswählen ⇧ UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Text ab der Cursorposition bis Ende der Zeile auswählen ⇧ UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Ein Zeichen nach rechts auswählen ⇧ UMSCHALT+→ ⇧ UMSCHALT+→ Das Zeichen rechts neben dem Mauszeiger wird ausgewählt. Ein Zeichen nach links auswählen ⇧ UMSCHALT+← ⇧ UMSCHALT+← Das Zeichen links neben dem Mauszeiger wird ausgewählt. Bis zum Wortende auswählen STRG+⇧ UMSCHALT+→ Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt. Bis zum Wortanfang auswählen STRG+⇧ UMSCHALT+← Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt. Eine Reihe nach oben auswählen ⇧ UMSCHALT+↑ ⇧ UMSCHALT+↑ Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang). Eine Reihe nach unten auswählen ⇧ UMSCHALT+↓ ⇧ UMSCHALT+↓ Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang). Textformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählte Textabschnitt wird durchgestrichen. Tiefgestellt STRG+⇧ UMSCHALT+> ⌘ Cmd+⇧ UMSCHALT+> Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+⇧ UMSCHALT+< ⌘ Cmd+⇧ UMSCHALT+< Der gewählte Textabschnitt wird verkleinert und hochgestellt wie z. B. in Bruchzahlen. Aufzählungsliste STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+␣ Leertaste Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] ^ STRG+], ⌘ Cmd+] Vergrößert die Schrift des gewählten Textabschnitts um 1 Punkt. Schrift verkleinern STRG+[ ^ STRG+[, ⌘ Cmd+[ Verkleinert die Schrift des gewählten Textabschnitts um 1 Punkt. Zentriert ausrichten STRG+E Text zwischen dem linken und dem rechten Rand zentrieren. Blocksatz STRG+J Der Text im Absatz wird im Blocksatz ausgerichtet. Dabei wird zwischen den Wörtern ein zusätzlicher Abstand eingefügt, sodass der linke und der rechte Textrand an den Absatzrändern ausgerichtet sind. Rechtsbündig ausrichten STRG+R Der rechte Textrand verläuft parallel zum rechten Seitenrand, der linke Textrand bleibt unausgerichtet. Linksbündig ausrichten STRG+L Der linke Textrand verläuft parallel zum linken Seitenrand, der rechte Textrand bleibt unausgerichtet. Linken Einzug vergrößern STRG+M ^ STRG+M Der linke Seiteneinzug wird um einen Tabstopp vergrößert. Linken Einzug vergrößern STRG+⇧ UMSCHALT+M ^ STRG+⇧ UMSCHALT+M Der linke Seiteneinzug wird um einen Tabstopp verkleinert. Ein Zeichen nach links löschen ← Rücktaste ← Rücktaste Das Zeichen links neben dem Mauszeiger wird gelöscht. Ein Zeichen nach rechts löschen ENTF Fn+ENTF Das Zeichen rechts neben dem Mauszeiger wird gelöscht. Im Text navigieren Ein Zeichen nach links bewegen ← ← Der Mauszeiger bewegt sich ein Zeichen nach links. Ein Zeichen nach rechts bewegen → → Der Mauszeiger bewegt sich ein Zeichen nach rechts. Eine Reihe nach oben ↑ ↑ Der Mauszeiger wird eine Reihe nach oben verschoben. Eine Reihe nach unten ↓ ↓ Der Mauszeiger wird eine Reihe nach unten verschoben. Zum Anfang eines Wortes oder ein Wort nach links bewegen STRG+← ⌘ Cmd+← Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben. Ein Wort nach rechts bewegen STRG+→ ⌘ Cmd+→ Der Mauszeiger bewegt sich ein Wort nach rechts. Zum nächsten Platzhalter wechseln STRG+↵ Eingabetaste ^ STRG+↵ Zurück, ⌘ Cmd+↵ Zurück Zum nächsten Titel oder zum nächsten Textplatzhalter wechseln Handelt es sich um den letzten Platzhalter auf einer Folie, wird eine neue Folie mit demselben Folienlayout wie die ursprüngliche Folie eingefügt Zum Anfang einer Zeile springen POS1 POS1 Der Cursor wird an den Anfang der aktuellen Zeile verschoben. Zum Ende der Zeile springen ENDE ENDE Der Cursor wird an das Ende der aktuellen Zeile verschoben. Zum Anfang des Textfelds springen STRG+POS1 Der Cursor wird an den Anfang des aktuell bearbeiteten Textfelds verschoben. Zum Ende des Textfelds springen STRG+ENDE Der Cursor wird an das Ende des aktuell bearbeiteten Textfelds verschoben." + "body": "Tastenkombinationen für Key-Tipps Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen des Präsentationseditors ohne eine Maus zu verwenden. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten. Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen. Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte. Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren. In der folgenden Liste finden Sie die gängigsten Tastenkombinationen: Windows/LinuxMac OS Eine Präsentation bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Präsentation speichern, drucken, herunterladen, Informationen einsehen, eine neue Präsentation erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. „Suchmaske“ öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Über die Suchmaske können Sie in der aktuellen Präsentation nach Zeichen/Wörtern/Phrasen suchen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Präsentation speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuellen Präsentation werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Präsentation drucken STRG+P ^ STRG+P, ⌘ Cmd+P Ausdrucken mit einem verfügbaren Drucker oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Präsentation in einem der unterstützten Dateiformate auf der Festplatte speichern: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Vollbild F11 Der Präsentationseditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Die aktuelle Präsentation in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Navigation Erste Folie POS1 POS1, Fn+← Auf die erste Folie der aktuellen Präsentation wechseln. Letzte Folie ENDE ENDE, Fn+→ Auf die letzte Folie der aktuellen Präsentation wechseln. Nächste Folie BILD unten BILD unten, Fn+↓ Auf die nächste Folie der aktuellen Präsentation wechseln. Vorherige Folie BILD oben BILD oben, Fn+↑ Auf die vorherige Folie der aktuellen Präsentation wechseln. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Präsentation vergrößern. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuellen Präsentation verkleinern. Folien bearbeiten Neue Folie STRG+M ^ STRG+M Eine neue Folie erstellen und nach der ausgewählten Folie in der Liste einfügen. Folie verdoppeln STRG+D ⌘ Cmd+D Die ausgewählte Folie wird verdoppelt. Folie nach oben verschieben STRG+↑ ⌘ Cmd+↑ Die ausgewählte Folie in der Liste hinter die vorherige Folie verschieben. Folie nach unten verschieben STRG+↓ ⌘ Cmd+↓ Die ausgewählte Folie in der Liste hinter die nachfolgende Folie verschieben. Folie zum Anfang verschieben STRG+⇧ UMSCHALT+↑ ⌘ Cmd+⇧ UMSCHALT+↑ Verschiebt die gewählte Folie an die erste Position in der Liste. Folie zum Ende verschieben STRG+⇧ UMSCHALT+↓ ⌘ Cmd+⇧ UMSCHALT+↓ Verschiebt die gewählte Folie an die letzte Position in der Liste. Objekte bearbeiten Kopie erstellen STRG + ziehen, STRG+D ^ STRG + ziehen, ^ STRG+D, ⌘ Cmd+D Halten Sie die Taste STRG beim Ziehen des gewählten Objekts gedrückt oder drücken Sie STRG+D (⌘ Cmd+D für Mac), um die Kopie zu erstellen. Gruppieren STRG+G ⌘ Cmd+G Die ausgewählten Objekte gruppieren. Gruppierung aufheben STRG+⇧ UMSCHALT+G ⌘ Cmd+⇧ UMSCHALT+G Die Gruppierung der gewählten Objekte wird aufgehoben. Nächstes Objekt auswählen ↹ Tab ↹ Tab Das nächste Objekt nach dem aktuellen auswählen. Vorheriges Objekt wählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Das vorherige Objekt vor dem aktuellen auswählen. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Die Drehung wird auf 15-Grad-Stufen begrenzt. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Bewegung Pixel für Pixel STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Halten Sie die Taste STRG (⌘ Cmd bei Mac) gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben. Tabellen bearbeiten Zur nächsten Zelle in einer Zeile übergeghen ↹ Tab ↹ Tab Zur nächsten Zelle in einer Zeile wechseln. Zur nächsten Zelle in einer Tabellenzeile wechseln. ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zur vorherigen Zelle in einer Zeile wechseln. Zur nächsten Zeile wechseln ↓ ↓ Zur nächsten Zeile in einer Tabelle wechseln. Zur vorherigen Zeile wechseln ↑ ↑ Zur vorherigen Zeile in einer Tabelle wechseln. Neuen Abstz beginnen ↵ Eingabetaste ↵ Zurück Einen neuen Absatz in einer Zelle beginnen. Neue Zeile einfügen ↹ Tab in der unteren rechten Tabellenzelle. ↹ Tab in der unteren rechten Tabellenzelle. Eine neue Zeile am Ende der Tabelle einfügen. Vorschau der Präsentation Vorschau von Beginn an starten STRG+F5 ^ STRG+F5 Die Vorschau wird von Beginn an Präsentation gestartet Vorwärts navigieren ↵ Eingabetaste, BILD unten, →, ↓, ␣ Leertaste ↵ Zurück, BILD unten, →, ↓, ␣ Leertaste Startet die Vorschau der nächsten Animation oder geht zur nächsten Folie über. Rückwärts navigieren BILD oben, ←, ↑ BILD oben, ←, ↑ Vorschau der vorherigen Animation oder zur vorherigen Folie übergehen. Vorschau beenden ESC ESC Die Vorschau wird beendet. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ^ STRG+Z, ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ^ STRG+J, ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation, in eine andere Präsentation oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Das gewählte Objekt wird in der Zwischenablage des Rechners abgelegt. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Das vorher kopierte Objekt wird aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. Hyperlink einfügen STRG+K ^ STRG+K, ⌘ Cmd+K Einen Hyperlink einfügen der an eine Webadresse oder eine bestimmte Stelle in der Präsentation weiterleitet. Format übertragen STRG+⇧ UMSCHALT+C ^ STRG+⇧ UMSCHALT+C, ⌘ Cmd+⇧ UMSCHALT+C Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in derselben Präsentation angewendet werden. Format übertragen STRG+⇧ UMSCHALT+V ^ STRG+⇧ UMSCHALT+V, ⌘ Cmd+⇧ UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text in der aktuellen Präsentation an. Auswahl mit der Maus Zum gewählten Abschnitt hinzufügen ⇧ UMSCHALT ⇧ UMSCHALT Starten Sie die Auswahl, halten Sie die Taste ⇧ UMSCHALT gedrückt und klicken Sie an der Stelle, wo Sie die Auswahl beenden möchten. Auswahl mithilfe der Tastatur Alles auswählen STRG+A ^ STRG+A, ⌘ Cmd+A Alle Folien (in der Folienliste) auswählen oder alle Objekte auf einer Folie (im Bereich für die Folienbearbeitung) oder den ganzen Text (im Textblock) - abhängig von der Cursorposition. Textabschnitt auswählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Den Text Zeichen für Zeichen auswählen. Text von der aktuellen Cursorposition bis zum Zeilenanfang auswählen ⇧ UMSCHALT+POS1 Einen Textabschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Text ab der Cursorposition bis Ende der Zeile auswählen ⇧ UMSCHALT+ENDE Einen Textabschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Ein Zeichen nach rechts auswählen ⇧ UMSCHALT+→ ⇧ UMSCHALT+→ Das Zeichen rechts neben dem Mauszeiger wird ausgewählt. Ein Zeichen nach links auswählen ⇧ UMSCHALT+← ⇧ UMSCHALT+← Das Zeichen links neben dem Mauszeiger wird ausgewählt. Bis zum Wortende auswählen STRG+⇧ UMSCHALT+→ Einen Textfragment vom Cursor bis zum Ende eines Wortes wird ausgewählt. Bis zum Wortanfang auswählen STRG+⇧ UMSCHALT+← Einen Textfragment vom Cursor bis zum Anfang eines Wortes wird ausgewählt. Eine Reihe nach oben auswählen ⇧ UMSCHALT+↑ ⇧ UMSCHALT+↑ Eine Reihe nach oben auswählen (mit dem Cursor am Zeilenanfang). Eine Reihe nach unten auswählen ⇧ UMSCHALT+↓ ⇧ UMSCHALT+↓ Eine Reihe nach unten auswählen (mit dem Cursor am Zeilenanfang). Textformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett im gewählten Textabschnitt. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv im gewählten Textabschnitt. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählte Textabschnitt wird durchgestrichen. Tiefgestellt STRG+⇧ UMSCHALT+> ⌘ Cmd+⇧ UMSCHALT+> Der gewählte Textabschnitt wird verkleinert und tiefgestellt. Hochgestellt STRG+⇧ UMSCHALT+< ⌘ Cmd+⇧ UMSCHALT+< Der gewählte Textabschnitt wird verkleinert und hochgestellt wie z. B. in Bruchzahlen. Aufzählungsliste STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Baiserend auf dem gewählten Textabschnitt wird eine Aufzählungsliste erstellt oder eine neue Liste begonnen. Formatierung entfernen STRG+␣ Leertaste Entfernt die Formatierung im gewählten Textabschnitt. Schrift vergrößern STRG+] ^ STRG+], ⌘ Cmd+] Vergrößert die Schrift des gewählten Textabschnitts um 1 Punkt. Schrift verkleinern STRG+[ ^ STRG+[, ⌘ Cmd+[ Verkleinert die Schrift des gewählten Textabschnitts um 1 Punkt. Zentriert ausrichten STRG+E Text zwischen dem linken und dem rechten Rand zentrieren. Blocksatz STRG+J Der Text im Absatz wird im Blocksatz ausgerichtet. Dabei wird zwischen den Wörtern ein zusätzlicher Abstand eingefügt, sodass der linke und der rechte Textrand an den Absatzrändern ausgerichtet sind. Rechtsbündig ausrichten STRG+R Der rechte Textrand verläuft parallel zum rechten Seitenrand, der linke Textrand bleibt unausgerichtet. Linksbündig ausrichten STRG+L Der linke Textrand verläuft parallel zum linken Seitenrand, der rechte Textrand bleibt unausgerichtet. Linken Einzug vergrößern STRG+M ^ STRG+M Der linke Seiteneinzug wird um einen Tabstopp vergrößert. Linken Einzug vergrößern STRG+⇧ UMSCHALT+M ^ STRG+⇧ UMSCHALT+M Der linke Seiteneinzug wird um einen Tabstopp verkleinert. Ein Zeichen nach links löschen ← Rücktaste ← Rücktaste Das Zeichen links neben dem Mauszeiger wird gelöscht. Ein Zeichen nach rechts löschen ENTF Fn+ENTF Das Zeichen rechts neben dem Mauszeiger wird gelöscht. Im Text navigieren Ein Zeichen nach links bewegen ← ← Der Mauszeiger bewegt sich ein Zeichen nach links. Ein Zeichen nach rechts bewegen → → Der Mauszeiger bewegt sich ein Zeichen nach rechts. Eine Reihe nach oben ↑ ↑ Der Mauszeiger wird eine Reihe nach oben verschoben. Eine Reihe nach unten ↓ ↓ Der Mauszeiger wird eine Reihe nach unten verschoben. Zum Anfang eines Wortes oder ein Wort nach links bewegen STRG+← ⌘ Cmd+← Der Mauszeiger wird zum Anfang eines Wortes oder ein Wort nach links verschoben. Ein Wort nach rechts bewegen STRG+→ ⌘ Cmd+→ Der Mauszeiger bewegt sich ein Wort nach rechts. Zum nächsten Platzhalter wechseln STRG+↵ Eingabetaste ^ STRG+↵ Zurück, ⌘ Cmd+↵ Zurück Zum nächsten Titel oder zum nächsten Textplatzhalter wechseln Handelt es sich um den letzten Platzhalter auf einer Folie, wird eine neue Folie mit demselben Folienlayout wie die ursprüngliche Folie eingefügt Zum Anfang einer Zeile springen POS1 POS1 Der Cursor wird an den Anfang der aktuellen Zeile verschoben. Zum Ende der Zeile springen ENDE ENDE Der Cursor wird an das Ende der aktuellen Zeile verschoben. Zum Anfang des Textfelds springen STRG+POS1 Der Cursor wird an den Anfang des aktuell bearbeiteten Textfelds verschoben. Zum Ende des Textfelds springen STRG+ENDE Der Cursor wird an das Ende des aktuell bearbeiteten Textfelds verschoben." }, { "id": "HelpfulHints/Navigation.htm", "title": "Ansichtseinstellungen und Navigationswerkzeuge", - "body": "Der Präsentationseditor bietet mehrere Werkzeuge, um Ihnen die Ansicht und Navigation in Ihrer Präsentation zu erleichtern: Zoom, vorherige/nächste Folie, Anzeige der Foliennummer. Anzeigeeinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Präsentation festzulegen, wechseln Sie in die Registerkarte Start, klicken auf das Symbol Ansichtseinstellungen und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, wechseln Sie in die Registerkarte Start, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert. Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Statusleiste ausblenden - die unterste Leiste wird ausgeblendet, auf der sich die Optionen Foliennummer und Zoom befinden. Um die ausgeblendete Statusleiste wieder einzublenden, klicken Sie erneut auf diese Option. Lineale ausblenden - die Lineale, die das Festlegen von Tabstopps und Absatzeinzügen in Textfeldern ermöglichen, werden ausgeblendet. Um die ausgeblendeten Lineale wieder anzuzeigen, klicken Sie erneut auf diese Option. Notizen ausblenden - blendet den Bereich unter der bearbeitenden Folie aus, der zum Hinzufügen von Notizen verwendet wird. Um den Notizenbereich anzuzeigen, klicken Sie erneut auf diese Option. Die rechte Seitenleiste ist standartmäßig minimiert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt/Folie aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Die Breite der linken Randleiste wurd durch Ziehen und Loslassen mit dem Mauszeiger angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in einen bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach links, um die Seitenleiste zu verkleinern und nach rechs um sie zu erweitern. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihre Präsentation navigieren: Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern der aktuellen Präsentation. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern oder Verkleinern . Klicken Sie auf das Symbol Breite anpassen , um die Folienbreite der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen. Um die ganze Folie der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Folie anpassen . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten. Sie können einen Standard-Zoomwert festlegen. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen..., wählen Sie den gewünschten Zoom-Standardwert aus der Liste aus und klicken sie auf Übernehmen. Um während der Bearbeitung der Präsentation zur nächsten Folie zu wechseln oder zur vorherigen Folie zurückzukehren, können Sie über die Schaltflächen und oben und unten in der vertikalen Bildlaufleiste am rechten Folienrand für die Navigation verwenden. Die Folienzahlanzeige stellt die aktuelle Folie als Teil aller Folien in der aktuellen Präsentation dar (Folie „n“ von „nn“). Wenn Sie auf die Anzeige der Foliennummer klicken, öffnet sich ein Fenster und Sie können eine gewünschte Foliennummer angeben, um direkt auf diese Folie zu wechseln. Wenn Sie die Statusleiste ausgeblendet haben, ist dieser Schnellzugriff nicht zugänglich." + "body": "Der Präsentationseditor bietet mehrere Werkzeuge, um Ihnen die Ansicht und Navigation in Ihrer Präsentation zu erleichtern: Zoom, vorherige/nächste Folie, Anzeige der Foliennummer. Anzeigeeinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Präsentation festzulegen, wechseln Sie in die Registerkarte Start, klicken auf das Symbol Ansichtseinstellungen und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, wechseln Sie in die Registerkarte Start, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert. Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Statusleiste ausblenden - die unterste Leiste wird ausgeblendet, auf der sich die Optionen Foliennummer und Zoom befinden. Um die ausgeblendete Statusleiste wieder einzublenden, klicken Sie erneut auf diese Option. Lineale ausblenden - die Lineale, die das Festlegen von Tabstopps und Absatzeinzügen in Textfeldern ermöglichen, werden ausgeblendet. Um die ausgeblendeten Lineale wieder anzuzeigen, klicken Sie erneut auf diese Option. Notizen ausblenden - blendet den Bereich unter der bearbeitenden Folie aus, der zum Hinzufügen von Notizen verwendet wird. Um den Notizenbereich anzuzeigen, klicken Sie erneut auf diese Option. Die rechte Seitenleiste ist standartmäßig minimiert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt/Folie aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Die Breite der linken Randleiste wurd durch Ziehen und Loslassen mit dem Mauszeiger angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in einen bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach links, um die Seitenleiste zu verkleinern und nach rechs um sie zu erweitern. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihre Präsentation navigieren: Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern der aktuellen Präsentation. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) aus der Liste oder klicken Sie auf Vergrößern oder Verkleinern . Klicken Sie auf das Symbol Breite anpassen , um die Folienbreite der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen. Um die ganze Folie der Präsentation an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Folie anpassen . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten. Sie können einen Standard-Zoomwert festlegen. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen..., wählen Sie den gewünschten Zoom-Standardwert aus der Liste aus und klicken sie auf Übernehmen. Um während der Bearbeitung der Präsentation zur nächsten Folie zu wechseln oder zur vorherigen Folie zurückzukehren, können Sie über die Schaltflächen und oben und unten in der vertikalen Bildlaufleiste am rechten Folienrand für die Navigation verwenden. Die Folienzahlanzeige stellt die aktuelle Folie als Teil aller Folien in der aktuellen Präsentation dar (Folie „n“ von „nn“). Wenn Sie auf die Anzeige der Foliennummer klicken, öffnet sich ein Fenster und Sie können eine gewünschte Foliennummer angeben, um direkt auf diese Folie zu wechseln. Wenn Sie die Statusleiste ausgeblendet haben, ist dieser Schnellzugriff nicht zugänglich." }, { "id": "HelpfulHints/Password.htm", "title": "Präsentationen mit einem Kennwort schützen", - "body": "Sie können Ihre Präsentationen mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Kennwort erstellen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." + "body": "Sie können Ihre Präsentationen mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Kennwort erstellen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Klicken Sie auf , um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." }, { "id": "HelpfulHints/Search.htm", @@ -43,12 +48,22 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate elektronischer Präsentationen", - "body": "Eine Präsentation besteht aus einer Reihe von Folien, die verschiedene Arten von Inhalten enthalten können z. B. Bilder, Mediendateien, Text, Effekte etc. Der Präsentationseditor unterstützt die folgenden Formate: Formate Beschreibung Anzeige Bearbeitung Download PPT Dateiformat, das in Microsoft PowerPoint verwendet wird + + PPTX Office Open XML Presentation Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + POTX PowerPoint Office Open XML Dokumenten-Vorlage Gezipptes, XML-basiertes, von Microsoft für Präsentationsvorlagen entwickeltes Dateiformat. Eine POTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + ODP OpenDocument Presentation Dateiformat, das mit der Anwendung Impress erstellte Präsentationen darstellt; diese Anwendung ist ein Bestandteil des OpenOffice-Pakets + + + OTP OpenDocument-Präsentationsvorlage OpenDocument-Dateiformat für Präsentationsvorlagen. Eine OTP-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. +" + "body": "Eine Präsentation besteht aus einer Reihe von Folien, die verschiedene Arten von Inhalten enthalten können z. B. Bilder, Mediendateien, Text, Effekte etc. Der Präsentationseditor unterstützt die folgenden Formate: Formate Beschreibung Anzeige Bearbeitung Download PPT Dateiformat, das in Microsoft PowerPoint verwendet wird + + PPTX Office Open XML Presentation Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten + + + POTX PowerPoint Office Open XML Dokumenten-Vorlage Gezipptes, XML-basiertes, von Microsoft für Präsentationsvorlagen entwickeltes Dateiformat. Eine POTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + ODP OpenDocument Presentation Dateiformat, das mit der Anwendung Impress erstellte Präsentationen darstellt; diese Anwendung ist ein Bestandteil des OpenOffice-Pakets + + + OTP OpenDocument-Präsentationsvorlage OpenDocument-Dateiformat für Präsentationsvorlagen. Eine OTP-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Präsentationen mit derselben Formatierung verwendet werden. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. + PNG Ein Akronym für Portable Network Graphics. PNG ist ein Dateiformat für Rastergrafiken, das eher im Web als für Fotografie und Grafik verwendet wird. + JPG Ein Akronym für Joint Photographic Experts Group. Das am häufigsten verwendete komprimierte Bildformat zum Speichern und Übertragen von Bildern. +" }, { "id": "HelpfulHints/UsingChat.htm", - "title": "Nutzung des Chat-Tools", - "body": "Der ONLYOFFICE Presentation Editor bietet Ihnen die Möglichkeit, mit den anderen Benutzern zu kommunizieren und Ideen betreffend die bestimmten Abschnitte der Präsentationen zu besprechen. Um auf den Chat zuzugreifen und eine Nachricht für die anderen Benutzer zu hinterlassen, führen Sie die folgenden Schritte aus: Klicken Sie auf das Symbol auf der oberen Symbolleiste. Geben Sie Ihren Text ins entsprechende Feld ein. Klicken Sie auf den Button Senden. Alle Nachrichten, die von den Benutzern hinterlassen wurden, werden auf der Leiste links angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, wird das Chat-Symbol so aussehen - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie aufs Symbol noch einmal." + "title": "Kommunikation in Echtzeit", + "body": "Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren; die Versionen von Präsentationen für die zukünftige Verwendung speichern. Im Präsentationseditor können Sie mit Ihren Mitbearbeitern in Echtzeit kommunizieren, indem Sie das integrierte Chat-Tool sowie eine Reihe nützlicher Plugins verwenden, z. B. Telegram oder Rainbow. Um auf das Chat-Tool zuzugreifen und eine Nachricht für andere Benutzer zu hinterlassen: Klicken Sie auf das Symbol in der linken Symbolleiste. Geben Sie Ihren Text in das entsprechende Feld unten ein. Klicken Sie die Schaltfläche Senden. Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt der Präsentation zu diskutieren, verwenden Sie besser Kommentare, die bis zu ihrer Löschung gespeichert werden. Alle von Benutzern hinterlassenen Nachrichten werden auf der linken Seite angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, sieht das Chat-Symbol so aus - . Um das Fenster mit Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol ." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Versionshistorie", + "body": "Der Präsentationseditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beibehalten: Sie können die Dateien und Ordner freigeben; an Präsentationen in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Präsentationen, die zusätzliche Eingaben Dritter erfordern, kommentieren. Im Präsentationseditor können Sie den Versionsverlauf der Präsentation anzeigen, an der Sie mitarbeiten. Versionshistorie anzeigen: Um alle an der Präsentation vorgenommenen Änderungen anzuzeigen: Gehen Sie zur Registerkarte Datei. Wählen Sie in der linken Seitenleiste die Option Versionshistorie aus oder Gehen Sie zur Registerkarte Zusammenarbeit. Öffnen Sie die Versionshistorie mithilfe des Symbols  Versionshistorie in der oberen Symbolleiste. Sie sehen die Liste der Präsentationsversionen und -Revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Präsentationsversionen wird auch die Versionsnummer angegeben (z. B. ver. 2). Versionen anzeigen: Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird. Um zur aktuellen Version der Präsentation zurückzukehren, verwenden Sie die Option Historie schließen oben in der Versionsliste. Versionen wiederherstellen: Wenn Sie zu einer der vorherigen Versionen der Präsentation zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision. Um mehr über das Verwalten von Versionen und Zwischenrevisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel." + }, + { + "id": "ProgramInterface/AnimationTab.htm", + "title": "Registerkarte Animation", + "body": "Die Registerkarte Animation im Präsentationseditor ermöglicht Ihnen die Verwaltung von Animationseffekten. Sie können Animationseffekte hinzufügen, bestimmen, wie sich die Animationseffekte bewegen, und andere Parameter für Animationseffekte konfigurieren, um Ihre Präsentation anzupassen. Dialogbox Online-Präsentationseditor: Dialogbox Desktop-Präsentationseditor: Sie können: Animationseffekte auswählen, für jeden Animationseffekt die geeigneten Bewegungsparameter festlegen, mehrere Animationen hinzufügen, die Reihenfolge der Animationseffekte mit den Optionen Aufwärts schweben oder Abwärts schweben ändern, Vorschau des Animationseffekts aktivieren, die Timing-Optionen wie Dauer, Verzögern und Wiederholen für Animationseffekte festlegen, die Option Zurückspulen aktivieren und deaktivieren." }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -78,13 +93,28 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche des Präsentationseditors", - "body": "Einführung in die Benutzeroberfläche des Präsentationseditor Der Präsentationseditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Präsentationseditor: Dialogbox Desktop-Präsentationseditor: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Dokumente , der Name der Präsentation sowie die Menü-Registerkarten angezeigt. Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - in der Desktop-Version können Sie den Ordner öffnen, in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar) - hier können Sie Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Startseite, Einfügen, Zusammenarbeit, Schützen und Plugins. Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Symbolleiste zur Verfügung. In der Statusleiste am unteren Rand des Editorfensters finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie diverse Navigationswerkzeuge: z. B. Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert\" usw.) und Sie haben die Möglichkeit, die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren. Symbole in der linken Seitenleiste: mithilfe der Funktion können Sie den Text suchen und ersetzen, öffnet die Kommentarfunktion, - (nur in der Online-Version verfügbar) hier können Sie das Chatfenster öffnen, - (nur in der Online-Version verfügbar) kontaktieren Sie under Support-Team, - (nur in der Online-Version verfügbar) sehen Sie sich die Programminformationen an. Über die rechte Randleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf der Folie auswählen, wird die entsprechende Schaltfläche auf der rechten Randleiste aktiviert. Um die Randleiste zu erweitern, klicken Sie diese Schaltfläche an. Die horizontale und vertikale Lineale: Sie können dabei Objekte auf einer Folie präzis positionieren und Tabulatoren und Absätze in Textfeldern festlegen. Über den Arbeitsbereich enthält man den Präsentationsinhalt; hier können Sie die Daten eingeben und bearbeiten. Mithilfe der Bildaufleiste rechts können Sie in der Präsentation hoch und runter navigieren. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + "body": "Einführung in die Benutzeroberfläche des Präsentationseditor Der Präsentationseditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Präsentationseditor: Dialogbox Desktop-Präsentationseditor: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Dokumente , der Name der Präsentation sowie die Menü-Registerkarten angezeigt. Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - in der Desktop-Version können Sie den Ordner öffnen, in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar) - hier können Sie Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Startseite, Einfügen, Übergänge, Animation, Zusammenarbeit, Schützen und Plugins. Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Symbolleiste zur Verfügung. In der Statusleiste am unteren Rand des Editorfensters finden Sie das Symbol für den Beginn der Bildschirmpräsentation sowie diverse Navigationswerkzeuge: z. B. Foliennummer und Zoom. Außerdem werden in der Statusleiste Benachrichtigungen vom System angezeigt (wie beispielsweise „Alle Änderungen wurden gespeichert“, „Verbindung verloren“, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen usw.) und Sie haben die Möglichkeit, die Textsprache festzulegen und die Rechtschreibprüfung zu aktivieren. Symbole in der linken Seitenleiste: mithilfe der Funktion können Sie den Text suchen und ersetzen, öffnet die Kommentarfunktion, - (nur in der Online-Version verfügbar) hier können Sie das Chatfenster öffnen, - (nur in der Online-Version verfügbar) kontaktieren Sie under Support-Team, - (nur in der Online-Version verfügbar) sehen Sie sich die Programminformationen an. Über die rechte Randleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf der Folie auswählen, wird die entsprechende Schaltfläche auf der rechten Randleiste aktiviert. Um die Randleiste zu erweitern, klicken Sie diese Schaltfläche an. Die horizontale und vertikale Lineale: Sie können dabei Objekte auf einer Folie präzis positionieren und Tabulatoren und Absätze in Textfeldern festlegen. Über den Arbeitsbereich enthält man den Präsentationsinhalt; hier können Sie die Daten eingeben und bearbeiten. Mithilfe der Bildaufleiste rechts können Sie in der Präsentation hoch und runter navigieren. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + }, + { + "id": "ProgramInterface/TransitionsTab.htm", + "title": "Registerkarte Übergänge", + "body": "Auf der Registerkarte Übergänge im Präsentationseditor können Sie Folienübergänge verwalten. Sie können Übergangseffekte hinzufügen, die Übergangsgeschwindigkeit einstellen und andere Folienübergangsparameter konfigurieren, um Ihre Präsentation anzupassen. Dialogbox Online-Präsentationseditor: Dialogbox Desktop-Präsentationseditor: Sie können: einen Übergangseffekt wählen, für jeden Übergangseffekt geeignete Parameter festlegen, Übergangsdauer festlegen, einen Übergang in der Vorschau anzeigen, angeben, wie lange die Folie angezeigt werden soll, indem Sie die Optionen Bei Klicken beginnen und Verzögern aktivieren, den Übergang auf alle Folien anwenden, indem Sie auf die Schaltfläche Auf alle Folien anwenden klicken." + }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Registerkarte Ansicht", + "body": "Auf der Registerkarte Ansicht im Präsentationseditor können Sie verwalten, wie Ihr Dokument aussieht, während Sie daran arbeiten. Dialogbox Online-Präsentationseditor: Dialogbox Desktop-Präsentationseditor: Auf dieser Registerkarte sind die folgenden Funktionen verfügbar: Zoom ermöglicht das Vergrößern und Verkleinern Ihres Dokuments. Folie anpassen ermöglicht es, die Größe der Folie so zu ändern, dass der Bildschirm die gesamte Folie anzeigt. Breite anpassen ermöglicht es, die Folie so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird. Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Hell, Klassisch Hell oder Dunkel. Mit den folgenden Optionen können Sie die anzuzeigenden oder auszublendenden Elemente konfigurieren. Aktivieren Sie die Elemente, um sie sichtbar zu machen: Notizen, um das Notizenfeld immer sichtbar zu machen. Lineale, um Lineale immer sichtbar zu machen. Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen. Statusleiste, um die Statusleiste immer sichtbar zu machen." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Hyperlink einfügen", "body": "Einfügen eines Hyperlinks im Präsentationseditor Positionieren Sie Ihren Mauszeiger an der Stelle im Textfeld, die Sie in den Link integrieren möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Hyperlink in der oberen Symbolleiste. Sie können nun Fenster Einstellungen Hyperlink, die Parameter für den Hyperlink festlegen: wählen Sie den Linktyp, den Sie einfügen möchten: Wenn Sie einen Hyperlink hinzufügen möchten, der zu externen Website führt, wählen Sie Website und geben Sie eine URL im Format http://www.example.com in das Feld Link zu ein. Wenn Sie einen Hyperlink hinzufügen möchten, der zu einer bestimmten Folie in der aktuellen Präsentation führt, wählen Sie die Option Folie aus dieser Präsentation und geben Sie die gewünschte Folie an. Die folgenden Optionen stehen Ihnen zur Verfügung: Nächste Folie, Vorherige Folie, Erste Folie, Letze Folie, Folie Angezeigter Text - geben Sie einen Text ein, der klickbar wird und zu der im oberen Feld angegebenen Webadresse/Folie führt. QuickInfo - geben Sie einen Text ein, der in einem kleinen Dialogfenster angezeigt wird und den Nutzer über den Inhalt des Verweises informiert. Klicken Sie auf OK. Um einen Hyperlink hinzuzufügen und die Einstellungen zu öffnen, können Sie auch mit der rechten Maustaste an die gewünschte Stelle klicken und die Option Hyperlink im Kontextmenü auswählen oder Sie positionieren den Cursor an der gewünschten Position und drücken die Tastenkombination STRG+K. Hinweis: Es ist auch möglich, ein Zeichen, Wort oder eine Wortverbindung mit der Maus oder über die Tastatur auszuwählen. Klicken Sie anschließend in der Registerkarte Einfügen auf Hyperlink oder klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie im Kontextmenü die Option Hyperlink aus. Danach öffnet sich das oben dargestellte Fenster und im Feld Angezeigter Text erscheint der ausgewählte Textabschnitt. Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. Sie können dem Link folgen, indem Sie die Taste STRG drücken und dann auf den Link in Ihrer Präsentation klicken. Um den hinzugefügten Hyperlink zu bearbeiten oder zu entfernen, klicken Sie diesen mit der rechten Maustaste an, wählen Sie die Option Hyperlink im Kontextmenü und wählen Sie anschließend den gewünschten Vorgang aus - Hyperlink bearbeiten oder Hyperlink entfernen." }, + { + "id": "UsageInstructions/AddingAnimations.htm", + "title": "Animationen hinzufügen", + "body": "Animation ist ein visueller Effekt, mit dem Sie Text, Objekte und Grafiken animieren können, um Ihre Präsentation dynamischer zu gestalten und wichtige Informationen hervorzuheben. Sie können die Bewegung, Farbe und Größe von Text, Objekten und Grafiken verwalten. Animationseffekt anwenden Wechseln Sie in der oberen Symbolleiste zur Registerkarte Animation. Wählen Sie einen Text, ein Objekt oder ein Grafikelement aus, um den Animationseffekt darauf anzuwenden. Wählen Sie einen Animationseffekt aus der Animationsgalerie aus. Wählen Sie die Bewegungsrichtung des Animationseffekts aus, indem Sie neben der Animationsgalerie auf Parameter klicken. Die Parameter in der Liste hängen vom angewendeten Effekt ab. Sie können Animationseffekte auf der aktuellen Folie in der Vorschau anzeigen. Standardmäßig werden Animationseffekte automatisch abgespielt, wenn Sie sie zu einer Folie hinzufügen, aber Sie können sie deaktivieren. Klicken Sie auf der Registerkarte Animation auf das Drop-Down-Menü Vorschau und wählen Sie einen Vorschaumodus aus: Vorschau, um eine Vorschau anzuzeigen, wenn Sie auf die Schaltfläche Vorschau klicken. AutoVorschau, um automatisch eine Vorschau anzuzeigen, wenn Sie einer Folie eine Animation hinzufügen. Typen von Animationen Alle Animationseffekte sind in der Animationsgalerie aufgelistet. Klicken Sie auf den Drop-Down-Pfeil, um sie zu öffnen. Jeder Animationseffekt wird durch ein sternförmiges Symbol dargestellt. Die Animationen sind nach dem Zeitpunkt ihres Auftretens gruppiert: Eingangseffekte bestimmen, wie Objekte auf einer Folie erscheinen, und werden in der Galerie grün gefärbt. Hervorhebungseffekte ändern die Größe oder Farbe des Objekts, um ein Objekt hervorzuheben und die Aufmerksamkeit des Publikums auf sich zu ziehen, und sind in der Galerie gelb oder zweifarbig gefärbt. Ausgangseffekte bestimmen, wie Objekte von einer Folie verschwinden, und werden in der Galerie rot eingefärbt. Animationspfad bestimmt die Bewegung eines Objekts und den Pfad, dem es folgt. Die Symbole in der Galerie stellen den vorgeschlagenen Pfad dar. Scrollen Sie in der Animationsgalerie nach unten, um alle in der Galerie enthaltenen Effekte anzuzeigen. Wenn Sie die benötigte Animation nicht in der Galerie sehen, klicken Sie unten in der Galerie auf die Option Mehr Effekte anzeigen. Hier finden Sie die vollständige Liste der Animationseffekte. Effekte werden zusätzlich nach der visuellen Wirkung gruppiert, die sie auf das Publikum haben. Die Eingangs-, Hervorhebungs- und Ausgangseffekte sind gruppiert: Grundlegende, Dezent, Mittelmäßig und Spektakulär. Animationspfad-Effekte sind gruppiert: Grundlegende, Dezent und Mittelmäßig. Anwenden mehrerer Animationen Sie können demselben Objekt mehr als einen Animationseffekt hinzufügen. Um eine weitere Animation hinzuzufügen, Klicken Sie auf der Registerkarte Animation auf die Schaltfläche Animation hinzufügen. Die Liste der Animationseffekte wird geöffnet. Wiederholen Sie die Schritte 3 und 4 oben, um eine Animation hinzuzufügen. Wenn Sie die Animationsgalerie und nicht die Schaltfläche Animation hinzufügen verwenden, wird der erste Animationseffekt durch einen neuen Effekt ersetzt. Ein kleines Quadrat neben dem Objekt zeigt die Sequenznummern der angewendeten Effekte. Sobald Sie einem Objekt mehrere Effekte hinzufügen, erscheint das Symbol Mehrfach Animationen in der Animationsgalerie. Ändern der Reihenfolge der Animationseffekte auf einer Folie Klicken Sie auf das Animationsquadrat. Klicken Sie auf die Pfeile oder auf der Registerkarte Animation, um die Reihenfolge der Darstellung von Objekten auf der Folie zu ändern. Einstellen des Animationstimings Verwenden Sie die Timing-Optionen auf der Registerkarte Animation, um die Optionen Start, Dauer, Verzögern, Wiederholen und Zurückspulen für Animationen auf einer Folie festzulegen. Startoptionen für Animationen Beim Klicken: Die Animation beginnt, wenn Sie auf die Folie klicken. Dies ist die Standardoption. Mit vorheriger: Die Animation beginnt, wenn der vorherige Animationseffekt beginnt und die Effekte gleichzeitig erscheinen. Nach vorheriger: Die Animation beginnt direkt nach dem vorherigen Animationseffekt. Animationseffekte werden automatisch auf einer Folie nummeriert. Alle Animationen, die auf Mit vorheriger und Nach vorheriger eingestellt sind, nehmen die Nummer der Animation, mit der sie verbunden sind, da sie automatisch erscheinen. Optionen für Animation-Trigger Klicken Sie auf die Schaltfläche Trigger und wählen Sie eine der entsprechenden Optionen aus: Bei Reihenfolge von Klicken: Jedes Mal, wenn Sie irgendwo auf die Folie klicken, wird die nächste Animation in Folge gestartet. Dies ist die Standardoption. Beim Klicken auf: Um die Animation zu starten, wenn Sie auf das Objekt klicken, das Sie aus der Drop-Down-Liste auswählen. Andere Timing-Optionen Dauer: Verwenden Sie diese Option, um festzulegen, wie lange eine Animation angezeigt werden soll. Wählen Sie eine der verfügbaren Optionen aus dem Menü oder geben Sie den erforderlichen Zeitwert ein. Verzögern: Verwenden Sie diese Option, wenn Sie möchten, dass die ausgewählte Animation innerhalb eines bestimmten Zeitraums angezeigt wird, oder wenn Sie eine Pause zwischen den Effekten benötigen. Verwenden Sie die Pfeile, um den erforderlichen Zeitwert auszuwählen, oder geben Sie den erforderlichen Wert in Sekunden ein. Wiederholen: Verwenden Sie diese Option, wenn Sie eine Animation mehr als einmal anzeigen möchten. Klicken Sie auf das Feld Wiederholen und wählen Sie eine der verfügbaren Optionen aus oder geben Sie Ihren Wert ein. Zurückspulen: Aktivieren Sie dieses Kontrollkästchen, wenn Sie das Objekt in seinen ursprünglichen Zustand zurückspulen möchten, wenn die Animation endet." + }, { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Objekte auf einer Folie anordnen und ausrichten", @@ -93,7 +123,7 @@ var indexes = { "id": "UsageInstructions/ApplyTransitions.htm", "title": "Übergänge hinzufügen", - "body": "Ein Übergang ist ein Animationseffekt, beim Wechsel zwischen zwei Folien, während einer Bildschirmdemonstration. Im Präsentationseditor sie können den gleichen Übergang zu allen Folien hinzufügen oder verschiedene Übergänge auf jede einzelne Folie anwenden und die Eigenschaften der Übergänge anpassen. Einen Übergang auf eine einzelne Folie oder auf mehrere gewählte Folien anwenden: Wählen Sie die gewünschte Folie aus (oder mehrere Folien in der Folienliste), der Sie einen Übergang hinzufügen möchten. Die Registerkarte Folieneinstellungen wird auf der rechten Seitenleiste aktiviert. Um sie zu öffnen, klicken Sie rechts auf das Symbol Folieneinstellungen . Alternativ können Sie eine Folie im Folienbearbeitungsbereich mit der rechten Maustaste anklicken und die Option Folieneinstellungen im Kontextmenü wählen. Wählen Sie den gewünschten Übergang im Listenmenü Effekt.Die folgenden Übergänge sind verfügbar: Verblassen, Schieben, Wischen, Teilen, Aufdecken, Bedecken, Uhr, Zoom. Wählen Sie im Listenmenü eine der verfügbaren Effektoptionen aus. Durch diese Optionen wird festgelegt, wie genau der Effekt ausgeführt wird. Ist zum Beispiel, der Übergang „Zoom“ aktiviert, stehen die Optionen Hinein, Heraus und Zoomen und Drehen zur Verfügung. Geben Sie die Dauer des gewünschten Übergangs an. Wählen Sie im Feld Dauer die gewünschte Dauer aus oder geben Sie einen Wert in das dafür vorgesehene Feld ein (die Dauer wird in Sekunden gemessen). Klicken Sie auf die Schaltfläche Vorschau, um den ausgewählten Übergang im Folienbearbeitungsbereich abzuspielen. Geben Sie an, wie lange die Folie angezeigt werden soll, bis der Übergang in die nächste Folie erfolgt: Bei Klicken beginnen – aktivieren Sie dieses Kontrollkästchen, wenn Sie keine Beschränkung für die Anzeigedauer einer Folie wünschen. Der Wechseln in eine neue Folie erfolgt erst bei Mausklick Verzögern – nutzen Sie diese Option, wenn die gewählte Folie für eine bestimmte Zeit angezeigt werden soll, bis der Übergang in eine andere Folie erfolgt. Aktivieren Sie dieses Kontrollkästchen und wählen Sie die Dauer in Sekunden aus oder geben Sie den Wert in das dafür vorgesehene Kästchen ein.Hinweis: wenn Sie nur das Kontrollkästchen Verzögern aktivieren, erfolgt der Übergang automatisch, in einem festgelegten Zeitintervall. Wenn Sie die Kontrollkästchen Bei Klicken beginnen und Verzögern gleichzeitig aktivieren und den Wert für die Dauer der Verzögerung festlegen, erfolgt der Übergang ebenfalls automatisch, sie haben zusätzlich jedoch auch die Möglichkeit, ein Slide mit der Maus anzuklicken, um den Übergang in die nächste Folie einzuleiten. Um einen Übergang auf alle Folien anzuwenden, führen Sie zuvor beschriebenen Schritte aus und klicken Sie anschließend auf die Schaltfläche Auf alle Folien anwenden. Einen Übergang löschen: Wechseln Sie in die gewünschte Folie und wählen Sie die Option Ohne in der Liste Effekt. Alle Übergänge löschen:wählen Sie eine Folie, aktivieren Sie die Option Ohne in der Liste Effekt und klicken Sie anschließend auf die Schaltfläche Auf alle Folien anwenden." + "body": "Ein Übergang ist ein Effekt, der angezeigt wird, wenn während der Präsentation eine Folie zur nächsten weitergeht. Im Präsentationseditor können Sie auf alle Folien denselben Übergang oder auf jede einzelne Folie unterschiedliche Übergänge anwenden und die Übergangsparameter anpassen. Um einen Übergang auf eine einzelne Folie oder mehrere ausgewählte Folien anzuwenden: Wechseln Sie zur Registerkarte Übergänge in der oberen Symbolleiste.

                  Wählen Sie eine Folie (oder mehrere Folien in der Folienliste) aus, auf die Sie einen Übergang anwenden möchten. Wählen Sie einen der verfügbaren Übergangseffekte auf der Registerkarte Übergänge aus: Kein(e), Einblendung, Schieben, Wischblende, Aufteilen, Aufdecken, Bedecken, Uhr, Vergrößern. Klicken Sie auf die Schaltfläche Parameter, um eine der verfügbaren Effektoptionen auszuwählen, die genau definieren, wie der Effekt angezeigt wird. Die verfügbaren Optionen für den Vergrößern-Effekt sind beispielsweise Vergrößern, Verkleinern und Vergrößern und drehen. Geben Sie die Dauer des gewünschten Übergangs an. Wählen Sie im Feld Dauer die gewünschte Dauer aus oder geben Sie einen Wert in das dafür vorgesehene Feld ein (die Dauer wird in Sekunden gemessen). Klicken Sie auf die Schaltfläche Vorschau, um den ausgewählten Übergang im Folienbearbeitungsbereich abzuspielen. Geben Sie an, wie lange die Folie angezeigt werden soll, bis der Übergang in die nächste Folie erfolgt: Bei Klicken beginnen – aktivieren Sie dieses Kontrollkästchen, wenn Sie keine Beschränkung für die Anzeigedauer einer Folie wünschen. Der Wechseln in eine neue Folie erfolgt erst bei Mausklick Verzögern – nutzen Sie diese Option, wenn die gewählte Folie für eine bestimmte Zeit angezeigt werden soll, bis der Übergang in eine andere Folie erfolgt. Aktivieren Sie dieses Kontrollkästchen und wählen Sie die Dauer in Sekunden aus oder geben Sie den Wert in das dafür vorgesehene Kästchen ein.Hinweis: wenn Sie nur das Kontrollkästchen Verzögern aktivieren, erfolgt der Übergang automatisch, in einem festgelegten Zeitintervall. Wenn Sie die Kontrollkästchen Bei Klicken beginnen und Verzögern gleichzeitig aktivieren und den Wert für die Dauer der Verzögerung festlegen, erfolgt der Übergang ebenfalls automatisch, sie haben zusätzlich jedoch auch die Möglichkeit, ein Slide mit der Maus anzuklicken, um den Übergang in die nächste Folie einzuleiten. Um einen Übergang auf alle Folien in Ihrer Präsentation anzuwenden, klicken Sie auf der Registerkarte Übergänge auf die Schaltfläche Auf alle Folien anwenden. Um einen Übergang zu löschen, wählen Sie die erforderliche Folie aus und wählen Sie Kein(e) unter den Übergangseffektoptionen auf der Registerkarte Übergänge. Um alle Übergänge zu löschen, wählen Sie eine beliebige Folie aus, wählen Sie Kein(e) unter den Übergangseffektoptionen und klicken Sie auf die Schaltfläche Auf alle Folien anwenden auf der Registerkarte Übergänge." }, { "id": "UsageInstructions/CopyClearFormatting.htm", @@ -103,7 +133,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Daten kopieren/einfügen, Aktionen rückgängig machen/wiederholen", - "body": "Zwischenablage verwenden Um gewählte Objekte (Folien, Textabschnitte, AutoFormen) im Präsentationseditor auszuschneiden, zu kopieren, einzufügen oder Aktionen rückgängig zu machen bzw. zu wiederholen, nutzen Sie die Optionen aus dem Rechtsklickmenü oder die entsprechenden Tastenkombinationen oder die Symbole die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Präsentation wieder eingefügt werden. Kopieren – wählen Sie ein Objekt aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden. Einfügen – platzieren Sie den Cursor an der Stelle in Ihrer Präsentation, an der Sie das zuvor kopierte Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen . Das Objekt wird an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Präsentation oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+C - Kopieren; STRG+V - Einfügen; STRG+X - Ausschneiden; Inhalte einfügen mit Optionen Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage oder dem eingefügten Objekt das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Einfügen von Textpassagen stehen folgende Auswahlmöglichkeiten zur Verfügung: An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt. Ursprüngliche Formatierung beibehalten - die ursprüngliche Formatierung des kopierten Textabschnitts wird in die Präsentation eingefügt. Bild - der Text wird als Bild eingefügt und kann nicht bearbeitet werden. Nur den Text übernehmen - der kopierte Text wird in an die vorhandene Formatierung angepasst. Für das Einfügen von Objekten (AutoFormen, Diagramme, Tabellen) stehen folgende Auswahlmöglichkeiten zur Verfügung: An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt. Bild - das Objekt wird als Bild eingefügt und kann nicht bearbeitet werden. Vorgänge rückgängig machen/wiederholen Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile des Editors, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen: Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen , um den zuletzt durchgeführten Vorgang rückgängig zu machen. Wiederholen – klicken Sie auf das Symbol Wiederholen , um den zuletzt rückgängig gemachten Vorgang zu wiederholen.Alternativ können Sie Vorgänge auch mit der Tastenkombination STRG+Z rückgängig machen bzw. mit STRG+Y wiederholen. Hinweis: Wenn Sie eine Präsentation im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar." + "body": "Zwischenablage verwenden Um gewählte Objekte (Folien, Textabschnitte, AutoFormen) im Präsentationseditor auszuschneiden, zu kopieren, einzufügen oder Aktionen rückgängig zu machen bzw. zu wiederholen, nutzen Sie die Optionen aus dem Rechtsklickmenü oder die entsprechenden Tastenkombinationen oder die Symbole die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie ein Objekt aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die Auswahl zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Präsentation wieder eingefügt werden. Kopieren – wählen Sie ein Objekt aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Das kopierte Objekt kann später an einer anderen Stelle in derselben Präsentation eingefügt werden. Einfügen – platzieren Sie den Cursor an der Stelle in Ihrer Präsentation, an der Sie das zuvor kopierte Objekt einfügen möchten und wählen Sie im Rechtsklickmenü die Option Einfügen oder klicken Sie in der oberen Symbolleiste auf Einfügen . Das Objekt wird an der aktuellen Cursorposition eingefügt. Das Objekt kann vorher aus derselben Präsentation kopiert werden oder auch aus einem anderen Dokument oder Programm oder von einer Webseite. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Präsentation oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+C - Kopieren; STRG+V - Einfügen; STRG+X - Ausschneiden; Inhalte einfügen mit Optionen Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar. Nachdem der kopierte Text eingefügt wurde, erscheint neben der eingefügten Textpassage oder dem eingefügten Objekt das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Einfügen von Textpassagen stehen folgende Auswahlmöglichkeiten zur Verfügung: An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt. Ursprüngliche Formatierung beibehalten - die ursprüngliche Formatierung des kopierten Textabschnitts wird in die Präsentation eingefügt. Bild - der Text wird als Bild eingefügt und kann nicht bearbeitet werden. Nur den Text übernehmen - der kopierte Text wird in an die vorhandene Formatierung angepasst. Für das Einfügen von Objekten (AutoFormen, Diagramme, Tabellen) stehen folgende Auswahlmöglichkeiten zur Verfügung: An Zielformatierung anpassen - die Formatierung der aktuellen Präsentation wird auf den eingefügten Text angewendet. Diese Option ist standardmäßig ausgewählt. Bild - das Objekt wird als Bild eingefügt und kann nicht bearbeitet werden. Um die automatische Anzeige der Schaltfläche Spezielles Einfügen nach dem Einfügen zu aktivieren/deaktivieren, gehen Sie zur Registerkarte Datei > Erweiterte Einstellungen... und aktivieren/deaktivieren Sie das Kontrollkästchen Ausschneiden, Kopieren und Einfügen. Vorgänge rückgängig machen/wiederholen Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile des Editors, um Vorgänge rückgängig zu machen/zu wiederholen oder nutzen Sie die entsprechenden Tastenkombinationen: Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen , um den zuletzt durchgeführten Vorgang rückgängig zu machen. Wiederholen – klicken Sie auf das Symbol Wiederholen , um den zuletzt rückgängig gemachten Vorgang zu wiederholen.Alternativ können Sie Vorgänge auch mit der Tastenkombination STRG+Z rückgängig machen bzw. mit STRG+Y wiederholen. Hinweis: Wenn Sie eine Präsentation im Modus Schnell gemeinsam bearbeiten, ist die Option letzten rückgängig gemachten Vorgang wiederherstellen nicht verfügbar." }, { "id": "UsageInstructions/CreateLists.htm", @@ -113,7 +143,7 @@ var indexes = { "id": "UsageInstructions/FillObjectsSelectColor.htm", "title": "Objekte ausfüllen und Farben auswählen", - "body": "Im Präsentationseditor sie haben die Möglichkeit für Folien, AutoFormen und DekoSchriften verschiedene Füllfarben und Hintergründe zu verwenden. Wählen Sie ein Objekt Um die Hintergrundfarbe einer Folie zu ändern, wählen Sie die gewünschte Folie in der Folienliste aus. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Um die Füllung einer AutoForm zu ändern, klicken Sie mit der linken Maustaste auf die gewünschte AutoForm. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Um die Füllung einer DekoSchrift zu ändern, klicken Sie mit der linken Maustaste auf das gewünschte Textfeld. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Gewünschte Füllung festlegen Passen Sie die Eigenschaften der gewählten Füllung an (eine detaillierte Beschreibung für jeden Füllungstyp finden Sie im weiteren Verlauf)Für AutoFormen und TextArt können Sie unabhängig vom gewählten Füllungstyp die gewünschte Transparenz festlegen, schieben Sie den Schieberegler in die gewünschte Position oder geben Sie manuelle den Prozentwert ein. Der Standardwert ist 100%. 100% entspricht dabei völliger Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz. Die folgenden Füllungstypen sind verfügbar: Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Folie/Form ausfüllen möchten. Klicken Sie auf das Farbfeld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbpaletten aus oder legen Sie eine beliebige Farbe fest: Designfarben - die Farben, die dem gewählten Farbschema der Präsentation entsprechen. Sobald Sie ein anderes Thema oder ein anderes Farbschema anwenden, ändert sich die Einstellung für die Designfarben. Standardfarben - die festgelegten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf das Objekt angewandt und in die Palette Benutzerdefinierte Farbe hinzugefügt. Es sind die gleichen Farbtypen, die Ihnen bei der Auswahl der Strichfarbe für AutoFormen, Schriftfarbe oder bei der Farbänderung des Tabellenhintergrunds und -rahmens zur Verfügung stehen. Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit zwei Farben zu füllen, die sanft ineinander übergehen. Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten). Richtung - wählen Sie eine Vorlage aus dem Menü. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung. Winkel - stellen Sie den numerischen Wert für einen genauen Farbübergangswinkel ein. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild- oder Texturfüllung - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Hintergrund für eine Form/Folie zu benutzen. Wenn Sie ein Bild als Hintergrund für eine Form/Folie verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie die entsprechende Webadresse in das geöffnete Fenster ein. Wenn Sie eine Textur als Hintergrund für eine Form bzw. Folie verwenden möchten, öffnen Sie die Liste Aus Textur und wählen Sie die gewünschte Texturvoreinstellung.Aktuell stehen die folgenden Texturen zur Verfügung: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood. Wenn das gewählte Bild kleiner oder größer als die AutoForm oder Folie ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen.Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es die Folie oder AutoForm vollständig ausfüllen kann. Die Option Kacheln ermöglicht Ihnen nur einen Teil des größeren Bildes zu verwenden und die Originalgröße für diesen Teil beizubehalten oder ein kleineres Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der Folie oder AutoForm auszufüllen. Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden. Muster - wählen Sie diese Option, um die Form/Folie mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht. Muster - wählen Sie eine der Designvorgaben aus dem Menü aus. Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Hintergrundmusters zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten." + "body": "Im Präsentationseditor sie haben die Möglichkeit für Folien, AutoFormen und DekoSchriften verschiedene Füllfarben und Hintergründe zu verwenden. Wählen Sie ein Objekt Um die Hintergrundfarbe einer Folie zu ändern, wählen Sie die gewünschte Folie in der Folienliste aus. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Um die Füllung einer AutoForm zu ändern, klicken Sie mit der linken Maustaste auf die gewünschte AutoForm. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Um die Füllung einer DekoSchrift zu ändern, klicken Sie mit der linken Maustaste auf das gewünschte Textfeld. Die Registerkarte Folieneinstellungen wird in der rechten Menüleiste aktiviert. Gewünschte Füllung festlegen Passen Sie die Eigenschaften der gewählten Füllung an (eine detaillierte Beschreibung für jeden Füllungstyp finden Sie weiter in dieser Anleitung). Für AutoFormen und TextArt können Sie unabhängig vom gewählten Füllungstyp die gewünschte Transparenz festlegen, schieben Sie den Schieberegler in die gewünschte Position oder geben Sie manuelle den Prozentwert ein. Der Standardwert ist 100%. 100% entspricht dabei völliger Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz. Die folgenden Füllungstypen sind verfügbar: Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Folie/Form ausfüllen möchten. Klicken Sie auf das Farbfeld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbpaletten aus oder legen Sie eine beliebige Farbe fest: Designfarben - die Farben, die dem gewählten Farbschema der Präsentation entsprechen. Sobald Sie ein anderes Thema oder ein anderes Farbschema anwenden, ändert sich die Einstellung für die Designfarben. Standardfarben - die festgelegten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf das Objekt angewandt und in die Palette Benutzerdefinierte Farbe hinzugefügt. Es sind die gleichen Farbtypen, die Ihnen bei der Auswahl der Strichfarbe für AutoFormen, Schriftfarbe oder bei der Farbänderung des Tabellenhintergrunds und -rahmens zur Verfügung stehen. Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit zwei Farben zu füllen, die sanft ineinander übergehen. Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten). Richtung - das Richtungsvorschaufenster zeigt die ausgewählte Verlaufsfarbe an. Klicken Sie auf den Pfeil, um eine Vorlage aus dem Menü auszuwählen. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung. Winkel - stellen Sie den numerischen Wert für einen genauen Farbübergangswinkel ein. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild- oder Texturfüllung - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Hintergrund für eine Form/Folie zu benutzen. Wenn Sie ein Bild als Hintergrund für eine Form/Folie verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie die entsprechende Webadresse in das geöffnete Fenster ein. Wenn Sie eine Textur als Hintergrund für eine Form bzw. Folie verwenden möchten, öffnen Sie die Liste Aus Textur und wählen Sie die gewünschte Texturvoreinstellung. Aktuell stehen die folgenden Texturen zur Verfügung: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood. Wenn das gewählte Bild kleiner oder größer als die AutoForm oder Folie ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen. Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es die Folie oder AutoForm vollständig ausfüllen kann. Die Option Kacheln ermöglicht Ihnen nur einen Teil des größeren Bildes zu verwenden und die Originalgröße für diesen Teil beizubehalten oder ein kleineres Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der Folie oder AutoForm auszufüllen. Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden. Muster - wählen Sie diese Option, um die Form/Folie mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht. Muster - wählen Sie eine der Designvorgaben aus dem Menü aus. Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Hintergrundmusters zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten." }, { "id": "UsageInstructions/HighlightedCode.htm", @@ -123,17 +153,17 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "AutoFormen einfügen und formatieren", - "body": "AutoForm einfügen Eine AutoForm in eine Folie einfügen im Präsentationseditor: Wählen Sie in der Folienliste links die Folie aus, der Sie eine AutoForm hinzufügen wollen. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf Form. Wählen Sie eine der verfügbaren Gruppen von AutoFormen: Standardformen, geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Buttons, Rechtecke, Linien. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form hinzufügen möchten.Hinweis: Sie können klicken und ziehen, um die Form auszudehnen. Sobald die AutoForm hinzugefügt wurde, können Sie Größe, Position und Eigenschaften ändern.Hinweis: Um eine Bildunterschrift innerhalb der AutoForm hinzuzufügen, wählen Sie die Form auf der Folie aus und geben Sie den Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht). Einstellungen der AutoForm anpassen Einige Eigenschaften der AutoFormen können in der Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Klicken Sie dazu auf die AutoForm und wählen Sie das Symbol Formeinstellungen in der rechten Seitenleiste aus. Hier können die folgenden Eigenschaften geändert werden: Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung: Farbfüllung - um die homogene Farbe zu bestimmen, mit der Sie die gewählte Form füllen wollen. Füllung mit Farbverlauf - um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Bild oder Textur - um ein Bild oder eine vorgegebene Textur als Hintergrund der Form zu nutzen. Muster - um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen. Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern. Um die Breite zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Göße aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen. Um die Konturfarbe zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Sie können die gewählte Designfarbe, eine Standardfarbe oder eine benutzerdefinierte Farbe auswählen. Um den Stil der Kontur zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern). Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu spiegeln (von links nach rechts) um die Form vertikal zu spiegeln (von oben nach unten) Um die erweiterte Einstellungen der AutoForm zu ändern, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie die Option Form - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Formeigenschaften wird geöffnet: Über die Registerkarte Größe können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Deitenverhältnis der AutoForm wird beibehalten. Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten). Die Registerkarte Stärken & Pfeile enthält folgende Parameter: Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen: Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.: Flach - für flache Endpunkte. Rund - für runde Endpunkte. Quadratisch - quadratisches Linienende. Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden: Rund - die Ecke wird abgerundet. Schräge Kante - die Ecke wird schräg abgeschnitten. Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln. Hinweis: Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden. Pfeile - diese Option ist verfügbar, wenn eine Form aus der Gruppe Linien ausgewählt ist. Dadurch können Sie die Form von Startpfeil und Endpfeil festlegen und die jeweilige Größe bestimmen. Wählen Sie dazu einfach die gewünschte Option aus der Liste aus. Über die Registerkarte Textränder können Sie die oberen, unteren, linken und rechten inneren Ränder der AutoForm ändern (also den Abstand zwischen dem Text innerhalb der Form und dem Rahmen der AutoForm). Hinweis: diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet. Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über. Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind. Um die hinzugefügte AutoForm zu ersetzen, klicken Sie diese mit der linken Maustaste an, wechseln Sie in die Registerkarte Formeinstellungen in der rechten Seitenleiste und wählen Sie unter AutoForm ändern in der Liste die gewünschte Form aus. Um die hinzugefügte AutoForm zu löschen, klicken Sie dieses mit der linken Maustaste an und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Um mehr über die Ausrichtung einer AuftoForm auf einer Folie zu erfahren oder mehrere AutoFormen anzuordnen, lesen Sie den Abschnitt Objekte auf einer Folie ausrichten und anordnen. AutoFormen mithilfe von Verbindungen anbinden Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt: Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf Form. Wählen Sie die Gruppe Linien im Menü aus. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand). Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte , die auf dem Umriss der Form zu sehen sind. Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form. Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen. Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden." + "body": "AutoForm einfügen Um eine AutoForm in eine Folie im Präsentationseditor einzufügen: Wählen Sie in der Folienliste links die Folie aus, der Sie eine AutoForm hinzufügen wollen. Klicken Sie auf das Symbol Form auf der Registerkarte Startseite oder klicken Sie auf die Formengalerie auf der Registerkarte Einfügen in der oberen Symbolleiste. Wählen Sie eine der verfügbaren Gruppen von AutoFormen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Schaltflächen, Rechtecke, Linien. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form hinzufügen möchten. Sie können klicken und ziehen, um die Form auszudehnen. Sobald die AutoForm hinzugefügt wurde, können Sie Größe, Position und Eigenschaften ändern. Um eine Bildunterschrift innerhalb der AutoForm hinzuzufügen, wählen Sie die Form auf der Folie aus und geben Sie den Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht). Es ist auch möglich, einem Folienlayout eine AutoForm hinzuzufügen. Weitere Informationen finden Sie in dieser Artikel. Einstellungen der AutoForm anpassen Einige Eigenschaften der AutoFormen können in der Registerkarte Formeinstellungen in der rechten Seitenleiste geändert werden. Klicken Sie dazu auf die AutoForm und wählen Sie das Symbol Formeinstellungen in der rechten Seitenleiste aus. Hier können die folgenden Eigenschaften geändert werden: Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung: Farbfüllung - um die homogene Farbe zu bestimmen, mit der Sie die gewählte Form füllen wollen. Füllung mit Farbverlauf - um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Bild oder Textur - um ein Bild oder eine vorgegebene Textur als Hintergrund der Form zu nutzen. Muster - um die Form mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen. Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern. Um die Breite der Striche zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Größe aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen. Um die Farbe der Striche zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Sie können die gewählte Designfarbe, eine Standardfarbe oder eine benutzerdefinierte Farbe auswählen. Um den Typ der Striche zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Drop-Down-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern). Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu spiegeln (von links nach rechts) um die Form vertikal zu spiegeln (von oben nach unten) AutoForm ändern - verwenden Sie diesen Abschnitt, um die aktuelle AutoForm durch eine andere Form aus der Drop-Down-Liste zu ersetzen. Schatten anzeigen - aktivieren Sie diese Option, um die Form mit Schatten anzuzeigen. Um die erweiterte Einstellungen der AutoForm zu ändern, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie die Option Form - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Formeigenschaften wird geöffnet: Über die Registerkarte Größe können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Deitenverhältnis der AutoForm wird beibehalten. Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten). Die Registerkarte Stärken & Pfeile enthält folgende Parameter: Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen: Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.: Flach - für flache Endpunkte. Rund - für runde Endpunkte. Quadratisch - quadratisches Linienende. Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden: Rund - die Ecke wird abgerundet. Schräge Kante - die Ecke wird schräg abgeschnitten. Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln. Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden. Pfeile - diese Option ist verfügbar, wenn eine Form aus der Gruppe Linien ausgewählt ist. Dadurch können Sie die Form von Startpfeil und Endpfeil festlegen und die jeweilige Größe bestimmen. Wählen Sie dazu einfach die gewünschte Option aus der Liste aus. Über die Registerkarte Textränder können Sie die oberen, unteren, linken und rechten inneren Ränder der AutoForm ändern (also den Abstand zwischen dem Text innerhalb der Form und dem Rahmen der AutoForm). Diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet. Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über. Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind. Um die hinzugefügte AutoForm zu ersetzen, klicken Sie diese mit der linken Maustaste an, wechseln Sie in die Registerkarte Formeinstellungen in der rechten Seitenleiste und wählen Sie unter AutoForm ändern in der Liste die gewünschte Form aus. Um die hinzugefügte AutoForm zu löschen, klicken Sie dieses mit der linken Maustaste an und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Um mehr über die Ausrichtung einer AuftoForm auf einer Folie zu erfahren oder mehrere AutoFormen anzuordnen, lesen Sie den Abschnitt Objekte auf einer Folie ausrichten und anordnen. AutoFormen mithilfe von Verbindungen anbinden Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt: Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf Form. Wählen Sie die Gruppe Linien im Menü aus. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand). Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte , die auf dem Umriss der Form zu sehen sind. Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form. Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen. Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden." }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Diagramme einfügen und bearbeiten", - "body": "Diagramm einfügen Ein Diagramm einfügen im Präsentationseditor: Positionieren Sie den Cursor an der Stelle, an der Sie ein Diagramm einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Wenn Sie Ihre Auswahl getroffen haben, öffnet sich das Fenster Diagramm bearbeiten und Sie können die gewünschten Daten mithilfe der folgenden Steuerelemente in die Zellen eingeben: und - Kopieren und Einfügen der kopierten Daten. und - Vorgänge Rückgängig machen und Wiederholen. - Einfügen einer Funktion. und - Löschen und Hinzufügen von Dezimalstellen. - Zahlenformat ändern, d.h. das Format in dem die eingegebenen Zahlen in den Zellen dargestellt werden. zur Auswahl eines anderen Diagrammtyps. Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken SIe auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor, um den Diagrammtyp und -stil auszuwählen. Wählen Sie den Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte, Linie, Kreis, Balken, Fläche, Kurs, Punkte (XY) oder Verbund. Wenn Sie den Typ Verbund auswählen, listet das Fenster Diagrammtyp die Diagrammreihen auf und ermöglicht die Auswahl der zu kombinierenden Diagrammtypen und die Auswahl von Datenreihen, die auf einer Sekundärachse platziert werden sollen. Die Diagrammeinstellungen ändern Sie durch Anklicken der Schaltfläche Diagramm bearbeiten im Fenster Diagramme. Das Fenster Diagramme - Erweiterte Einstellungen wird geöffnet. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt, um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramme (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitterlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitterlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Wenn das Diagramm eingefügt ist, können Sie die Größe und Position ändern. Sie können die Position des Diagramm auf der Folie angeben, indem Sie das Diagram vertikal oder horizontal ziehen. Sie können einem Textplatzhalter auch ein Diagramm hinzufügen, indem Sie auf das Symbol Diagramm innen drücken und den gewünschten Diagrammtyp auswählen: Es ist auch möglich, einem Folienlayout ein Diagramm hinzuzufügen. Weitere Informationen finden Sie hier. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Diagrammeinstellungen anpassen Diagrammgröße, -typ und -stil sowie die zur Erstellung des Diagramms verwendeten Daten, können in der rechten Seitenleiste geändert werden. Um das Menü zu aktivieren, klicken Sie auf das Diagramm und wählen Sie rechts das Symbol Diagrammeinstellungen aus. Im Abschnitt Größe können Sie Breite und Höhe des aktuellen Diagramms ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Seitenverhältnis des Diagramms wird beibehalten. Im Abschnitt Diagrammtyp ändern können Sie den gewählten Diagrammtyp und -stil über die entsprechende Auswahlliste ändern. Um den gewünschten Diagrammstil auszuwählen, verwenden Sie im Abschnitt Diagrammtyp ändern die zweite Auswahlliste. Über die Schaltfläche Daten ändern können Sie das Fenster Diagrammtools öffnen und die Daten ändern (wie oben beschrieben). Hinweis: Wenn Sie einen Doppelklick auf einem in Ihrer Präsentation enthaltenen Diagramm ausführen, öffnet sich das Fenster „Diagrammtools“. Die Option Erweiterte Einstellungen anzeigen in der rechten Seitenleiste ermöglicht das Öffnen des Fensters Diagramm - Erweiterte Einstellungen, über das Sie den alternativen Text festlegen können: Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol Formeinstellungen verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Füllung und Linienstärke der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Um das hinzugefügte Diagramm zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur. Informationen zum Ausrichten eines Diagramms auf der Folie oder zum Anordnen mehrerer Objekte, finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen." + "body": "Diagramm einfügen Ein Diagramm einfügen im Präsentationseditor: Positionieren Sie den Cursor an der Stelle, an der Sie ein Diagramm einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Gestapelte Balken Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination ONLYOFFICE Präsentationseditor unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern. Wenn Sie Ihre Auswahl getroffen haben, öffnet sich das Fenster Diagramm bearbeiten und Sie können die gewünschten Daten mithilfe der folgenden Steuerelemente in die Zellen eingeben: und - Kopieren und Einfügen der kopierten Daten. und - Vorgänge Rückgängig machen und Wiederholen. - Einfügen einer Funktion. und - Löschen und Hinzufügen von Dezimalstellen. - Zahlenformat ändern, d.h. das Format in dem die eingegebenen Zahlen in den Zellen dargestellt werden. zur Auswahl eines anderen Diagrammtyps. Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken SIe auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf die Schaltfläche Diagramm bearbeiten im Fenster Diagrammeditor, um den Diagrammtyp und -stil auszuwählen. Wählen Sie den Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte, Linie, Kreis, Balken, Fläche, Kurs, Punkte (XY) oder Verbund. Wenn Sie den Typ Verbund auswählen, listet das Fenster Diagrammtyp die Diagrammreihen auf und ermöglicht die Auswahl der zu kombinierenden Diagrammtypen und die Auswahl von Datenreihen, die auf einer Sekundärachse platziert werden sollen. Die Diagrammeinstellungen ändern Sie durch Anklicken der Schaltfläche Diagramm bearbeiten im Fenster Diagramme. Das Fenster Diagramme - Erweiterte Einstellungen wird geöffnet. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt, um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramme (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitterlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitterlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitterlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Wenn das Diagramm eingefügt ist, können Sie die Größe und Position ändern. Sie können die Position des Diagramm auf der Folie angeben, indem Sie das Diagram vertikal oder horizontal ziehen. Sie können einem Textplatzhalter auch ein Diagramm hinzufügen, indem Sie auf das Symbol Diagramm innen drücken und den gewünschten Diagrammtyp auswählen: Es ist auch möglich, einem Folienlayout ein Diagramm hinzuzufügen. Weitere Informationen finden Sie hier. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen usw. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Startseite und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Wenn das Diagramm ausgewählt ist, ist das Symbol Formeinstellungen auch auf der rechten Seite verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Formeinstellungen anzupassen: Füllung, Strich und Textumbruch. Beachten Sie, dass Sie den Formtyp nicht ändern können. Mit der Registerkarte Formeinstellungen auf der rechten Seite können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente wie Zeichnungsfläche, Datenreihe, Diagrammtitel, Legende usw. und wenden Sie verschiedene Füllungstypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken, und wählen Sie den bevorzugten Füllungstyp aus: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Geben Sie die Füllparameter an und stellen Sie bei Bedarf die Undurchsichtigkeit ein. Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Einzelheiten zum Arbeiten mit Formfarben, Füllungen und Striche finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, sie ist jedoch für Diagrammelemente deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs von das Element. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf, vergewissern Sie sich, dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie die Element in die benötigte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Diagrammeinstellungen anpassen Diagrammgröße, -typ und -stil sowie die zur Erstellung des Diagramms verwendeten Daten, können in der rechten Seitenleiste geändert werden. Um das Menü zu aktivieren, klicken Sie auf das Diagramm und wählen Sie rechts das Symbol Diagrammeinstellungen aus. Im Abschnitt Größe können Sie Breite und Höhe des aktuellen Diagramms ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Seitenverhältnis des Diagramms wird beibehalten. Im Abschnitt Diagrammtyp ändern können Sie den gewählten Diagrammtyp und -stil über die entsprechende Auswahlliste ändern. Um den gewünschten Diagrammstil auszuwählen, verwenden Sie im Abschnitt Diagrammtyp ändern die zweite Auswahlliste. Über die Schaltfläche Daten ändern können Sie das Fenster Diagrammtools öffnen und die Daten ändern (wie oben beschrieben). Wenn Sie einen Doppelklick auf einem in Ihrer Präsentation enthaltenen Diagramm ausführen, öffnet sich das Fenster „Diagrammtools“. Die Option Erweiterte Einstellungen anzeigen in der rechten Seitenleiste ermöglicht das Öffnen des Fensters Diagramm - Erweiterte Einstellungen, über das Sie den alternativen Text festlegen können: Wenn das Diagramm ausgewählt ist, ist rechts auch das Symbol Formeinstellungen verfügbar, da eine Form als Hintergrund für das Diagramm verwendet wird. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Füllung und Linienstärke der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Um das hinzugefügte Diagramm zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur. Informationen zum Ausrichten eines Diagramms auf der Folie oder zum Anordnen mehrerer Objekte, finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Formeln einfügen", - "body": "Mit dem Präsentationseditor können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt.Wenn der Rahmen des Formelfelds nicht angezeigt wird, klicken Sie auf eine beliebige Stelle innerhalb der Formel - der Rahmen wird als gestrichelte Linie dargestellt. Das Formelfeld kann auf der Folie beliebig verschoben, in der Größe verändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird alsdurchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie in alle Platzhalter die gewünschten Werte ein. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten.Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in den Platzhaltern einfügen: Geben Sie geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Hinweis: aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben werden, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Textfelds horizontal zentriert und vertikal am oberen Rand des Textfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Textfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der Registerkarte Start, auf der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und wählen Sie in der Registerkarte Start die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen." + "body": "Mit dem Präsentationseditor können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option. Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt. Wenn der Rahmen des Formelfelds nicht angezeigt wird, klicken Sie auf eine beliebige Stelle innerhalb der Formel - der Rahmen wird als gestrichelte Linie dargestellt. Das Formelfeld kann auf der Folie beliebig verschoben, in der Größe verändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente. Jede Gleichungsvorlage repräsentiert eine Reihe von Slots. Ein Slot ist eine Position für jedes Element, aus dem die Gleichung besteht. Ein leerer Platz (auch als Platzhalter bezeichnet) hat einen gepunkteten Umriss . Sie müssen alle Platzhalter mit den erforderlichen Werten ausfüllen. Werte eingeben Der Einfügepunkt gibt an, wo das nächste von Ihnen eingegebene Zeichen erscheinen wird. Um die Einfügemarke genau zu positionieren, klicken Sie in einen Platzhalter und bewegen Sie die Einfügemarke mit den Pfeiltasten der Tastatur, um ein Zeichen nach links/rechts zu bewegen. Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in den Platzhaltern einfügen: Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus (sehen Sie die Beschreibung der Option AutoKorrekturfunktionen). Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen, klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Derzeit können Gleichungen nicht im linearen Format eingegeben werden, d. h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter, der die neue Zeile einleitet, und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Textfelds horizontal zentriert und vertikal am oberen Rand des Textfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Textfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der Registerkarte Startseite in der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und wählen Sie in der Registerkarte Startseite die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Startseite, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen. Gleichungen konvertieren Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können. Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt: Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja. Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten." }, { "id": "UsageInstructions/InsertHeadersFooters.htm", @@ -143,7 +173,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Bilder einfügen und anpassen", - "body": "Bild einfügen Im Präsentationseditor können Sie Bilder in den gängigen Formaten in Ihre Präsentation einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Ein Bild in eine Folie einfügen: Markieren Sie mit dem Cursor die Folie in der Folienliste links, in die Sie ein Bild einfügen möchten. Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf Bild. Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern. Bildeinstellungen anpassen Klicken Sie mit der linken Maustaste ein Bild an und wählen Sie rechts das Symbol Bildeinstellungen aus, um die rechte Seitenleiste zu aktivieren. Hier finden Sie die folgenden Abschnitte:Größe - um Breite und Höhe des aktuellen Bildes einzusehen oder bei Bedarf die Standardgröße des Bildes wiederherzustellen. Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite. Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, während Sie den Ziehpunkt in der Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken. Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Taste Esc oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Füllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen. Bild ersetzen - das aktuelle Bild durch ein anderes Bild ersetzen und die entsprechende Quelle auswählen. Die folgenden Optionen stehen Ihnen zur Verfügung: Aus Datei oder Aus URL. Die Option Bild ersetzen ist auch im Rechtsklickmenü verfügbar. Drehen dient dazu das Bild um 90 Grad im oder gegen den Uhrzeigersinn zu drehen und die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen um das Bild horizontal zu spiegeln (von links nach rechts) um das Bild vertikal zu spiegeln (von oben nach unten) Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl. Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: In der Registerkarte positionieren können Sie die folgenden Bildeigenschaften festlegen: Größe - mit diesen Optionen können Sie die Breite bzw. Höhe des Bildes ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße. Position - über diese Option können Sie die Position des Bildes auf der Folie ändern (die Position wird im Verhältnis zum oberen und linken Rand der Folie berechnet). Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten). Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das eingefügte Bild zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur. Informationen zum Ausrichten eines Bildes auf der Folie oder zum Anordnen mehrerer Bilder finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen." + "body": "Bild einfügen Im Präsentationseditor können Sie Bilder in den gängigen Formaten in Ihre Präsentation einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Um ein Bild in eine Folie einzufügen: Markieren Sie mit dem Cursor die Folie in der Folienliste links, in die Sie ein Bild einfügen möchten. Klicken Sie auf das Symbol Bild auf der Registerkarte Startseite oder Einfügen in der oberen Symbolleiste, Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern. Sie können auch ein Bild in einen Textplatzhalter einfügen, indem Sie das Bild aus Datei darin klicken und das erforderliche Bild auswählen, das auf Ihrem PC gespeichert ist, oder verwenden Sie die Schaltfläche Bild aus URL und geben Sie die URL-Adresse des Bildes: Es ist auch möglich, ein Bild zu einem Folienlayout hinzuzufügen. Weitere Informationen finden Sie in dieser Artikel. Bildeinstellungen anpassen Klicken Sie mit der linken Maustaste ein Bild an und wählen Sie rechts das Symbol Bildeinstellungen aus, um die rechte Seitenleiste zu aktivieren. Hier finden Sie die folgenden Abschnitte:Größe - um Breite und Höhe des aktuellen Bildes einzusehen oder bei Bedarf die Standardgröße des Bildes wiederherzustellen. Mit der Schaltfläche Zuschneiden können Sie das Bild zuschneiden. Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite. Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, während Sie den Ziehpunkt in der Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken. Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Taste Esc oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Füllen und Anpassen verwenden, die im Drop-Down-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Ausfüllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild an die Form angepasst wird. Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen. Bild ersetzen - das aktuelle Bild durch ein anderes Bild ersetzen und die entsprechende Quelle auswählen. Die folgenden Optionen stehen Ihnen zur Verfügung: Aus Datei oder Aus URL. Die Option Bild ersetzen ist auch im Rechtsklickmenü verfügbar. Drehen dient dazu das Bild um 90 Grad im oder gegen den Uhrzeigersinn zu drehen und die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen um das Bild horizontal zu spiegeln (von links nach rechts) um das Bild vertikal zu spiegeln (von oben nach unten) Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und die Form anzupassen, d.h. den Linientyp, Größe und Farbe auswählen oder die Form ändern und im Menü AutoForm ändern eine neue Form auswählen. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl. Auf der Registerkarte Formeinstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen. Um die erweiterten Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - erweiterte Einstellungen im Menü aus, oder klicken Sie in der rechten Seitenleiste auf die Verknüpfung Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: In der Registerkarte positionieren können Sie die folgenden Bildeigenschaften festlegen: Größe - mit diesen Optionen können Sie die Breite bzw. Höhe des Bildes ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße. Position - über diese Option können Sie die Position des Bildes auf der Folie ändern (die Position wird im Verhältnis zum oberen und linken Rand der Folie berechnet). Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten). Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das eingefügte Bild zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste ENTF auf Ihrer Tastatur. Informationen zum Ausrichten eines Bildes auf der Folie oder zum Anordnen mehrerer Bilder finden Sie im Abschnitt Objekte auf einer Folie ausrichten und anordnen." }, { "id": "UsageInstructions/InsertSymbols.htm", @@ -158,22 +188,22 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Text einfügen und formatieren", - "body": "Text einfügen Im Präsentationseditor für die Eingabe von neuem Text stehen Ihnen drei Möglichkeiten zur Auswahl: Textabschnitt in den entsprechenden Textplatzhalter auf der Folie einfügen. Platzieren Sie dazu den Cursor im Platzhalter und geben Sie Ihren Text ein oder fügen Sie diesen mithilfe der Tastenkombination STRG+V ein. Textabschnitt an beliebiger Stelle auf einer Folie einfügen. Fügen Sie ein Textfeld (rechteckiger Rahmen, in den ein Text eingegeben werden kann) oder ein TextArtfeld (Textfeld mit einer vordefinierten Schriftart und Farbe, das die Anwendung von Texteffekten ermöglicht) in die Folie ein. Abhängig vom ausgewählten Textobjekt haben Sie folgende Möglichkeiten: Um ein Textfeld hinzuzufügen, klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf das Symbol Textfeld und dann auf die Stelle, an der Sie das Textfeld einfügen möchten. Halten Sie die Maustaste gedrückt, und ziehen Sie den Rahmen des Textfelds in die gewünschte Größe. Wenn Sie die Maustaste loslassen, erscheint die Einfügemarke im hinzugefügten Textfeld und Sie können Ihren Text eingeben. Alternativ können Sie ein Textfeld einfügen, indem Sie in der oberen Symbolleiste auf Form klicken und das Symbol aus der Gruppe Standardformen auswählen. Um ein TextArt-Objekt einzufügen, klicken Sie auf das Symbol TextArt in der Registerkarte Einfügen und klicken Sie dann auf die gewünschte Stilvorlage - das TextArt-Objekt wird in der Mitte der Folie eingefügt. Markieren Sie den Standardtext innerhalb des Textfelds mit der Maus und ersetzen Sie diesen durch Ihren eigenen Text. Einen Textabschnitt in eine AutoForm einfügen. Wählen Sie eine Form aus und geben Sie Ihren Text ein. Klicken Sie in einen Bereich außerhalb des Textobjekts, um die Änderungen anzuwenden und zur Folie zurückzukehren. Der Text innerhalb des Textfelds ist Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text mit ihr verschoben oder gedreht). Da ein eingefügtes Textobjekt von einem rechteckigen Rahmen umgeben ist (TextArt-Objekte haben standardmäßig unsichtbare Rahmen) und dieser Rahmen eine allgemeine AutoForm ist, können Sie sowohl die Form als auch die Texteigenschaften ändern. Um das hinzugefügte Textobjekt zu löschen, klicken Sie auf den Rand des Textfelds und drücken Sie die Taste ENTF auf der Tastatur. Dadurch wird auch der Text im Textfeld gelöscht. Textfeld formatieren Wählen Sie das entsprechende Textfeld durch Anklicken der Rahmenlinien aus, um die Eigenschaften zu verändern. Wenn das Textfeld markiert ist, werden alle Rahmenlinien als durchgezogene Linien (nicht gestrichelt) angezeigt. Sie können das Textfeld mithilfe der speziellen Ziehpunkte an den Ecken der Form verschieben, drehen und dessen Größe ändern. Um das Textfeld zu bearbeiten, mit einer Füllung zu versehen, Rahmenlinien zu ändern, das rechteckige Feld mit einer anderen Form zu ersetzen oder auf Formen - erweiterte Einstellungen zuzugreifen, klicken Sie in der rechten Seitenleiste auf Formeinstellungen und nutzen Sie die entsprechenden Optionen. Um ein Textfeld auf einer Folie auszurichten, zu drehen oder zu spiegeln oder Textfelder mit anderen Objekten zu verknüpfen, klicken Sie mit der rechten Maustaste auf den Feldrand und nutzen Sie die entsprechende Option im geöffneten Kontextmenü. Um Textspalten in einem Textfeld zu erzeugen, klicken Sie auf das entsprechende Symbol in der Symbolleiste für Textformatierung und wählen Sie die gewünschte Option aus, oder klicken Sie mit der rechten Maustaste auf den Feldrand, klicken Sie auf die Option Form - Erweiterte Einstellungen und wechseln Sie im Fenster Form - Erweiterte Einstellungen in die Registerkarte Spalten. Text im Textfeld formatieren Markieren Sie den Text im Textfeld, um die Eigenschaften zu verändern. Wenn der Text markiert ist, werden alle Rahmenlinien als gestrichelte Linien angezeigt. Hinweis: Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden. Text im Textfeld ausrichten Der Text kann auf vier Arten horizontal ausgerichtet werden: linksbündig, rechtsbündig, zentriert oder im Blocksatz. Textobjekt einfügen: Bewegen Sie den Cursor an die Stelle, an der Sie den Text ausrichten möchten (dabei kann es sich um eine neue Zeile oder um bereits eingegebenen Text handeln). Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start und klicken Sie auf Horizontale Ausrichtung , um die Auswahlliste zu öffnen. Wählen Sie den gewünschten Ausrichtungstyp: Die Option Text linksbündig ausrichten lässt den linken Textrand parallel zum linken Rand des Textbereichs verlaufen (der rechte Textrand bleibt unausgerichtet). Durch die Option Text zentrieren wird der Text im Textbereich zentriert ausgerichtet (die rechte und linke Seite bleiben unausgerichtet). Die Option Text rechtsbündig ausrichten lässt den rechten Textrand parallel zum rechten Rand des Textbereichs verlaufen (der linke Textrand bleibt unausgerichtet). Die Option Im Blocksatz ausrichten lässt den Text parallel zum linken und rechten Rand des Textbereichs verlaufen (zusätzlicher Abstand wird hinzugefügt, wo es notwendig ist, um die Ausrichtung beizubehalten). Der Text kann vertikal auf drei Arten ausgerichtet werden: oben, mittig oder unten. Textobjekt einfügen: Bewegen Sie den Cursor an die Stelle, an der Sie den Text ausrichten möchten (dabei kann es sich um eine neue Zeile oder um bereits eingegebenen Text handeln). Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start und klicken Sie auf Vertikale Ausrichtung , um die Auswahlliste zu öffnen. Wählen Sie den gewünschten Ausrichtungstyp: Über die Option Text am oberen Rand ausrichten richten Sie den Text am oberen Rand des Textfelds aus. Über die Option Text mittig ausrichten richten Sie den Text im Textfeld mittig aus. Über die Option Text am unteren Rand ausrichten richten Sie den Text am unteren Rand des Textfelds aus. Textrichtung ändern Um den Text innerhalb des Textfeldes zu drehen, klicken Sie mit der rechten Maustaste auf den Text, klicken Sie auf Textausrichtung und wählen Sie eine der verfügbaren Optionen: Horizontal (Standardeinstellung), Text um 180° drehen (vertikale Ausrichtung von oben nach unten) oder Text um 270° drehen (vertikale Ausrichtung von unten nach oben). Schriftart, -größe und -farbe anpassen und DekoSchriften anwenden In der Registerkarte Start können Sie über die Symbole in der oberen Symbolleiste Schriftart, -größe und -Farbe festelgen und verschiedene DekoSchriften anwenden. Hinweis: Wenn Sie die Formatierung auf Text anwenden wollen, der bereits in der Präsentation vorhanden ist, wählen Sie diesen mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung fest. Sie können den Mauszeiger auch innerhalb des erforderlichen Wortes platzieren, um die Formatierung nur auf dieses Wort anzuwenden. Schriftart Wird verwendet, um eine Schriftart aus der Liste mit den verfügbaren Schriftarten zu wählen. Wenn eine gewünschte Schriftart nicht in der Liste verfügbar ist, können Sie diese runterladen und in Ihrem Betriebssystem speichern. Anschließend steht Ihnen diese Schrift in der Desktop-Version zur Nutzung zur Verfügung. Schriftgröße Über diese Option kann der gewünschte Wert für die Schriftgröße aus der Dropdown-List ausgewählt werden (die Standardwerte sind: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 und 96). Sie können auch manuell einen Wert in das Feld für die Schriftgröße eingeben und anschließend die Eingabetaste drücken. Schriftfarbe Wird verwendet, um die Farbe der Buchstaben/Zeichen im Text zu ändern. Klicken Sie auf den Abwärtspfeil neben dem Symbol, um eine Farbe auszuwählen. Groß-/Kleinschreibung Wird verwendet, um die Groß- und Kleinschreibung zu ändern. Ersten Buchstaben im Satz großschreiben - die Buchstaben werden wie in einem Satz geschrieben. Kleinbuchstaben - alle Buchstaben sind klein. GROSSBUCHSTABEN - alle Buchstaben sind groß. Ersten Buchstaben im Wort großschreiben - jedes Wort beginnt mit einem Großbuchstaben. gROSS-/kLEINSCHREIBUNG - kehrt die Groß- und Kleinschreibung des ausgewählten Textes oder des Wortes um, an dem sich der Mauszeiger befindet. Texthervorhebungsfarbe Wird verwendet, um den Hintergrund für einzelne Sätze, Phrasen, Wörter oder sogar Zeichen durch Hinzufügen eines Farbbandes zu markieren, das den Effekt eines Textmarkers um den Text herum imitiert. Wählen Sie dazu den gewünschten Text aus und klicken Sie anschließend auf den Abwärtspfeil neben dem Symbol, um eine Farbe auf der Palette auszuwählen (diese Farbeinstellung ist unabhängig vom ausgewählten Farbschema und enthält 16 Farben) - die Farbe wird auf den ausgewählten Text angewendet. Alternativ können Sie zuerst eine Hervorhebungsfarbe auswählen und dann den Text mit der Maus auswählen - der Mauszeiger sieht in diesem Fall so aus und Sie können mehrere verschiedene Teile Ihres Textes nacheinander markieren. Um die Hervorhebung zu beenden, klicken Sie einfach erneut auf das Symbol. Um die Markierungsfarbe zu löschen, klicken Sie auf die Option Keine Füllung. Fett Der gewählte Textabschnitt wird durch fette Schrift hervorgehoben. Kursiv Der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hochgestellt Der gewählte Textabschnitt wird verkleinert und im oberen Teil der Textzeile platziert z.B. in Bruchzahlen. Tiefgestellt Der gewählte Textabschnitt wird verkleinert und im unteren Teil der Textzeile platziert z.B. in chemischen Formeln. Bestimmen Sie den Zeilenabstand und ändern Sie die Absatzeinzüge Im Präsentationseditor können Sie die Zeilenhöhe für den Text innerhalb der Absätze sowie den Abstand zwischen dem aktuellen Absatz und dem vorherigen oder nächsten Absatz festlegen. Gehen Sie dazu vor wie folgt: Postitionieren Sie den Cursor innerhalb des gewünschten Absatzes oder wählen Sie mehrere Absätze mit der Maus aus. Nutzen Sie die entsprechenden Felder der Registerkarte Texteinstellungen in der rechten Seitenleiste, um die gewünschten Ergebnisse zu erzielen: Zeilenabstand - Zeilenhöhe für die Textzeilen im Absatz festlegen. Sie können unter zwei Optionen wählen: mehrfach (mithilfe dieser Option wird ein Zeilenabstand festgelegt, der ausgehend vom einfachen Zeilenabstand vergrößert wird (Größer als 1)), genau (mithilfe dieser Option wird ein fester Zeilenabstand festgelegt). Sie können den gewünschten Wert im Feld rechts angeben. Absatzabstand - Auswählen wie groß die Absätze sind, die zwischen Textzeilen und Abständen angezeigt werden. Vor - Abstand vor dem Absatz festlegen. Nach - Abstand nach dem Absatz festlegen. Um den aktuellen Zeilenabstand zu ändern, können Sie auch auf der Registerkarte Start das Symbol Zeilenabstand anklicken und den gewünschten Wert aus der Liste auswählen: 1,0; 1,15; 1,5; 2,0; 2,5; oder 3,0 Zeilen. Um den Absatzversatz von der linken Seite des Textfelds zu ändern, positionieren Sie den Cursor innerhalb des gewünschten Absatzes oder wählen Sie mehrere Absätze mit der Maus aus und klicken Sie auf das entsprechende Symbole auf der Registerkarte Start in der oberen Symbolleiste: Einzug verkleinern und Einzug vergrößern . Außerdem können Sie die erweiterten Einstellungen des Absatzes ändern. Positionieren Sie den Mauszeiger im gewünschten Absatz - die Registerkarte Texteinstellungen wird in der rechten Seitenleiste aktiviert. Klicken Sie auf den Link Erweiterte Einstellungen anzeigen. Das Fenster mit den Absatzeigenschaften wird geöffnet:In der Registerkarte Einzüge & Position können Sie den Abstand der ersten Zeile vom linken inneren Rand des Textbereiches sowie den Abstand des Absatzes vom linken und rechten inneren Rand des Textbereiches ändern. Alternativ können Sie die Einzüge auch mithilfe des horizontalen Lineals festlegen.Wählen Sie den gewünschten Absatz (Absätze) und ziehen Sie die Einzugsmarken auf dem Lineal in die gewünschte Position. Mit der Markierung für den Erstzeileneinzug lässt sich der Versatz des Absatzes vom linken inneren Rand des Textfelds für die erste Zeile eines Absatzes festlegen. Mit der Einzugsmarke für den hängenden Einzug lässt sich der Versatz vom linken inneren Seitenrand für die zweite Zeile sowie alle Folgezeilen eines Absatzes festlegen. Mit der linken Einzugsmarke lässt sich der Versatz des Absatzes vom linken inneren Seitenrand der Textbox festlegen. Die Marke Rechter Einzug wird genutzt, um den Versatz des Absatzes vom rechten inneren Seitenrand der Textbox festzulegen. Hinweis: Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen und deaktivieren Sie die Option Lineale ausblenden.Die Registerkarte Schriftart enthält folgende Parameter: Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie. Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie. Hochgestellt - Textstellen verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Textstellen verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Kapitälchen - erzeugt Großbuchstaben in Höhe von Kleinbuchstaben. Großbuchstaben - alle Buchstaben als Großbuchstaben schreiben. Zeichenabstand - Abstand zwischen den einzelnen Zeichen festlegen. Erhöhen Sie den Standardwert für den Abstand Erweitert oder verringern Sie den Standardwert für den Abstand Verkürzt. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein.Alle Änderungen werden im Feld Vorschau unten angezeigt. Die Registerkarte Tabulator ermöglicht die Änderung der Tabstopps zu ändern, d.h. die Position des Mauszeigers rückt vor, wenn Sie die Tabulatortaste auf der Tastatur drücken. Tabulatorposition - Festlegen von benutzerdefinierten Tabstopps. Geben Sie den gewünschten Wert in das angezeigte Feld ein, über die Pfeiltasten können Sie den Wert präzise anpassen, klicken Sie anschließend auf Festlegen. Ihre benutzerdefinierte Tabulatorposition wird der Liste im unteren Feld hinzugefügt. Die Standardeinstellung für Tabulatoren ist auf 1,25 cm festgelegt. Sie können den Wert verkleinern oder vergrößern, nutzen Sie dafür die Pfeiltasten oder geben Sie den gewünschten Wert in das dafür vorgesehene Feld ein. Ausrichtung - legt den gewünschten Ausrichtungstyp für jede der Tabulatorpositionen in der obigen Liste fest. Wählen Sie die gewünschte Tabulatorposition in der Liste aus, Ihnen stehen die Optionen Linksbündig, Zentriert oder Rechtsbündig zur Verfügung, klicken sie anschließend auf Festlegen. Linksbündig - der Text wird ab der Position des Tabstopps linksbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach rechts. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Zentriert - der Text wird an der Tabstoppposition zentriert. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Rechtsbündig - der Text wird ab der Position des Tabstopps rechtsbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach links. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Um Tabstopps aus der Liste zu löschen, wählen Sie einen Tabstopp und drücken Sie Entfernen oder Alle entfernen. Alternativ können Sie die Tabstopps auch mithilfe des horizontalen Lineals festlegen. Klicken Sie zum Auswählen des gewünschten Tabstopps auf das Symbol in der oberen linken Ecke des Arbeitsbereichs, um den gewünschten Tabstopp auszuwählen: Links , Zentriert oder Rechts . Klicken Sie an der unteren Kante des Lineals auf die Position, an der Sie einen Tabstopp setzen möchten. Ziehen Sie die Markierung nach links oder rechts, um die Position zu ändern. Um den hinzugefügten Tabstopp zu entfernen, ziehen Sie die Markierung aus dem Lineal. Hinweis: Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen und deaktivieren Sie die Option Lineale ausblenden. TextArt-Stil bearbeiten Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen . Ändern Sie den angewandten Textstil, indem Sie eine neue Vorlage aus der Galerie auswählen. Sie können den Grundstil außerdem ändern, indem Sie eine andere Schriftart, -größe usw. auswählen. Füllung und Umrandung der Schriftart ändern. Die verfügbaren Optionen sind die gleichen wie für AutoFormen. Wenden Sie einen Texteffekt an, indem Sie aus der Galerie mit den verfügbaren Vorlagen die gewünschte Formatierung auswählen. Sie können den Grad der Textverzerrung anpassen, indem Sie den rosafarbenen, rautenförmigen Ziehpunkt in die gewünschte Position ziehen." + "body": "Text in der Präsentation einfügen Im Präsentationseditor für die Eingabe von neuem Text stehen Ihnen drei Möglichkeiten zur Auswahl: Textabschnitt in den entsprechenden Textplatzhalter auf der Folie einfügen. Platzieren Sie dazu den Cursor im Platzhalter und geben Sie Ihren Text ein oder fügen Sie diesen mithilfe der Tastenkombination STRG+V ein. Textabschnitt an beliebiger Stelle auf einer Folie einfügen. Fügen Sie ein Textfeld (rechteckiger Rahmen, in den ein Text eingegeben werden kann) oder ein TextArtfeld (Textfeld mit einer vordefinierten Schriftart und Farbe, das die Anwendung von Texteffekten ermöglicht) in die Folie ein. Abhängig vom ausgewählten Textobjekt haben Sie folgende Möglichkeiten: Um ein Textfeld hinzuzufügen, klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf das Symbol Textfeld und dann auf die Stelle, an der Sie das Textfeld einfügen möchten. Halten Sie die Maustaste gedrückt, und ziehen Sie den Rahmen des Textfelds in die gewünschte Größe. Wenn Sie die Maustaste loslassen, erscheint die Einfügemarke im hinzugefügten Textfeld und Sie können Ihren Text eingeben. Alternativ können Sie ein Textfeld einfügen, indem Sie in der oberen Symbolleiste auf Form klicken und das Symbol aus der Gruppe Standardformen auswählen. Um ein TextArt-Objekt einzufügen, klicken Sie auf das Symbol TextArt in der Registerkarte Einfügen und klicken Sie dann auf die gewünschte Stilvorlage - das TextArt-Objekt wird in der Mitte der Folie eingefügt. Markieren Sie den Standardtext innerhalb des Textfelds mit der Maus und ersetzen Sie diesen durch Ihren eigenen Text. Einen Textabschnitt in eine AutoForm einfügen. Wählen Sie eine Form aus und geben Sie Ihren Text ein. Klicken Sie in einen Bereich außerhalb des Textobjekts, um die Änderungen anzuwenden und zur Folie zurückzukehren. Der Text innerhalb des Textfelds ist Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text mit ihr verschoben oder gedreht). Da ein eingefügtes Textobjekt von einem rechteckigen Rahmen umgeben ist (TextArt-Objekte haben standardmäßig unsichtbare Rahmen) und dieser Rahmen eine allgemeine AutoForm ist, können Sie sowohl die Form als auch die Texteigenschaften ändern. Um das hinzugefügte Textobjekt zu löschen, klicken Sie auf den Rand des Textfelds und drücken Sie die Taste ENTF auf der Tastatur. Dadurch wird auch der Text im Textfeld gelöscht. Textfeld formatieren Wählen Sie das entsprechende Textfeld durch Anklicken der Rahmenlinien aus, um die Eigenschaften zu verändern. Wenn das Textfeld markiert ist, werden alle Rahmenlinien als durchgezogene Linien (nicht gestrichelt) angezeigt. Sie können das Textfeld mithilfe der speziellen Ziehpunkte an den Ecken der Form verschieben, drehen und dessen Größe ändern. Um das Textfeld zu bearbeiten, mit einer Füllung zu versehen, Rahmenlinien zu ändern, das rechteckige Feld mit einer anderen Form zu ersetzen oder auf Formen - erweiterte Einstellungen zuzugreifen, klicken Sie in der rechten Seitenleiste auf Formeinstellungen und nutzen Sie die entsprechenden Optionen. Um ein Textfeld auf einer Folie auszurichten, zu drehen oder zu spiegeln oder Textfelder mit anderen Objekten zu verknüpfen, klicken Sie mit der rechten Maustaste auf den Feldrand und nutzen Sie die entsprechende Option im geöffneten Kontextmenü. Um Textspalten in einem Textfeld zu erzeugen, klicken Sie auf das entsprechende Symbol in der Symbolleiste für Textformatierung und wählen Sie die gewünschte Option aus, oder klicken Sie mit der rechten Maustaste auf den Feldrand, klicken Sie auf die Option Form - Erweiterte Einstellungen und wechseln Sie im Fenster Form - Erweiterte Einstellungen in die Registerkarte Spalten. Text im Textfeld formatieren Markieren Sie den Text im Textfeld, um die Eigenschaften zu verändern. Wenn der Text markiert ist, werden alle Rahmenlinien als gestrichelte Linien angezeigt. Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden. Text im Textfeld ausrichten Der Text kann auf vier Arten horizontal ausgerichtet werden: linksbündig, rechtsbündig, zentriert oder im Blocksatz. Textobjekt einfügen: Bewegen Sie den Cursor an die Stelle, an der Sie den Text ausrichten möchten (dabei kann es sich um eine neue Zeile oder um bereits eingegebenen Text handeln). Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start und klicken Sie auf Horizontale Ausrichtung , um die Auswahlliste zu öffnen. Wählen Sie den gewünschten Ausrichtungstyp: Die Option Text linksbündig ausrichten lässt den linken Textrand parallel zum linken Rand des Textbereichs verlaufen (der rechte Textrand bleibt unausgerichtet). Durch die Option Text zentrieren wird der Text im Textbereich zentriert ausgerichtet (die rechte und linke Seite bleiben unausgerichtet). Die Option Text rechtsbündig ausrichten lässt den rechten Textrand parallel zum rechten Rand des Textbereichs verlaufen (der linke Textrand bleibt unausgerichtet). Die Option Im Blocksatz ausrichten lässt den Text parallel zum linken und rechten Rand des Textbereichs verlaufen (zusätzlicher Abstand wird hinzugefügt, wo es notwendig ist, um die Ausrichtung beizubehalten). Der Text kann vertikal auf drei Arten ausgerichtet werden: oben, mittig oder unten. Textobjekt einfügen: Bewegen Sie den Cursor an die Stelle, an der Sie den Text ausrichten möchten (dabei kann es sich um eine neue Zeile oder um bereits eingegebenen Text handeln). Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start und klicken Sie auf Vertikale Ausrichtung , um die Auswahlliste zu öffnen. Wählen Sie den gewünschten Ausrichtungstyp: Über die Option Text am oberen Rand ausrichten richten Sie den Text am oberen Rand des Textfelds aus. Über die Option Text mittig ausrichten richten Sie den Text im Textfeld mittig aus. Über die Option Text am unteren Rand ausrichten richten Sie den Text am unteren Rand des Textfelds aus. Textrichtung ändern Um den Text innerhalb des Textfeldes zu drehen, klicken Sie mit der rechten Maustaste auf den Text, klicken Sie auf Textausrichtung und wählen Sie eine der verfügbaren Optionen: Horizontal (Standardeinstellung), Text um 180° drehen (vertikale Ausrichtung von oben nach unten) oder Text um 270° drehen (vertikale Ausrichtung von unten nach oben). Schriftart, -größe und -farbe anpassen und DekoSchriften anwenden In der Registerkarte Start können Sie über die Symbole in der oberen Symbolleiste Schriftart, -größe und -Farbe festelgen und verschiedene DekoSchriften anwenden. Wenn Sie die Formatierung auf Text anwenden wollen, der bereits in der Präsentation vorhanden ist, wählen Sie diesen mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung fest. Sie können den Mauszeiger auch innerhalb des erforderlichen Wortes platzieren, um die Formatierung nur auf dieses Wort anzuwenden. Schriftart Wird verwendet, um eine Schriftart aus der Liste mit den verfügbaren Schriftarten zu wählen. Wenn eine gewünschte Schriftart nicht in der Liste verfügbar ist, können Sie diese runterladen und in Ihrem Betriebssystem speichern. Anschließend steht Ihnen diese Schrift in der Desktop-Version zur Nutzung zur Verfügung. Schriftgröße Über diese Option kann der gewünschte Wert für die Schriftgröße aus der Dropdown-List ausgewählt werden (die Standardwerte sind: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 und 96). Sie können auch manuell einen Wert in das Feld für die Schriftgröße eingeben und anschließend die Eingabetaste drücken. Schriftfarbe Wird verwendet, um die Farbe der Buchstaben/Zeichen im Text zu ändern. Klicken Sie auf den Abwärtspfeil neben dem Symbol, um eine Farbe auszuwählen. Groß-/Kleinschreibung Wird verwendet, um die Groß- und Kleinschreibung zu ändern. Ersten Buchstaben im Satz großschreiben - die Buchstaben werden wie in einem Satz geschrieben. Kleinbuchstaben - alle Buchstaben sind klein. GROSSBUCHSTABEN - alle Buchstaben sind groß. Ersten Buchstaben im Wort großschreiben - jedes Wort beginnt mit einem Großbuchstaben. gROSS-/kLEINSCHREIBUNG - kehrt die Groß- und Kleinschreibung des ausgewählten Textes oder des Wortes um, an dem sich der Mauszeiger befindet. Texthervorhebungsfarbe Wird verwendet, um den Hintergrund für einzelne Sätze, Phrasen, Wörter oder sogar Zeichen durch Hinzufügen eines Farbbandes zu markieren, das den Effekt eines Textmarkers um den Text herum imitiert. Wählen Sie dazu den gewünschten Text aus und klicken Sie anschließend auf den Abwärtspfeil neben dem Symbol, um eine Farbe auf der Palette auszuwählen (diese Farbeinstellung ist unabhängig vom ausgewählten Farbschema und enthält 16 Farben) - die Farbe wird auf den ausgewählten Text angewendet. Alternativ können Sie zuerst eine Hervorhebungsfarbe auswählen und dann den Text mit der Maus auswählen - der Mauszeiger sieht in diesem Fall so aus und Sie können mehrere verschiedene Teile Ihres Textes nacheinander markieren. Um die Hervorhebung zu beenden, klicken Sie einfach erneut auf das Symbol. Um die Markierungsfarbe zu löschen, klicken Sie auf die Option Keine Füllung. Fett Der gewählte Textabschnitt wird durch fette Schrift hervorgehoben. Kursiv Der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hochgestellt Der gewählte Textabschnitt wird verkleinert und im oberen Teil der Textzeile platziert z.B. in Bruchzahlen. Tiefgestellt Der gewählte Textabschnitt wird verkleinert und im unteren Teil der Textzeile platziert z.B. in chemischen Formeln. Bestimmen Sie den Zeilenabstand und ändern Sie die Absatzeinzüge Im Präsentationseditor können Sie die Zeilenhöhe für den Text innerhalb der Absätze sowie den Abstand zwischen dem aktuellen Absatz und dem vorherigen oder nächsten Absatz festlegen. Gehen Sie dazu vor wie folgt: Postitionieren Sie den Cursor innerhalb des gewünschten Absatzes oder wählen Sie mehrere Absätze mit der Maus aus. Nutzen Sie die entsprechenden Felder der Registerkarte Texteinstellungen in der rechten Seitenleiste, um die gewünschten Ergebnisse zu erzielen: Zeilenabstand - Zeilenhöhe für die Textzeilen im Absatz festlegen. Sie können unter zwei Optionen wählen: mehrfach (mithilfe dieser Option wird ein Zeilenabstand festgelegt, der ausgehend vom einfachen Zeilenabstand vergrößert wird (Größer als 1)), genau (mithilfe dieser Option wird ein fester Zeilenabstand festgelegt). Sie können den gewünschten Wert im Feld rechts angeben. Absatzabstand - Auswählen wie groß die Absätze sind, die zwischen Textzeilen und Abständen angezeigt werden. Vor - Abstand vor dem Absatz festlegen. Nach - Abstand nach dem Absatz festlegen. Um den aktuellen Zeilenabstand zu ändern, können Sie auch auf der Registerkarte Start das Symbol Zeilenabstand anklicken und den gewünschten Wert aus der Liste auswählen: 1,0; 1,15; 1,5; 2,0; 2,5; oder 3,0 Zeilen. Um den Absatzversatz von der linken Seite des Textfelds zu ändern, positionieren Sie den Cursor innerhalb des gewünschten Absatzes oder wählen Sie mehrere Absätze mit der Maus aus und klicken Sie auf das entsprechende Symbole auf der Registerkarte Start in der oberen Symbolleiste: Einzug verkleinern und Einzug vergrößern . Außerdem können Sie die erweiterten Einstellungen des Absatzes ändern. Positionieren Sie den Mauszeiger im gewünschten Absatz - die Registerkarte Texteinstellungen wird in der rechten Seitenleiste aktiviert. Klicken Sie auf den Link Erweiterte Einstellungen anzeigen. Das Fenster mit den Absatzeigenschaften wird geöffnet:In der Registerkarte Einzüge & Position können Sie den Abstand der ersten Zeile vom linken inneren Rand des Textbereiches sowie den Abstand des Absatzes vom linken und rechten inneren Rand des Textbereiches ändern. Alternativ können Sie die Einzüge auch mithilfe des horizontalen Lineals festlegen.Wählen Sie den gewünschten Absatz (Absätze) und ziehen Sie die Einzugsmarken auf dem Lineal in die gewünschte Position. Mit der Markierung für den Erstzeileneinzug lässt sich der Versatz des Absatzes vom linken inneren Rand des Textfelds für die erste Zeile eines Absatzes festlegen. Mit der Einzugsmarke für den hängenden Einzug lässt sich der Versatz vom linken inneren Seitenrand für die zweite Zeile sowie alle Folgezeilen eines Absatzes festlegen. Mit der linken Einzugsmarke lässt sich der Versatz des Absatzes vom linken inneren Seitenrand der Textbox festlegen. Die Marke Rechter Einzug wird genutzt, um den Versatz des Absatzes vom rechten inneren Seitenrand der Textbox festzulegen. Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen und deaktivieren Sie die Option Lineale ausblenden.Die Registerkarte Schriftart enthält folgende Parameter: Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie. Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie. Hochgestellt - Textstellen verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Textstellen verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Kapitälchen - erzeugt Großbuchstaben in Höhe von Kleinbuchstaben. Großbuchstaben - alle Buchstaben als Großbuchstaben schreiben. Zeichenabstand - Abstand zwischen den einzelnen Zeichen festlegen. Erhöhen Sie den Standardwert für den Abstand Erweitert oder verringern Sie den Standardwert für den Abstand Verkürzt. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein.Alle Änderungen werden im Feld Vorschau unten angezeigt. Die Registerkarte Tabulator ermöglicht die Änderung der Tabstopps zu ändern, d.h. die Position des Mauszeigers rückt vor, wenn Sie die Tabulatortaste auf der Tastatur drücken. Tabulatorposition - Festlegen von benutzerdefinierten Tabstopps. Geben Sie den gewünschten Wert in das angezeigte Feld ein, über die Pfeiltasten können Sie den Wert präzise anpassen, klicken Sie anschließend auf Festlegen. Ihre benutzerdefinierte Tabulatorposition wird der Liste im unteren Feld hinzugefügt. Die Standardeinstellung für Tabulatoren ist auf 1,25 cm festgelegt. Sie können den Wert verkleinern oder vergrößern, nutzen Sie dafür die Pfeiltasten oder geben Sie den gewünschten Wert in das dafür vorgesehene Feld ein. Ausrichtung - legt den gewünschten Ausrichtungstyp für jede der Tabulatorpositionen in der obigen Liste fest. Wählen Sie die gewünschte Tabulatorposition in der Liste aus, Ihnen stehen die Optionen Linksbündig, Zentriert oder Rechtsbündig zur Verfügung, klicken sie anschließend auf Festlegen. Linksbündig - der Text wird ab der Position des Tabstopps linksbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach rechts. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Zentriert - der Text wird an der Tabstoppposition zentriert. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Rechtsbündig - der Text wird ab der Position des Tabstopps rechtsbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach links. Ein solcher Tabstopp wird auf dem horizontalen Lineal durch die Markierung angezeigt. Um Tabstopps aus der Liste zu löschen, wählen Sie einen Tabstopp und drücken Sie Entfernen oder Alle entfernen. Alternativ können Sie die Tabstopps auch mithilfe des horizontalen Lineals festlegen. Klicken Sie zum Auswählen des gewünschten Tabstopps auf das Symbol in der oberen linken Ecke des Arbeitsbereichs, um den gewünschten Tabstopp auszuwählen: Links , Zentriert oder Rechts . Klicken Sie an der unteren Kante des Lineals auf die Position, an der Sie einen Tabstopp setzen möchten. Ziehen Sie die Markierung nach links oder rechts, um die Position zu ändern. Um den hinzugefügten Tabstopp zu entfernen, ziehen Sie die Markierung aus dem Lineal. Wenn die Lineale nicht angezeigt werden, wechseln Sie in die Registerkarte Start, klicken Sie in der oberen rechten Ecke auf das Symbol Ansichtseinstellungen und deaktivieren Sie die Option Lineale ausblenden. TextArt-Stil bearbeiten Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen . Ändern Sie den angewandten Textstil, indem Sie eine neue Vorlage aus der Galerie auswählen. Sie können den Grundstil außerdem ändern, indem Sie eine andere Schriftart, -größe usw. auswählen. Füllung und Umrandung der Schriftart ändern. Die verfügbaren Optionen sind die gleichen wie für AutoFormen. Wenden Sie einen Texteffekt an, indem Sie aus der Galerie mit den verfügbaren Vorlagen die gewünschte Formatierung auswählen. Sie können den Grad der Textverzerrung anpassen, indem Sie den rosafarbenen, rautenförmigen Ziehpunkt in die gewünschte Position ziehen." }, { "id": "UsageInstructions/ManageSlides.htm", "title": "Folien verwalten", - "body": "Standardmäßig besteht eine neu erstellte Präsentation aus einer leeren Titelfolie. Im Präsentationseditor sie haben nun die Möglichkeit neue Folien zu erstellen, eine Folie zu kopieren, um sie an anderer Stelle in der Folienliste einzufügen, Folien zu duplizieren, Folien mit dem Cursor in eine andere Position zu ziehen, um die Reihenfolge zu verändern, überflüssige Folien zu löschen, ausgewählte Folien auszublenden. Erstellen einer neuen Folie mit Titel und Inhalt: Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf das Symbol Folie hinzufügen oder klicken Sie mit der rechten Maustaste auf eine beliebige Folie und wählen Sie die Option Neue Folie im Kontextmenü aus oder nutzen Sie die Tastenkombination STRG+V. Erstellen einer neuen Folie mit einem anderen Layout: Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf den Pfeil neben dem Symbol Folie hinzufügen. Wählen Sie eine Folie mit dem gewünschten Layout im Menü aus.Hinweis: Sie können das Layout der hinzugefügten Folie jederzeit ändern. Weitere Informationen finden Sie im Abschnitt Folienparameter festlegen. Die neue Folie wird vor der aktuell mit dem Cursor markierten Folie eingefügt. Eine Folie duplizieren: Klicken Sie in der Folienliste mit der rechten Maustaste auf die gewünschte Folie. Wählen Sie die Option Folie duplizieren im Kontextmenü. Die duplizierte Folie wird nach der gewählten Folie in die Folienliste eingefügt. Eine Folie kopieren: Wählen Sie die gewünschte Folie in der Folienliste aus. Drücken Sie die Tasten STRG+C. Wählen Sie die Folie in der Liste aus, hinter der Sie die kopierte Folie einfügen wollen. Drücken Sie die Tasten STRG+V. Eine vorhandene Folie verschieben: Klicken Sie mit der linken Maustaste auf die entsprechende Folie. Ziehen Sie die Folie nun mit dem Mauszeiger an die gewünschte Stelle, ohne die Maustaste loszulassen (eine horizontale Linie zeigt eine neue Position an). Eine überflüssige Folie löschen: Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf die überflüssige Folie. Wählen Sie die Option Folie löschen im Kontextmenü. Eine Folie ausblenden: Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf die Folie, die Sie ausblenden möchten. Wählen Sie die Option Folie ausblenden im Kontextmenü. Die Foliennummer, die der entsprechenden Folie entspricht, wird durchgestrichen. Um die ausgeblendete Folie wieder normal darzustellen, klicken Sie erneut auf die Option Folie ausblenden. Hinweis: Nutzen Sie diese Option, wenn Sie Ihrer Zielgruppe bestimmte Folien nicht grundsätzlich vorführen wollen, aber diese bei Bedarf dennoch einbinden können. Wenn Sie die Präsentation in der Referentenansicht starten, werden alle vorhandenen Folien in der Liste angezeigt, wobei die Foliennummern der ausgeblendeten Folien durchgestrichen sind. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt. Alle vorhandenen Folien auswählen: Klicken Sie mit der rechten Maustaste auf eine beliebige Folie in der Folienliste. Wählen Sie die Option Alle wählen im Kontextmenü. Mehrere Folien auswählen: Drücken Sie die Taste STRG und halten Sie diese gedrückt. Wählen Sie die gewünschten Folien in der Folienliste aus. Hinweis: Alle Tastenkombinationen zum navigieren und einrichten von Folien verwendet werden können, finden Sie auf der Seite Tastenkombinationen." + "body": "Standardmäßig besteht eine neu erstellte Präsentation aus einer leeren Titelfolie. Im Präsentationseditor sie haben nun die Möglichkeit neue Folien zu erstellen, eine Folie zu kopieren, um sie an anderer Stelle in der Folienliste einzufügen, Folien zu duplizieren, Folien mit dem Cursor in eine andere Position zu ziehen, um die Reihenfolge zu verändern, überflüssige Folien zu löschen, ausgewählte Folien auszublenden. Um eine neue Folie mit Titel und Inhalt zu erstellen: Klicken Sie in der oberen Symbolleiste in den Registerkarten Start oder Einfügen auf das Symbol Folie hinzufügen oder klicken Sie mit der rechten Maustaste auf eine beliebige Folie und wählen Sie die Option Neue Folie im Kontextmenü aus oder nutzen Sie die Tastenkombination STRG+M. Um eine neue Folie mit einem anderen Layout zu erstellen: Klicken Sie in der oberen Symbolleiste auf den Registerkarten Startseite oder Einfügen auf den Pfeil neben dem Symbol Folie hinzufügen. Wählen Sie eine Folie mit dem gewünschten Layout im Menü aus. Sie können das Layout der hinzugefügten Folie jederzeit ändern. Weitere Informationen finden Sie im Abschnitt Folienparameter festlegen. Die neue Folie wird vor der aktuell mit dem Cursor markierten Folie eingefügt. Um die Folien zu duplizieren: Wählen Sie eine Folie oder mehrere Folien in der Liste der vorhandenen Folien auf der linken Seite aus. Klicken Sie mit der rechten Maustaste und wählen Sie die Option Folie duplizieren aus dem Kontextmenü, oder gehen Sie zur Registerkarte Startseite oder Einfügen, klicken Sie auf die Folie hinzufügen und wählen Sie die Menüoption Folie duplizieren. Die duplizierte Folie wird nach der gewählten Folie in die Folienliste eingefügt. Um die Folien zu kopieren: Wählen Sie eine Folie oder mehrere Folien in der Folienliste aus. Drücken Sie die Tasten STRG+C. Wählen Sie die Folie in der Liste aus, hinter der Sie die kopierte Folie einfügen wollen. Drücken Sie die Tasten STRG+V. Um die vorhandenen Folien zu verschieben: Klicken Sie mit der linken Maustaste auf eine Folie oder mehrere Folien. Ziehen Sie die Folie nun mit dem Mauszeiger an die gewünschte Stelle, ohne die Maustaste loszulassen (eine horizontale Linie zeigt eine neue Position an). Um die Folien zu löschen: Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf eine Folie oder mehrere Folien, die Sie löschen möchten. Wählen Sie die Option Folie löschen im Kontextmenü. Um die Folien auszublenden: Klicken Sie in der Liste mit den vorhandenen Folien mit der rechten Maustaste auf eine Folie oder mehrere Folien, die Sie ausblenden möchten. Wählen Sie die Option Folie ausblenden im Kontextmenü. Die Foliennummer, die der entsprechenden Folie entspricht, wird durchgestrichen. Um die ausgeblendete Folie wieder normal darzustellen, klicken Sie erneut auf die Option Folie ausblenden. Nutzen Sie diese Option, wenn Sie Ihrer Zielgruppe bestimmte Folien nicht grundsätzlich vorführen wollen, aber diese bei Bedarf dennoch einbinden können. Wenn Sie die Präsentation in der Referentenansicht starten, werden alle vorhandenen Folien in der Liste angezeigt, wobei die Foliennummern der ausgeblendeten Folien durchgestrichen sind. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt. Um alle vorhandenen Folien auszuwählen: Klicken Sie mit der rechten Maustaste auf eine beliebige Folie in der Folienliste. Wählen Sie die Option Alle wählen im Kontextmenü. Um mehrere Folien auszuwählen: Drücken Sie die Taste STRG und halten Sie sie gedrückt. Wählen Sie die gewünschten Folien in der Folienliste aus. Alle Tastenkombinationen zum navigieren und einrichten von Folien verwendet werden können, finden Sie auf der Seite Tastenkombinationen." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Objekte formatieren", - "body": "Im Präsentationseditor sie können die verschiedene Objekte auf einer Folie mithilfe der speziellen Ziehpunkte manuell verschieben, drehen und ihre Größe ändern. Alternativ können Sie über die rechte Seitenleiste oder das Fenster Erweiterte Einstellungen genaue Werte für die Abmessungen und die Position von Objekten festlegen. Hinweis: Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern, Diagrammen, Tabellen oder Textboxen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole. Um die präzise Breite und Höhe eines Diagramms festzulegen, wählen Sie es auf der Folie aus und navigieren Sie über den Bereich Größe, der in der rechten Seitenleiste aktiviert wird. Um die präzise Abmessungen eines Bildes oder einer AutoForm festzulegen, klicken Sie mit der rechten Maustaste auf das gewünschte Objekt und wählen Sie die Option Bild/AutoForm - Erweiterte Einstellungen aus dem Menü aus. Legen Sie benötigte Werte in die Registerkarte Größe im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK. Die Form einer AutoForm ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Objekte verschieben Um die Position von AutoFormen, Bildern, Diagrammen, Tabellen und Textfeldern zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Um die exakte Position eines Bildes festzulegen, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen aus dem Menü aus. Legen Sie gewünschten Werte im Bereich Position im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK. Objekte drehen Um AutoFormen, Bilder und Textfelder manuell zu drehen, positionieren Sie den Cursor auf dem Drehpunkt und ziehen Sie das Objekt im Uhrzeigersinn oder gegen Uhrzeigersinn in die gewünschte Position. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt. Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit das Objekt um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen oder das Symbol Bildeinstellungen . Wählen Sie eine der folgenden Optionen: - die Form um 90 Grad gegen den Uhrzeigersinn drehen - die Form um 90 Grad im Uhrzeigersinn drehen - die Form horizontal spiegeln (von links nach rechts) - die Form vertikal spiegeln (von oben nach unten) Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen. Um den Text in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK." + "body": "Im Präsentationseditor sie können die verschiedene Objekte auf einer Folie mithilfe der speziellen Ziehpunkte manuell verschieben, drehen und ihre Größe ändern. Alternativ können Sie über die rechte Seitenleiste oder das Fenster Erweiterte Einstellungen genaue Werte für die Abmessungen und die Position von Objekten festlegen. Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern, Diagrammen, Tabellen oder Textboxen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole. Um die präzise Breite und Höhe eines Diagramms festzulegen, wählen Sie es auf der Folie aus und navigieren Sie über den Bereich Größe, der in der rechten Seitenleiste aktiviert wird. Um die präzise Abmessungen eines Bildes oder einer AutoForm festzulegen, klicken Sie mit der rechten Maustaste auf das gewünschte Objekt und wählen Sie die Option Bild/AutoForm - Erweiterte Einstellungen aus dem Menü aus. Legen Sie benötigte Werte in die Registerkarte Größe im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK. Die Form einer AutoForm ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Um eine AutoForm umzuformen, können Sie auch die Option Punkte bearbeiten aus dem Kontextmenü verwenden. Die Option Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern. Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü die Option Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken Sie darauf und ziehen Sie, um den Punkt neu zu positionieren und den Umriss der Form zu ändern. Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen: Um einer Form einen Punkt hinzuzufügen, halten Sie die Strg-Taste gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten. Um einen Punkt zu löschen, halten Sie die Strg-Taste gedrückt und klicken Sie auf den unnötigen Punkt. Objekte verschieben Um die Position von AutoFormen, Bildern, Diagrammen, Tabellen und Textfeldern zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Um die exakte Position eines Bildes festzulegen, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen aus dem Menü aus. Legen Sie gewünschten Werte im Bereich Position im Fenster Erweiterte Einstellungen fest und drücken Sie auf OK. Objekte drehen Um AutoFormen, Bilder und Textfelder manuell zu drehen, positionieren Sie den Cursor auf dem Drehpunkt und ziehen Sie das Objekt im Uhrzeigersinn oder gegen Uhrzeigersinn in die gewünschte Position. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt. Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit das Objekt um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen oder das Symbol Bildeinstellungen . Wählen Sie eine der folgenden Optionen: - die Form um 90 Grad gegen den Uhrzeigersinn drehen - die Form um 90 Grad im Uhrzeigersinn drehen - die Form horizontal spiegeln (von links nach rechts) - die Form vertikal spiegeln (von oben nach unten) Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen. Um den Text in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK." }, { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "AutoKorrekturfunktionen", - "body": "Die Autokorrekturfunktionen im Präsentationseditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math. AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Präsentationseditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoKorrektur während der Eingabe Standardmäßig formatiert der Editor den Text bei der Eingabe gemäß den Voreinstellungen für die automatische Korrektur. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird; ersetzt Anführungszeichen oder ändert Bindestriche in Gedankenstriche. Wenn Sie die Voreinstellungen für die automatische Korrektur deaktivieren sollen, deaktivieren Sie das Kontrollkästchen; dazu wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Text bei der Eingabe ersetzen. Autokorrektur für Text Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen." + "body": "Die Autokorrekturfunktionen im Präsentationseditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus vier Registerkarten: Mathematische Autokorrektur, Erkannte Funktionen, AutoFormat während der Eingabe und Autokorrektur für Text. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den wiederherzustellenden Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math. AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Präsentationseditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathematische Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoKorrektur während der Eingabe Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung: Ersetzt Anführungszeichen, konvertiert Bindestriche in Gedankenstriche, ersetzt Internet- oder Netzwerkpfade durch Hyperlinks, startet eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste wird erkannt. Mit der Option Punkt mit doppeltem Leerzeichen hinzufügen können Sie einen Punkt hinzufügen, wenn Sie zweimal die Leertaste drücken. Aktivieren oder deaktivieren Sie sie nach Bedarf. Standardmäßig ist diese Option für Linux und Windows deaktiviert und für macOS aktiviert. Um die Voreinstellungen für die automatische Formatierung zu aktivieren oder zu deaktivieren, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Text bei der Eingabe ersetzen. Autokorrektur für Text Sie können den Editor so einstellen, dass das erste Wort jedes Satzes automatisch groß geschrieben wird. Die Option ist standardmäßig aktiviert. Um diese Option zu deaktivieren, gehen Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Autokorrektur für Text und deaktivieren Sie die Option Jeden Satz mit einem Großbuchstaben beginnen." }, { "id": "UsageInstructions/OpenCreateNew.htm", @@ -188,17 +218,22 @@ var indexes = { "id": "UsageInstructions/PreviewPresentation.htm", "title": "Vorschau einer Präsentation", - "body": "Vorschau beginnen Bildschirmpräsentation der aktuellen Präsentation im Präsentationseditor: Klicken Sie in der Registerkarte Start oder links in der Statusleiste auf das Symbol Bildschirmpräsentation oder wählen Sie in der Folienliste links eine bestimmte Folie aus, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Bildschirmpräsentation starten im Kontextmenü aus. Die Bildschirmpräsentation wird ab der aktuellen Folie gestartet. Klicken Sie alternativ in der Registerkarte Start auf das Symbol Bildschirmpräsentation und wählen Sie eine der verfügbaren Optionen: Von Beginn an - die Bildschirmpräsentation aber der ersten Folie starten Ab aktueller Folie - die Bildschirmpräsentation beginnt bei der aktuellen Folie Referentenansicht - die Präsentation wird in der Referentenansicht gestartet, die Zielgruppe sieht die Präsentation auf einem Bildschirm im Vollbildmodus und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen angezeigt. Einstellungen anzeigen - ein Einstellungsfenster wird geöffnet, in dem sich eine Sonderoption einstellen lässt: Dauerschleife, bis zum Drücken der Taste „ESC“. Aktivieren Sie diese Option bei Bedarf und klicken Sie auf OK. Wenn Sie diese Option aktivieren, wird die Präsentation angezeigt, bis Sie die Taste Escape auf Ihrer Tastatur drücken, d.h., wenn die letzte Folie der Präsentation erreicht ist, beginnt die Bildschirmpräsentation wieder bei der ersten Folie usw. Wenn Sie diese Option deaktivieren, erscheint nach der letzten Folie ein schwarzer Bildschirm, der Sie darüber informiert, dass die Präsentation beendet ist und Sie die Vorschau verlassen können. Vorschaumodus Im Vorschaumodus stehen Ihnen folgende Steuerelemente in der unteren linken Ecke zur Verfügung: Vorherige Folie - zur vorherigen Folie zurückkehren. Bildschirmpräsentation pausieren - die Vorschau wird angehalten. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Bildschirmpräsentation fortsetzen - die Vorschau wird fortgesetzt. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Nächste Folie - wechseln Sie in die nächste Folie. Foliennummer - Anzeige der aktuellen Foliennummer sowie der Gesamtzahl von Folien in der Präsentation. Um im Vorschaumodus zu einer bestimmten Folie überzugehen, klicken Sie auf die angezeigte Foliennummer, geben Sie die gewünschte Foliennummer in das geöffnete Fenster ein und drücken Sie die Eingabetaste. Über die Schaltfläche Vollbildmodus können Sie in die Vollbildansicht wechseln. Über die Schaltfläche Vollbildmodus verlassen können Sie die Vollbildansicht verlassen. Über die Schaltfläche Bildschirmpräsentation beenden können Sie den Präsentationsmodus verlassen. Alternativ können Sie im Präsentationsmodus auch mit den Tastenkombinationen zwischen den Folien wechseln. Referentenansicht Referentenansicht - die Präsentation wird auf einem Bildschirm im Vollbildmodus angezeigt und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen wiedergegeben. Die Notizen für jede Folie werden unter dem Folienvorschaubereich angezeigt. Nutzen Sie die Tasten und oder klicken Sie im linken Seitenbereich auf die entsprechende Folie in der Liste. Foliennummer von ausgeblendeten Folien sind in der Liste durchgestrichen. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt. Die folgenden Steuerelemente stehen Ihnen unterhalb des Folienvorschaubereichs zur Verfügung: Timer - zeigt die seit Beginn der Präsentation vergangene Zeit im Format hh.mm.ss an. Bildschirmpräsentation pausieren - die Vorschau wird angehalten. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Bildschirmpräsentation fortsetzen - die Vorschau wird fortgesetzt. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Zurücksetzen - Timer auf Null zurücksetzen. Vorherige Folie - zur vorherigen Folie zurückkehren. Nächste Folie - wechseln Sie in die nächste Folie. Foliennummer - Anzeige der aktuellen Foliennummer sowie der Gesamtzahl von Folien in der Präsentation. Pointer - Ausgewählte Elemente während der Präsentation hervorheben. Wenn diese Option aktiviert ist, sieht der Cursor aus wie folgt: . Um auf bestimmte Objekte zu zeigen, bewegen Sie den Mauszeiger über den Vorschaubereich der Folie und bewegen Sie den Pointer über die Folie. Der Pointer wird wie folgt angezeigt: . Um diese Option zu deaktivieren, klicken Sie erneut auf . Bildschirmpräsentation beenden - Präsentationsmodus verlassen." + "body": "Vorschau beginnen Hinweis: Wenn Sie eine Präsentation herunterladen, die mit einer Drittanbieteranwendung erstellt wurde, können Sie ggf. eine Vorschau der Animationseffekte anzeigen. Bildschirmpräsentation der aktuellen Präsentation im Präsentationseditor: Klicken Sie in der Registerkarte Start oder links in der Statusleiste auf das Symbol Bildschirmpräsentation oder wählen Sie in der Folienliste links eine bestimmte Folie aus, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Bildschirmpräsentation starten im Kontextmenü aus. Die Bildschirmpräsentation wird ab der aktuellen Folie gestartet. Klicken Sie alternativ in der Registerkarte Start auf das Symbol Bildschirmpräsentation und wählen Sie eine der verfügbaren Optionen: Von Beginn an - die Bildschirmpräsentation aber der ersten Folie starten Ab aktueller Folie - die Bildschirmpräsentation beginnt bei der aktuellen Folie Referentenansicht - die Präsentation wird in der Referentenansicht gestartet, die Zielgruppe sieht die Präsentation auf einem Bildschirm im Vollbildmodus und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen angezeigt. Einstellungen anzeigen - ein Einstellungsfenster wird geöffnet, in dem sich eine Sonderoption einstellen lässt: Dauerschleife, bis zum Drücken der Taste „ESC“. Aktivieren Sie diese Option bei Bedarf und klicken Sie auf OK. Wenn Sie diese Option aktivieren, wird die Präsentation angezeigt, bis Sie die Taste Escape auf Ihrer Tastatur drücken, d.h., wenn die letzte Folie der Präsentation erreicht ist, beginnt die Bildschirmpräsentation wieder bei der ersten Folie usw. Wenn Sie diese Option deaktivieren, erscheint nach der letzten Folie ein schwarzer Bildschirm, der Sie darüber informiert, dass die Präsentation beendet ist und Sie die Vorschau verlassen können. Vorschaumodus Im Vorschaumodus stehen Ihnen folgende Steuerelemente in der unteren linken Ecke zur Verfügung: Vorherige Folie - zur vorherigen Folie zurückkehren. Bildschirmpräsentation pausieren - die Vorschau wird angehalten. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Bildschirmpräsentation fortsetzen - die Vorschau wird fortgesetzt. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Nächste Folie - wechseln Sie in die nächste Folie. Foliennummer - Anzeige der aktuellen Foliennummer sowie der Gesamtzahl von Folien in der Präsentation. Um im Vorschaumodus zu einer bestimmten Folie überzugehen, klicken Sie auf die angezeigte Foliennummer, geben Sie die gewünschte Foliennummer in das geöffnete Fenster ein und drücken Sie die Eingabetaste. Über die Schaltfläche Vollbildmodus können Sie in die Vollbildansicht wechseln. Über die Schaltfläche Vollbildmodus verlassen können Sie die Vollbildansicht verlassen. Über die Schaltfläche Bildschirmpräsentation beenden können Sie den Präsentationsmodus verlassen. Alternativ können Sie im Präsentationsmodus auch mit den Tastenkombinationen zwischen den Folien wechseln. Referentenansicht Referentenansicht - die Präsentation wird auf einem Bildschirm im Vollbildmodus angezeigt und auf dem anderen Bildschirm wird die „Sprecheransicht“ mit den Notizen wiedergegeben. Die Notizen für jede Folie werden unter dem Folienvorschaubereich angezeigt. Nutzen Sie die Tasten und oder klicken Sie im linken Seitenbereich auf die entsprechende Folie in der Liste. Foliennummer von ausgeblendeten Folien sind in der Liste durchgestrichen. Wenn Sie anderen eine ausgeblendete Folie zeigen möchten, klicken Sie in der Folienliste mit der Maus auf die Folie - die Folie wird angezeigt. Die folgenden Steuerelemente stehen Ihnen unterhalb des Folienvorschaubereichs zur Verfügung: Timer - zeigt die seit Beginn der Präsentation vergangene Zeit im Format hh.mm.ss an. Bildschirmpräsentation pausieren - die Vorschau wird angehalten. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Bildschirmpräsentation fortsetzen - die Vorschau wird fortgesetzt. Wird diese Schaltfläche angeklickt, wandelt sich der Cursor zu . Zurücksetzen - Timer auf Null zurücksetzen. Vorherige Folie - zur vorherigen Folie zurückkehren. Nächste Folie - wechseln Sie in die nächste Folie. Foliennummer - Anzeige der aktuellen Foliennummer sowie der Gesamtzahl von Folien in der Präsentation. Pointer - Ausgewählte Elemente während der Präsentation hervorheben. Wenn diese Option aktiviert ist, sieht der Cursor aus wie folgt: . Um auf bestimmte Objekte zu zeigen, bewegen Sie den Mauszeiger über den Vorschaubereich der Folie und bewegen Sie den Pointer über die Folie. Der Pointer wird wie folgt angezeigt: . Um diese Option zu deaktivieren, klicken Sie erneut auf . Bildschirmpräsentation beenden - Präsentationsmodus verlassen." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Präsentation speichern/drucken/herunterladen", - "body": "Speichern Standardmäßig speichert der Online-Präsentationseditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelle Präsentation manuell im aktuellen Format im aktuellen Verzeichnis speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Präsentation unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Präsentation auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP. Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Aktuelle Präsentation drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf der Präsentation eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck." + "body": "Speichern Standardmäßig speichert der Online-Präsentationseditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Progammabsturzes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelle Präsentation manuell im aktuellen Format im aktuellen Verzeichnis speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Präsentation unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A, PNG, JPG. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Präsentation auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Aktuelle Präsentation drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf der Präsentation eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck." }, { "id": "UsageInstructions/SetSlideParameters.htm", "title": "Folienparameter festlegen", - "body": "Um Ihre Präsentation zu personalisieren im Präsentationseditor, können Sie ein Thema und ein Farbschema sowie die Foliengröße und -ausrichtung für die gesamte Präsentation auswählen, Hintergrundfarbe oder Folienlayout für jede einzelne Folie ändern und Übergänge zwischen den Folien hinzufügen. Es ist außerdem möglich Notizen zu jeder Folie einzufüllen, die hilfreich sein können, wenn Sie die Präsentation in der Referentenansicht wiedergeben. Über die Vorlagen in Themen können Sie das Design der Präsentation schnell ändern, insbesondere den Hintergrund der Folien, vordefinierte Schriftarten für Titel und Texte sowie das Farbschema, das für die Präsentationselemente verwendet wird. Um ein Thema für die Präsentation zu wählen, klicken Sie auf die gewünschte Themenvorlage auf der rechten Seite der oberen Symbolleiste in der Registerkarte Start. Wenn Sie nicht im Vorfeld bestimmte Folien ausgewählt haben, wird das gewählte Thema auf alle Folien angewendet. Um das ausgewählte Thema für eine oder mehrere Folien zu ändern, klicken Sie mit der rechten Maustaste auf die ausgewählten Folien in der Liste (oder klicken Sie mit der rechten Maustaste auf eine Folie im Bearbeitungsbereich), wählen Sie im Kontextmenü die Option Design ändern und wählen Sie das gewünschte Thema aus. Der Farbentwurf beeinflusst die vordefinierten Farben für die Präsentationselemente (Schriftarten, Linien, Füllungen usw.) und ermöglicht eine einheitliche Farbgebung für die gesamte Präsentation. Um den Farbentwurf zu ändern, klicken Sie auf das Symbol Farbentwurf ändern in der Registerkarte Start und wählen Sie den gewünschten Entwuf aus dem Listenmenü aus. Der ausgewählte Entwurf wird auf alle Folien angewendet. Um die Foliengröße für die ganze Präsentation zu ändern, klicken Sie auf das Symbol Foliengröße wählen in der Registerkarte Start und wählen Sie die gewünschte Option im Listenmenü aus. Folgende Optionen stehen Ihnen zur Auswahl: eine der zwei Voreinstellungen - Standard (4:3) oder Breitbildschirm (16:9), die Option Erweiterte Einstellungen. Klicken Sie auf diese Option, öffnet sich das Fenster Einstellungen Foliengröße und Sie können eine der verfügbaren Voreinstellungen auswählen oder eine benutzerdefinierte Größe festlegen, durch die Angabe der gewünschten Breite und Höhe. Verfügbare Voreinstellungen: Die verfügbaren Voreinstellungen sind Standard (4:3), Breitbild (16:9), Breitbild (16:10), Briefpapier (8.5x11 in), Ledger (11x17 in), A3 Papier (297x420 mm), A4 (210x297 mm), B4 (ICO) Papier (250x353 mm), B5 (ICO) Papier (176x250 mm), 35 mm Folien, Overhead, Banner. Im Menü Folienausrichtung können Sie den aktuell ausgewählten Ausrichtungstyp ändern. Die Standardeinstellung ist Querformat. Es ist möglich das Format auf Hochformat zu ändern. Hintergrundfarbe der Folie ändern: Wählen Sie die gewünschte Folie in der Folienliste aus: Oder klicken Sie im Folienbearbeitungsbereich innerhalb der aktuell bearbeiteten Folie auf ein beliebiges leeres Feld, um den Fülltyp für diese separate Folie zu ändern Wählen Sie die gewünschte Option auf der Registerkarte Folieneinstellungen in der rechten Seitenleiste und wählen Sie die notwendige Option: Farbfüllung - wählen Sie diese Option, um die Farbe festzulegen, die Sie auf die ausgwählten Folien anwenden wollen. Füllung mit Farbverlauf - wählen Sie diese Option, um die Folie in zwei Farben zu gestalten, die sanft ineinander übergehen. Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Folienhintergrund festzulegen. Muster - wählen Sie diese Option, um die Folie mit dem zweifarbigen Design, das aus regelmässig wiederholten Elementen besteht, zu füllen. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Undurchsichtigkeit - ziehen Sie den Schieberegler oder geben Sie den Prozentwert manuell ein. Der Standardwert ist 100%. Er entspricht der vollen Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz. Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen. Durch Übergänge wird Ihre Präsentation dynamischer. Diese helfen Ihnen sich die Aufmerksamkeit des Publikums zu sichern. Einen Übergang hinzufügen: Wählen Sie die Folien, auf die Sie einen Übergang einfügen wollen links in der Folienliste aus. wählen Sie einen Übergang im Listenmenü Effekt in der Registerkarte Folieneinstellungen, Um die Registerkarte Folieneinstellungen zu öffnen, klicken Sie im Folienbearbeitungsbereich auf das Symbol Folieneinstellungen oder öffnen Sie das Rechtsklickmenü und wählen Sie Folieneinstellungen aus dem Kontextmenü aus. Eigenschaften des Übergangs anpassen: wählen Sie Art und Dauer des Übergangs und die Art des Folienwechsels, klicken Sie auf die Schaltfläche Auf alle Folien anwenden, um den gleichen Übergang auf alle Folien in der Präsentation anzuwenden.Weitere Informationen über diese Optionen finden Sie im Abschnitt Übergänge anwenden. Folienlayout ändern: wählen Sie links in der Folienliste die Folien aus, auf die Sie ein neues Layout anwenden wollen. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Smybol Folienlayout ändern. Wählen Sie das gewünschte Layout im Menü aus.Alternativ können Sie mit der rechten Maustaste auf die gewünschte Folie in der Liste links klicken, wählen Sie die Option Layout ändern im Kontextmenü wählen aus und bestimmen Sie das gewünschte Layout. Aktuell sind die folgenden Layoutoptionen verfügbar: Titel, Titel und Objekt, Abschnittsüberschrift, Zwei Objekte, Zwei Inhalte und zwei Objekte, Nur Titel, Leer, Objekt und Bildunterschrift, Bild und Bildunterschrift, Vertikaler Text, Vertikaler Titel und Text. Notizen einfügen: Wählen Sie die Folie aus der Liste aus, die Sie mit Notizen versehen wollen. Klicken Sie unterhalb dem Bearbeitungsbereich auf Notizen hinzufügen Geben Sie Ihre Notizen ein. In der Registerkarte Start in der oberen Symbolleiste, können Sie den Text formatieren. Wenn Sie die Präsentation in der Referentenansicht starten, werden Ihnen alle vorhandenen Notizen unterhalb der Vorschauansicht angezeigt." + "body": "Um Ihre Präsentation zu personalisieren im Präsentationseditor, können Sie ein Thema und ein Farbschema sowie die Foliengröße und -ausrichtung für die gesamte Präsentation auswählen, Hintergrundfarbe oder Folienlayout für jede einzelne Folie ändern und Übergänge zwischen den Folien hinzufügen. Es ist außerdem möglich Notizen zu jeder Folie einzufüllen, die hilfreich sein können, wenn Sie die Präsentation in der Referentenansicht wiedergeben. Mit Themen können Sie das Präsentationsdesign schnell ändern, insbesondere das Aussehen des Folienhintergrunds, vordefinierte Schriftarten für Titel und Texte und das Farbschema, das für die Präsentationselemente verwendet wird. Um ein Thema für die Präsentation auszuwählen, klicken Sie auf das erforderliche vordefinierte Thema aus der Themengalerie rechts in der oberen Symbolleiste auf der Registerkarte Startseite. Das ausgewählte Thema wird auf alle Folien angewendet, wenn Sie nicht zuvor bestimmte Folien zum Anwenden des Themas ausgewählt haben. Um das ausgewählte Thema für eine oder mehrere Folien zu ändern, können Sie mit der rechten Maustaste auf die ausgewählten Folien in der Liste links klicken (oder mit der rechten Maustaste auf eine Folie im Bearbeitungsbereich klicken), die Option Thema ändern auswählen aus dem Kontextmenü und wählen Sie das gewünschte Thema. Farbschema wirkt sich auf die vordefinierten Farben der Präsentationselemente (Schriften, Linien, Füllungen usw.) aus und ermöglichen Ihnen, die Farbkonsistenz während der gesamten Präsentation beizubehalten. Um ein Farbschema zu ändern, klicken Sie auf das Symbol Farbschema ändern auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie das erforderliche Schema aus der Drop-Down-Liste aus. Das ausgewählte Farbschema wird in der Liste hervorgehoben und auf alle Folien angewendet. Um die Größe aller Folien in der Präsentation zu ändern, klicken Sie auf Foliegröße wählen auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie die erforderliche Option aus der Drop-Down-Liste aus. Sie können wählen: eine der beiden Schnellzugriffs-Voreinstellungen - Standard (4:3) oder Breitbildschirm (16:9), die Option Erweiterte Einstellungen, die das Fenster Einstellungen der Foliengröße öffnet, in dem Sie eine der verfügbaren Voreinstellungen auswählen oder eine benutzerdefinierte-Größe (Breite und Höhe) festlegen können, die verfügbaren Voreinstellungen sind: Standard (4:3), Breitbild (16:9), Breitbild (16:10), Letter Paper (8.5x11 in), Ledger Blatt (11x17 in), A3 Blatt (297x420 mm), A4 Blatt (210x297 mm), B4 (ICO) Blatt (250x353 mm), B5 (ICO) Blatt (176x250 mm), 35 mm Folien, Overheadfolien, Banner, das Menü Folienausrichtung ermöglicht das Ändern des aktuell ausgewählten Ausrichtungstyps. Der Standardausrichtungstyp ist Querformat, der auf Hochformat umgestellt werden kann. Um eine Hintergrundfüllung zu ändern, wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie die Füllung anwenden möchten. Oder klicken Sie auf eine beliebige Leerstelle innerhalb der aktuell bearbeiteten Folie im Folienbearbeitungsbereich, um den Fülltyp für diese separate Folie zu ändern. Wählen Sie auf der Registerkarte Folien-Einstellungen der rechten Seitenleiste die erforderliche Option aus: Farbfüllung - wählen Sie diese Option, um die Farbe festzulegen, die Sie auf die ausgwählten Folien anwenden wollen. Füllung mit Farbverlauf - wählen Sie diese Option, um die Folie in zwei Farben zu gestalten, die sanft ineinander übergehen. Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Folienhintergrund festzulegen. Muster - wählen Sie diese Option, um die Folie mit dem zweifarbigen Design, das aus regelmässig wiederholten Elementen besteht, zu füllen. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Undurchsichtigkeit - ziehen Sie den Schieberegler oder geben Sie den Prozentwert manuell ein. Der Standardwert ist 100%. Er entspricht der vollen Undurchsichtigkeit. Der Wert 0% entspricht der vollen Transparenz. Weitere Informationen zu diesen Optionen finden Sie im Abschnitt Objekte ausfüllen und Farben auswählen. Die Übergänge helfen dabei, Ihre Präsentation dynamischer zu gestalten und die Aufmerksamkeit Ihres Publikums zu erhalten. Um einen Übergang anzuwenden, wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie einen Übergang anwenden möchten, wählen Sie in der Drop-Down-Liste Effekt auf der Registerkarte Folien-Einstellungen einen Übergang aus, Um die Registerkarte Folien-Einstellungen zu öffnen, klicken Sie im Folienbearbeitungsbereich auf das Symbol Folien-Einstellungen oder öffnen Sie das Rechtsklickmenü und wählen Sie Folien-Einstellungen aus dem Kontextmenü aus. passen Sie die Übergangseigenschaften an: Wählen Sie einen Übergang, Dauer und die Art und Weise, wie die Folien vorgerückt werden, klicken Sie auf die Schaltfläche Auf alle Folien anwenden, um den gleichen Übergang auf alle Folien in der Präsentation anzuwenden. Weitere Informationen über diese Optionen finden Sie im Abschnitt Übergänge anwenden. Um Folienlayout zu ändern, wählen Sie in der Folienliste auf der linken Seite die Folien aus, auf die Sie ein neues Layout anwenden möchten, klicken Sie auf das Symbol Folienlayout ändern auf der Registerkarte Startseite der obere Symbolleiste, wählen Sie das gewünschte Layout aus dem Menü aus. Sie können auch mit der rechten Maustaste auf die gewünschte Folie in der Liste links klicken, die Option Layout ändern im Kontextmenü auswählen und das gewünschte Layout bestimmen. Derzeit sind die folgenden Layouts verfügbar: Title Slide, Title and Content, Section Header, Two Content, Comparison, Title Only, Blank, Content with Caption, Picture with Caption, Title and Vertical Text, Vertical Title and Text. Um einem Folienlayout Objekte hinzuzufügen, Klicken Sie auf das Symbol Folienlayout ändern und wählen Sie ein Layout aus, zu dem Sie ein Objekt hinzufügen möchten, verwenden Sie die Registerkarte Einfügen der oberen Symbolleiste, fügen Sie das erforderliche Objekt zur Folie hinzu (Bild, Tabelle, Diagramm , Form), dann mit der rechten Maustaste auf dieses Objekt klicken und die Option Zum Layout hinzufügen auswählen, klicken Sie auf der Registerkarte Startseite auf Folienlayout ändern und wenden Sie die geänderte Anordnung an. Die ausgewählten Objekte werden dem Layout des aktuellen Themas hinzugefügt. Objekte, die auf diese Weise auf einer Folie platziert wurden, können nicht ausgewählt, in der Größe geändert oder verschoben werden. Um das Folienlayout in den ursprünglichen Zustand zurückzusetzen, wählen Sie in der Folienliste auf der linken Seite die Folien aus, die Sie in den Standardzustand zurücksetzen möchten. Halten Sie die Strg-Taste gedrückt und wählen Sie jeweils eine Folie aus, um mehrere Folien gleichzeitig auszuwählen, oder halten Sie die Umschalttaste gedrückt, um alle Folien von der aktuellen bis zur ausgewählten auszuwählen. klicken Sie mit der rechten Maustaste auf eine der Folien und wählen Sie im Kontextmenü die Option Folie zurücksetzen, Alle auf Folien befindlichen Textrahmen und Objekte werden zurückgesetzt und entsprechend dem Folienlayout angeordnet. Um einer Folie Notizen hinzuzufügen, wählen Sie in der Folienliste auf der linken Seite die Folie aus, zu der Sie eine Notiz hinzufügen möchten, klicken Sie unterhalb des Folienbearbeitungsbereichs auf die Beschriftung Klicken Sie, um Notizen hinzuzufügen, geben Sie den Text Ihrer Notiz ein. Sie können den Text mithilfe der Symbole auf der Registerkarte Startseite der oberen Symbolleiste formatieren. Wenn Sie die Präsentation in der Referentenansicht starten, werden Ihnen alle vorhandenen Notizen unterhalb der Vorschauansicht angezeigt." + }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Unterstützung von SmartArt im ONLYOFFICE-Präsentationseditor", + "body": "SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Präsentationseditor unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf den SmartArt-Grafikrahmen oder den Rahmen seines Elements klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen: Folien-Einstellungen zum Ändern der Hintergrundfüllung und Undurchsichtigkeit der Folie und zum Ein- oder Ausblenden von Foliennummer, Datum und Uhrzeit. Lesen Sie Folienparameter festlegen und Fußzeilen einfügen für Details. Form-Einstellungen zum Konfigurieren der in einem Layout verwendeten Formen. Sie können Formen ändern, die Füllung, die Striche, die Größe, den Umbruchstil, die Position, die Stärke und Pfeile, das Textfeld und den alternativen Text bearbeiten. Absatzeinstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Absatzformatierung für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undirchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen: Anordnen, um die Objekte mit den folgenden Optionen anzuordnen: In den Vordergrund bringen, In den Hintergrund, Eine Ebene nach vorne, Eine Ebene nach hinten, Gruppieren und Gruppierung aufheben. Die Anordnungsmöglichkeiten hängen davon ab, ob die SmartArt-Elemente gruppiert sind oder nicht. Ausrichtung, um die Grafik oder die Objekte mit den folgenden Optionen auszurichten: Links ausrichten, Zentriert ausrichten, Rechts ausrichten, Oben ausrichten, Mittig ausrichten, Unten ausrichten, Horizontal verteilen und Vertikal verteilen. Drehen, um die Drehrichtung für das ausgewählte Element auf einer SmartArt-Grafik auszuwählen: 90° im UZS drehen, Um 90° gegen den Uhrzeigersinn drehen, Horizontal kippen, Vertikal kippen. Diese Option wird nur für SmartArt-Elemente aktiv. Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen. Kommentar hinzufügen, um einen Kommentar zu einer bestimmten SmartArt-Grafik oder ihrem Element zu hinterlassen. Zum Layout hinzufügen, um die SmartArt-Grafik zum Folienlayout hinzuzufügen. Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen: Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten. Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen. Erweiterte Text-Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen. Kommentar hinzufügen, um einen Kommentar zu einer bestimmten SmartArt-Grafik oder ihrem Element zu hinterlassen. Hyperlink, um einen Hyperlink zum SmartArt-Element hinzuzufügen." }, { "id": "UsageInstructions/Thesaurus.htm", diff --git a/apps/presentationeditor/main/resources/help/en/Contents.json b/apps/presentationeditor/main/resources/help/en/Contents.json index 5ce3210c0..98cf97173 100644 --- a/apps/presentationeditor/main/resources/help/en/Contents.json +++ b/apps/presentationeditor/main/resources/help/en/Contents.json @@ -2,9 +2,11 @@ {"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Presentation Editor user interface", "headername": "Program Interface"}, {"src": "ProgramInterface/FileTab.htm", "name": "File tab"}, {"src": "ProgramInterface/HomeTab.htm", "name": "Home Tab"}, - { "src": "ProgramInterface/InsertTab.htm", "name": "Insert tab" }, + {"src": "ProgramInterface/InsertTab.htm", "name": "Insert tab" }, {"src": "ProgramInterface/TransitionsTab.htm", "name": "Transitions tab" }, - {"src": "ProgramInterface/CollaborationTab.htm", "name": "Collaboration tab"}, + {"src": "ProgramInterface/AnimationTab.htm", "name": "Animation tab" }, + {"src": "ProgramInterface/CollaborationTab.htm", "name": "Collaboration tab" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "View tab"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Plugins tab"}, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Create a new presentation or open an existing one", "headername": "Basic operations" }, {"src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Copy/paste data, undo/redo your actions"}, @@ -20,13 +22,18 @@ {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Insert and format autoshapes", "headername": "Operations on objects"}, {"src": "UsageInstructions/InsertImages.htm", "name": "Insert and adjust images"}, {"src": "UsageInstructions/InsertCharts.htm", "name": "Insert and edit charts" }, - { "src": "UsageInstructions/InsertTables.htm", "name": "Insert and format tables" }, - { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insert symbols and characters" }, + {"src": "UsageInstructions/InsertTables.htm", "name": "Insert and format tables" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Support of SmartArt" }, + {"src": "UsageInstructions/AddingAnimations.htm", "name": "Adding animations" }, + {"src": "UsageInstructions/InsertSymbols.htm", "name": "Insert symbols and characters" }, {"src": "UsageInstructions/FillObjectsSelectColor.htm", "name": "Fill objects and select colors"}, {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Manipulate objects on a slide"}, {"src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Align and arrange objects on a slide"}, { "src": "UsageInstructions/InsertEquation.htm", "name": "Insert equations", "headername": "Math equations" }, - {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Collaborative presentation editing", "headername": "Presentation co-editing" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Co-editing presentations in real time", "headername": "Collaboration" }, + { "src": "HelpfulHints/UsingChat.htm", "name": "Communicating in real time" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Commenting presentations" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Version history" }, {"src": "UsageInstructions/PhotoEditor.htm", "name": "Edit an image", "headername": "Plugins"}, {"src": "UsageInstructions/YouTube.htm", "name": "Include a video" }, {"src": "UsageInstructions/HighlightedCode.htm", "name": "Insert highlighted code" }, diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index 8a516422f..265b0a679 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Collaborative Presentation Editing + Co-editing presentations in real time @@ -10,106 +10,25 @@ -
                  -
                  - -
                  -

                  Collaborative Presentation Editing

                  -

                  The Presentation Editor allows you to work on a presentation collaboratively with other users. This feature includes:

                  -
                    -
                  • simultaneous multi-user access to the edited presentation
                  • -
                  • visual indication of objects that are being edited by other users
                  • -
                  • real-time display of changes or their synchronization with one button click
                  • -
                  • a chat to share ideas concerning particular parts of the presentation
                  • -
                  • comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version)
                  • -
                  -
                  -

                  Connecting to the online version

                  -

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

                  +
                  +
                  +
                  -
                  -

                  Co-editing

                  -

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

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

                  The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the

                  Co-editing Mode icon on the Collaboration tab of the top toolbar:

                  -

                  Co-editing Mode menu

                  -

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

                  -

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

                  -

                  The number of users who are working on the current presentation is specified on the right side of the editor header -

                  . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users.

                  -

                  When no users are viewing or editing the file, the icon in the editor header will look like

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

                  -

                  As soon as one of the users saves his/her changes by clicking the

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

                  -

                  Anonymous

                  -

                  Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                  -

                  anonymous collaboration

                  -

                  Chat

                  -

                  You can use this tool to coordinate the co-editing process on-the-fly, for example, to distribute tasks with your collaborators.

                  -

                  The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until you decide to delete them.

                  -

                  To access the chat and leave a message for other users,

                  -
                    -
                  1. - click the
                    icon on the left sidebar, or
                    - switch to the Collaboration tab of the top toolbar and click the
                    Chat button, -
                  2. -
                  3. enter your text into the corresponding field below,
                  4. -
                  5. press the Send button.
                  6. -
                  -

                  All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this -

                  .

                  -

                  To close the panel with chat messages, click the

                  icon on the left sidebar or the
                  Chat button on the top toolbar once again.

                  -
                  -

                  Comments

                  -

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

                  -

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

                  -
                    -
                  1. select an object where you think there is an error or problem,
                  2. -
                  3. switch to the Insert or Collaboration tab of the top toolbar and click the
                    Comment button, or
                    - right-click the selected object and select the Add Сomment option from the menu,
                    -
                  4. -
                  5. enter the needed text,
                  6. -
                  7. click the Add Comment/Add button.
                  8. -
                  -

                  The object you commented will be marked with the

                  icon. To view the comment, just click on this icon.

                  -

                  To add a comment to a certain slide, select the slide and use the

                  Comment button on the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide.

                  -

                  To create a presentation-level comment which is not related to a certain object or slide, click the

                  icon on the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed on the Comments panel. Comments related to objects and slides are also available here.

                  -

                  Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment, type in your reply text in the entry field and press the Reply button.

                  -

                  If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the

                  icon in the left upper corner of the top toolbar.

                  -

                  You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                  -
                    -
                  • sort the added comments by clicking the
                    icon: -
                      -
                    • by date: Newest or Oldest
                    • -
                    • by author: Author from A to Z or Author from Z to A -

                      Sort comments

                      -
                    • -
                    -
                  • -
                  • edit the currently selected by clicking the
                    icon,
                  • -
                  • delete the currently selected by clicking the
                    icon,
                  • -
                  • close the currently selected discussion by clicking the
                    icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the
                    icon,
                  • -
                  • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the presentation.
                  • -
                  -

                  Adding mentions

                  -

                  Note: Mentions can be added to comments to text and not to comments to the entire document.

                  -

                  When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                  -

                  To add a mention enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary and click OK.

                  -

                  The mentioned user will receive an email notification that he/she has been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                  -

                  To remove comments,

                  -
                    -
                  1. click the
                    Remove button on the Collaboration tab of the top toolbar,
                  2. -
                  3. - select the necessary option from the menu: -
                      -
                    • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                    • -
                    • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                    • -
                    • Remove All Comments - to remove all the comments in the presentation that you and other users added.
                    • -
                    -
                  4. -
                  -

                  To close the panel with comments, click the

                  icon on the left sidebar once again.

                  +

                  Co-editing presentations in real time

                  +

                  The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your presentations that require additional third-party input, save presentation versions for future use.

                  +

                  In Presentation Editor you can collaborate on presentations in real time using two modes: Fast or Strict.

                  +

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

                  +

                  Co-editing Mode menu

                  +

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

                  +

                  Fast mode

                  +

                  The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a presentation in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors. When a presentation is being edited by several users simultaneously in this mode, the edited objects are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed.

                  +

                  Strict mode

                  +

                  The Strict mode is selected to hide changes made by other users until you click the Save Save icon icon to save your changes and accept the changes made by co-authors.

                  +

                  When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users.

                  +

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

                  +

                  Anonymous

                  +

                  Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                  +

                  anonymous collaboration

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

                  Commenting

                  +

                  The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on presentations in real time, communicate right in the editor, save presentation versions for future use.

                  +

                  In Presentation Editor you can leave comments to the content of presentations without actually editing it. Unlike chat messages, the comments stay until deleted.

                  +

                  Leaving comments and replying to them

                  +

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

                  +
                    +
                  1. select an object where you think there is an error or problem,
                  2. +
                  3. + switch to the Insert or Collaboration tab of the top toolbar and click the Comment icon Comment button, or
                    + right-click the selected object and select the Add Сomment option from the menu,
                    +
                  4. +
                  5. enter the needed text,
                  6. +
                  7. click the Add Comment/Add button.
                  8. +
                  +

                  The object you commented will be marked with the Commented object icon icon. To view the comment, just click on this icon.

                  +

                  To add a comment to a certain slide, select the slide and use the Comment icon Comment button on the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide.

                  +

                  To create a presentation-level comment which is not related to a certain object or slide, click the Comments icon icon on the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed on the Comments panel. Comments related to objects and slides are also available here.

                  +

                  Any other user can answer to the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply text in the entry field and press the Reply button.

                  +

                  If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the Save icon icon in the left upper corner of the top toolbar.

                  +

                  Managing comments

                  +

                  You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                  +
                    +
                  • + sort the added comments by clicking the Sort icon icon: +
                      +
                    • by date: Newest or Oldest.
                    • +
                    • by author: Author from A to Z or Author from Z to A.
                    • +
                    • + by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. +

                      Sort comments

                      +
                    • +
                    +
                  • +
                  • edit the currently selected by clicking the Edit icon icon,
                  • +
                  • delete the currently selected by clicking the Delete icon icon,
                  • +
                  • close the currently selected discussion by clicking the Resolve icon icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the Open again icon icon,
                  • +
                  • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the presentation.
                  • +
                  +

                  Adding mentions

                  +

                  You can only add mentions to the comments made to the presentation content and not to the presentation itself.

                  +

                  When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                  +

                  To add a mention,

                  +
                    +
                  1. Enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type.
                  2. +
                  3. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary.
                  4. +
                  5. Click OK.
                  6. +
                  +

                  The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                  +

                  Removing comments

                  +

                  To remove comments,

                  +
                    +
                  1. click the Remove comment icon Remove button on the Collaboration tab of the top toolbar,
                  2. +
                  3. + select the necessary option from the menu: +
                      +
                    • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                    • +
                    • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                    • +
                    • Remove All Comments - to remove all the comments in the presentation that you and other users added.
                    • +
                    +
                  4. +
                  +

                  To close the panel with comments, click the Comments icon icon on the left sidebar once again.

                  +
                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 0e252d98d..39ab3d65d 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -18,11 +18,12 @@

                  Keyboard Shortcuts

                  Keyboard Shortcuts for Key Tips

                  -

                  The keyboard shortcut list is used for a faster and easier access to the features of the Presentation Editor using the keyboard.

                  +

                  Use keyboard shortcuts for a faster and easier access to the features of the Presentation Editor without using a mouse.

                  1. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar.
                  2. - Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, press Alt to see all primary key tips. + Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. +

                    For example, to access the Insert tab, press Alt to see all primary key tips.

                    Primary Key Tips

                    Press letter I to access the Insert tab and you will see all the available shortcuts for this tab.

                    Secondary Key Tips

                    @@ -30,6 +31,7 @@
                  3. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips.
                  +

                  Find the most common keyboard shortcuts in the list below:

                  • Windows/Linux
                  • + +

                    Applying Multiple Animations

                    +

                    You can add more than one animation effect to the same object. To add one more animation,

                    +
                      +
                    1. click the Add Animation button on the Animation tab.
                    2. +
                    3. The list of animation effects will open. Repeat Steps 3 and 4 above for applying an animation.
                    4. +
                    +

                    If you use the Animation gallery, and not the Add Animation button, the first animation effect will substitute for a new one. A small square next to the object shows the sequence numbers of the effects applied.

                    +

                    As soon as you add several effects to an object, the Multiple animation icon appears in the animations gallery.

                    +

                    Multiple Effects

                    +

                    Changing the order of the animation effects on a slide

                    +
                      +
                    1. Click the animation square mark.
                    2. +
                    3. Сlick Move Earlier or Move Later arrows on the Animation tab to change the order of appearance on the slide.
                    4. +
                    +

                    Animations Order

                    +

                    Setting animation timing

                    +

                    Use the timing options on the Animation tab to set the start, the duration, the delay, the repetition and the rewind of the animations on a slide.

                    +

                    Animation Start Options

                    +
                      +
                    • On click – animation starts when you click the slide. This is the default option.
                    • +
                    • With previous – animation starts when previous animation effect starts and effects appear simultaneously.
                    • +
                    • After previous – animation starts right after the previous animation effect.
                    • +
                    +

                    Note: animation effects are automatically numbered on a slide. All animations set to With previous and After previous take the number of the animation they are connected to as they will appear automatically.

                    +

                    Animations Numbering

                    +

                    Animation Trigger Options

                    +

                    Click the Trigger button and select one of the appropriate options:

                    +
                      +
                    • On Click Sequence – to start the next animation in sequence each time you click anywhere on the slide. This is the default option.
                    • +
                    • On Click of - to start animation when you click the object that you select from the drop-down list.
                    • +
                    +

                    Trigger Options

                    +

                    Other timing options

                    +

                    Timing Options

                    +

                    Duration – use this option to determine how long you want an animation to be displayed. Select one of the available options from the menu, or type in the necessary time value.

                    +

                    Animation Duration

                    +

                    Delay – use this option if you want the selected animation to be displayed within a specified period of time, or if you need a pause between the effects. Use arrows to select the necessary time value, or enter the necessary value measured in seconds.

                    +

                    Repeat – use this option if you want to display an animation more than once. Click the Repeat box and select one of the available options, or enter your value.

                    +

                    Repeat Animation

                    +

                    Rewind – check this box if you want to return the object to its original state when the animation ends.

                    +
                  + + diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ApplyTransitions.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ApplyTransitions.htm index b98111be4..d7016c9d8 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ApplyTransitions.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ApplyTransitions.htm @@ -18,7 +18,7 @@

                  A transition is an effect that appears when one slide advances to the next one during presentation. In the Presentation Editor, you can apply the same transition to all slides or different transitions to each separate slide and adjust the transition parameters.

                  To apply a transition to a single slide or several selected slides:

                    -
                  1. Switch to the Transitions tab on the top toolbar.

                    +
                  2. Switch to the Transitions tab on the top toolbar.

                    Transitions tab

                  3. Select a slide (or several slides in the slide list) you want to apply a transition to.
                  4. diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/FillObjectsSelectColor.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/FillObjectsSelectColor.htm index 6a123a19d..add84f2a7 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/FillObjectsSelectColor.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/FillObjectsSelectColor.htm @@ -53,7 +53,7 @@

                    Gradient Fill

                    • Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges).
                    • -
                    • Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available.
                    • +
                    • Direction - the direction preview window displays the selected gradient color, click the arrow to choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available.
                    • Angle - set the numeric value for a precise color transition angle.
                    • Gradient Points are specific points of color transition.
                        diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm index 90c8ad7bd..be506f79b 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm @@ -17,18 +17,22 @@

                        Insert and format autoshapes

                        Insert an autoshape

                        To add an autoshape to a slide in the Presentation Editor,

                        -
                          -
                        1. in the slide list on the left, select the slide you want to add the autoshape to,
                        2. -
                        3. click the
                          Shape icon on the Home or Insert tab of the top toolbar,
                        4. -
                        5. select one of the available autoshape groups: Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines,
                        6. -
                        7. click on the necessary autoshape within the selected group,
                        8. -
                        9. in the slide editing area, place the mouse cursor where you want the shape to be put, -

                          Note: you can click and drag to stretch the shape.

                          -
                        10. -
                        11. once the autoshape is added, you can change its size, position and properties. -

                          Note: to add a caption within the autoshape, make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it).

                          -
                        12. -
                        +
                          +
                        1. in the slide list on the left, select the slide you want to add the autoshape to,
                        2. +
                        3. + click the Shape icon Shape icon on the Home tab or the Shape GalleryShape gallery dropdown arrow on the Insert tab of the top toolbar, +
                        4. +
                        5. select one of the available autoshape groups from the Shape Gallery: Recently Used, Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines,
                        6. +
                        7. click on the necessary autoshape within the selected group,
                        8. +
                        9. + in the slide editing area, place the mouse cursor where you want the shape to be put, +

                          Note: you can click and drag to stretch the shape.

                          +
                        10. +
                        11. + once the autoshape is added, you can change its size, position and properties. +

                          Note: to add a caption within the autoshape, make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it).

                          +
                        12. +

                        It's also possible to add an autoshape to a slide layout. To learn more, please refer to this article.


                        Adjust autoshape settings

                        diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm index 144b8e39c..c0a99013e 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm @@ -20,82 +20,84 @@
                        1. put the cursor where you want to add a chart,
                        2. switch to the Insert tab of the top toolbar,
                        3. -
                        4. click the
                          Chart icon on the top toolbar,
                        5. -
                        6. select the needed chart type from the available ones: -
                          - Column Charts -
                            -
                          • Clustered column
                          • -
                          • Stacked column
                          • -
                          • 100% stacked column
                          • -
                          • 3-D Clustered Column
                          • -
                          • 3-D Stacked Column
                          • -
                          • 3-D 100% stacked column
                          • -
                          • 3-D Column
                          • -
                          -
                          -
                          - Line Charts -
                            -
                          • Line
                          • -
                          • Stacked line
                          • -
                          • 100% stacked line
                          • -
                          • Line with markers
                          • -
                          • Stacked line with markers
                          • -
                          • 100% stacked line with markers
                          • -
                          • 3-D Line
                          • -
                          -
                          -
                          - Pie Charts -
                            -
                          • Pie
                          • -
                          • Doughnut
                          • -
                          • 3-D Pie
                          • -
                          -
                          -
                          - Bar Charts -
                            -
                          • Clustered bar
                          • -
                          • Stacked bar
                          • -
                          • 100% stacked bar
                          • -
                          • 3-D clustered bar
                          • -
                          • 3-D stacked bar
                          • -
                          • 3-D 100% stacked bar
                          • -
                          -
                          -
                          - Area Charts -
                            -
                          • Area
                          • -
                          • Stacked area
                          • -
                          • 100% stacked area
                          • -
                          -
                          -
                          - Stock Charts -
                          -
                          - XY (Scatter) Charts -
                            -
                          • Scatter
                          • -
                          • Stacked bar
                          • -
                          • Scatter with smooth lines and markers
                          • -
                          • Scatter with smooth lines
                          • -
                          • Scatter with straight lines and markers
                          • -
                          • Scatter with straight lines
                          • -
                          -
                          -
                          - Combo Charts -
                            -
                          • Clustered column - line
                          • -
                          • Clustered column - line on secondary axis
                          • -
                          • Stacked area - clustered column
                          • -
                          • Custom combination
                          • -
                          -
                          +
                        7. click the Chart icon Chart icon on the top toolbar,
                        8. +
                        9. + select the needed chart type from the available ones: +
                          + Column Charts +
                            +
                          • Clustered column
                          • +
                          • Stacked column
                          • +
                          • 100% stacked column
                          • +
                          • 3-D Clustered Column
                          • +
                          • 3-D Stacked Column
                          • +
                          • 3-D 100% stacked column
                          • +
                          • 3-D Column
                          • +
                          +
                          +
                          + Line Charts +
                            +
                          • Line
                          • +
                          • Stacked line
                          • +
                          • 100% stacked line
                          • +
                          • Line with markers
                          • +
                          • Stacked line with markers
                          • +
                          • 100% stacked line with markers
                          • +
                          • 3-D Line
                          • +
                          +
                          +
                          + Pie Charts +
                            +
                          • Pie
                          • +
                          • Doughnut
                          • +
                          • 3-D Pie
                          • +
                          +
                          +
                          + Bar Charts +
                            +
                          • Clustered bar
                          • +
                          • Stacked bar
                          • +
                          • 100% stacked bar
                          • +
                          • 3-D clustered bar
                          • +
                          • 3-D stacked bar
                          • +
                          • 3-D 100% stacked bar
                          • +
                          +
                          +
                          + Area Charts +
                            +
                          • Area
                          • +
                          • Stacked area
                          • +
                          • 100% stacked area
                          • +
                          +
                          +
                          + Stock Charts +
                          +
                          + XY (Scatter) Charts +
                            +
                          • Scatter
                          • +
                          • Stacked bar
                          • +
                          • Scatter with smooth lines and markers
                          • +
                          • Scatter with smooth lines
                          • +
                          • Scatter with straight lines and markers
                          • +
                          • Scatter with straight lines
                          • +
                          +
                          +
                          + Combo Charts +
                            +
                          • Clustered column - line
                          • +
                          • Clustered column - line on secondary axis
                          • +
                          • Stacked area - clustered column
                          • +
                          • Custom combination
                          • +
                          +
                          +

                          Note: ONLYOFFICE Presentation Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools.

                        10. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: @@ -109,7 +111,8 @@

                    Chart Editor window

                    -
                  5. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. +
                  6. + Click the Select Data button situated in the Chart Editor window. The Chart Data window will open.
                    1. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. @@ -256,7 +259,7 @@

                      Label format options vary depending on the selected category. For more information on changing number format, go to this page.

                    2. Check Linked to source to keep number formatting from the data source in the chart.
                    3. - +

                      @@ -325,7 +328,8 @@

                      Chart Settings window

                      The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart.

                      -
                    4. once the chart is added, you can also change its size and position. +
                    5. + once the chart is added, you can also change its size and position.

                      You can specify the chart position on the slide by dragging it vertically or horizontally.

                    diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertEquation.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertEquation.htm index 8ea437ee2..bb6b25c7d 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertEquation.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertEquation.htm @@ -90,6 +90,12 @@
                  7. To delete an Accent, you can right-click on it and select the Remove accent character, Delete char or Remove bar option from the menu (the available options differ depending on the selected accent).
                  8. To delete a row or a column of a Matrix, you can right-click on the placeholder within the row/column you need to delete, select the Delete option from the menu, then select Delete Row/Column.
                  9. +

                    Convert equations

                    +

                    If you open an existing document containing equations which were created with an old version of equation editor (for example, with MS Office versions before 2007), you need to convert these equations to the Office Math ML format to be able to edit them.

                    +

                    To convert an equation, double-click it. The warning window will appear:

                    +

                    Convert equation

                    +

                    To convert the selected equation only, click the Yes button in the warning window. To convert all equations in this document, check the Apply to all equations box and click Yes.

                    +

                    Once the equation is converted, you can edit it.

                    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm index cfa35739b..aec47f6d3 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -49,8 +49,9 @@
                  10. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles.
                  11. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes.

                    -

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

                    +

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

                      +
                    • If you select the Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape.
                    • If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed.
                    • If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area.
                    diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManageSlides.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManageSlides.htm index 747ea6e91..36270837c 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManageSlides.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManageSlides.htm @@ -31,32 +31,32 @@

                  A new slide will be inserted after the selected one in the list of the existing slides on the left.

                  -

                  To duplicate a slide:

                  +

                  To duplicate slides:

                    -
                  1. right-click the necessary slide in the list of the existing slides on the left,
                  2. -
                  3. select the Duplicate Slide option from the contextual menu.
                  4. +
                  5. select a slide, or multiple slides in the list of the existing slides on the left,
                  6. +
                  7. right-click the mouse button and select the Duplicate Slide option from the context menu, or go to the Home or the Insert tab, click the Add slide button and select the Duplicate Slide menu option.

                  The duplicated slide will be inserted after the selected one in the slide list.

                  -

                  To copy a slide:

                  +

                  To copy slides:

                    -
                  1. in the list of the existing slides on the left, select the slide you need to copy,
                  2. +
                  3. in the list of the existing slides on the left, select a slide or multiple slides you need to copy,
                  4. press the Ctrl+C key combination,
                  5. in the slide list, select the slide after which the copied slide should be pasted,
                  6. press the Ctrl+V key combination.
                  -

                  To move an existing slide:

                  +

                  To move existing slides:

                    -
                  1. left-click the necessary slide in the list of the existing slides on the left,
                  2. +
                  3. left-click the necessary slide or slides in the list of the existing slides on the left,
                  4. without releasing the mouse button, drag it to the necessary place in the list (a horizontal line indicates a new location).
                  -

                  To delete an unnecessary slide:

                  +

                  To delete unnecessary slides:

                    -
                  1. right-click the slide you want to delete in the list of the existing slides on the left,
                  2. +
                  3. right-click the slide or slides you want to delete in the list of the existing slides on the left,
                  4. select the Delete Slide option from the contextual menu.
                  -

                  To mark a slide as hidden:

                  +

                  To mark slides as hidden:

                    -
                  1. right-click the slide you want to hide in the list of the existing slides on the left,
                  2. +
                  3. right-click the slide or slides you want to hide in the list of the existing slides on the left,
                  4. select the Hide Slide option from the contextual menu.

                  The number that corresponds to the hidden slide in the slide list on the left will be crossed out. To display the hidden slide as a regular one in the slide list, click the Hide Slide option once again.

                  diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm index 08d22168f..867d8de82 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm @@ -10,31 +10,52 @@ -
                  -
                  - -
                  -

                  Manipulate objects on a slide

                  -

                  In the Presentation Editor, you can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window.

                  +
                  +
                  + +
                  +

                  Manipulate objects on a slide

                  +

                  In the Presentation Editor, you can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window.

                  Note: the list of keyboard shortcuts that can be used when working with objects is available here.

                  Resize objects

                  -

                  To change the autoshape/image/chart/table/text box size, drag small squares

                  situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons.

                  -

                  -

                  To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated.

                  -

                  To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK.

                  -

                  Reshape autoshapes

                  -

                  When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped

                  icon is also available. It allows adjusting some aspects of the shape, for example, the length of the head of an arrow.

                  -

                  -

                  Move objects

                  -

                  To alter the autoshape/image/chart/table/text box position, use the

                  icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. - To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. - To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging.

                  -

                  To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK.

                  -

                  Rotate objects

                  -

                  To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle

                  and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                  -

                  To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically, you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings

                  or the Image settings
                  icon to the right. Click one of the buttons:

                  +

                  To change the autoshape/image/chart/table/text box size, drag small squares Square icon situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons.

                  +

                  Maintaining proportions

                  +

                  To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated.

                  +

                  To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK.

                  +

                  Reshape autoshapes

                  +

                  When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped Yellow diamond icon icon is also available. It allows adjusting some aspects of the shape, for example, the length of the head of an arrow.

                  +

                  Reshaping autoshape

                  +

                  To reshape an autoshape, you can also use the Edit Points option from the context menu.

                  +

                  The Edit Points option is used to customize or to change the curvature of your shape.

                  +
                    +
                  1. + To activate a shape’s editable anchor points, right-click the shape and choose Edit Points from the menu. The black squares that become active are the points where two lines meet, and the red line outlines the shape. Click and drag it to reposition the point, and to change the shape outline. +

                    Edit Points Menu

                    +
                  2. +
                  3. + Once you click the anchor point, two blue lines with white squares at the ends will appear. These are Bezier handles that allow you to create and a curve and to change a curve’s smoothness. +

                    Edit Points

                    +
                  4. +
                  5. + As long as the anchor points are active, you can add and delete them: +
                      +
                    • To add a point to a shape, hold Ctrl and click the position where you want to add an anchor point.
                    • +
                    • To delete a point, hold Ctrl and click the unnecessary point.
                    • +
                    +
                  6. +
                  +

                  Move objects

                  +

                  + To alter the autoshape/image/chart/table/text box position, use the Arrow icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. + To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. + To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. +

                  +

                  To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK.

                  +

                  Rotate objects

                  +

                  To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle Rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                  +

                  To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically, you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings Shape settings icon or the Image settings Image settings icon icon to the right. Click one of the buttons:

                  • to rotate the object by 90 degrees counterclockwise
                  • to rotate the object by 90 degrees clockwise
                  • @@ -43,7 +64,7 @@

                  It's also possible to right-click the object, choose the Rotate option from the contextual menu and then use one of the available rotation options.

                  To rotate the object by an exactly specified angle, click the Show advanced settings link on the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK.

                  - -
                  + +
                  \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm index f50fafa64..aff55109b 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/MathAutoCorrect.htm @@ -2546,7 +2546,8 @@

                  Recognized Functions

                  AutoFormat as You Type

                  By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected.

                  -

                  If you need to disable auto-formatting presets, uncheck the box for the unnecessary options, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

                  +

                  The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate.By default, this option is disabled for Linux and Windows, and is enabled for macOS.

                  +

                  To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

                  AutoFormat as You Type

                  Text AutoCorrect

                  You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option.

                  diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..7d359088c --- /dev/null +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,42 @@ + + + + Support of SmartArt in ONLYOFFICE Presentation Editor + + + + + + + +
                  +
                  + +
                  +

                  Support of SmartArt in ONLYOFFICE Presentation Editor

                  +

                  SmartArt graphics are used to create a visual representation of a hierarchical structure by choosing a layout that fits best. ONLYOFFICE Presentation Editor supports SmartArt graphics that were inserted using third-party editors. You can open a file containing SmartArt and edit it as a graphic object using the available editing tools. Once you click the SmartArt graphic border or the border of its element, the following tabs become active on the right sidebar to customize a layout:

                  +

                  Slide settings to change the slide background fill, opacity, and to show or to hide slide number, date and time. See Set Slide Parameters and Insert footers for details.

                  +

                  Shape settings to configure the shapes used on a layout. You can change shapes, edit the fill, the lines, the wrapping style, the position, the weights and arrows, the text box and the alternative text.

                  +

                  Paragraph settings to configure indents and spacing, fonts and tabs. See Text formatting section for a detailed description of every option. This tab becomes active for SmartArt elements only.

                  +

                  + Text Art settings to configure the Text Art style that is used in a SmartArt graphic to highlight the text. You can change the Text Art template, the fill type, color and opacity, the line size, color and type. This tab becomes active for SmartArt elements only. +

                  +

                  Right-click the border of a SmartArt graphic or its element to access the following formatting options:

                  +

                  SmartArt Menu

                  +

                  Arrange to arrange the objects using the following options: Bring to Foreground, Send to Background, Bring Forward and Bring Backward are available for SmartArt. Group and Ungroup are available for the SmartArt elements and depend on whether they are grouped or not.

                  +

                  Align to align the graphic or the objects using the following options: Aligh Left, Align Center, Align Right, Align Top, Align Middle, Align Bottom, Distribute Horizontally, and Distribute Vertically.

                  +

                  Rotate to choose the rotation direction for the selected element on a SmartArt graphic: Rotate 90° Clockwise, Rotate 90° Counterclockwise.The Rotate option becomes active for SmartArt elements only.

                  +

                  Shape Advanced Settings to access additional shape formatting options.

                  +

                  Add Comment to leave a comment to a certain SmartArt graphic or its element,

                  +

                  Add to layout to add the SmartArt graphic to the slide layout. + +

                  Right-click a SmartArt graphic element to access the following text formatting options:

                  +

                  SmartArt Menu

                  +

                  Vertical Alignment to choose the text alignment inside the selected SmarArt element: Align Top, Align Middle, Align Bottom.

                  +

                  Text Direction to choose the text direction inside the selected SmarArt element: Horizontal, Rotate Text Down, Rotate Text Up.

                  +

                  Paragraph Advanced Settings to access additional paragraph formatting options.

                  +

                  Add Comment to leave a comment to a certain SmartArt graphic or its element.

                  +

                  Hyperlink to add a hyperlink to the SmartArt element. +

                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/images/animationduration.png b/apps/presentationeditor/main/resources/help/en/images/animationduration.png new file mode 100644 index 000000000..f82bac32b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/animationduration.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/animationgallery.png b/apps/presentationeditor/main/resources/help/en/images/animationgallery.png new file mode 100644 index 000000000..8590d2ab9 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/animationgallery.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/animationnumbering.png b/apps/presentationeditor/main/resources/help/en/images/animationnumbering.png new file mode 100644 index 000000000..f232e6b41 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/animationnumbering.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/animationrepeat.png b/apps/presentationeditor/main/resources/help/en/images/animationrepeat.png new file mode 100644 index 000000000..c45459e23 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/animationrepeat.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/autoformatasyoutype.png b/apps/presentationeditor/main/resources/help/en/images/autoformatasyoutype.png index 97ac43060..d905b921b 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/autoformatasyoutype.png and b/apps/presentationeditor/main/resources/help/en/images/autoformatasyoutype.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/convertequation.png b/apps/presentationeditor/main/resources/help/en/images/convertequation.png new file mode 100644 index 000000000..be3e6bf99 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/convertequation.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/editpoints_example.png b/apps/presentationeditor/main/resources/help/en/images/editpoints_example.png new file mode 100644 index 000000000..6948ea855 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/editpoints_example.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/editpoints_rightclick.png b/apps/presentationeditor/main/resources/help/en/images/editpoints_rightclick.png new file mode 100644 index 000000000..8b55f63a0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/editpoints_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/fill_gradient.png b/apps/presentationeditor/main/resources/help/en/images/fill_gradient.png index a49c4a2d0..ca5d11b52 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/fill_gradient.png and b/apps/presentationeditor/main/resources/help/en/images/fill_gradient.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.png new file mode 100644 index 000000000..7ce3c2009 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png index 8c827aefc..bf0fcfb30 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.png new file mode 100644 index 000000000..0dc0c0755 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png index 071529840..bbf086670 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png index 098d4fb3e..50e407921 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png index 5dd45bede..9da36e0d1 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png index fae44428a..d6b7d2399 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png index 8ab9c6ed6..da9c310f2 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png index 6ce3192d0..cea62b4a8 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png index 8c5435f55..75d6a349b 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png index c94eb2e61..661b8237f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..ea69cd529 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png index f3b80821f..ed1e75325 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png index f82a01ad4..3b1f9996a 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png index 6b44a531e..30ea7ddac 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png index b03d1605e..44ee1e0d7 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png index 7ea6dae9c..49fa2da6f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png index 8228b5812..e25e68a7d 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png new file mode 100644 index 000000000..d03c38c25 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/moreeffects.png b/apps/presentationeditor/main/resources/help/en/images/moreeffects.png new file mode 100644 index 000000000..4decb1fbb Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/moreeffects.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/moveearlier.png b/apps/presentationeditor/main/resources/help/en/images/moveearlier.png new file mode 100644 index 000000000..25e9cdbd0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/moveearlier.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/movelater.png b/apps/presentationeditor/main/resources/help/en/images/movelater.png new file mode 100644 index 000000000..1aba36399 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/movelater.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/multipleanimations_order.png b/apps/presentationeditor/main/resources/help/en/images/multipleanimations_order.png new file mode 100644 index 000000000..990de3385 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/multipleanimations_order.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/multipleeffect_icon.png b/apps/presentationeditor/main/resources/help/en/images/multipleeffect_icon.png new file mode 100644 index 000000000..a560028b0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/multipleeffect_icon.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/setpassword.png b/apps/presentationeditor/main/resources/help/en/images/setpassword.png index 8f6eeb9f9..195d22941 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/setpassword.png and b/apps/presentationeditor/main/resources/help/en/images/setpassword.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shapegallery.png b/apps/presentationeditor/main/resources/help/en/images/shapegallery.png new file mode 100644 index 000000000..46132eeff Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/shapegallery.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/show_password.png b/apps/presentationeditor/main/resources/help/en/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/show_password.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick.png b/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick.png new file mode 100644 index 000000000..e02ae4542 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick2.png b/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick2.png new file mode 100644 index 000000000..1f83f36b8 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/smartart_rightclick2.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/sortcomments.png b/apps/presentationeditor/main/resources/help/en/images/sortcomments.png index 686c0d3d6..c930c736f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/sortcomments.png and b/apps/presentationeditor/main/resources/help/en/images/sortcomments.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/timingoptions.png b/apps/presentationeditor/main/resources/help/en/images/timingoptions.png new file mode 100644 index 000000000..5b214c876 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/timingoptions.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/triggeroptions.png b/apps/presentationeditor/main/resources/help/en/images/triggeroptions.png new file mode 100644 index 000000000..1d533d622 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/triggeroptions.png differ diff --git a/apps/presentationeditor/main/resources/help/en/search/indexes.js b/apps/presentationeditor/main/resources/help/en/search/indexes.js index 389b9d6fa..651901ffa 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -12,13 +12,18 @@ var indexes = }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Collaborative Presentation Editing", - "body": "The Presentation Editor allows you to work on a presentation collaboratively with other users. This feature includes: simultaneous multi-user access to the edited presentation visual indication of objects that are being edited by other users real-time display of changes or their synchronization with one button click a chat to share ideas concerning particular parts of the presentation comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version) Connecting to the online version In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password. Co-editing The Presentation Editor allows you to select one of the two available co-editing modes: Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user's changes until you click the Save icon to save your own changes and accept the changes made by the others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: Note: when you co-edit a presentation in the Fast mode, the possibility to Redo the last undone operation is not available. When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors when they are editing the text. The number of users who are working on the current presentation is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read or comment the presentation, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon on the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to distribute tasks with your collaborators. The chat messages are stored during one session only. To discuss the document content, it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon on the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon on the left sidebar or the Chat button on the top toolbar once again. Comments It's possible to work with comments in the offline mode, without connecting to the online version. To leave a comment to a certain object (text box, shape etc.): select an object where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or right-click the selected object and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The object you commented will be marked with the icon. To view the comment, just click on this icon. To add a comment to a certain slide, select the slide and use the Comment button on the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide. To create a presentation-level comment which is not related to a certain object or slide, click the icon on the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed on the Comments panel. Comments related to objects and slides are also available here. Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment, type in your reply text in the entry field and press the Reply button. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest by author: Author from A to Z or Author from Z to A edit the currently selected by clicking the icon, delete the currently selected by clicking the icon, close the currently selected discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon, if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the presentation. Adding mentions Note: Mentions can be added to comments to text and not to comments to the entire document. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary and click OK. The mentioned user will receive an email notification that he/she has been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the presentation that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." + "title": "Co-editing presentations in real time", + "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your presentations that require additional third-party input, save presentation versions for future use. In Presentation Editor you can collaborate on presentations in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current presentation is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a presentation in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors. When a presentation is being edited by several users simultaneously in this mode, the edited objects are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save  icon to save your changes and accept the changes made by co-authors. When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users. As soon as one of the users saves their changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Commenting", + "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on presentations in real time, communicate right in the editor, save presentation versions for future use. In Presentation Editor you can leave comments to the content of presentations without actually editing it. Unlike chat messages, the comments stay until deleted. Leaving comments and replying to them To leave a comment to a certain object (text box, shape etc.): select an object where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or right-click the selected object and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The object you commented will be marked with the icon. To view the comment, just click on this icon. To add a comment to a certain slide, select the slide and use the Comment button on the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide. To create a presentation-level comment which is not related to a certain object or slide, click the icon on the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed on the Comments panel. Comments related to objects and slides are also available here. Any other user can answer to the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply text in the entry field and press the Reply button. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. Managing comments You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest. by author: Author from A to Z or Author from Z to A. by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. edit the currently selected by clicking the icon, delete the currently selected by clicking the icon, close the currently selected discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon, if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the presentation. Adding mentions You can only add mentions to the comments made to the presentation content and not to the presentation itself. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention, Enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary. Click OK. The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. Removing comments To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the presentation that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Keyboard Shortcuts for Key Tips The keyboard shortcut list is used for a faster and easier access to the features of the Presentation Editor using the keyboard. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Windows/Linux Mac OS Working with Presentation Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access the Presentation Editor help or advanced settings. Open 'Search' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Search dialog box to start searching for a character/word/phrase in the currently edited presentation. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save presentation Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the presentation currently edited with the Presentation Editor. The active file will be saved under its current name, in the same location and file format. Print presentation Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the presentation with one of the available printers or save it to a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited presentation to the hard disk drive of your computer in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Full screen F11 Switch to the full screen view to fit the Presentation Editor into your screen. Help menu F1 F1 Open the Presentation Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in Desktop Editors, opens the standard dialog box that allows selecting an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current presentation window in Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current presentation to the default 'Fit to slide' value. Navigation The first slide Home Home, Fn+← Go to the first slide of the currently edited presentation. The last slide End End, Fn+→ Go to the last slide of the currently edited presentation. Next slide Page Down Page Down, Fn+↓ Go to the next slide of the currently edited presentation. Previous slide Page Up Page Up, Fn+↑ Go to the previous slide of the currently edited presentation. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited presentation. Zoom Out Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Zoom out the currently edited presentation. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. Performing Actions on Slides New slide Ctrl+M ^ Ctrl+M Create a new slide and add it after the selected one in the list. Duplicate slide Ctrl+D ⌘ Cmd+D Duplicate the selected slide in the list. Move slide up Ctrl+↑ ⌘ Cmd+↑ Move the selected slide above the previous one in the list. Move slide down Ctrl+↓ ⌘ Cmd+↓ Move the selected slide below the following one in the list. Move slide to beginning Ctrl+⇧ Shift+↑ ⌘ Cmd+⇧ Shift+↑ Move the selected slide to the very first position in the list. Move slide to end Ctrl+⇧ Shift+↓ ⌘ Cmd+⇧ Shift+↓ Move the selected slide to the very last position in the list. Performing Actions on Objects Create a copy Ctrl + drag, Ctrl+D ^ Ctrl + drag, ^ Ctrl+D, ⌘ Cmd+D Hold down the Ctrl key when dragging the selected object or press Ctrl+D (⌘ Cmd+D for Mac) to create its copy. Group Ctrl+G ⌘ Cmd+G Group the selected objects. Ungroup Ctrl+⇧ Shift+G ⌘ Cmd+⇧ Shift+G Ungroup the selected group of objects. Select the next object ↹ Tab ↹ Tab Select the next object after the currently selected one. Select the previous object ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Select the previous object before the currently selected one. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree-rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15 degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Movement pixel by pixel Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Hold down the Ctrl (⌘ Cmd for Mac) key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row ↹ Tab ↹ Tab Go to the next cell in a table row. Move to the previous cell in a row ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Go to the previous cell in a table row. Move to the next row ↓ ↓ Go to the next row in a table. Move to the previous row ↑ ↑ Go to the previous row in a table. Start new paragraph ↵ Enter ↵ Return Start a new paragraph within a cell. Add new row ↹ Tab in the lower right table cell. ↹ Tab in the lower right table cell. Add a new row at the bottom of the table. Previewing Presentation Start preview from the beginning Ctrl+F5 ^ Ctrl+F5 Start a presentation from the beginning. Navigate forward ↵ Enter, Page Down, →, ↓, ␣ Spacebar ↵ Return, Page Down, →, ↓, ␣ Spacebar Display the next transition effect or advance to the next slide. Navigate backward Page Up, ←, ↑ Page Up, ←, ↑ Display the previous transition effect or return to the previous slide. Close preview Esc Esc End a presentation. Undo and Redo Undo Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Cut the selected object and send it to the computer clipboard memory. The cut object can be later inserted to another place in the same presentation. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected object to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied object from the computer clipboard memory to the current cursor position. The object can be previously copied from the same presentation. Insert hyperlink Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Insert a hyperlink which can be used to go to a web address or to a certain slide in the presentation. Copy style Ctrl+⇧ Shift+C ^ Ctrl+⇧ Shift+C, ⌘ Cmd+⇧ Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same presentation. Apply style Ctrl+⇧ Shift+V ^ Ctrl+⇧ Shift+V, ⌘ Cmd+⇧ Shift+V Apply the previously copied formatting to the text in the currently edited text box. Selecting with the Mouse Add to the selected fragment ⇧ Shift ⇧ Shift Start the selection, hold down the ⇧ Shift key and click where you need to end the selection. Selecting using the Keyboard Select all Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Select all the slides (in the slides list) or all the objects within the slide (in the slide editing area) or all the text (within the text box) - depending on where the mouse cursor is located. Select text fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the text character by character. Select text from cursor to beginning of line ⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select text from cursor to end of line ⇧ Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right ⇧ Shift+→ ⇧ Shift+→ Select one character to the right of the cursor position. Select one character to the left ⇧ Shift+← ⇧ Shift+← Select one character to the left of the cursor position. Select to the end of a word Ctrl+⇧ Shift+→ Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+⇧ Shift+← Select a text fragment from the cursor to the beginning of a word. Select one line up ⇧ Shift+↑ ⇧ Shift+↑ Select one line up (with the cursor at the beginning of a line). Select one line down ⇧ Shift+↓ ⇧ Shift+↓ Select one line down (with the cursor at the beginning of a line). Text Styling Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment bold giving it a heavier appearance. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment slightly slanted to the right. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a line going through the letters. Subscript Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller placing it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+⇧ Shift+< ⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller placing it to the upper part of the text line, e.g. as in fractions. Bulleted list Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+␣ Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] ^ Ctrl+], ⌘ Cmd+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Decrease the size of the font for the selected text fragment 1 point. Align center Ctrl+E Center the text between the left and the right edges. Align justified Ctrl+J Justify the text in the paragraph adding additional space between words so that the left and the right text edges will be aligned with the paragraph margins. Align right Ctrl+R Align right with the text lined up on the right side of the text box, the left side remains unaligned. Align left Ctrl+L Align left with the text lined up on the left side of the text box, the right side remains unaligned. Increase left indent Ctrl+M ^ Ctrl+M Increase the paragraph left indent by one tabulation position. Decrease left indent Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Decrease the paragraph left indent by one tabulation position. Delete one character to the left ← Backspace ← Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Fn+Delete Delete one character to the right of the cursor. Moving around in text Move one character to the left ← ← Move the cursor one character to the left. Move one character to the right → → Move the cursor one character to the right. Move one line up ↑ ↑ Move the cursor one line up. Move one line down ↓ ↓ Move the cursor one line down. Move to the beginning of a word or one word to the left Ctrl+← ⌘ Cmd+← Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+→ ⌘ Cmd+→ Move the cursor one word to the right. Move to next placeholder Ctrl+↵ Enter ^ Ctrl+↵ Return, ⌘ Cmd+↵ Return Move to the next title or body text placeholder. If it is the last placeholder on a slide, this will insert a new slide with the same slide layout as the original slide Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the beginning of the text box Ctrl+Home Put the cursor to the beginning of the currently edited text box. Jump to the end of the text box Ctrl+End Put the cursor to the end of the currently edited text box." + "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Presentation Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac OS Working with Presentation Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access the Presentation Editor help or advanced settings. Open 'Search' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Search dialog box to start searching for a character/word/phrase in the currently edited presentation. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save presentation Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the presentation currently edited with the Presentation Editor. The active file will be saved under its current name, in the same location and file format. Print presentation Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the presentation with one of the available printers or save it to a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited presentation to the hard disk drive of your computer in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Full screen F11 Switch to the full screen view to fit the Presentation Editor into your screen. Help menu F1 F1 Open the Presentation Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in Desktop Editors, opens the standard dialog box that allows selecting an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current presentation window in Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current presentation to the default 'Fit to slide' value. Navigation The first slide Home Home, Fn+← Go to the first slide of the currently edited presentation. The last slide End End, Fn+→ Go to the last slide of the currently edited presentation. Next slide Page Down Page Down, Fn+↓ Go to the next slide of the currently edited presentation. Previous slide Page Up Page Up, Fn+↑ Go to the previous slide of the currently edited presentation. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited presentation. Zoom Out Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Zoom out the currently edited presentation. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. Performing Actions on Slides New slide Ctrl+M ^ Ctrl+M Create a new slide and add it after the selected one in the list. Duplicate slide Ctrl+D ⌘ Cmd+D Duplicate the selected slide in the list. Move slide up Ctrl+↑ ⌘ Cmd+↑ Move the selected slide above the previous one in the list. Move slide down Ctrl+↓ ⌘ Cmd+↓ Move the selected slide below the following one in the list. Move slide to beginning Ctrl+⇧ Shift+↑ ⌘ Cmd+⇧ Shift+↑ Move the selected slide to the very first position in the list. Move slide to end Ctrl+⇧ Shift+↓ ⌘ Cmd+⇧ Shift+↓ Move the selected slide to the very last position in the list. Performing Actions on Objects Create a copy Ctrl + drag, Ctrl+D ^ Ctrl + drag, ^ Ctrl+D, ⌘ Cmd+D Hold down the Ctrl key when dragging the selected object or press Ctrl+D (⌘ Cmd+D for Mac) to create its copy. Group Ctrl+G ⌘ Cmd+G Group the selected objects. Ungroup Ctrl+⇧ Shift+G ⌘ Cmd+⇧ Shift+G Ungroup the selected group of objects. Select the next object ↹ Tab ↹ Tab Select the next object after the currently selected one. Select the previous object ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Select the previous object before the currently selected one. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree-rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15 degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Movement pixel by pixel Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Hold down the Ctrl (⌘ Cmd for Mac) key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row ↹ Tab ↹ Tab Go to the next cell in a table row. Move to the previous cell in a row ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Go to the previous cell in a table row. Move to the next row ↓ ↓ Go to the next row in a table. Move to the previous row ↑ ↑ Go to the previous row in a table. Start new paragraph ↵ Enter ↵ Return Start a new paragraph within a cell. Add new row ↹ Tab in the lower right table cell. ↹ Tab in the lower right table cell. Add a new row at the bottom of the table. Previewing Presentation Start preview from the beginning Ctrl+F5 ^ Ctrl+F5 Start a presentation from the beginning. Navigate forward ↵ Enter, Page Down, →, ↓, ␣ Spacebar ↵ Return, Page Down, →, ↓, ␣ Spacebar Display the next transition effect or advance to the next slide. Navigate backward Page Up, ←, ↑ Page Up, ←, ↑ Display the previous transition effect or return to the previous slide. Close preview Esc Esc End a presentation. Undo and Redo Undo Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Cut the selected object and send it to the computer clipboard memory. The cut object can be later inserted to another place in the same presentation. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected object to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied object from the computer clipboard memory to the current cursor position. The object can be previously copied from the same presentation. Insert hyperlink Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Insert a hyperlink which can be used to go to a web address or to a certain slide in the presentation. Copy style Ctrl+⇧ Shift+C ^ Ctrl+⇧ Shift+C, ⌘ Cmd+⇧ Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same presentation. Apply style Ctrl+⇧ Shift+V ^ Ctrl+⇧ Shift+V, ⌘ Cmd+⇧ Shift+V Apply the previously copied formatting to the text in the currently edited text box. Selecting with the Mouse Add to the selected fragment ⇧ Shift ⇧ Shift Start the selection, hold down the ⇧ Shift key and click where you need to end the selection. Selecting using the Keyboard Select all Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Select all the slides (in the slides list) or all the objects within the slide (in the slide editing area) or all the text (within the text box) - depending on where the mouse cursor is located. Select text fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the text character by character. Select text from cursor to beginning of line ⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select text from cursor to end of line ⇧ Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right ⇧ Shift+→ ⇧ Shift+→ Select one character to the right of the cursor position. Select one character to the left ⇧ Shift+← ⇧ Shift+← Select one character to the left of the cursor position. Select to the end of a word Ctrl+⇧ Shift+→ Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+⇧ Shift+← Select a text fragment from the cursor to the beginning of a word. Select one line up ⇧ Shift+↑ ⇧ Shift+↑ Select one line up (with the cursor at the beginning of a line). Select one line down ⇧ Shift+↓ ⇧ Shift+↓ Select one line down (with the cursor at the beginning of a line). Text Styling Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment bold giving it a heavier appearance. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment slightly slanted to the right. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a line going through the letters. Subscript Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller placing it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+⇧ Shift+< ⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller placing it to the upper part of the text line, e.g. as in fractions. Bulleted list Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+␣ Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] ^ Ctrl+], ⌘ Cmd+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Decrease the size of the font for the selected text fragment 1 point. Align center Ctrl+E Center the text between the left and the right edges. Align justified Ctrl+J Justify the text in the paragraph adding additional space between words so that the left and the right text edges will be aligned with the paragraph margins. Align right Ctrl+R Align right with the text lined up on the right side of the text box, the left side remains unaligned. Align left Ctrl+L Align left with the text lined up on the left side of the text box, the right side remains unaligned. Increase left indent Ctrl+M ^ Ctrl+M Increase the paragraph left indent by one tabulation position. Decrease left indent Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Decrease the paragraph left indent by one tabulation position. Delete one character to the left ← Backspace ← Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Fn+Delete Delete one character to the right of the cursor. Moving around in text Move one character to the left ← ← Move the cursor one character to the left. Move one character to the right → → Move the cursor one character to the right. Move one line up ↑ ↑ Move the cursor one line up. Move one line down ↓ ↓ Move the cursor one line down. Move to the beginning of a word or one word to the left Ctrl+← ⌘ Cmd+← Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+→ ⌘ Cmd+→ Move the cursor one word to the right. Move to next placeholder Ctrl+↵ Enter ^ Ctrl+↵ Return, ⌘ Cmd+↵ Return Move to the next title or body text placeholder. If it is the last placeholder on a slide, this will insert a new slide with the same slide layout as the original slide Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the beginning of the text box Ctrl+Home Put the cursor to the beginning of the currently edited text box. Jump to the end of the text box Ctrl+End Put the cursor to the end of the currently edited text box." }, { "id": "HelpfulHints/Navigation.htm", @@ -28,7 +33,7 @@ var indexes = { "id": "HelpfulHints/Password.htm", "title": "Protecting presentations with a password", - "body": "You can protect your presentations with a password that is required to enter the editing mode by your co-authors. The password can be changed or removed later on. The password cannot be restored if you lose or forget it. Please keep it in a safe place. Setting a password go to the File tab at the top toolbar, choose the Protect option, click the Add password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Changing a password go to the File tab at the top toolbar, choose the Protect option, click the Change password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Deleting a password go to the File tab at the top toolbar, choose the Protect option, click the Delete password button." + "body": "You can protect your presentations with a password that is required to enter the editing mode by your co-authors. The password can be changed or removed later on. The password cannot be restored if you lose or forget it. Please keep it in a safe place. Setting a password go to the File tab at the top toolbar, choose the Protect option, click the Add password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Click to show or hide password characters when entered. Changing a password go to the File tab at the top toolbar, choose the Protect option, click the Change password button, set a password in the Password field and repeat it in the Repeat password field below, then click OK. Deleting a password go to the File tab at the top toolbar, choose the Protect option, click the Delete password button." }, { "id": "HelpfulHints/Search.htm", @@ -43,12 +48,22 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Presentations", - "body": "Supported Formats of Electronic Presentation A presentation is a set of slides that may include different types of content such as images, media files, text, effects, etc. The Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPT File format used by Microsoft PowerPoint + + PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + POTX PowerPoint Open XML Document Template Zipped, XML-based file format developed by Microsoft for presentation templates. A POTX template contains formatting settings, styles, etc. and can be used to create multiple presentations with the same formatting + + + ODP OpenDocument Presentation File format that represents presentations created by Impress application, which is a part of OpenOffice based office suites + + + OTP OpenDocument Presentation Template OpenDocument file format for presentation templates. An OTP template contains formatting settings, styles, etc. and can be used to create multiple presentations with the same formatting + + + PDF Portable Document Format File format used to represent documents regardless of application software, hardware, and operating systems used. + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) designed for archivation and long-term preservation of electronic documents. + PNG An acronym for Portable Network Graphics. PNG is a raster-graphics file format that is widely used on the web rather than for photography and artwork. + JPG An acronym for Joint Photographic Experts Group. The most common compressed image format used for storing and transmitting digital images. +" + "body": "Supported Formats of Electronic Presentation A presentation is a set of slides that may include different types of content such as images, media files, text, effects, etc. The Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPT File format used by Microsoft PowerPoint + + PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + POTX PowerPoint Open XML Document Template Zipped, XML-based file format developed by Microsoft for presentation templates. A POTX template contains formatting settings, styles, etc. and can be used to create multiple presentations with the same formatting + + + ODP OpenDocument Presentation File format that represents presentations created by Impress application, which is a part of OpenOffice based office suites + + + OTP OpenDocument Presentation Template OpenDocument file format for presentation templates. An OTP template contains formatting settings, styles, etc. and can be used to create multiple presentations with the same formatting + + + PDF Portable Document Format File format used to represent documents regardless of application software, hardware, and operating systems used. + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) designed for archivation and long-term preservation of electronic documents. + PNG Portable Network Graphics PNG is a raster-graphics file format that is widely used on the web rather than for photography and artwork. + JPG Joint Photographic Experts Group The most common compressed image format used for storing and transmitting digital images. +" }, { "id": "HelpfulHints/UsingChat.htm", - "title": "Using the Chat Tool", - "body": "ONLYOFFICE Presentation Editor offers you the possibility to chat with other users to share ideas concerning particular presentation parts. To access the chat and leave a message for other users, click the icon at the left sidebar, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon once again." + "title": "Communicating in real time", + "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on presentations in real time, comment certain parts of your presentations that require additional third-party input, save presentation versions for future use. In Presentation Editor you can communicate with your co-editors in real time using the built-in Chat tool as well as a number of useful plugins, i.e. Telegram or Rainbow. To access the Chat tool and leave a message for other users, click the icon at the left sidebar, enter your text into the corresponding field below, press the Send button. The chat messages are stored during one session only. To discuss the presentation content, it is better to use comments which are stored until they are deleted. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon once again." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Version history", + "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on presentations in real time, communicate right in the editor, comment certain parts of your presentations that require additional third-party input. In Presentation Editor you can view the version history of the presentation you collaborate on. Viewing version history: To view all the changes made to the presentation, go to the File tab, select the Version History option at the left sidebar or go to the Collaboration tab, open the history of versions using the  Version History icon at the top toolbar. You'll see the list of the presentation versions and revisions with the indication of each version/revision author and creation date and time. For presentation versions, the version number is also specified (e.g. ver. 2). Viewing versions: To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. To return to the current version of the presentation, use the Close History option on the top of the version list. Restoring versions: If you need to roll back to one of the previous versions of the presentation, click the Restore link below the selected version/revision. To learn more about managing versions and intermediate revisions, as well as restoring previous versions, please read the following article." + }, + { + "id": "ProgramInterface/AnimationTab.htm", + "title": "Animation tab", + "body": "The Animation tab of the Presentation Editor allows you to manage animation effects. You can add animation effects, determine how the animation effects move, and configure other animation effects parameters to customize your presentation. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: Using this tab, you can: select an animation effect, set the appropriate movement parameters for each animation effect, add multiple animations, change the order of the animation effects using Move Earlier or Move Later options, preview the animation effect, set the animation timing options such as duration, delay and repeat options for animation effects, enable and disable the rewind." }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -78,18 +93,28 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the user interface of the Presentation Editor", - "body": "The Presentation Editor uses a tabbed interface where editing commands are grouped into tabs according to their functionality. Main window of the Online Presentation Editor: Main window of the Desktop Presentation Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened presentations with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File Explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. View Settings - allows adjusting the View Settings and accessing the Advanced Settings of the editor. Manage document access rights - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Transitions, Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar at the bottom of the editor window contains the Start slideshow icon, some navigation tools: slide number indicator and zoom buttons. The Status bar also displays some notifications (such as \"All changes saved\", etc.) and allows setting the text language and enable spell checking. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The horizontal and vertical Rulers help you place objects on a slide and allow you to set up tab stops and paragraph indents within the text boxes. The Working area allows viewing the presentation content, entering and editing data. The Scroll bar on the right allows scrolling the presentation up and down. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust the view settings, please refer to this page." + "body": "The Presentation Editor uses a tabbed interface where editing commands are grouped into tabs according to their functionality. Main window of the Online Presentation Editor: Main window of the Desktop Presentation Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened presentations with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File Explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. View Settings - allows adjusting the View Settings and accessing the Advanced Settings of the editor. Manage document access rights - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Transitions, Animation, Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar at the bottom of the editor window contains the Start slideshow icon, some navigation tools: slide number indicator and zoom buttons. The Status bar also displays some notifications (such as \"All changes saved\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.) and allows setting the text language and enable spell checking. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The horizontal and vertical Rulers help you place objects on a slide and allow you to set up tab stops and paragraph indents within the text boxes. The Working area allows viewing the presentation content, entering and editing data. The Scroll bar on the right allows scrolling the presentation up and down. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust the view settings, please refer to this page." }, { "id": "ProgramInterface/TransitionsTab.htm", "title": "Transitions tab", - "body": "The Transitions tab in the Presentation Editor allows you to manage slide transitions. You can add transition effects, set the transition speed and configure other slide transition parameters to customize your presentation. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: Using this tab, you can: select a transition effect, set appropriate parameter values for each transition effect, define a transition duration, preview a transition after setup, specify how long you want the slide to be displayed by checking the Start on click and Delay options, apply the transition to all slides by clicking the Apply to all Slides,button" + "body": "The Transitions tab in the Presentation Editor allows you to manage slide transitions. You can add transition effects, set the transition speed and configure other slide transition parameters to customize your presentation. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: Using this tab, you can: select a transition effect, set appropriate parameter values for each transition effect, define a transition duration, preview a transition after setup, specify how long you want the slide to be displayed by checking the Start on click and Delay options, apply the transition to all slides by clicking the Apply to all Slides button." + }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "View tab", + "body": "The View tab of the Presentation Editor allows you to manage how your presentation looks like while you are working on it. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: View options available on this tab: Zoom allows to zoom in and zoom out your document, Fit to slide allows to resize the slide so that the screen displays the whole slide, Fit to width allows to resize the slide so that the slide scales to fit the width of the screen, Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Notes to make the notes panel always visible, Rulers to make rulers always visible, Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", "body": "To add a hyperlink in the Presentation Editor, place the cursor within the text box where a hyperlink should be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon on the top toolbar, after that the Hyperlink Settings window will appear where you can specify the hyperlink parameters: Select a link type you wish to insert: Use the External Link option and enter a URL in the format http://www.example.com in the Link to field below if you need to add a hyperlink leading to an external website. Use the Slide In This Presentation option and select one of the options below if you need to add a hyperlink leading to a certain slide in the same presentation. The following options are available: Next Slide, Previous Slide, First Slide, Last Slide, Slide with the specified number. Display - enter a text that will get clickable and lead to the web address/slide specified in the upper field. ScreenTip text - enter a text that will become visible in a small pop-up window with a brief note or label pertaining to the hyperlink to be pointed. Click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button where a hyperlink should be added and select the Hyperlink option in the right-click menu. Note: it's also possible to select a character, word or word combination with the mouse or using the keyboard and then open the Hyperlink Settings window as described above. In this case, the Display field will be filled with the text fragment you selected. By hovering the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. You can follow the link by pressing the CTRL key and clicking the link in your presentation. To edit or delete the added hyperlink, click it with the right mouse button, select the Hyperlink option in the right-click menu and then the action you want to perform - Edit Hyperlink or Remove Hyperlink." }, + { + "id": "UsageInstructions/AddingAnimations.htm", + "title": "Adding animations", + "body": "Animation is a visual effect that allows you to animate text, objects and graphics as to make your presentation more dynamic and emphasize important information. You can control the movement, color and size of the text, objects and graphics. Applying an animation effect switch to the Animation tab on the top toolbar, select a text, an object or a graphic element you want to apply the animation effect to, select an Animation effect from the animations gallery, select the animation effect movement direction by clicking Parameters next to the animations gallery. The parameters on the list depend on the effect you apply. You can preview animation effects on the current slide. By default, animation effects will play automatically when you add them to a slide but you can turn it off. Click the Preview drop-down on the Animation tab, and select a preview mode: Preview to show a preview when you click the Preview button, AutoPreview to show a preview automatically when you add an animation to a slide or replace an existing one. Types of animations All animation effects are listed in the animations gallery. Click the drop-down arrow to open it. Each animation effect is represented by a star-shaped icon. The animations are grouped according to the point at which they occur: Entrance effects determine how objects appear on a slide, and are colored green in the gallery. Emphasis effects change the size or color of the object to add emphasis on an object and to draw attention of the audience, and are colored yellow or two colored in the gallery. Exit effects determine how objects disappear from a slide, and are colored red in the gallery. Motion path determines the movement of an object and the path it follows. The icons in the gallery represent the suggested path. Scroll down the animations gallery to see all effects included in the gallery. If you don’t see the needed animation in the gallery, click the Show More Effects option at the bottom of the gallery. Here you will find the full list of the animation effects. Effects are additionally grouped by the visual impact they have on audience. Entrance, Emphasis, and Exit effects are grouped by Basic, Subtle, Moderate, and Exciting. Motion Path effects are grouped by Basic, Subtle, and Moderate. Applying Multiple Animations You can add more than one animation effect to the same object. To add one more animation, click the Add Animation button on the Animation tab. The list of animation effects will open. Repeat Steps 3 and 4 above for applying an animation. If you use the Animation gallery, and not the Add Animation button, the first animation effect will substitute for a new one. A small square next to the object shows the sequence numbers of the effects applied. As soon as you add several effects to an object, the Multiple animation icon appears in the animations gallery. Changing the order of the animation effects on a slide Click the animation square mark. Сlick or arrows on the Animation tab to change the order of appearance on the slide. Setting animation timing Use the timing options on the Animation tab to set the start, the duration, the delay, the repetition and the rewind of the animations on a slide. Animation Start Options On click – animation starts when you click the slide. This is the default option. With previous – animation starts when previous animation effect starts and effects appear simultaneously. After previous – animation starts right after the previous animation effect. Note: animation effects are automatically numbered on a slide. All animations set to With previous and After previous take the number of the animation they are connected to as they will appear automatically. Animation Trigger Options Click the Trigger button and select one of the appropriate options: On Click Sequence – to start the next animation in sequence each time you click anywhere on the slide. This is the default option. On Click of - to start animation when you click the object that you select from the drop-down list. Other timing options Duration – use this option to determine how long you want an animation to be displayed. Select one of the available options from the menu, or type in the necessary time value. Delay – use this option if you want the selected animation to be displayed within a specified period of time, or if you need a pause between the effects. Use arrows to select the necessary time value, or enter the necessary value measured in seconds. Repeat – use this option if you want to display an animation more than once. Click the Repeat box and select one of the available options, or enter your value. Rewind – check this box if you want to return the object to its original state when the animation ends." + }, { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Align and arrange objects on a slide", @@ -98,7 +123,7 @@ var indexes = { "id": "UsageInstructions/ApplyTransitions.htm", "title": "Apply transitions", - "body": "A transition is an effect that appears when one slide advances to the next one during presentation. In the Presentation Editor, you can apply the same transition to all slides or different transitions to each separate slide and adjust the transition parameters. To apply a transition to a single slide or several selected slides: Switch to the Transitions tab on the top toolbar.

                  Select a slide (or several slides in the slide list) you want to apply a transition to. Select one of the available transition effects on the Transition tab: None, Fade, Push, Wipe, Split, Uncover, Cover, Clock, Zoom. Click the Parameters button to select one of the available effect options that define exactly how the effect appears. For example, the options available for Zoom effect are Zoom In, Zoom Out and Zoom and Rotate. Specify how long you want the transition to last. In the Duration box, enter or select the necessary time value, measured in seconds. Press the Preview button to view the slide with the transition applied in the slide editing area. Specify how long you want the slide to be displayed until it advances to the next one: Start on click – check this box if you don't want to restrict the time to display the selected slide. The slide will advance to the next one only when you click it with the mouse. Delay – use this option if you want the selected slide to be displayed within a specified period of time until it advances to the next one. Check this box and enter or select the necessary time value, measured in seconds. Note: if you check only the Delay box, the slides will advance automatically within a specified time interval. If you check both the Start on click and the Delay boxes and set the delay value, the slides will advance automatically as well, but you will also be able to click a slide to advance it to the next. To apply a transition to all slides in your presentation, click the Apply to All Slides button on the Transitions tab. To delete a transition, select the necessary slide and choose None among the transition effect options on the Transitions tab. To delete all transitions, select any slide, choose None among the transition effect options and press the Apply to All Slides button on the Transitions tab." + "body": "A transition is an effect that appears when one slide advances to the next one during presentation. In the Presentation Editor, you can apply the same transition to all slides or different transitions to each separate slide and adjust the transition parameters. To apply a transition to a single slide or several selected slides: Switch to the Transitions tab on the top toolbar. Select a slide (or several slides in the slide list) you want to apply a transition to. Select one of the available transition effects on the Transition tab: None, Fade, Push, Wipe, Split, Uncover, Cover, Clock, Zoom. Click the Parameters button to select one of the available effect options that define exactly how the effect appears. For example, the options available for Zoom effect are Zoom In, Zoom Out and Zoom and Rotate. Specify how long you want the transition to last. In the Duration box, enter or select the necessary time value, measured in seconds. Press the Preview button to view the slide with the transition applied in the slide editing area. Specify how long you want the slide to be displayed until it advances to the next one: Start on click – check this box if you don't want to restrict the time to display the selected slide. The slide will advance to the next one only when you click it with the mouse. Delay – use this option if you want the selected slide to be displayed within a specified period of time until it advances to the next one. Check this box and enter or select the necessary time value, measured in seconds. Note: if you check only the Delay box, the slides will advance automatically within a specified time interval. If you check both the Start on click and the Delay boxes and set the delay value, the slides will advance automatically as well, but you will also be able to click a slide to advance it to the next. To apply a transition to all slides in your presentation, click the Apply to All Slides button on the Transitions tab. To delete a transition, select the necessary slide and choose None among the transition effect options on the Transitions tab. To delete all transitions, select any slide, choose None among the transition effect options and press the Apply to All Slides button on the Transitions tab." }, { "id": "UsageInstructions/CommunicationPlugins.htm", @@ -123,7 +148,7 @@ var indexes = { "id": "UsageInstructions/FillObjectsSelectColor.htm", "title": "Fill objects and select colors", - "body": "In the Presentation Editor, you can apply different fills for the slide, autoshape and Text Art font background. Select an object To change the slide background fill, select the necessary slides in the slide list. The Slide settings tab will be activated on the right sidebar. To change the autoshape fill, left-click the necessary autoshape. The Shape settings tab will be activated on the right sidebar. To change the Text Art font fill, left-click the necessary text object. The Text Art settings tab will be activated on the right sidebar. Set the necessary fill type Adjust the selected fill properties (see the detailed description below for each fill type) For the autoshapes and Text Art font, regardless of the selected fill type, you can also set an Opacity level by dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. The following fill types are available: Color Fill - select this option to specify the solid color to fill the inner space of the selected shape/slide. Click on the colored box below and select the necessary color from the available color sets or specify any color you like: Theme Colors - the colors that correspond to the selected theme/color scheme of the presentation. Once you apply a different theme or color scheme, the Theme Colors set will change. Standard Colors - the default colors set. Custom Color - click on 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 your object and added to the Custom color palette of the menu. You can use the same color types when selecting the color of the autoshape stroke, adjusting the font color, or changing the table background or border color. Gradient Fill - select this option to fill the slide/shape with two colors which smoothly change from one to another. Click the  Shape settings icon to open the Fill menu: Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Angle - set the numeric value for a precise color transition angle. Gradient Points are specific points of color transition. Use the Add Gradient Point button or a slider bar to add a gradient point, and the Remove Gradient Point button to delete one. You can add up to 10 gradient points. Each of the following gradient points added does not affect the current gradient appearance. Use the slider bar to change the location of the gradient point or specify the Position in percentage for a precise location. To apply a color to the gradient point, click on the required point on the slider bar, and then click Color to choose the color you want. Picture or Texture - select this option to use an image or a predefined texture as the shape/slide background. If you wish to use an image as a background for the shape/slide, click the Select Picture button and add an image From File by selecting it on your computer hard disc drive, From URL by inserting the appropriate URL address into the opened window, or From Storage by selecting the required image stored on your portal. If you wish to use a texture as a background for the shape/slide, drop-down the From Texture menu and select the necessary texture preset. Currently, the following textures are available: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood. In case the selected Picture has less or more dimensions than the autoshape or slide has, you can choose the Stretch or Tile setting from the drop-down list. The Stretch option allows you to adjust the image size to fit the slide or autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions, or repeat the smaller image keeping its original dimensions over the slide or autoshape surface so that it could fill the space completely. Any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the slide/shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill." + "body": "In the Presentation Editor, you can apply different fills for the slide, autoshape and Text Art font background. Select an object To change the slide background fill, select the necessary slides in the slide list. The Slide settings tab will be activated on the right sidebar. To change the autoshape fill, left-click the necessary autoshape. The Shape settings tab will be activated on the right sidebar. To change the Text Art font fill, left-click the necessary text object. The Text Art settings tab will be activated on the right sidebar. Set the necessary fill type Adjust the selected fill properties (see the detailed description below for each fill type) For the autoshapes and Text Art font, regardless of the selected fill type, you can also set an Opacity level by dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. The following fill types are available: Color Fill - select this option to specify the solid color to fill the inner space of the selected shape/slide. Click on the colored box below and select the necessary color from the available color sets or specify any color you like: Theme Colors - the colors that correspond to the selected theme/color scheme of the presentation. Once you apply a different theme or color scheme, the Theme Colors set will change. Standard Colors - the default colors set. Custom Color - click on 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 your object and added to the Custom color palette of the menu. You can use the same color types when selecting the color of the autoshape stroke, adjusting the font color, or changing the table background or border color. Gradient Fill - select this option to fill the slide/shape with two colors which smoothly change from one to another. Click the  Shape settings icon to open the Fill menu: Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - the direction preview window displays the selected gradient color, click the arrow to choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Angle - set the numeric value for a precise color transition angle. Gradient Points are specific points of color transition. Use the Add Gradient Point button or a slider bar to add a gradient point, and the Remove Gradient Point button to delete one. You can add up to 10 gradient points. Each of the following gradient points added does not affect the current gradient appearance. Use the slider bar to change the location of the gradient point or specify the Position in percentage for a precise location. To apply a color to the gradient point, click on the required point on the slider bar, and then click Color to choose the color you want. Picture or Texture - select this option to use an image or a predefined texture as the shape/slide background. If you wish to use an image as a background for the shape/slide, click the Select Picture button and add an image From File by selecting it on your computer hard disc drive, From URL by inserting the appropriate URL address into the opened window, or From Storage by selecting the required image stored on your portal. If you wish to use a texture as a background for the shape/slide, drop-down the From Texture menu and select the necessary texture preset. Currently, the following textures are available: Canvas, Carton, Dark Fabric, Grain, Granite, Grey Paper, Knit, Leather, Brown Paper, Papyrus, Wood. In case the selected Picture has less or more dimensions than the autoshape or slide has, you can choose the Stretch or Tile setting from the drop-down list. The Stretch option allows you to adjust the image size to fit the slide or autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions, or repeat the smaller image keeping its original dimensions over the slide or autoshape surface so that it could fill the space completely. Any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the slide/shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill." }, { "id": "UsageInstructions/HighlightedCode.htm", @@ -133,17 +158,17 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert and format autoshapes", - "body": "Insert an autoshape To add an autoshape to a slide in the Presentation Editor, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon on the Home or Insert tab of the top toolbar, select one of the available autoshape groups: Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines, click on the necessary autoshape within the selected group, in the slide editing area, place the mouse cursor where you want the shape to be put, Note: you can click and drag to stretch the shape. once the autoshape is added, you can change its size, position and properties. Note: to add a caption within the autoshape, make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). It's also possible to add an autoshape to a slide layout. To learn more, please refer to this article. Adjust autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it, click the autoshape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - to specify the solid color you want to apply to the selected shape. Gradient Fill - to fill the shape with two colors which smoothly change from one to another. Picture or Texture - to use an image or a predefined texture as the shape background. Pattern - to fill the shape with a two-colored design composed of regularly repeated elements. No Fill - select this option if you don't want to use any fill. For more detailed information on these options, please refer to the Fill objects and select colors section. Line - use this section to change the width, color or type of the autoshape line. To change the line width, select one of the available options from the Size drop-down list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Or select the No Line option if you don't want to use any line. To change the line color, click on the colored box below and select the necessary color. You can use the selected theme color, a standard color or choose a custom color. To change the line type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. Show shadow - check this option to display shape with shadow. To change the advanced settings of the autoshape, right-click the shape and select the Shape Advanced Settings option from the contextual menu or left-click it and press the Show advanced settings link on the right sidebar. The shape properties window will be opened: The Size tab allows you to change the autoshape Width and/or Height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original autoshape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Weights & Arrows tab contains the following parameters: Line Style - this option allows specifying the following parameters: Cap Type - this option allows setting the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines, etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows setting the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows you to set the arrow Start and End Style and Size by selecting the appropriate option from the drop-down lists. The Text Padding tab allows you to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows adding columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list on the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key. To learn how to align an autoshape on the slide or arrange several autoshapes, refer to the Align and arrange objects on a slide section. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon on the Home or Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." + "body": "Insert an autoshape To add an autoshape to a slide in the Presentation Editor, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon on the Home tab or the Shape gallery dropdown arrow on the Insert tab of the top toolbar, select one of the available autoshape groups from the Shape Gallery: Recently Used, Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines, click on the necessary autoshape within the selected group, in the slide editing area, place the mouse cursor where you want the shape to be put, Note: you can click and drag to stretch the shape. once the autoshape is added, you can change its size, position and properties. Note: to add a caption within the autoshape, make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). It's also possible to add an autoshape to a slide layout. To learn more, please refer to this article. Adjust autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it, click the autoshape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - to specify the solid color you want to apply to the selected shape. Gradient Fill - to fill the shape with two colors which smoothly change from one to another. Picture or Texture - to use an image or a predefined texture as the shape background. Pattern - to fill the shape with a two-colored design composed of regularly repeated elements. No Fill - select this option if you don't want to use any fill. For more detailed information on these options, please refer to the Fill objects and select colors section. Line - use this section to change the width, color or type of the autoshape line. To change the line width, select one of the available options from the Size drop-down list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Or select the No Line option if you don't want to use any line. To change the line color, click on the colored box below and select the necessary color. You can use the selected theme color, a standard color or choose a custom color. To change the line type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. Show shadow - check this option to display shape with shadow. To change the advanced settings of the autoshape, right-click the shape and select the Shape Advanced Settings option from the contextual menu or left-click it and press the Show advanced settings link on the right sidebar. The shape properties window will be opened: The Size tab allows you to change the autoshape Width and/or Height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original autoshape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Weights & Arrows tab contains the following parameters: Line Style - this option allows specifying the following parameters: Cap Type - this option allows setting the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines, etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows setting the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows you to set the arrow Start and End Style and Size by selecting the appropriate option from the drop-down lists. The Text Padding tab allows you to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows adding columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list on the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key. To learn how to align an autoshape on the slide or arrange several autoshapes, refer to the Align and arrange objects on a slide section. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon on the Home or Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Insert and edit charts", - "body": "Insert a chart To insert a chart in the Presentation Editor, put the cursor where you want to add a chart, switch to the Insert tab of the top toolbar, click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None not to display the title of a chart, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart selecting the necessary option from the drop-down list: None not to display a legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left on the plot area, Right Overlay to overlay and center the legend to the right on the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels by checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon, etc.) you wish to use to separate several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines among data points, Smooth to use smooth curves among data points, or None not to display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart. once the chart is added, you can also change its size and position. You can specify the chart position on the slide by dragging it vertically or horizontally. You can also add a chart into a text placeholder by pressing the Chart icon within it and selecting the necessary chart type: It's also possible to add a chart to a slide layout. To learn more, please refer to this article. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels, etc., select the necessary text element by left-clicking it. Then use the corresponding icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as the background for the chart. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Fill, Stroke and Wrapping Style. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can not only adjust the chart area itself, but also change the chart elements, such as plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. Adjust chart settings The chart size, type and style as well as the data used to create the chart can be altered using the right sidebar. To activate it, click the chart and choose the Chart settings icon on the right. The Size section allows you to change the chart width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original chart aspect ratio. The Change Chart Type section allows you to change the type of the selected chart type and/or its style using the corresponding drop-down menu. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. The Edit Data button allows you to open the Chart Editor window and start editing data as described above. Note: to quickly open the 'Chart Editor' window, you can also double-click the chart on the slide. The Show advanced settings option on the right sidebar allows you to open the Chart - Advanced Settings window where you can set the alternative text: To delete the inserted chart, left-click it and press the Delete key. To learn how to align a chart on the slide or arrange several objects, refer to the Align and arrange objects on a slide section." + "body": "Insert a chart To insert a chart in the Presentation Editor, put the cursor where you want to add a chart, switch to the Insert tab of the top toolbar, click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination Note: ONLYOFFICE Presentation Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None not to display the title of a chart, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart selecting the necessary option from the drop-down list: None not to display a legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left on the plot area, Right Overlay to overlay and center the legend to the right on the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels by checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon, etc.) you wish to use to separate several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines among data points, Smooth to use smooth curves among data points, or None not to display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart. once the chart is added, you can also change its size and position. You can specify the chart position on the slide by dragging it vertically or horizontally. You can also add a chart into a text placeholder by pressing the Chart icon within it and selecting the necessary chart type: It's also possible to add a chart to a slide layout. To learn more, please refer to this article. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels, etc., select the necessary text element by left-clicking it. Then use the corresponding icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as the background for the chart. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Fill, Stroke and Wrapping Style. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can not only adjust the chart area itself, but also change the chart elements, such as plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. Adjust chart settings The chart size, type and style as well as the data used to create the chart can be altered using the right sidebar. To activate it, click the chart and choose the Chart settings icon on the right. The Size section allows you to change the chart width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original chart aspect ratio. The Change Chart Type section allows you to change the type of the selected chart type and/or its style using the corresponding drop-down menu. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. The Edit Data button allows you to open the Chart Editor window and start editing data as described above. Note: to quickly open the 'Chart Editor' window, you can also double-click the chart on the slide. The Show advanced settings option on the right sidebar allows you to open the Chart - Advanced Settings window where you can set the alternative text: To delete the inserted chart, left-click it and press the Delete key. To learn how to align a chart on the slide or arrange several objects, refer to the Align and arrange objects on a slide section." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Insert equations", - "body": "The Presentation Editor allows you to create equations using the built-in templates, edit them, insert special characters (including mathematical operators, Greek letters, accents, etc.). Add a new equation To insert an equation from the gallery, switch to the Insert tab of the top toolbar, click the arrow next to the Equation icon on the top toolbar, in the opened drop-down list select the equation category you need. The following categories are currently available: Symbols, Fractions, Scripts, Radicals, Integrals, Large Operators, Brackets, Functions, Accents, Limits and Logarithms, Operators, Matrices, click the certain symbol/equation in the corresponding set of templates. The selected symbol/equation box will be inserted in the center of the current slide. If you do not see the equation box border, click anywhere within the equation - the border will be displayed as a dashed line. The equation box can be freely moved, resized or rotated on the slide. To do that, click on the equation box border (it will be displayed as a solid line) and use the corresponding handles. Each equation template represents a set of slots. A slot is a position for each element that makes up the equation. An empty slot (also called as a placeholder) has a dotted outline . You need to fill in all the placeholders specifying the necessary values. Enter values The insertion point specifies where the next character you enter will appear. To position the insertion point precisely, click within a placeholder and use the keyboard arrows to move the insertion point one character left/right. Once the insertion point is positioned, you can fill in the placeholder: enter the desired numeric/literal value using the keyboard, insert a special character using the Symbols palette from the Equation menu on the Insert tab of the top toolbar or typing them from the keyboard (see the Math AutoСorrect option description), add another equation template from the palette to create a complex nested equation. The size of the primary equation will be automatically adjusted to fit its content. The size of the nested equation elements depends on the primary equation placeholder size, but it cannot be smaller than the sub-subscript size. To add some new equation elements, you can also use the right-click menu options: To add a new argument that goes before or after the existing one within Brackets, you can right-click on the existing argument and select the Insert argument before/after option from the menu. To add a new equation within Cases with several conditions from the Brackets group, you can right-click on an empty placeholder or entered equation within it and select the Insert equation before/after option from the menu. To add a new row or a column in a Matrix, you can right-click on a placeholder within it, select the Insert option from the menu, then select Row Above/Below or Column Left/Right. Note: currently, equations cannot be entered using the linear format, i.e. \\sqrt(4&x^3). When entering the values of mathematical expressions, you do not need to use Spacebar because spaces between the characters and signs of operations are set automatically. If the equation is too long and does not fit to a single line within the text box, automatic line breaking appears while you are typing. You can also insert a line break in a specific position by right-clicking on a mathematical operator and selecting the Insert manual break option from the menu. The selected operator will start a new line. To delete the added manual line break, right-click on the mathematical operator that starts a new line and select the Delete manual break option. Format equations By default, the equation within the text box is horizontally centered and vertically aligned to the top of the text box. To change its horizontal/vertical alignment, put the cursor within the the equation box (the text box borders will be displayed as dashed lines) and use the corresponding icons on the Home tab of the top toolbar. To increase or decrease the equation font size, click anywhere within the equation box and select the necessary font size from the list on the Home tab of the top toolbar. All the equation elements will change correspondingly. The letters within the equation are italicized by default. If necessary, you can change the font style (bold, italic, strikeout) or color for a whole equation or its part. The underlined style can be applied to the entire equation only, not to individual characters. Select the necessary part of the equation by clicking and dragging. The selected part will be highlighted blue. Then use the necessary buttons on the Home tab of the top toolbar to format the selection. For example, you can remove the italic format for ordinary words that are not variables or constants. To modify some equation elements, you can also use the right-click menu options: To change the Fractions format, you can right-click on a fraction and select the Change to skewed/linear/stacked fraction option from the menu (the available options differ depending on the selected fraction type). To change the Scripts position relating to text, you can right-click on the equation that includes scripts and select the Scripts before/after text option from the menu. To change the argument size for Scripts, Radicals, Integrals, Large Operators, Limits and Logarithms, Operators as well as for overbraces/underbraces and templates with grouping characters from the Accents group, you can right-click on the argument you want to change and select the Increase/Decrease argument size option from the menu. To specify whether an empty degree placeholder should be displayed or not for a Radical, you can right-click on the radical and select the Hide/Show degree option from the menu. To specify whether an empty limit placeholder should be displayed or not for an Integral or Large Operator, you can right-click on the equation and select the Hide/Show top/bottom limit option from the menu. To change the limits position relating to the integral or operator sign for Integrals or Large Operators, you can right-click on the equation and select the Change limits location option from the menu. The limits can be displayed to the right of the operator sign (as subscripts and superscripts) or directly above and below the operator sign. To change the limits position relating to text for Limits and Logarithms and templates with grouping characters from the Accents group, you can right-click on the equation and select the Limit over/under text option from the menu. To choose which of the Brackets should be displayed, you can right-click on the expression within them and select the Hide/Show opening/closing bracket option from the menu. To control the Brackets size, you can right-click on the expression within them. The Stretch brackets option is selected by default so that the brackets can grow according to the expression within them, but you can deselect this option to prevent brackets from stretching. When this option is activated, you can also use the Match brackets to argument height option. To change the character position relating to text for overbraces/underbraces or overbars/underbars from the Accents group, you can right-click on the template and select the Char/Bar over/under text option from the menu. To choose which borders should be displayed for a Boxed formula from the Accents group, you can right-click on the equation and select the Border properties option from the menu, then select Hide/Show top/bottom/left/right border or Add/Hide horizontal/vertical/diagonal line. To specify whether empty placeholders should be displayed or not for a Matrix, you can right-click on it and select the Hide/Show placeholder option from the menu. To align some equation elements, you can use the right-click menu options: To align equations within Cases with several conditions from the Brackets group, you can right-click on an equation, select the Alignment option from the menu, then select the alignment type: Top, Center, or Bottom. To align a Matrix vertically, you can right-click on the matrix, select the Matrix Alignment option from the menu, then select the alignment type: Top, Center, or Bottom. To align elements within a Matrix column horizontally, you can right-click on a placeholder within the column, select the Column Alignment option from the menu, then select the alignment type: Left, Center, or Right. Delete equation elements To delete a part of the equation, select the part you want to delete by dragging the mouse or holding down the Shift key and using the arrow buttons, then press the Delete key. A slot can only be deleted together with the template it belongs to. To delete the entire equation, click on the equation box border (it will be displayed as a solid line) and and press the Delete key. To delete some equation elements, you can also use the right-click menu options: To delete a Radical, you can right-click on it and select the Delete radical option from the menu. To delete a Subscript and/or Superscript, you can right-click on the expression that contains them and select the Remove subscript/superscript option from the menu. If the expression contains scripts that go before text, the Remove scripts option is available. To delete Brackets, you can right-click on the expression within them and select the Delete enclosing characters or Delete enclosing characters and separators option from the menu. If the expression within Brackets inclides more than one argument, you can right-click on the argument you want to delete and select the Delete argument option from the menu. If Brackets enclose more than one equation (i.e. Cases with several conditions), you can right-click on the equation you want to delete and select the Delete equation option from the menu. To delete a Limit, you can right-click on it and select the Remove limit option from the menu. To delete an Accent, you can right-click on it and select the Remove accent character, Delete char or Remove bar option from the menu (the available options differ depending on the selected accent). To delete a row or a column of a Matrix, you can right-click on the placeholder within the row/column you need to delete, select the Delete option from the menu, then select Delete Row/Column." + "body": "The Presentation Editor allows you to create equations using the built-in templates, edit them, insert special characters (including mathematical operators, Greek letters, accents, etc.). Add a new equation To insert an equation from the gallery, switch to the Insert tab of the top toolbar, click the arrow next to the Equation icon on the top toolbar, in the opened drop-down list select the equation category you need. The following categories are currently available: Symbols, Fractions, Scripts, Radicals, Integrals, Large Operators, Brackets, Functions, Accents, Limits and Logarithms, Operators, Matrices, click the certain symbol/equation in the corresponding set of templates. The selected symbol/equation box will be inserted in the center of the current slide. If you do not see the equation box border, click anywhere within the equation - the border will be displayed as a dashed line. The equation box can be freely moved, resized or rotated on the slide. To do that, click on the equation box border (it will be displayed as a solid line) and use the corresponding handles. Each equation template represents a set of slots. A slot is a position for each element that makes up the equation. An empty slot (also called as a placeholder) has a dotted outline . You need to fill in all the placeholders specifying the necessary values. Enter values The insertion point specifies where the next character you enter will appear. To position the insertion point precisely, click within a placeholder and use the keyboard arrows to move the insertion point one character left/right. Once the insertion point is positioned, you can fill in the placeholder: enter the desired numeric/literal value using the keyboard, insert a special character using the Symbols palette from the Equation menu on the Insert tab of the top toolbar or typing them from the keyboard (see the Math AutoСorrect option description), add another equation template from the palette to create a complex nested equation. The size of the primary equation will be automatically adjusted to fit its content. The size of the nested equation elements depends on the primary equation placeholder size, but it cannot be smaller than the sub-subscript size. To add some new equation elements, you can also use the right-click menu options: To add a new argument that goes before or after the existing one within Brackets, you can right-click on the existing argument and select the Insert argument before/after option from the menu. To add a new equation within Cases with several conditions from the Brackets group, you can right-click on an empty placeholder or entered equation within it and select the Insert equation before/after option from the menu. To add a new row or a column in a Matrix, you can right-click on a placeholder within it, select the Insert option from the menu, then select Row Above/Below or Column Left/Right. Note: currently, equations cannot be entered using the linear format, i.e. \\sqrt(4&x^3). When entering the values of mathematical expressions, you do not need to use Spacebar because spaces between the characters and signs of operations are set automatically. If the equation is too long and does not fit to a single line within the text box, automatic line breaking appears while you are typing. You can also insert a line break in a specific position by right-clicking on a mathematical operator and selecting the Insert manual break option from the menu. The selected operator will start a new line. To delete the added manual line break, right-click on the mathematical operator that starts a new line and select the Delete manual break option. Format equations By default, the equation within the text box is horizontally centered and vertically aligned to the top of the text box. To change its horizontal/vertical alignment, put the cursor within the the equation box (the text box borders will be displayed as dashed lines) and use the corresponding icons on the Home tab of the top toolbar. To increase or decrease the equation font size, click anywhere within the equation box and select the necessary font size from the list on the Home tab of the top toolbar. All the equation elements will change correspondingly. The letters within the equation are italicized by default. If necessary, you can change the font style (bold, italic, strikeout) or color for a whole equation or its part. The underlined style can be applied to the entire equation only, not to individual characters. Select the necessary part of the equation by clicking and dragging. The selected part will be highlighted blue. Then use the necessary buttons on the Home tab of the top toolbar to format the selection. For example, you can remove the italic format for ordinary words that are not variables or constants. To modify some equation elements, you can also use the right-click menu options: To change the Fractions format, you can right-click on a fraction and select the Change to skewed/linear/stacked fraction option from the menu (the available options differ depending on the selected fraction type). To change the Scripts position relating to text, you can right-click on the equation that includes scripts and select the Scripts before/after text option from the menu. To change the argument size for Scripts, Radicals, Integrals, Large Operators, Limits and Logarithms, Operators as well as for overbraces/underbraces and templates with grouping characters from the Accents group, you can right-click on the argument you want to change and select the Increase/Decrease argument size option from the menu. To specify whether an empty degree placeholder should be displayed or not for a Radical, you can right-click on the radical and select the Hide/Show degree option from the menu. To specify whether an empty limit placeholder should be displayed or not for an Integral or Large Operator, you can right-click on the equation and select the Hide/Show top/bottom limit option from the menu. To change the limits position relating to the integral or operator sign for Integrals or Large Operators, you can right-click on the equation and select the Change limits location option from the menu. The limits can be displayed to the right of the operator sign (as subscripts and superscripts) or directly above and below the operator sign. To change the limits position relating to text for Limits and Logarithms and templates with grouping characters from the Accents group, you can right-click on the equation and select the Limit over/under text option from the menu. To choose which of the Brackets should be displayed, you can right-click on the expression within them and select the Hide/Show opening/closing bracket option from the menu. To control the Brackets size, you can right-click on the expression within them. The Stretch brackets option is selected by default so that the brackets can grow according to the expression within them, but you can deselect this option to prevent brackets from stretching. When this option is activated, you can also use the Match brackets to argument height option. To change the character position relating to text for overbraces/underbraces or overbars/underbars from the Accents group, you can right-click on the template and select the Char/Bar over/under text option from the menu. To choose which borders should be displayed for a Boxed formula from the Accents group, you can right-click on the equation and select the Border properties option from the menu, then select Hide/Show top/bottom/left/right border or Add/Hide horizontal/vertical/diagonal line. To specify whether empty placeholders should be displayed or not for a Matrix, you can right-click on it and select the Hide/Show placeholder option from the menu. To align some equation elements, you can use the right-click menu options: To align equations within Cases with several conditions from the Brackets group, you can right-click on an equation, select the Alignment option from the menu, then select the alignment type: Top, Center, or Bottom. To align a Matrix vertically, you can right-click on the matrix, select the Matrix Alignment option from the menu, then select the alignment type: Top, Center, or Bottom. To align elements within a Matrix column horizontally, you can right-click on a placeholder within the column, select the Column Alignment option from the menu, then select the alignment type: Left, Center, or Right. Delete equation elements To delete a part of the equation, select the part you want to delete by dragging the mouse or holding down the Shift key and using the arrow buttons, then press the Delete key. A slot can only be deleted together with the template it belongs to. To delete the entire equation, click on the equation box border (it will be displayed as a solid line) and and press the Delete key. To delete some equation elements, you can also use the right-click menu options: To delete a Radical, you can right-click on it and select the Delete radical option from the menu. To delete a Subscript and/or Superscript, you can right-click on the expression that contains them and select the Remove subscript/superscript option from the menu. If the expression contains scripts that go before text, the Remove scripts option is available. To delete Brackets, you can right-click on the expression within them and select the Delete enclosing characters or Delete enclosing characters and separators option from the menu. If the expression within Brackets inclides more than one argument, you can right-click on the argument you want to delete and select the Delete argument option from the menu. If Brackets enclose more than one equation (i.e. Cases with several conditions), you can right-click on the equation you want to delete and select the Delete equation option from the menu. To delete a Limit, you can right-click on it and select the Remove limit option from the menu. To delete an Accent, you can right-click on it and select the Remove accent character, Delete char or Remove bar option from the menu (the available options differ depending on the selected accent). To delete a row or a column of a Matrix, you can right-click on the placeholder within the row/column you need to delete, select the Delete option from the menu, then select Delete Row/Column. Convert equations If you open an existing document containing equations which were created with an old version of equation editor (for example, with MS Office versions before 2007), you need to convert these equations to the Office Math ML format to be able to edit them. To convert an equation, double-click it. The warning window will appear: To convert the selected equation only, click the Yes button in the warning window. To convert all equations in this document, check the Apply to all equations box and click Yes. Once the equation is converted, you can edit it." }, { "id": "UsageInstructions/InsertHeadersFooters.htm", @@ -153,7 +178,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insert and adjust images", - "body": "Insert an image In the Presentation Editor, you can insert images in the most popular formats into your presentation. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. To add an image on a slide, in the slide list on the left, select the slide you want to add the image to, click the Image icon on the Home or Insert tab of the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window so that you can choose a file. Browse the hard disk drive your computer to select the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the necessary image and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added, you can change its size and position. You can also add an image into a text placeholder pressing the Image from file in it and selecting the necessary image stored on your PC, or use the Image from URL button and specify the image URL address: It's also possible to add an image to a slide layout. To learn more, please refer to this article. Adjust image settings The right sidebar is activated when you left-click an image and choose the Image settings icon on the right. It contains the following sections: Size - is used to view the Width and Height of the current image or restore its Actual Size if necessary. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of its each side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Replace Image - is used to load another image instead of the current one from the desired source. You can select one of the options: From File, From Storage, or From URL. The Replace image option is also available in the right-click menu. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab on the right sidebar and adjust the Line type, size and color of the shape as well as change its type by selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. To change the advanced settings of the image, right-click the image and select the Image Advanced Settings option from the contextual menu or left-click the image and press the Show advanced settings link on the right sidebar. The image properties window will be opened: The Placement tab allows you to set the following image properties: Size - use this option to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the actual size of the added image, click the Actual Size button. Position - use this option to change the image position on the slide (the position is calculated from the top and the left side of the slide). The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the image. To delete the inserted image, left-click it and press the Delete key. To learn how to align an image on the slide or arrange several images, refer to the Align and arrange objects on a slide section." + "body": "Insert an image In the Presentation Editor, you can insert images in the most popular formats into your presentation. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. To add an image on a slide, in the slide list on the left, select the slide you want to add the image to, click the Image icon on the Home or Insert tab of the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window so that you can choose a file. Browse the hard disk drive your computer to select the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the necessary image and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added, you can change its size and position. You can also add an image into a text placeholder pressing the Image from file in it and selecting the necessary image stored on your PC, or use the Image from URL button and specify the image URL address: It's also possible to add an image to a slide layout. To learn more, please refer to this article. Adjust image settings The right sidebar is activated when you left-click an image and choose the Image settings icon on the right. It contains the following sections: Size - is used to view the Width and Height of the current image or restore its Actual Size if necessary. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of its each side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Crop to shape, Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape. If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Replace Image - is used to load another image instead of the current one from the desired source. You can select one of the options: From File, From Storage, or From URL. The Replace image option is also available in the right-click menu. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab on the right sidebar and adjust the Line type, size and color of the shape as well as change its type by selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. To change the advanced settings of the image, right-click the image and select the Image Advanced Settings option from the contextual menu or left-click the image and press the Show advanced settings link on the right sidebar. The image properties window will be opened: The Placement tab allows you to set the following image properties: Size - use this option to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the actual size of the added image, click the Actual Size button. Position - use this option to change the image position on the slide (the position is calculated from the top and the left side of the slide). The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the image. To delete the inserted image, left-click it and press the Delete key. To learn how to align an image on the slide or arrange several images, refer to the Align and arrange objects on a slide section." }, { "id": "UsageInstructions/InsertSymbols.htm", @@ -173,17 +198,17 @@ var indexes = { "id": "UsageInstructions/ManageSlides.htm", "title": "Manage slides", - "body": "By default, a newly created presentation has one blank Title Slide. In the Presentation Editor, you can create new slides, copy a slide to paste it later to another place in the slide list, duplicate slides, move slides to change their order, delete unnecessary slides and mark some slides as hidden. To create a new Title and Content slide: click the Add Slide icon on the Home or Insert tab of the top toolbar, or right-click any slide in the list and select the New Slide option from the contextual menu, or press the Ctrl+M key combination. To create a new slide with a different layout: click the arrow next to the Add Slide icon on the Home or Insert tab of the top toolbar, select a slide with the necessary layout from the menu. Note: you can change the layout of the added slide anytime. For additional information on how to do that, please refer to the Set slide parameters section. A new slide will be inserted after the selected one in the list of the existing slides on the left. To duplicate a slide: right-click the necessary slide in the list of the existing slides on the left, select the Duplicate Slide option from the contextual menu. The duplicated slide will be inserted after the selected one in the slide list. To copy a slide: in the list of the existing slides on the left, select the slide you need to copy, press the Ctrl+C key combination, in the slide list, select the slide after which the copied slide should be pasted, press the Ctrl+V key combination. To move an existing slide: left-click the necessary slide in the list of the existing slides on the left, without releasing the mouse button, drag it to the necessary place in the list (a horizontal line indicates a new location). To delete an unnecessary slide: right-click the slide you want to delete in the list of the existing slides on the left, select the Delete Slide option from the contextual menu. To mark a slide as hidden: right-click the slide you want to hide in the list of the existing slides on the left, select the Hide Slide option from the contextual menu. The number that corresponds to the hidden slide in the slide list on the left will be crossed out. To display the hidden slide as a regular one in the slide list, click the Hide Slide option once again. Note: use this option if you do not want to demonstrate some slides to your audience, but want to be able to access them if necessary. If you start the slideshow in the Presenter mode, you can see all the existing slides in the list on the left, while hidden slides numbers are crossed out. If you wish to show a slide marked as hidden to others, just click it in the slide list on the left - the slide will be displayed. To select all the existing slides at once: right-click any slide in the list of the existing slides on the left, select the Select All option from the contextual menu. To select several slides: hold down the Ctrl key, select the necessary slides by left-clicking them in the list of the existing slides on the left. Note: all the key combinations that can be used to manage slides are listed on the Keyboard Shortcuts page." + "body": "By default, a newly created presentation has one blank Title Slide. In the Presentation Editor, you can create new slides, copy a slide to paste it later to another place in the slide list, duplicate slides, move slides to change their order, delete unnecessary slides and mark some slides as hidden. To create a new Title and Content slide: click the Add Slide icon on the Home or Insert tab of the top toolbar, or right-click any slide in the list and select the New Slide option from the contextual menu, or press the Ctrl+M key combination. To create a new slide with a different layout: click the arrow next to the Add Slide icon on the Home or Insert tab of the top toolbar, select a slide with the necessary layout from the menu. Note: you can change the layout of the added slide anytime. For additional information on how to do that, please refer to the Set slide parameters section. A new slide will be inserted after the selected one in the list of the existing slides on the left. To duplicate slides: select a slide, or multiple slides in the list of the existing slides on the left, right-click the mouse button and select the Duplicate Slide option from the context menu, or go to the Home or the Insert tab, click the Add slide button and select the Duplicate Slide menu option. The duplicated slide will be inserted after the selected one in the slide list. To copy slides: in the list of the existing slides on the left, select a slide or multiple slides you need to copy, press the Ctrl+C key combination, in the slide list, select the slide after which the copied slide should be pasted, press the Ctrl+V key combination. To move existing slides: left-click the necessary slide or slides in the list of the existing slides on the left, without releasing the mouse button, drag it to the necessary place in the list (a horizontal line indicates a new location). To delete unnecessary slides: right-click the slide or slides you want to delete in the list of the existing slides on the left, select the Delete Slide option from the contextual menu. To mark slides as hidden: right-click the slide or slides you want to hide in the list of the existing slides on the left, select the Hide Slide option from the contextual menu. The number that corresponds to the hidden slide in the slide list on the left will be crossed out. To display the hidden slide as a regular one in the slide list, click the Hide Slide option once again. Note: use this option if you do not want to demonstrate some slides to your audience, but want to be able to access them if necessary. If you start the slideshow in the Presenter mode, you can see all the existing slides in the list on the left, while hidden slides numbers are crossed out. If you wish to show a slide marked as hidden to others, just click it in the slide list on the left - the slide will be displayed. To select all the existing slides at once: right-click any slide in the list of the existing slides on the left, select the Select All option from the contextual menu. To select several slides: hold down the Ctrl key, select the necessary slides by left-clicking them in the list of the existing slides on the left. Note: all the key combinations that can be used to manage slides are listed on the Keyboard Shortcuts page." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipulate objects on a slide", - "body": "In the Presentation Editor, you can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Resize objects To change the autoshape/image/chart/table/text box size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated. To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows adjusting some aspects of the shape, for example, the length of the head of an arrow. Move objects To alter the autoshape/image/chart/table/text box position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK. Rotate objects To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically, you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings or the Image settings icon to the right. Click one of the buttons: to rotate the object by 90 degrees counterclockwise to rotate the object by 90 degrees clockwise to flip the object horizontally (left to right) to flip the object vertically (upside down) It's also possible to right-click the object, choose the Rotate option from the contextual menu and then use one of the available rotation options. To rotate the object by an exactly specified angle, click the Show advanced settings link on the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK." + "body": "In the Presentation Editor, you can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Resize objects To change the autoshape/image/chart/table/text box size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated. To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows adjusting some aspects of the shape, for example, the length of the head of an arrow. To reshape an autoshape, you can also use the Edit Points option from the context menu. The Edit Points option is used to customize or to change the curvature of your shape. To activate a shape’s editable anchor points, right-click the shape and choose Edit Points from the menu. The black squares that become active are the points where two lines meet, and the red line outlines the shape. Click and drag it to reposition the point, and to change the shape outline. Once you click the anchor point, two blue lines with white squares at the ends will appear. These are Bezier handles that allow you to create and a curve and to change a curve’s smoothness. As long as the anchor points are active, you can add and delete them: To add a point to a shape, hold Ctrl and click the position where you want to add an anchor point. To delete a point, hold Ctrl and click the unnecessary point. Move objects To alter the autoshape/image/chart/table/text box position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK. Rotate objects To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically, you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings or the Image settings icon to the right. Click one of the buttons: to rotate the object by 90 degrees counterclockwise to rotate the object by 90 degrees clockwise to flip the object horizontally (left to right) to flip the object vertically (upside down) It's also possible to right-click the object, choose the Rotate option from the contextual menu and then use one of the available rotation options. To rotate the object by an exactly specified angle, click the Show advanced settings link on the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK." }, { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "AutoCorrect Features", - "body": "The AutoCorrect features in ONLYOFFICE Presentation Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Presentation Editor. The full list of the supported codes can also be found on the File tab in the Advanced Settings... -> Spell checking -> Proofing section. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat as You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. If you need to disable auto-formatting presets, uncheck the box for the unnecessary options, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." + "body": "The AutoCorrect features in ONLYOFFICE Presentation Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Presentation Editor. The full list of the supported codes can also be found on the File tab in the Advanced Settings... -> Spell checking -> Proofing section. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat as You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate.By default, this option is disabled for Linux and Windows, and is enabled for macOS. To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." }, { "id": "UsageInstructions/OpenCreateNew.htm", @@ -210,6 +235,11 @@ var indexes = "title": "Set slide parameters", "body": "To customize your presentation in the Presentation Editor, you can select a theme, color scheme, slide size and orientation for the entire presentation, change the background fill or slide layout for each separate slide, apply transitions between the slides. It's also possible to add explanatory notes to each slide that can be helpful when demonstrating the presentation in the Presenter mode. Themes allow you to quickly change the presentation design, notably the slides background appearance, predefined fonts for titles and texts and the color scheme that is used for the presentation elements. To select a theme for the presentation, click on the necessary predefined theme from the themes gallery on the right side of the top toolbar on the Home tab. The selected theme will be applied to all the slides if you have not previously selected certain slides to apply the theme to. To change the selected theme for one or more slides, you can right-click the selected slides in the list on the left (or right-click a slide in the editing area), select the Change Theme option from the contextual menu and choose the necessary theme. Color Schemes affect the predefined colors used for the presentation elements (fonts, lines, fills etc.) and allow you to maintain color consistency throughout the entire presentation. To change a color scheme, click the Change color scheme icon on the Home tab of the top toolbar and select the necessary scheme from the drop-down list. The selected color scheme will be highlighted in the list and applied to all the slides. To change the size of all the slides in the presentation, click the Select slide size icon on the Home tab of the top toolbar and select the necessary option from the drop-down list. You can select: one of the two quick-access presets - Standard (4:3) or Widescreen (16:9), the Advanced Settings option that opens the Slide Size Settings window where you can select one of the available presets or set a Custom size specifying the desired Width and Height values. The available presets are: Standard (4:3), Widescreen (16:9), Widescreen (16:10), Letter Paper (8.5x11 in), Ledger Paper (11x17 in), A3 Paper (297x420 mm), A4 Paper (210x297 mm), B4 (ICO) Paper (250x353 mm), B5 (ICO) Paper (176x250 mm), 35 mm Slides, Overhead, Banner. The Slide Orientation menu allows changing the currently selected orientation type. The default orientation type is Landscape that can be switched to Portrait. To change a background fill: in the slide list on the left, select the slides you want to apply the fill to. Or click at any blank space within the currently edited slide in the slide editing area to change the fill type for this separate slide. on the Slide settings tab of the right sidebar, select the necessary option: Color Fill - select this option to specify the solid color you want to apply to the selected slides. Gradient Fill - select this option to fill the slide with two colors which smoothly change from one to another. Picture or Texture - select this option to use an image or a predefined texture as the slide background. Pattern - select this option to fill the slide with a two-colored design composed of regularly repeated elements. No Fill - select this option if you don't want to use any fill. Opacity - drag the slider or enter the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. For more detailed information on these options, please refer to the Fill objects and select colors section. Transitions help make your presentation more dynamic and keep your audience's attention. To apply a transition: in the slide list on the left, select the slides you want to apply a transition to, choose a transition in the Effect drop-down list on the Slide settings tab, To open the Slide settings tab, you can click the Slide settings icon on the right or right-click the slide in the slide editing area and select the Slide Settings option from the contextual menu. adjust the transition properties: choose a transition variation, duration and the way to advance slides, click the Apply to All Slides button if you want to apply the same transition to all slides in the presentation. For more detailed information on these options, please refer to the Apply transitions section. To change a slide layout: in the slide list on the left, select the slides you want to apply a new layout to, click the Change slide layout icon on the Home tab of the top toolbar, select the necessary layout from the menu. Alternatively, you can right-click the necessary slide in the list on the left or in the editing area, select the Change Layout option from the contextual menu and choose the necessary layout. Currently, the following layouts are available: Title Slide, Title and Content, Section Header, Two Content, Comparison, Title Only, Blank, Content with Caption, Picture with Caption, Title and Vertical Text, Vertical Title and Text. To add objects to a slide layout: click the Change slide layout icon and select a layout you want to add an object to, using the Insert tab of the top toolbar, add the necessary object to the slide (image, table, chart, shape), then right-click on this object and select Add to Layout option, on the Home tab, click Change slide layout and apply the changed layout. The selected objects will be added to the current theme's layout. Objects placed on a slide this way cannot be selected, resized, or moved. To return the slide layout to its original state: in the slide list on the left, select the slides that you want to return to the default state, Hold down the Ctrl key and select one slide at a time to select several slides at once, or hold down the Shift key to select all slides from the current to the selected. right-click on one of the slides and select the Reset slide option in the context menu, All text frames and objects located on slides will be reset and situated in accordinance with the slide layout. To add notes to a slide: in the slide list on the left, select the slide you want to add a note to, click the Click to add notes caption below the slide editing area, type in the text of your note. You can format the text using the icons on the Home tab of the top toolbar. When you start the slideshow in the Presenter mode, you will be able to see all the slide notes below the slide preview area." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Support of SmartArt in ONLYOFFICE Presentation Editor", + "body": "SmartArt graphics are used to create a visual representation of a hierarchical structure by choosing a layout that fits best. ONLYOFFICE Presentation Editor supports SmartArt graphics that were inserted using third-party editors. You can open a file containing SmartArt and edit it as a graphic object using the available editing tools. Once you click the SmartArt graphic border or the border of its element, the following tabs become active on the right sidebar to customize a layout: Slide settings to change the slide background fill, opacity, and to show or to hide slide number, date and time. See Set Slide Parameters and Insert footers for details. Shape settings to configure the shapes used on a layout. You can change shapes, edit the fill, the lines, the wrapping style, the position, the weights and arrows, the text box and the alternative text. Paragraph settings to configure indents and spacing, fonts and tabs. See Text formatting section for a detailed description of every option. This tab becomes active for SmartArt elements only. Text Art settings to configure the Text Art style that is used in a SmartArt graphic to highlight the text. You can change the Text Art template, the fill type, color and opacity, the line size, color and type. This tab becomes active for SmartArt elements only. Right-click the border of a SmartArt graphic or its element to access the following formatting options: Arrange to arrange the objects using the following options: Bring to Foreground, Send to Background, Bring Forward and Bring Backward are available for SmartArt. Group and Ungroup are available for the SmartArt elements and depend on whether they are grouped or not. Align to align the graphic or the objects using the following options: Aligh Left, Align Center, Align Right, Align Top, Align Middle, Align Bottom, Distribute Horizontally, and Distribute Vertically. Rotate to choose the rotation direction for the selected element on a SmartArt graphic: Rotate 90° Clockwise, Rotate 90° Counterclockwise.The Rotate option becomes active for SmartArt elements only. Shape Advanced Settings to access additional shape formatting options. Add Comment to leave a comment to a certain SmartArt graphic or its element, Add to layout to add the SmartArt graphic to the slide layout. Right-click a SmartArt graphic element to access the following text formatting options: Vertical Alignment to choose the text alignment inside the selected SmarArt element: Align Top, Align Middle, Align Bottom. Text Direction to choose the text direction inside the selected SmarArt element: Horizontal, Rotate Text Down, Rotate Text Up. Paragraph Advanced Settings to access additional paragraph formatting options. Add Comment to leave a comment to a certain SmartArt graphic or its element. Hyperlink to add a hyperlink to the SmartArt element." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Replace a word by a synonym", diff --git a/apps/presentationeditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm index 469148b09..a65e29870 100644 --- a/apps/presentationeditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/es/HelpfulHints/KeyboardShortcuts.htm @@ -133,13 +133,13 @@ - + - + diff --git a/apps/presentationeditor/main/resources/help/es/images/slidesizesettingswindow.png b/apps/presentationeditor/main/resources/help/es/images/slidesizesettingssindow.png similarity index 100% rename from apps/presentationeditor/main/resources/help/es/images/slidesizesettingswindow.png rename to apps/presentationeditor/main/resources/help/es/images/slidesizesettingssindow.png diff --git a/apps/presentationeditor/main/resources/help/fr/Contents.json b/apps/presentationeditor/main/resources/help/fr/Contents.json index 86fb67e4b..5099e473e 100644 --- a/apps/presentationeditor/main/resources/help/fr/Contents.json +++ b/apps/presentationeditor/main/resources/help/fr/Contents.json @@ -12,14 +12,17 @@ "src": "ProgramInterface/HomeTab.htm", "name": "Onglet Accueil" }, - { - "src": "ProgramInterface/InsertTab.htm", - "name": "Onglet Insertion" - }, - { - "src": "ProgramInterface/CollaborationTab.htm", - "name": "Onglet Collaboration" - }, + { + "src": "ProgramInterface/InsertTab.htm", + "name": "Onglet Insertion" + }, + {"src": "ProgramInterface/TransitionsTab.htm", "name": "Onglet Transitions" }, + {"src": "ProgramInterface/AnimationTab.htm", "name": "Onglet Animation" }, + { + "src": "ProgramInterface/CollaborationTab.htm", + "name": "Onglet Collaboration" + }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Onglet Affichage"}, { "src": "ProgramInterface/PluginsTab.htm", "name": "Onglet Modules complémentaires" @@ -85,7 +88,8 @@ "src": "UsageInstructions/InsertTables.htm", "name": "Insérer et mettre en forme des tableaux" }, - + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Prise en charge des graphiques SmartArt" }, + {"src": "UsageInstructions/AddingAnimations.htm", "name": "Ajouter des animations" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insérer des symboles et des caractères" }, { "src": "UsageInstructions/FillObjectsSelectColor.htm", diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index 09ce47d15..b2edffd6d 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -36,10 +36,13 @@
                  • Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards orange, blanc et gris claire à contraste réduit et est destiné à un travail de jour.
                  • Le mode Claire classique comprend l'affichage en couleurs standards orange, blanc et gris claire.
                  • -
                  • Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit.
                  • +
                  • + Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. +

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

                    +
                  -
                11. 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 diapositive ou Ajuster à la largeur.
                12. +
                13. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la diapositive ou Ajuster à la largeur.
                14. Hinting de la police sert à sélectionner le type d'affichage de la police dans Presentation Editor:
                    diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index e44de0b9b..6ae30ac3a 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -10,19 +10,19 @@ -
                    -
                    - -
                    -

                    Édition collaborative des présentations

                    -

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

                    -
                      -
                    • accès simultané à la présentation éditée par plusieurs utilisateurs
                    • -
                    • indication visuelle des objets qui sont en train d'être éditées par d'autres utilisateurs
                    • -
                    • affichage des changements en temps réel ou synchronisation des changements en un seul clic
                    • -
                    • chat pour partager des idées concernant certaines parties de la présentation
                    • -
                    • 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)
                    • -
                    +
                    +
                    + +
                    +

                    Édition collaborative des présentations

                    +

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

                    +
                      +
                    • accès simultané à la présentation éditée par plusieurs utilisateurs
                    • +
                    • indication visuelle des objets qui sont en train d'être éditées par d'autres utilisateurs
                    • +
                    • affichage des changements en temps réel ou synchronisation des changements en un seul clic
                    • +
                    • chat pour partager des idées concernant certaines parties de la présentation
                    • +
                    • 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.

                    @@ -62,30 +62,44 @@

                    Commentaires

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

                    -

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

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

                    L'objet que vous commenter sera marqué par l'icône

                    . Pour lire le commentaire, il suffit de cliquer sur cette icône.

                    -

                    Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaires

                    dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive.

                    -

                    Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône

                    dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles.

                    -

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

                    -

                    Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône

                    dans le coin supérieur gauche de la barre supérieure.

                    -

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

                    -
                      -
                    • modifier le commentaire actuel en cliquant sur l'icône
                      ,
                    • -
                    • supprimer le commentaire actuel en cliquant sur l'icône
                      ,
                    • -
                    • fermez la discussion actuelle en cliquant sur l'icône
                      si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône
                      .
                    • -
                    • si vous souhaitez gérer tous les commentaires à la fois, accédez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation.
                    • +

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

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

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

                      +

                      Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaires L'icône Commentaires dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive.

                      +

                      Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône L'icône Commentaires dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles.

                      +

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

                      +

                      Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône L'icône Enregistrer dans le coin supérieur gauche de la barre supérieure.

                      +

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

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

                          Sort comments

                          +
                        -

                        Ajouter les mentions

                        +
                      • +
                      • modifier le commentaire actuel en cliquant sur l'icône L'icône Modifier ,
                      • +
                      • supprimer le commentaire actuel en cliquant sur l'icône L'icône Supprimer ,
                      • +
                      • fermez la discussion actuelle en cliquant sur l'icône L'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 L'icône Ouvrir à nouveau .
                      • +
                      • si vous souhaitez gérer tous les commentaires à la fois, accédez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation.
                      • +
                      +

                      Ajouter les mentions

                      +

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

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

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

                      -

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

                      +

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

                      Pour supprimer les commentaires,

                      1. appuyez sur le bouton
                        Supprimer sous l'onglet Collaboration dans la barre d'outils en haut,
                      2. @@ -98,7 +112,7 @@
                    -

                    Pour fermer le panneau avec les commentaires, cliquez sur l'icône

                    de la barre latérale de gauche encore une fois.

                    -
                    +

                    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/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index a01077de2..2d2969dd3 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -13,23 +13,39 @@
                    -
                    - -
                    +
                    + +

                    Raccourcis clavier

                    -

                    La liste des raccourcis clavier pour exécuter certaines fonctions de Presentation Editor plus vite et facile à l'aide du clavier.

                    -
                      -
                    • Windows/Linux
                    • Mac OS
                    • -
                    +

                    Raccourcis clavier pour les touches d'accès

                    +

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

                    +
                      +
                    1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
                    2. +
                    3. + Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. +

                      Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès.

                      +

                      Primaires touches d'accès

                      +

                      Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet.

                      +

                      Touches d'accès supplémentaires

                      +

                      Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer.

                      +
                    4. +
                    5. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
                    6. +
                    +

                    Trouverez ci-dessous les raccourcis clavier les plus courants:

                    +
                      +
                    • Windows/Linux
                    • + +
                    • Mac OS
                    • +
                15. Schriftart
                  Acercar Ctrl++^ Ctrl+=,
                  ⌘ Cmd+=
                  ^ Ctrl+= Acerca la presentación que se está editando.
                  Alejar Ctrl+-^ Ctrl+-,
                  ⌘ Cmd+-
                  ^ Ctrl+- Aleja la presentación que se está editando.
                  - - + + @@ -80,36 +96,36 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -140,13 +156,13 @@ - + - + @@ -196,7 +212,7 @@ - + @@ -216,24 +232,24 @@ - - - + + - - - - - + + + + + - - - - - - - - + + + + + + + + + @@ -261,45 +277,45 @@ - - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + + - - - - - + + + + - - + + + @@ -417,42 +433,42 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -482,14 +498,14 @@ - - + + - - + + @@ -540,109 +556,111 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + - - - - - + + + + + - - --> - - - - - - - - - - - - - - - - - - - - - - - + +
                  En travaillant sur la présentation
                  Ouvrir le panneau "Fichier"Alt+F⌥ Option+FAlt+F⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer la présentation actuelle, voir ses informations, créer une nouvelle présentation ou ouvrir une présentation existatante, accéder à l'aide de Presentation Editor ou aux paramètres avancés.
                  Passer à l'affichage en plein écran pour adapter Presentation Editor à votre écran.
                  Menu d'aideF1F1Ouvrir le menu Aide de Presentation Editor.
                  Ouvrir un fichier existant (Desktop Editors)Ctrl+OL’onglet Ouvrir fichier local de 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 de présentation actuelle dans Desktop Editors.
                  Menu contextuel de l’élément⇧ Maj+F10⇧ Maj+F10Ouvrir 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 de la présentation actuelle par défaut pour Ajuster à la diapositive.
                  Menu d'aideF1F1Ouvrir le menu Aide de Presentation Editor.
                  Ouvrir un fichier existant (Desktop Editors)Ctrl+OL’onglet Ouvrir fichier local de 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 de présentation actuelle dans Desktop Editors.
                  Menu contextuel de l’élément⇧ Maj+F10⇧ Maj+F10Ouvrir 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 de la présentation actuelle par défaut pour Ajuster à la diapositive.
                  Navigation
                  Zoom avant Ctrl++^ Ctrl+=,
                  ⌘ Cmd+=
                  ^ Ctrl+= Agrandir la présentation en cours d'édition.
                  Zoom arrière Ctrl+-^ Ctrl+-,
                  ⌘ Cmd+-
                  ^ Ctrl+- Effectuer un zoom arrière de la présentation en cours d'édition.
                  Déplacer la diapositive sélectionnée à la dernière position dans la liste.
                  Exécuter des actions sur des objetsExécuter des actions sur des objets
                  Créer une copie⌘ Cmd+⇧ Maj+G Dissocier le groupe d'objets sélectionnés.
                  Sélectionner l'objet suivant↹ Tab
                  Sélectionner l'objet suivant ↹ TabSélectionner l'objet suivant après l'objet sélectionné.
                  Sélectionner l'objet précédent⇧ Maj+↹ Tab↹ TabSélectionner l'objet suivant après l'objet sélectionné.
                  Sélectionner l'objet précédent ⇧ Maj+↹ TabSélectionner l'objet précédent avant l'objet actuellement sélectionné.
                  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.
                  ⇧ Maj+↹ TabSélectionner l'objet précédent avant l'objet actuellement sélectionné.
                  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.
                  Modification des objets
                  ⌘ Cmd+ Maintenez la touche Ctrl (⌘ Cmd pour Mac) 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
                  Utilisation des tableaux
                  Passer à la cellule suivante d’une ligne ↹ TabAller à la cellule suivante d’une ligne de tableau.
                  Passer à la cellule précédente d’une ligne⇧ Maj+↹ Tab↹ TabAller à la cellule suivante d’une ligne de tableau.
                  Passer à la cellule précédente d’une ligne ⇧ Maj+↹ TabAller à la cellule précédente d’une ligne de tableau.
                  Passer à la ligne suivante⇧ Maj+↹ TabAller à 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édenteAller à 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éeAller à la ligne précédente d’un tableau.
                  Commencer un nouveau paragraphe↵ Entrée ↵ RetourCommencer un nouveau paragraphe dans une cellule.
                  Ajouter une nouvelle ligne↹ Tab dans la cellule inférieure droite du tableau.Commencer un nouveau paragraphe dans une cellule.
                  Ajouter une nouvelle ligne ↹ Tab dans la cellule inférieure droite du tableau.Ajouter une nouvelle ligne au bas du tableau.
                  ↹ Tab dans la cellule inférieure droite du tableau.Ajouter une nouvelle ligne au bas du tableau.
                  Prévisualisation de la présentation
                  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 motCtrl+⇧ Maj+Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot.
                  Sélectionner au début d'un motCtrl+⇧ 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 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 motCtrl+⇧ Maj+Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot.
                  Sélectionner au début d'un motCtrl+⇧ 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).
                  Style de texte
                  IndiceCtrl+⇧ Maj+>⌘ Cmd+⇧ Maj+>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.
                  ExposantCtrl+⇧ Maj+<⌘ Cmd+⇧ Maj+<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.
                  Aligner à gauche avec le texte aligné par le côté gauche du bloc de texte, le côté droit reste non aligné.
                  Augmenter le retrait gaucheCtrl+M^ Ctrl+MAugmenter l'alinéa de gauche d'une position de tabulation.
                  Diminuer l'indentation gaucheCtrl+⇧ Maj+M^ Ctrl+⇧ Maj+MDiminuer l'alinéa de gauche d'une position de tabulation.
                  Supprimer un caractère à gauche← Retour arrière← Retour arrièreSupprimer un caractère à gauche du curseur.
                  Supprimer un caractère à droiteSupprimerFn+SupprimerSupprimer un caractère à droite du curseur.
                  Se déplacer dans le texte
                  Déplacer un caractère vers la gaucheDéplacer le curseur d'un caractère vers la gauche.
                  Déplacer un caractère vers la droiteDéplacer le curseur d'un caractère vers la droite.
                  Déplacer une ligne vers le hautDéplacer le curseur d'une ligne vers le haut.
                  Déplacer une ligne vers le basDéplacer le curseur d'une ligne vers le bas.
                  Déplacer vers le début d'un mot ou un mot vers la gaucheCtrl+⌘ 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 droiteCtrl+⌘ Cmd+Déplacer le curseur d'un mot vers la droite.
                  Passer à l'emplacement suivantCtrl+↵ Entrée^ Ctrl+↵ Retour,
                  ⌘ Cmd+↵ Retour
                  Passer au titre ou au corps du texte suivant. S'il s'agit du dernier caractère de remplacement d'une diapositive, une nouvelle diapositive sera insérée avec la même disposition que la diapositive originale.
                  Sauter au début de la ligneDébutDébutPlacer le curseur au début de la ligne en cours d'édition.
                  Sauter à la fin de la ligneFinFinPlacer le curseur à la fin de la ligne en cours d'édition.
                  Aller au début de la zone de texteCtrl+Début Move the cursor one paragraph up.
                  One paragraph downCtrl+Placer le curseur au début de la zone de texte en cours d'édition.
                  Aller à la fin de la zone de texteCtrl+Fin Move the cursor one paragraph down.
                  Sauter au début de la ligneDébutDébutPlacer le curseur au début de la ligne en cours d'édition.
                  Sauter à la fin de la ligneFinFinPlacer le curseur à la fin de la ligne en cours d'édition.
                  Aller au début de la zone de texteCtrl+DébutPlacer le curseur au début de la zone de texte en cours d'édition.
                  Aller à la fin de la zone de texteCtrl+FinPlacer le curseur à la fin de la zone de texte en cours d'édition.
                  Placer le curseur à la fin de la zone de texte en cours d'édition.
                  diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Navigation.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Navigation.htm index 1613a5662..7cba0154c 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Navigation.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Navigation.htm @@ -20,18 +20,19 @@

                  Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la présentation, 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 Paramètres d'affichage:

                    -
                  • Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage
                    et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. -

                    Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

                    -
                  • -
                  • Masquer la barre d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de diapositives et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois.
                  • -
                  • Masquer les règles sert à masquer les règles qui sont utilisées pour définir des tabulations et des retraits de paragraphe dans une zone de texte. Pour afficher les Règles masquées, cliquez sur cette option encore une fois.
                  • -
                  • Masquer les notes sert à masquer les notes en-dessous de chaque diapositive. Il est également possible d'afficher/masquer cette section en la faisant glisser avec le pointeur de la souris.
                  • +
                  • + Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage L'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. +

                    Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

                    +
                  • +
                  • Masquer la barre d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de diapositives et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois.
                  • +
                  • Masquer les règles sert à masquer les règles qui sont utilisées pour définir des tabulations et des retraits de paragraphe dans une zone de texte. Pour afficher les Règles masquées, cliquez sur cette option encore une fois.
                  • +
                  • Masquer les notes sert à masquer les notes en-dessous de chaque diapositive. Il est également possible d'afficher/masquer cette section en la faisant glisser avec le pointeur de la souris.

                  La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet/diapositive 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. La largeur de la barre latérale gauche est ajustée par simple glisser-déposer: déplacez le curseur de la souris sur la bordure gauche pour qu'elle se transforme en flèche bidirectionnelle et déplacez la bordure vers la gauche pour réduire la largeur de la barre latérale ou vers la droite pour l'agrandir.

                  Utiliser les outils de navigation

                  Pour naviguer à travers votre présentation, 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 la présentation active. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200%) ou utilisez les boutons Zoom avant

                  ou Zoom arrière
                  . Cliquez sur l'icône Ajuster à la largeur
                  pour adapter la largeur de la diapositive à 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 diapositive
                  . 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. + Les boutons Zoom sont situés en bas à droite et sont utilisés pour faire un zoom avant et arrière dans la présentation active. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant 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 diapositive à 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 diapositive Bouton Ajuster à la diapositive . Les paramètres de Zoom sont également disponibles dans la liste déroulante Paramètres d'affichage L'icône Paramètres d'affichage qui peuvent être bien utiles si vous décidez de masquer la Barre d'état.

                  Remarque: vous pouvez définir une valeur de zoom par défaut. Basculez vers l'onglet Fichier de la barre d'outils supérieure, allez à la section Paramètres avancés..., choisissez la Valeur de zoom par défaut nécessaire dans la liste et cliquez sur le bouton Appliquer.

                  Pour accéder à la diapositive précédente ou suivante lors de la modification de la présentation, vous pouvez utiliser les boutons

                  et
                  en haut et en bas de la barre de défilement verticale sur le côté droit de la diapositive.

                  diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Password.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Password.htm index 1f3fb2778..e8406d4fe 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Password.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Password.htm @@ -24,9 +24,11 @@
                16. passez à l'onglet Fichier de la barre d'outils supérieure,
                17. choisissez l'option Protéger,
                18. cliquez sur le bouton Ajouter un mot de passe.
                19. -
                20. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
                21. +
                22. + saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur Show password icon pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. +

                  Définir un mot de passe

                  +
              -

              Définir un mot de passe

              Modifier le mot de passe

                diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index 9fb817863..cf245e93e 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -24,27 +24,27 @@ Édition Téléchargement - - PPT - Format de fichier utilisé par Microsoft PowerPoint - + - + - - + + PPT + Format de fichier utilisé par Microsoft PowerPoint + + + + + + PPTX Présentation Office Open XML
                Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte + + + - - - POTX - Modèle de document PowerPoint Open XML
                Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme - + - + - + - + + + POTX + Modèle de document PowerPoint Open XML
                Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + + + + + ODP Présentation OpenDocument
                Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice @@ -52,13 +52,13 @@ + + - - OTP - Modèle de présentation OpenDocument
                Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme - + - + - + - + + OTP + Modèle de présentation OpenDocument
                Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + + + + + 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 @@ -66,13 +66,29 @@ + - - 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. - - - + - + + 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. + + + + + + + + + PNG + Acronyme désignant Portable Network Graphics.
                PNG est un format de fichier graphique raster qui est largement utilisée sur le Web plutôt que pour la photographie et l'art. + + + + + + + JPG + Acronyme désignant Joint Photographic Experts Group.
                Le format d'image compressé le plus répandu qui est utilisé pour stocker et transmettre des images numérisées. + + + + + + diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm new file mode 100644 index 000000000..3a843a81c --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm @@ -0,0 +1,40 @@ + + + + Onglet Animation + + + + + + + +
                +
                + +
                +

                Onglet Animation

                +

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

                +
                +

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

                +

                Onglet Animation

                +
                +
                +

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

                +

                Onglet Animation

                +
                +

                En utilisant cet onglet, vous pouvez:

                +
                  +
                • sélectionner des effets d'animation,
                • +
                • paramétrer la direction du mouvement de chaque effet,
                • +
                • ajouter plusieurs animations,
                • +
                • changer l'ordre des effets d'animation en utilisant les options Déplacer avant ou Déplacer après,
                • +
                • afficher l'aperçu d'une animation,
                • +
                • configurer des options de minutage telles que la durée, le retard et la répétition des animations,
                • +
                • activer et désactiver le retour à l'état d'origine de l'animation.
                • +
                +
                + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index 81b4d2fae..6feaf7472 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -42,7 +42,7 @@ La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Collaboration, Protection, Modules complémentaires.

                Des options Copier

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

                -
              • La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation: l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées, etc.) et permet de définir la langue du texte et d'activer la vérification orthographique.
              • +
              • La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation: l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.) et permet de définir la langue du texte et d'activer la vérification orthographique.
              • La barre latérale gauche contient les icônes suivantes:
                  diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm new file mode 100644 index 000000000..574a296d7 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm @@ -0,0 +1,37 @@ + + + + Onglet Transitions + + + + + + + +
                  +
                  + +
                  +

                  Onglet Transitions

                  +

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

                  +
                  +

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

                  +

                  Onglet Transitions

                  +
                  +
                  +

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

                  +

                  Onglet Transitions

                  +
                  +

                  En utilisant cet onglet, vous pouvez:

                  + +
                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..d363c24d8 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm @@ -0,0 +1,44 @@ + + + + Onglet Affichage + + + + + + + +
                  +
                  + +
                  +

                  Onglet Affichage

                  +

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

                  +
                  +

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

                  +

                  Onglet Affichage

                  +
                  +
                  +

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

                  +

                  Onglet Affichage

                  +
                  +

                  Les options d'affichage disponibles sous cet onglet:

                  +
                    +
                  • Zoom permet de zoomer et dézoomer sur une page du document,
                  • +
                  • Ajuster à la diapositive permet de redimensionner la page pour afficher une diapositive entière sur l'écran,
                  • +
                  • Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran,
                  • +
                  • Thème d'interface permet de modifier le thème d'interface en choisissant le thème Clair, Classique clair ou Sombre,
                  • +
                  +

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

                  +
                    +
                  • Notes pour rendre visible le panneau de notes.
                  • +
                  • Règles pour rendre visible les règles.
                  • +
                  • Toujours afficher la barre d'outils - pour rendre visible la barre d'outils supérieure.
                  • +
                  • Barre d'état pour rendre visible la barre d'état.
                  • +
                  +
                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/AddingAnimations.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/AddingAnimations.htm new file mode 100644 index 000000000..18c22e8ea --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/AddingAnimations.htm @@ -0,0 +1,89 @@ + + + + Ajouter des animations + + + + + + + +
                  +
                  + +
                  +

                  Ajouter des animations

                  +

                  Animation est un effet visuel permettant d'animer du texte, des objets et des graphiques pour rendre votre présentation plus dynamique et pour accentuer une information importante. Vous pouvez contrôler le trajectoire, la couleur et la taille du texte, des objets et des graphiques.

                  +

                  Appliquer un effet d'animation

                  +
                    +
                  1. Passez à l'onglet Animation de la barre d'outils supérieure.
                  2. +
                  3. Sélectionnez le texte, l'objet ou l'élément graphique à animer.
                  4. +
                  5. Sélectionnez l'animation dans la galerie des effets d'animation.
                  6. +
                  7. Paramétrez la direction du mouvement de l'animation en cliquant sur Paramètres à côté de la galerie des effets d'animation. Le choix des paramètres dans la liste déroulante dépend de l'effet choisi.
                  8. +
                  +

                  Vous pouvez afficher l'aperçu des effets d'animation sur la diapositive actuelle. Par défaut, des effets d'animation démarrent automatiquement lorsque vous les ajoutez à la diapositive mais vous pouvez désactiver cette option. Cliquez sur la liste déroulante Aperçu dans l'onglet Animation et sélectionnez le mode d'aperçu:

                  +
                    +
                  • Aperçu pour afficher l'aperçu lorsque vous cliquez sur le bouton Aperçu,
                  • +
                  • Aperçu partiel pour afficher l'aperçu automatiquement lorsque vous ajoutez une animation à la diapositive ou remplacez l'animation existante.
                  • +
                  + +

                  Types d'animations

                  +

                  La liste de toutes animations disponibles se trouve dans la galerie des effets d'animation. Cliquez sur la flèche déroulante pour ouvrir la galerie. Chaque effet d'animation est représenté sous forme d'une étoile. Les effets d'animation sont regroupées selon le moment auquel ils se produisent:

                  +

                  Galerie des effets d'animation

                  +

                  Les effets d'entrée permettent de faire apparaître des objets sur une diapositive et sont colorés en vert dans la galerie.

                  +

                  Les effets d'accentuation permettent de modifier la taille et la couleur de l'objet pour le mettre en évidence et pour attirer l'attention de l'auditoire et sont colorés en jaune ou sont bicolores dans la galerie.

                  +

                  Les effets de sortie permettent de faire disparaître des objets de la diapositive et sont colorés en rouge dans la galerie.

                  +

                  Les effets de trajectoire permettent de déterminer le déplacement de l'objet et son trajectoire. Les icônes dans la galerie affichent le chemin proposé.

                  +

                  Faites défiler la page vers le bas pour naviguer tous les effets disponibles dans la galerie. Si vous ne trouvez pas l'animation requise dans la galerie, cliquez sur Afficher plus d'effets en bas de la galerie.

                  +

                  Plus d'effets

                  +

                  Ici, vous allez trouver la liste complète des effets d'animation. En outre, les effets sont regroupés par leur impact visuel sur l'audience.

                  +
                    +
                  • Les effets d'entrée, d'accentuation et de sortie sont regroupés par Simple, Discret, Modérer et Captivant.
                  • +
                  • Les effets de trajectoire sont regroupés par Simple, Discret et Modérer.
                  • +
                  +

                  Par défaut, l'option Effet d'aperçu est activée, désactivez-la si vous n'en avez pas besoin.

                  + +

                  Appliquer plusieurs animations

                  +

                  Vous pouvez appliquer plusieurs effets d'animation au même objet. Pour ce faire,

                  +
                    +
                  1. Cliquez sur le bouton Ajouter une animation sous l'onglet Animation.
                  2. +
                  3. La liste des effets d'animation s'affichera. Répétez les opérations 3 et 4 ci-dessus pour appliquer encore un effet d'animation.
                  4. +
                  +

                  Si vous utilisez la galerie des effets d'animation au lieu du bouton Ajouter une animation, le premier effet d'animation sera remplacé par un nouvel. Les nombres dans des petits carrés gris indiquent l'ordre des effets appliqués.

                  +

                  Lorsque vous appliquez plusieurs effets à un objet, l'icône Multiple apparaîtra dans la galerie des effets d'animation.

                  +

                  Plusieurs effets

                  +

                  Changer l'ordre des effets d'animation sur une diapositive

                  +
                    +
                  1. Cliquez sur le symbole carré indiquant l'effet d'animation.
                  2. +
                  3. Cliquez sur l'une des flèches Déplacer avant ou Déplacer après sous l'onglet Animation pour modifier l'ordre d'apparition sur la diapositive.
                  4. +
                  +

                  Ordre d'animations

                  +

                  Déterminer le minutage d'une animation

                  +

                  Utilisez les options de minutage sous l'onglet Animation pour déterminer le début, la durée, le retard, la répétition et le retour à l'état d'origine de l'animation.

                  +

                  Options de démarrage d'une animation.

                  +
                    +
                  • Au clic - l'animation va démarrer lorsque vous cliquez sur la diapositive. C'est l'option par défaut.
                  • +
                  • Avec la précédente - l'animation va démarrer au même temps que l'animation précédente.
                  • +
                  • Après la précédente - l'animation va démarrer immédiatement après l'animation précédente.
                  • +
                  +

                  Remarque: Les effets d'animation sont numérotés automatiquement sur une diapositive. Toutes les animations définies à démarrer Avec la précédente ou Après la précédente prennent le numéro de l'animation avec laquelle ils sont connectées.

                  +

                  Ordre des animations

                  +

                  Options de déclenchement d'une animation:

                  +

                  Cliquez sur le bouton Déclencheur et sélectionnez l'une des options appropriée:

                  +
                    +
                  • Séquence de clics pour démarrer l'animation suivante chaque fois que vous cliquez n'importe où sur une diapositive. C'est l'option par défaut.
                  • +
                  • Au clic sur pour démarrer l'animation lorsque vous cliquez sur l'objet que vous avez sélectionné dans la liste déroulante.
                  • +
                  +

                  Options de déclenchement

                  +

                  Autres options de minutage

                  +

                  Options de minutage

                  +

                  Durée - utilisez cette option pour contrôler la durée d'affichage de chaque animation. Sélectionnez l'une des options disponibles dans le menu ou saisissez votre valeur.

                  +

                  Durée d'animation

                  +

                  Retard - utilisez cette option si vous voulez préciser le délai dans lequel une animation sera affichée ou si vous avez besoin d'une pause dans la lecture des effets. Sélectionnez une valeur appropriée en utilisant les flèches pu ou saisissez votre valeur mesurée en secondes.

                  +

                  Répéter - utilisez cette option si vous souhaitez afficher une animation plusieurs fois. Activez l'option Répéter et sélectionnez l'une des options disponibles ou saisissez votre valeur.

                  +

                  Répéter animation

                  +

                  Rembobiner - activez cette option si vous souhaitez revenir à l'état d'origine d'un effet après son affichage.

                  +
                  + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ApplyTransitions.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ApplyTransitions.htm index b3fea6a43..3718e3f52 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ApplyTransitions.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ApplyTransitions.htm @@ -10,35 +10,39 @@ -
                  -
                  - +
                  +
                  + +
                  +

                  Appliquer des transitions

                  +

                  Une transition est un effet d'animation qui apparaît entre deux diapositives quand une diapositive avance vers la suivante pendant la démonstration. Dans Presentation Editor, vous pouvez appliquer une même transition à toutes les diapositives ou à de différentes transitions à chaque diapositive séparée et régler leurs propriétés.

                  +

                  Pour appliquer une transition à une seule diapositive ou à plusieurs diapositives sélectionnées:

                  +
                    +
                  1. + Passez à l'onglet Transitions de la barre d'outils supérieure. +

                    Transitions tab

                    +
                  2. +
                  3. + Sélectionnez une diapositive nécessaire (ou plusieurs diapositives de la liste) à laquelle vous voulez appliquer une transition. +
                  4. +
                  5. Sélectionnez une transition appropriée parmi les transitions disponibles sous l'onglet Transitions: Aucune, Fondu, Expulsion, Effacement, Diviser, Découvrir, Couvrir, Horloge, Zoom.
                  6. +
                  7. Cliquez sur le bouton Paramètres pour sélectionner l'un des effets disponibles et définir le mode d'apparition de l'effet. Par exemple, si vous appliquez l'effet Zoom, vous pouvez sélectionner une des options suivantes: Zoom avant, Zoom arrière ou Zoom et rotation.
                  8. +
                  9. Spécifiez la durée de la transition dans la boîte Durée, saisissez ou sélectionnez la valeur appropriée mesurée en secondes.
                  10. +
                  11. Cliquez sur le bouton Aperçu pour visualiser la diapositive avec la transition appliquée dans la zone d'édition.
                  12. +
                  13. + Précisez combien de temps la diapositive doit être affichée avant d'avancer vers une autre: +
                      +
                    • Démarrer en cliquant - cochez cette case si vous ne voulez pas limiter le temps de l'affichage de la diapositive sélectionnée. La diapositive n'avance vers une autre qu'après un clic de la souris.
                    • +
                    • + Retard utilisez cette option si vous voulez préciser le temps de l'affichage d'une diapositive avant son avancement vers une autre. Cochez cette case et saisissez la valeur appropriée, mesurée en secondes. +

                      Remarque: si vous ne cochez que la case Retard, les diapositives avancent automatiquement avec un intervalle de temps indiqué. Si vous cochez les deux cases Démarrer en cliquant et Retard et précisez la valeur de temps nécessaire, l'avancement des diapositives se fait aussi automatiquement, mais vous aurez la possibilité de cliquer sur la diapositive pour vous avancer vers une autre.

                      +
                    • +
                    +
                  14. +
                  +

                  Pour appliquer une transition à toutes les diapositives de la présentation cliquez sur le bouton Appliquer à toutes les diapositives sous l'onglet Transitions.

                  +

                  Pour supprimer une transition: sélectionnez une diapositive nécessaire et choisissez l'option Aucun parmi les effets disponibles sous l'onglet Transitions.

                  +

                  Pour supprimer toutes les transitions: sélectionnez une diapositive, choisissez l'option Aucun parmi les effets disponibles et appuyez sur Appliquer à toutes les diapositives sous l'onglet Transitions.

                  -

                  Appliquer des transitions

                  -

                  Une transition est un effet d'animation qui apparaît entre deux diapositives quand une diapositive avance vers la suivante pendant la démonstration. Dans Presentation Editor, vous pouvez appliquer une même transition à toutes les diapositives ou à de différentes transitions à chaque diapositive séparée et régler leurs propriétés.

                  -

                  Pour appliquer une transition à une seule diapositive ou à plusieurs diapositives sélectionnées:

                  -

                  Slide settings tab

                  -
                    -
                  1. Sélectionnez une diapositive nécessaire (ou plusieurs diapositives de la liste) à laquelle vous voulez appliquer une transition. L'onglet Paramètres de la diapositive sera activé sur la barre latérale droite. Pour l'ouvrir, cliquez sur l'icône Paramètres de la diapositive
                    à droite. Vous pouvez également cliquer avec le bouton droit sur une diapositive dans la zone d'édition de diapositives et sélectionner l'option Paramètres de diapositive dans le menu contextuel. -
                  2. -
                  3. Sélectionnez une transition de la liste déroulante Effet. -

                    Les transitions disponibles sont les suivantes: Fondu, Expulsion, Effacement, Diviser, Découvrir, Couvrir, Horloge, Zoom.

                    -
                  4. -
                  5. Dans la liste déroulante, sélectionnez l'un des effets disponibles. Ces types servent à définir le mode d'apparition de l'effet. Par exemple, si vous appliquez l'effet Zoom, vous pouvez sélectionner une des options suivantes: Zoom avant, Zoom arrière ou Zoom et rotation.
                  6. -
                  7. Spécifiez la durée de la transition Dans le champ Durée, sélectionnez la valeur appropriée mesurée en secondes.
                  8. -
                  9. Cliquez sur le bouton Aperçu pour visualiser la diapositive avec la transition appliquée dans la zone d'édition.
                  10. -
                  11. Précisez combien de temps la diapositive doit être affichée avant d'avancer vers une autre: -
                      -
                    • Démarrer en cliquant – cochez cette case si vous ne voulez pas limiter le temps de l'affichage de la diapositive sélectionnée. La diapositive n'avance vers une autre qu'après un clic de la souris.
                    • -
                    • Retard – utilisez cette option si vous voulez préciser le temps de l'affichage d'une diapositive avant son avancement vers une autre. Cochez cette case et saisissez la valeur appropriée, mesurée en secondes. -

                      Remarque: si vous ne cochez que la case Retard, les diapositives avancent automatiquement avec un intervalle de temps indiqué. Si vous cochez les deux cases Démarrer en cliquant et Retard et précisez la valeur de temps nécessaire, l'avancement des diapositives se fait aussi automatiquement, mais vous aurez la possibilité de cliquer sur la diapositive pour vous avancer vers une autre.

                      -
                    • -
                    -
                  12. -
                  -

                  Pour appliquer une transition à toutes les diapositives de la présentation : procédez de la manière décrite ci-dessus et cliquez sur le bouton Appliquer à toutes les diapositives.

                  -

                  Pour supprimer une transition: sélectionnez une diapositive nécessaire, accédez au panneau de configuration de la diapositive et choisissez l'option Aucun dans la section Effet.

                  -

                  Pour supprimer toutes les transitions: sélectionnez une diapositive, choisissez l'option Aucun de la section Effet et appuyez sur Appliquer à toutes les diapositives.

                  -
                  diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm index 7cd05f399..8096a62a6 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm @@ -10,26 +10,27 @@ -
                  -
                  - -
                  -

                  Copier/coller les données, annuler/rétablir vos actions

                  +
                  +
                  + +
                  +

                  Copier/coller les données, annuler/rétablir vos actions

                  Utiliser les opérations de base du presse-papiers

                  -

                  Pour couper, copier et coller les objets sélectionnés (diapositives, passages de texte, formes automatiques) dans Presentation Editor ou annuler/rétablir vos actions, utilisez les icônes correspondantes sur la barre d'outils supérieure :

                  +

                  Pour couper, copier et coller les objets sélectionnés (diapositives, passages de texte, formes automatiques) dans Presentation Editor ou annuler/rétablir vos actions, utilisez les icônes correspondantes sur la barre d'outils supérieure :

                  • Couper – sélectionnez un objet et utilisez l'option Couper du menu contextuel pour effacer la sélection et l'envoyer dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées ensuite à un autre endroit de la même présentation
                  • -
                  • Copier – sélectionnez 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. L'objet copié peut être inséré ensuite à un autre endroit dans la même présentation.
                  • -
                  • Coller – trouvez l'endroit dans votre présentation où vous voulez coller l'objet précédemment copié et utilisez l'option Coller du menu contextuel ou l'icône Coller
                    de la barre d'outils supérieure. L'objet sera inséré à la position actuelle du curseur. L'objet peut être copié depuis la même présentation.
                  • -
                  +
                • Copier – sélectionnez un objet et utilisez l'option Copier dans le menu contextuel, ou l'icône Copier Icône Copier de la barre d'outils supérieure pour copier la sélection dans le presse-papiers de l'ordinateur. L'objet copié peut être inséré ensuite à un autre endroit dans la même présentation.
                • +
                • Coller – trouvez l'endroit dans votre présentation où vous voulez coller l'objet précédemment copié et utilisez l'option Coller du menu contextuel ou l'icône Coller Icône Coller de la barre d'outils supérieure. L'objet sera inséré à la position actuelle du curseur. L'objet peut être copié depuis la même présentation.
                • +

                Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre présentation 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+C pour copier ;
                • -
                • Ctrl+V pour coller ;
                • -
                • Ctrl+X pour couper.
                • -
                +
                  +
                • Ctrl+C pour copier ;
                • +
                • Ctrl+V pour coller ;
                • +
                • Ctrl+X pour couper.
                • +

                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.

                +

                Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict.

                +

                Une fois le texte copié collé, le bouton Collage spécial 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.

                Lors du collage de passages de texte, les options suivantes sont disponibles:

                • Utiliser le thème de destination - permet d'appliquer la mise en forme spécifiée par le thème de la présentation en cours. Cette option est utilisée par défaut.
                • @@ -47,12 +48,13 @@

                  Utiliser les opérations Annuler/Rétablir

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

                    -
                  • Annuler – utilisez l'icône Annuler
                    pour annuler la dernière action effectuée.
                  • -
                  • Rétablir – utilisez l'icône Rétablir
                    pour rétablir la dernière action annulée.

                    Vous pouvez aussi utiliser la combinaison de touches Ctrl+Z pour annuler ou pour rétablir Ctrl+Y.

                    +
                  • Annuler – utilisez l'icône Annuler Icône Annuler pour annuler la dernière action effectuée.
                  • +
                  • + Rétablir – utilisez l'icône Rétablir Icône Rétablir pour rétablir la dernière action annulée.

                    Vous pouvez aussi utiliser la combinaison de touches Ctrl+Z pour annuler ou pour rétablir Ctrl+Y.

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

                  - - + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/FillObjectsSelectColor.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/FillObjectsSelectColor.htm index 7bc739318..a4907c0c6 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/FillObjectsSelectColor.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/FillObjectsSelectColor.htm @@ -53,8 +53,8 @@

                  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.
                  • -
                  • Angle - spécifier l'angle selon lequel les couleurs se fondent.
                  • +
                  • Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. 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.
                  • +
                  • Angle - spécifiez l'angle selon lequel les couleurs se fondent.
                  • Point de dégradé est le point d'arrêt où une couleur se fond dans une autre.
                    1. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé et le bouton Supprimer le point de dégradé pour le supprimer. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé.
                    2. diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm index 9272dea72..dd7273b03 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm @@ -10,60 +10,60 @@ -
                      -
                      - -
                      -

                      Insérer et mettre en forme des formes automatiques

                      +
                      +
                      + +
                      +

                      Insérer et mettre en forme des formes automatiques

                      Insérer une forme automatique

                      -

                      Pour ajouter une forme automatique à une diapositive dans Presentation Editor,

                      -
                        -
                      1. sélectionnez la diapositive à laquelle vous voulez ajouter une forme automatique dans la liste des diapositives à gauche.
                      2. -
                      3. cliquez sur l'icône
                        Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                      4. -
                      5. sélectionnez l'un des groupes de formes automatiques disponibles : Formes de base, Flèches figurées, Mathématiques, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
                      6. -
                      7. cliquez sur la forme automatique voulue du groupe sélectionné,
                      8. -
                      9. dans la zone d'édition de la diapositive, placez le curseur de la souris là où vous voulez insérer la forme,

                        Remarque : vous pouvez cliquer et faire glisser pour étirer la forme.

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

                        -
                      12. -
                      -

                      Il est possible d'ajouter une forme automatique à la disposition d'une diapositive. Pour en sqvoir plus, veuillez consulter cet article.

                      +

                      Pour ajouter une forme automatique à une diapositive dans Presentation Editor,

                      +
                        +
                      1. sélectionnez la diapositive à laquelle vous voulez ajouter une forme automatique dans la liste des diapositives à gauche.
                      2. +
                      3. cliquez sur l'icône Insérer une forme automatique Forme dans l'onglet Accueil ou sur la flèche déroulante de la Gallerie de formes Galerie de formes dans l'onglet Insertion de la barre d'outils supérieure,
                      4. +
                      5. sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
                      6. +
                      7. cliquez sur la forme automatique voulue du groupe sélectionné,
                      8. +
                      9. dans la zone d'édition de la diapositive, placez le curseur de la souris là où vous voulez insérer la forme,

                        Remarque : vous pouvez cliquer et faire glisser pour étirer la forme.

                      10. +
                      11. 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).

                      12. +
                      +

                      Il est possible d'ajouter une forme automatique à la disposition d'une diapositive. Pour en sqvoir plus, veuillez consulter cet article.

                      -
                      +

                      Modifier les paramètres de la forme automatique

                      -

                      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 :

                      -

                      Onglet Paramètres de la forme

                      -
                        -
                      • 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 à appliquer aux diapositives sélectionnées.
                        • -
                        • Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs et remplir la forme avec une transition douce entre elles.
                        • -
                        • 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.
                        • -
                        • Modèle - sélectionnez cette option pour choisir un modèle à deux couleurs composé d'éléments répétés.
                        • -
                        • Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage.
                        • -
                        -

                        Pour en savoir plus consultez le chapitre Remplir les objets et sélectionner les couleurs.

                        -
                      • -
                      • Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique.
                          -
                        • Pour modifier la largeur du contour, 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 de contour.
                        • -
                        • Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Vous pouvez utiliser la couleur de thème sélectionnée, une couleur standard ou choisir une couleur personnalisée.
                        • -
                        • 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)
                        • +

                          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 :

                          +

                          Onglet Paramètres de la forme

                          +
                            +
                          • + 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 à appliquer aux diapositives sélectionnées.
                            • +
                            • Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs et remplir la forme avec une transition douce entre elles.
                            • +
                            • 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.
                            • +
                            • Modèle - sélectionnez cette option pour choisir un modèle à deux couleurs composé d'éléments répétés.
                            • +
                            • Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage.
                            • +
                            +

                            Pour en savoir plus consultez le chapitre Remplir les objets et sélectionner les couleurs.

                            +
                          • +
                          • + Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique.
                              +
                            • Pour modifier la largeur du contour, 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 de contour.
                            • +
                            • Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Vous pouvez utiliser la couleur de thème sélectionnée, une couleur standard ou choisir une couleur personnalisée.
                            • +
                            • 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).
                          • -
                          -
                        • 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é.
                        • - -
                          -

                          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 contextuel ou cliquez avec le bouton gauche et utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre Propriétés de la forme s'ouvre :

                          +
                        • + 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 :
                            +
                          • icône Pivoter dans le sens inverse des aiguilles d'une montre pour faire pivoter la forme 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 la forme de 90 degrés dans le sens des aiguilles d'une montre
                          • +
                          • icône Retourner horizontalement pour retourner la forme horizontalement (de gauche à droite)
                          • +
                          • icône Retourner verticalement pour retourner la forme verticalement (à l'envers)
                          • +
                          +
                        • +
                        • 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é.
                        • +
                        +
                        +

                        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 contextuel ou cliquez avec le bouton gauche et utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre Propriétés de la forme s'ouvre :

                        Paramètres de la forme - onglet Taille

                        -

                        L'onglet Taille vous permet de modifier la Largeur et/ou la Hauteur de la forme automatique. Si le bouton Proportions constantes

                        est activé (auquel cas il ressemble à ceci
                        ), la largeur et la hauteur seront changées en même temps et le ratio d'aspect de la forme automatique originale sera préservé.

                        +

                        L'onglet Taille vous permet de modifier la Largeur et/ou la Hauteur de la forme automatique. Si le bouton Proportions constantes Icône Proportions constantes est activé (auquel cas il ressemble à ceci Icône Proportions constantes activée), la largeur et la hauteur seront changées en même temps et le ratio d'aspect de la forme automatique originale sera préservé.

                        Forme - Paramètres avancés

                        L'onglet Rotation comporte les paramètres suivants :

                          @@ -71,53 +71,59 @@
                        • Retourné - cochez la case Horizontalement pour retourner la forme horizontalement (de gauche à droite) ou la case Verticalement pour retourner la forme verticalement (à l'envers).

                        Paramètres de la forme - onglet Poids et flèches

                        -

                        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 des listes déroulantes.
                        • -
                        +

                        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 des listes déroulantes.
                        • +

                        Paramètres de la forme - onglet Marge de texte

                        -

                        L'onglet Marges intérieures 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).

                        +

                        L'onglet Marges intérieures 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é.

                        -

                        Paramètres de la forme - onglet Colonnes

                        +

                        Paramètres de la forme - onglet Colonnes

                        L'onglet Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre.

                        Paramètres de la forme - onglet Texte alternatif

                        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.


                        -

                        Pour remplacer la forme automatique, cliquez dessus avec le bouton gauche de la souris et utilisez la liste déroulante Modifier la forme automatique dans l'onglet Paramètres de forme de la barre latérale droite.

                        -

                        Pour supprimer la forme automatique ajoutée, cliquez avec le bouton gauche de la souris et appuyez sur la touche Suppr.

                        -

                        Pour apprendre à aligner une forme automatique sur la diapositive ou à organiser plusieurs formes, reportez-vous à la section Aligner et organiser les objets dans une diapositive.

                        +

                        Pour remplacer la forme automatique, cliquez dessus avec le bouton gauche de la souris et utilisez la liste déroulante Modifier la forme automatique dans l'onglet Paramètres de forme de la barre latérale droite.

                        +

                        Pour supprimer la forme automatique ajoutée, cliquez avec le bouton gauche de la souris et appuyez sur la touche Suppr.

                        +

                        Pour apprendre à aligner une forme automatique sur la diapositive ou à organiser plusieurs formes, reportez-vous à la section Aligner et organiser les objets dans une diapositive.


                        Joindre des formes automatiques à l'aide de connecteurs

                        Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour le faire,

                          -
                        1. cliquez sur l'icône
                          Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                        2. -
                        3. sélectionnez le groupe Lignes dans le menu,

                          Formes - Lignes

                          +
                        4. cliquez sur l'icône Insérer une forme automatique Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                        5. +
                        6. + sélectionnez le groupe Lignes dans le menu,

                          Formes - Lignes

                        7. cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre),
                        8. -
                        9. passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions
                          apparaissant sur le contour,

                          +
                        10. + passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions Icône Point de connexion apparaissant sur le contour,

                          Utiliser des connecteurs

                        11. -
                        12. faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour.

                          +
                        13. + faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour.

                          Utiliser des connecteurs

                        Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles.

                        Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion.

                        -
                      +
                      \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm index c4553d281..bff47b8b6 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm @@ -20,65 +20,75 @@
                      1. placez le curseur à l'endroit où vous voulez insérer un graphique,
                      2. passez à l'onglet Insertion de la barre d'outils supérieure,
                      3. -
                      4. cliquez sur l'icône Graphique
                        de la barre d'outils supérieure,
                      5. -
                      6. choisissez le type de graphique approprié:
                        Graphique à colonnes -
                          -
                        • Histogramme groupé
                        • -
                        • Histogramme empilé
                        • -
                        • Histogramme empilé 100 %
                        • -
                        • Histogramme groupé en 3D
                        • -
                        • Histogramme empilé en 3D
                        • -
                        • Histogramme empilé 100 % en 3D
                        • -
                        • Histogrammes en 3D
                        • -
                        -
                        Graphiques en ligne -
                          -
                        • Ligne
                        • -
                        • Lignes empilées
                        • -
                        • Lignes empilées 100 %
                        • -
                        • Lignes avec marques de données
                        • -
                        • Lignes empilées avec marques de données
                        • -
                        • Lignes empilées 100 % avec des marques de données
                        • -
                        • Lignes 3D
                        • -
                        -
                        Graphiques en secteurs -
                          -
                        • Secteurs
                        • -
                        • Donut
                        • -
                        • Camembert 3D
                        • -
                        -
                        Graphiques à barres -
                          -
                        • Barres groupées
                        • -
                        • Barres empilées
                        • -
                        • Barres empilées 100 %
                        • -
                        • Barres groupées en 3D
                        • -
                        • Barres empilées en 3D
                        • -
                        • Barres empilées 100 % en 3D
                        • -
                        -
                        Graphiques en aires -
                          -
                        • Aires
                        • -
                        • Aires empilées
                        • -
                        • Aires empilées 100 %
                        • -
                        -
                        Graphiques boursiers
                        Nuage de points (XY) -
                          -
                        • Disperser
                        • -
                        • Barres empilées
                        • -
                        • Disperser avec lignes lissées et marqueurs
                        • -
                        • Disperser avec lignes lissées
                        • -
                        • Disperser avec des lignes droites et marqueurs
                        • -
                        • Disperser avec des lignes droites
                        • -
                        -
                        Graphiques Combo -
                          -
                        • Histogramme groupé - courbes
                        • -
                        • Histogramme groupé - courbe sur un axe secondaire
                        • -
                        • Aires empilées - histogramme groupé
                        • -
                        • Combinaison personnalisée
                        • -
                        -
                        +
                      7. cliquez sur l'icône Graphique L'icône Insérer un graphique de la barre d'outils supérieure,
                      8. +
                      9. + choisissez le type de graphique approprié:
                        + Graphique à colonnes +
                          +
                        • Histogramme groupé
                        • +
                        • Histogramme empilé
                        • +
                        • Histogramme empilé 100 %
                        • +
                        • Histogramme groupé en 3D
                        • +
                        • Histogramme empilé en 3D
                        • +
                        • Histogramme empilé 100 % en 3D
                        • +
                        • Histogrammes en 3D
                        • +
                        +
                        + Graphiques en ligne +
                          +
                        • Ligne
                        • +
                        • Lignes empilées
                        • +
                        • Lignes empilées 100 %
                        • +
                        • Lignes avec marques de données
                        • +
                        • Lignes empilées avec marques de données
                        • +
                        • Lignes empilées 100 % avec des marques de données
                        • +
                        • Lignes 3D
                        • +
                        +
                        + Graphiques en secteurs +
                          +
                        • Secteurs
                        • +
                        • Donut
                        • +
                        • Camembert 3D
                        • +
                        +
                        + Graphiques à barres +
                          +
                        • Barres groupées
                        • +
                        • Barres empilées
                        • +
                        • Barres empilées 100 %
                        • +
                        • Barres groupées en 3D
                        • +
                        • Barres empilées en 3D
                        • +
                        • Barres empilées 100 % en 3D
                        • +
                        +
                        + Graphiques en aires +
                          +
                        • Aires
                        • +
                        • Aires empilées
                        • +
                        • Aires empilées 100 %
                        • +
                        +
                        Graphiques boursiers
                        + Nuage de points (XY) +
                          +
                        • Disperser
                        • +
                        • Barres empilées
                        • +
                        • Disperser avec lignes lissées et marqueurs
                        • +
                        • Disperser avec lignes lissées
                        • +
                        • Disperser avec des lignes droites et marqueurs
                        • +
                        • Disperser avec des lignes droites
                        • +
                        +
                        + Graphiques Combo +
                          +
                        • Histogramme groupé - courbes
                        • +
                        • Histogramme groupé - courbe sur un axe secondaire
                        • +
                        • Aires empilées - histogramme groupé
                        • +
                        • Combinaison personnalisée
                        • +
                        +
                        +

                        Remarque: ONLYOFFICE Presentation Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier.

                        +
                      10. lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm index 177416639..2bdd626a0 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm @@ -90,6 +90,12 @@
                      11. 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é).
                      12. 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/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index 7f6d082b5..f6c7028f1 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -49,9 +49,10 @@
                • 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:

                +

                Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix:

                  -
                • Si vous sélectionnez l'option 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 Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme.
                • +
                • Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées.
                • Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent

                Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes: A partir du fichier, Image de stockage ou A partir de l'URL. L'option Remplacer l'image est également disponible dans le menu contextuel.

                diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm index 0df5b82eb..39941f550 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm @@ -1,9 +1,9 @@  - Insérer et mettre en forme votre texte + Comment modifier un texte sur PowerPoin - + @@ -14,8 +14,8 @@
                -

                Insérer et mettre en forme votre texte

                -

                Insérer votre texte

                +

                Ajouter et mettre en forme votre texte

                +

                Insérer votre texte

                Dans Presentation Editor, vous pouvez ajouter un nouveau texte de trois manières différentes:

                • Ajoutez un passage de texte dans l'espace réservé de texte correspondant inclus dans la présentation de diapositive. Pour ce faire, placez simplement le curseur dans l'espace réservé et tapez votre texte ou collez-le en utilisant la combinaison de touches Ctrl+V à la place du texte par défaut correspondant.
                • @@ -34,7 +34,7 @@

                  Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi).

                  Comme un objet texte inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte.

                  Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé.

                  -

                  Mettre en forme une zone de texte

                  +

                  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

                    @@ -43,7 +43,7 @@
                  • pour aligner une zone de texte sur la diapositive, la faire pivoter ou la retourner, organiser des zones de texte par rapport à d'autres objets, cliquez avec le bouton droit sur la bordure de la zone de texte et utilisez les options de menu contextuel.
                  • pour créer des colonnes de texte dans la zone de texte, cliquez sur l'icône appropriée
                    de la barre de mise en forme du texte et choisissez l'option appropriée, ou cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez sur Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés.
                  -

                  Mettre en forme le texte dans la zone de texte

                  +

                  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.

                  @@ -157,7 +157,7 @@ La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abor
                • placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes avec la souris,
                • utilisez les champs correspondants de l'onglet Paramètres de texte
                  dans la barre latérale droite pour obtenir les résultats nécessaires:
                    -
                  • Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi deux options: Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite.
                  • +
                  • 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.
                    • @@ -168,10 +168,10 @@ La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abor

                      Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés .

                      -

                      Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne

                      sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes.

                      -

                      Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait

                      et Augmenter le retrait
                      .

                      -

                      Configurer les paramètres avancés du paragraphe

                      -

                      Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte

                      devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre:

                      +

                      Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne Interligne sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes.

                      +

                      Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait Réduire le retrait et Augmenter le retrait Augmenter le retrait.

                      +

                      Configurer les paramètres avancés du paragraphe

                      +

                      Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte L'icône Paramètres du texte devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre:

                      Paramètres du paragraphe - Retraits et espacement

                      L'onglet Retrait et emplacement permet de:

                        @@ -230,8 +230,8 @@ La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abor

                        Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage

                        dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher.

                        -

                        Modifier un style Text Art

                        -

                        Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art

                        dans la barre latérale de droite.

                        +

                        Modifier un style Text Art

                        +

                        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.
                        • diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManageSlides.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManageSlides.htm index 8d9147216..494fd0956 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManageSlides.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManageSlides.htm @@ -1,9 +1,9 @@  - Gérer des diapositives + Manage slides - + @@ -12,67 +12,67 @@
                          - +
                          -

                          Gérer des diapositives

                          -

                          Par défaut, une présentation nouvellement créée a une diapositive titre. Dans Presentation Editor, vous pouvez créer de nouvelles diapositives, copier une diapositive pour pouvoir la coller à un autre endroit de la liste, dupliquer des diapositives, déplacer des diapositives pour modifier leur ordre dans la liste des diapositives, supprimer des diapositives inutiles, marquer certaines diapositives comme masquées.

                          -

                          Pour créer une nouvelle diapositive Titre et Contenu:

                          +

                          Manage slides

                          +

                          By default, a newly created presentation has one blank Title Slide. In the Presentation Editor, you can create new slides, copy a slide to paste it later to another place in the slide list, duplicate slides, move slides to change their order, delete unnecessary slides and mark some slides as hidden.

                          +

                          To create a new Title and Content slide:

                            -
                          • cliquez sur l'icône
                            Ajouter une diapositive dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, ou
                          • -
                          • cliquez avec le bouton droit sur une diapositive de la liste et sélectionnez l'option Nouvelle diapositive dans le menu contextuel, ou
                          • -
                          • appuyez sur la combinaison de touches Ctrl+M.
                          • +
                          • click the Add Slide icon Add Slide icon on the Home or Insert tab of the top toolbar, or
                          • +
                          • right-click any slide in the list and select the New Slide option from the contextual menu, or
                          • +
                          • press the Ctrl+M key combination.
                          -

                          Pour créer une nouvelle diapositive avec une mise en page différente:

                          +

                          To create a new slide with a different layout:

                            -
                          1. cliquez sur la flèche à côté de l'icône
                            Ajouter une diapositive dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                          2. +
                          3. click the arrow next to the Add Slide icon Add Slide icon on the Home or Insert tab of the top toolbar,
                          4. - sélectionnez une diapositive avec la mise en page nécessaire de la liste. -

                            Remarque: vous pouvez modifier la mise en page de la diapositive ajoutée à tout moment. Pour en savoir plus consultez le chapitre Définir les paramètres de la diapositive .

                            + select a slide with the necessary layout from the menu. +

                            Note: you can change the layout of the added slide anytime. For additional information on how to do that, please refer to the Set slide parameters section.

                          -

                          Une nouvelle diapositive sera insérée après la diapositive sélectionnée dans la liste des diapositives existantes située à gauche.

                          -

                          Pour dupliquer une diapositive:

                          +

                          A new slide will be inserted after the selected one in the list of the existing slides on the left.

                          +

                          To duplicate slides:

                            -
                          1. cliquez avec le bouton droit sur une diapositive nécessaire dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. sélectionnez l'option Dupliquer la diapositive du menu contextuel.
                          4. +
                          5. select a slide, or multiple slides in the list of the existing slides on the left,
                          6. +
                          7. right-click the mouse button and select the Duplicate Slide option from the context menu, or go to the Home or the Insert tab, click the Add slide button and select the Duplicate Slide menu option.
                          -

                          La diapositive dupliquée sera insérée après la diapositive sélectionnée dans la liste des diapositives.

                          -

                          Pour copier une diapositive:

                          +

                          The duplicated slide will be inserted after the selected one in the slide list.

                          +

                          To copy slides:

                            -
                          1. sélectionnez la diapositive à copier dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. appuyez sur la combinaison de touches Ctrl+C,
                          4. -
                          5. sélectionnez la diapositive après laquelle vous voulez insérer la diapositive copiée,
                          6. -
                          7. appuyez sur la combinaison de touches Ctrl+V.
                          8. +
                          9. in the list of the existing slides on the left, select a slide or multiple slides you need to copy,
                          10. +
                          11. press the Ctrl+C key combination,
                          12. +
                          13. in the slide list, select the slide after which the copied slide should be pasted,
                          14. +
                          15. press the Ctrl+V key combination.
                          -

                          Pour déplacer une diapositive existante:

                          +

                          To move existing slides:

                            -
                          1. cliquez avec le bouton gauche sur la diapositive nécessaire dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. sans relâcher le bouton de la souris, faites-la glisser à l'endroit nécessaire dans la liste (une ligne horizontale indique un nouvel emplacement).
                          4. +
                          5. left-click the necessary slide or slides in the list of the existing slides on the left,
                          6. +
                          7. without releasing the mouse button, drag it to the necessary place in the list (a horizontal line indicates a new location).
                          -

                          Pour supprimer une diapositive inutile:

                          +

                          To delete unnecessary slides:

                            -
                          1. cliquez avec le bouton droit sur la diapositive à supprimer dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. sélectionnez l'option Supprimer la diapositive du menu contextuel.
                          4. +
                          5. right-click the slide or slides you want to delete in the list of the existing slides on the left,
                          6. +
                          7. select the Delete Slide option from the contextual menu.
                          -

                          Pour marquer une diapositive comme masquée:

                          +

                          To mark slides as hidden:

                            -
                          1. cliquez avec le bouton droit sur la diapositive à masquer dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. sélectionnez l'option Masquer la diapositive du menu contextuel.
                          4. +
                          5. right-click the slide or slides you want to hide in the list of the existing slides on the left,
                          6. +
                          7. select the Hide Slide option from the contextual menu.
                          -

                          Le numéro qui correspond à la diapositive cachée dans la liste à gauche sera barré. Pour afficher la diapositive cachée comme une diapositive normale dans la liste des diapositives, cliquez à nouveau sur l'option Masquer la diapositive.

                          -

                          -

                          Remarque: utilisez cette option si vous ne souhaitez pas montrer certaines diapositives à votre audience, mais souhaitez pouvoir y accéder si nécessaire. Lorsque vous lancez le diaporama en mode Présentateur, vous pouvez voir toutes les diapositives existantes dans la liste à gauche, tandis que les numéros de diapositives masquées sont barrés. Si vous souhaitez afficher une diapositive masquée aux autres, il suffit de cliquer dessus dans la liste à gauche - la diapositive s'affichera.

                          -

                          Pour sélectionner toutes les diapositives existantes à la fois:

                          +

                          The number that corresponds to the hidden slide in the slide list on the left will be crossed out. To display the hidden slide as a regular one in the slide list, click the Hide Slide option once again.

                          +

                          Hidden slide

                          +

                          Note: use this option if you do not want to demonstrate some slides to your audience, but want to be able to access them if necessary. If you start the slideshow in the Presenter mode, you can see all the existing slides in the list on the left, while hidden slides numbers are crossed out. If you wish to show a slide marked as hidden to others, just click it in the slide list on the left - the slide will be displayed.

                          +

                          To select all the existing slides at once:

                            -
                          1. cliquez avec le bouton droit sur une diapositive dans la liste des diapositives existantes située à gauche,
                          2. -
                          3. sélectionnez l'option Sélectionner tout du menu contextuel.
                          4. +
                          5. right-click any slide in the list of the existing slides on the left,
                          6. +
                          7. select the Select All option from the contextual menu.
                          -

                          Pour sélectionner plusieurs diapositives:

                          +

                          To select several slides:

                            -
                          1. maintenez la touche Ctrl enfoncée,
                          2. -
                          3. sélectionnez les diapositives nécessaires dans la liste des diapositives existantes située à gauche en la cliquant avec le bouton gauche de la souris.
                          4. +
                          5. hold down the Ctrl key,
                          6. +
                          7. select the necessary slides by left-clicking them in the list of the existing slides on the left.
                          -

                          Remarque: toutes les combinaisons de touches pouvant être utilisées pour gérer les diapositives sont répertoriées sur la page Raccourcis clavier .

                          +

                          Note: all the key combinations that can be used to manage slides are listed on the Keyboard Shortcuts page.

                          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm index 3c571b7d7..5671c53d0 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm @@ -11,38 +11,59 @@
                          -
                          - -
                          +
                          + +

                          Manipuler des objets

                          -

                          Dans Presentation Editor, vous pouvez redimensionner, déplacer, faire pivoter différents objets manuellement sur une diapositive à l'aide des poignées spéciales. Vous pouvez également spécifier les dimensions et la position de certains objets à l'aide de la barre latérale droite ou de la fenêtre Paramètres avancés.

                          -

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

                          -

                          Redimensionner des objets

                          -

                          Pour changer la taille d'une forme automatique/image/graphique/zone de texte, faites glisser les petits carreaux

                          situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin.

                          -

                          +

                          Dans Presentation Editor, vous pouvez redimensionner, déplacer, faire pivoter différents objets manuellement sur une diapositive à l'aide des poignées spéciales. Vous pouvez également spécifier les dimensions et la position de certains objets à l'aide de la barre latérale droite ou de la fenêtre Paramètres avancés.

                          +

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

                          +

                          Redimensionner des objets

                          +

                          Pour changer la taille d'une forme automatique/image/graphique/zone de texte, faites glisser les petits carreaux Icône Carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin.

                          +

                          Conserver les proportions

                          Pour spécifier la largeur et la hauteur précise d'un graphique, sélectionnez-le avec la souris et utilisez la section Taille de la barre latérale droite activée.

                          Pour spécifier les dimensions précises d'une image ou d'une forme automatique, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image/forme automatique du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK.

                          Modifier des formes automatiques

                          -

                          Lors de la modification des formes, par exemple des Flèches figurées ou les Légendes, l'icône jaune en forme de diamant

                          est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche.

                          -

                          +

                          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 Icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche.

                          +

                          Modifier les formes automatiques

                          +

                          Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel.

                          +

                          Modifier les points sert à personnaliser ou modifier le contour d'une forme.

                          +
                            +
                          1. + Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. +

                            Modifier les points

                            +
                          2. +
                          3. + Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. +

                            Modifier les points

                            +
                          4. +
                          5. + Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: +
                              +
                            • Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité.
                            • +
                            • Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu.
                            • +
                            +
                          6. +

                          Déplacer des objets

                          Pour modifier la position d'une forme automatique/image/tableau/graphique/bloc de texte, utilisez l'icône

                          qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement.

                          Pour spécifier les dimensions précises d'une image, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK.

                          Faire pivoter des objets

                          -

                          Pour faire pivoter manuellement une forme automatique/image/bloc de texte, placez le curseur de la souris sur la poignée de rotation

                          et faites-la glisser vers la droite ou vers la gauche. - Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter.

                          -

                          Pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme

                          ou Paramètres de l'image
                          à droite. Cliquez sur l'un des boutons:

                          -
                            -
                          • pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre
                          • -
                          • pour faire pivoter l'objet de 90 degrés dans le sens des aiguilles d'une montre
                          • -
                          • pour retourner l'objet horizontalement (de gauche à droite)
                          • -
                          • pour retourner l'objet verticalement (à l'envers)
                          • -
                          -

                          Il est également possible de cliquer avec le bouton droit de la souris sur l'objet, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles.

                          -

                          Pour faire pivoter l'objet selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK.

                          - +

                          + Pour faire pivoter manuellement une forme automatique/image/bloc de texte, placez le curseur de la souris sur la poignée de rotation Poignée de rotation et faites-la glisser vers la droite ou vers la gauche. + Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter. +

                          +

                          Pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme L'icône Paramètres de la forme ou Paramètres de l'image L'icône Paramètres de l'image à droite. Cliquez sur l'un des boutons:

                          +
                            +
                          • Icône Pivoter dans le sens inverse des aiguilles d'une montre pour faire pivoter l'objet 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'objet de 90 degrés dans le sens des aiguilles d'une montre
                          • +
                          • Icône Retourner horizontalement pour retourner l'objet horizontalement (de gauche à droite)
                          • +
                          • Icône Retourner verticalement pour retourner l'objet verticalement (à l'envers)
                          • +
                          +

                          Il est également possible de cliquer avec le bouton droit de la souris sur l'objet, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles.

                          +

                          Pour faire pivoter l'objet selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK.

                          +
                          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm index 503f45e4e..b1ee1c517 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm @@ -51,7 +51,8 @@

                          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 Presentation Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier dans lesParamètres avancés... -> Vérification de l'orthographe-> Vérification

                          -
                          Les codes disponibles +
                          + Les codes disponibles @@ -2543,7 +2544,8 @@

                          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.

                          +

                          Par défaut, l'éditeur met en forme automatiquement lors de la saisie selon les paramètres de format automatique, comme par exemple remplacer les guillemets ou les traits d'union par un tiret demi-cadratin, convertir des addresses web ou des chemins d'accès réseau en lien hypertextes, appliquer une liste à puces ou une liste numérotée lorsqu'il détecte que vous tapez une liste.

                          +

                          L'option Ajouter un point avec un double espace permet d'insérer un point lorsqu'on appuie deux fois sur la barre d'espace. Activez ou désactivez cette option selon le cas. Par défaut, cette option est désactivée sur Linux et Windows et est activée sur macOS

                          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-> Correction automatique -> Mise en forme automatique au cours de la frappe

                          Mise en forme automatique au cours de la frappe

                          Correction automatique de texte

                          diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/PreviewPresentation.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/PreviewPresentation.htm index ea70b9a73..87b16d72c 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/PreviewPresentation.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/PreviewPresentation.htm @@ -10,15 +10,16 @@ -
                          -
                          - -
                          -

                          Aperçu de la présentation

                          +
                          +
                          + +
                          +

                          Aperçu de la présentation

                          Démarrer l'aperçu

                          -

                          Pour afficher un aperçu de la présentation en cours de l'édition dans Presentation Editor:

                          +

                          Remarque: Lors du téléchargement d'une présentation crée à l'aide des outils de présentation alternatifs, il est possible de lancer un aperçu des effets d'animation éventuels.

                          +

                          Pour afficher un aperçu de la présentation en cours de l'édition dans Presentation Editor:

                            -
                          • cliquez sur l'icône Démarrer le diaporama
                            dans l'onglet Accueil de la barre d'outils supérieure ou sur le côté gauche de la barre d'état, ou
                          • +
                          • cliquez sur l'icône Démarrer le diaporama L'icône Démarrer le diaporama dans l'onglet Accueil de la barre d'outils supérieure ou sur le côté gauche de la barre d'état, ou
                          • sélectionnez une diapositive dans la liste à gauche, cliquez dessus avec le bouton droit de la souris et choisissez l'option Démarrer le diaporama dans le menu contextuel.

                          L'aperçu commencera à partir de la diapositive actuellement sélectionnée.

                          @@ -27,8 +28,9 @@
                        • Afficher depuis le début - pour commencer l'aperçu à partir de la toute première diapositive,
                        • Afficher à partir de la diapositive actuelle - pour démarrer l'aperçu depuis la diapositive actuellement sélectionnée,
                        • Afficher le mode Présentateur - pour lancer l'aperçu en mode Présentateur, ce qui permet d'afficher la présentation à votre audience sans les notes de diapositives tout en affichant la présentation avec les notes sur un moniteur différent.
                        • -
                        • Afficher les paramètres - pour ouvrir une fenêtre de paramètres qui permet de définir une seule option: Boucler en continu jusqu'à ce que "Echap" soit appuyé. Cochez cette option si nécessaire et cliquez sur OK. Si vous activez cette option, la présentation s'affichera jusqu'à ce que vous appuyiez sur la touche Echap du clavier, c'est-à-dire que lorsque la dernière diapositive de la présentation sera atteinte, vous pourrez revenir à la première diapositive à nouveau. Si vous désactivez cette option Une fois la dernière diapositive de la présentation atteinte, un écran noir apparaît pour vous informer que la présentation est terminée et vous pourrez quitter l'Aperçu. -

                          Afficher la fenêtre des Paramètres

                          +
                        • + Afficher les paramètres - pour ouvrir une fenêtre de paramètres qui permet de définir une seule option: Boucler en continu jusqu'à ce que "Echap" soit appuyé. Cochez cette option si nécessaire et cliquez sur OK. Si vous activez cette option, la présentation s'affichera jusqu'à ce que vous appuyiez sur la touche Echap du clavier, c'est-à-dire que lorsque la dernière diapositive de la présentation sera atteinte, vous pourrez revenir à la première diapositive à nouveau. Si vous désactivez cette option Une fois la dernière diapositive de la présentation atteinte, un écran noir apparaît pour vous informer que la présentation est terminée et vous pourrez quitter l'Aperçu. +

                          Afficher la fenêtre des Paramètres

                        • Utiliser le mode Aperçu

                          @@ -44,7 +46,7 @@
                        • Le bouton Quitter le plein écran
                          vous permet de quitter le mode plein écran.
                        • le bouton Fermer le diaporama
                          vous permet de quitter le mode aperçu.
                        • -

                          Vous pouvez également utiliser les raccourcis clavier pour naviguer entre les diapositives en mode Aperçu.

                          +

                          Vous pouvez également utiliser les raccourcis clavier pour naviguer entre les diapositives en mode Aperçu.

                          Utiliser le mode Présentateur

                          Remarque: dans l'édition de bureau, le mode Présentateur n'est disponible lorsque le deuxième moniteur est connecté.

                          En mode Présentateur, vous pouvez afficher vos présentations avec des notes de diapositives dans une fenêtre séparée, tout en les affichant sans notes sur un moniteur différent. Les notes de chaque diapositive s'affichent sous la zone d'aperçu de la diapositive.

                          @@ -61,7 +63,7 @@
                        • l'Indicateur de numéro de diapositive affiche le numéro de diapositive en cours ainsi que le nombre total de diapositives dans la présentation.
                        • le bouton Pointeur
                          vous permet de mettre en évidence quelque chose sur l'écran lors de l'affichage de la présentation. Lorsque cette option est activée, le bouton ressemble à ceci:
                          . Pour pointer vers certains objets, placez le pointeur de votre souris sur la zone d'aperçu de la diapositive et déplacez le pointeur sur la diapositive. Le pointeur aura l'apparence suivante:
                          . Pour désactiver cette option, cliquez à nouveau sur le bouton
                          .
                        • le bouton Fin du diaporama vous permet de quitter le mode Présentateur.
                        • - -
                          + +
                          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index e8bce01fc..88062c329 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -29,7 +29,7 @@
                          1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
                          2. sélectionnez l'option Enregistrer sous...,
                          3. -
                          4. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP).
                          5. +
                          6. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDF/A, PNG, JPG. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP).
                          @@ -38,14 +38,14 @@
                          1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
                          2. sélectionnez l'option Télécharger comme...,
                          3. -
                          4. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                          5. +
                          6. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG.

                          Enregistrer une copie

                          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. sélectionnez l'option Enregistrer la copie sous...,
                          3. -
                          4. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP,
                          5. +
                          6. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG.
                          7. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer.
                          diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..06666d78f --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,42 @@ + + + + Prise en charge des graphiques SmartArt par ONLYOFFICE Presentation Editor + + + + + + + +
                          +
                          + +
                          +

                          Prise en charge des graphiques SmartArt par ONLYOFFICE Presentation Editor

                          +

                          Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Presentation Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur le graphique SmartArt ou sur son élément, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique:

                          +

                          Paramètres de la diapositive pour modifier le remplissage d'arrière plan sur la diapositive, afficher ou masquer le numéro de diapositive, la date et l'heure. Pour en savoir plus, veuillez consulter Définir les paramètres de la diapositive et Insérer les pieds de page .

                          +

                          Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte et le texte de remplacement.

                          +

                          Paramètres du paragraphe pour modifier les retraits et l'espacement, les enchaînements, les bordures et le remplissage, la police, les taquets et les marges intérieures. Veuillez consulter la section Mise en forme du texte pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

                          +

                          + Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. +

                          +

                          Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes:

                          +

                          Menu SmartArt

                          +

                          Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non.

                          +

                          Aligner pour aligner du graphic ou des objets en utilisant les options suivantes: Aligner à gauche, Aligner au centre, Aligner à droite, Aligner en haut, Aligner au milieu, Aligner en bas, Distribuer horizontalement et Distribuer verticalement.

                          +

                          Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt. Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt.

                          +

                          Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme.

                          +

                          Ajouter un commentaire pour laisser un commentaire sur le graphique SmartArt ou son élément.

                          +

                          Ajouter dans une mise en page pour ajouter un graphique SmartArt à la disposition d'une diapositive. + +

                          Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes:

                          +

                          Menu SmartArt

                          +

                          Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas.

                          +

                          Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut.

                          +

                          Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe.

                          +

                          Ajouter un commentaire pour laisser un commentaire sur le graphique SmartArt ou son élément.

                          +

                          Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. +

                          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/images/animationduration.png b/apps/presentationeditor/main/resources/help/fr/images/animationduration.png new file mode 100644 index 000000000..fb287feaa Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/animationduration.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/animationgallery.png b/apps/presentationeditor/main/resources/help/fr/images/animationgallery.png new file mode 100644 index 000000000..064676292 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/animationgallery.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/animationnumbering.png b/apps/presentationeditor/main/resources/help/fr/images/animationnumbering.png new file mode 100644 index 000000000..f232e6b41 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/animationnumbering.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/animationrepeat.png b/apps/presentationeditor/main/resources/help/fr/images/animationrepeat.png new file mode 100644 index 000000000..fb287feaa Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/animationrepeat.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/autoformatasyoutype.png b/apps/presentationeditor/main/resources/help/fr/images/autoformatasyoutype.png index a44844604..1258568f6 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/autoformatasyoutype.png and b/apps/presentationeditor/main/resources/help/fr/images/autoformatasyoutype.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/convertequation.png b/apps/presentationeditor/main/resources/help/fr/images/convertequation.png new file mode 100644 index 000000000..cb2e2a374 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/convertequation.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/editpoints_example.png b/apps/presentationeditor/main/resources/help/fr/images/editpoints_example.png new file mode 100644 index 000000000..6948ea855 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/editpoints_example.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/editpoints_rightclick.png b/apps/presentationeditor/main/resources/help/fr/images/editpoints_rightclick.png new file mode 100644 index 000000000..34770f5e7 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/editpoints_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/fill_gradient.png b/apps/presentationeditor/main/resources/help/fr/images/fill_gradient.png index 838a5a2b8..f276acd3f 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/fill_gradient.png and b/apps/presentationeditor/main/resources/help/fr/images/fill_gradient.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/animationtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/animationtab.png new file mode 100644 index 000000000..813c1c43a Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/collaborationtab.png index 4a98789cd..5e1d0cb11 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_animationtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_animationtab.png new file mode 100644 index 000000000..26042bbcb Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_collaborationtab.png index d1c46064f..f67600b95 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_collaborationtab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_editorwindow.png index 944bc1146..e77b83019 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_editorwindow.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_filetab.png index 336378786..fe558d453 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_filetab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_hometab.png index 740787205..9e2c0675f 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_hometab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_inserttab.png index ad7ae80f8..b59e0aae2 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_inserttab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_pluginstab.png index 22d15e718..1166917a1 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_pluginstab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_protectiontab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..f99e1bcb0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_protectiontab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_transitionstab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_transitionstab.png new file mode 100644 index 000000000..c384227f8 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_viewtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..a6a094144 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/desktop_viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/fr/images/interface/editorwindow.png index a9010fe8d..fff35a5fa 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/filetab.png index a10d0b52b..28cc1f024 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/hometab.png index ffb5a9f38..0299313e5 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/inserttab.png index c92d979fe..cdf36a95c 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/pluginstab.png index 142b61081..f11684606 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/fr/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/transitionstab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/transitionstab.png new file mode 100644 index 000000000..109a65125 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/interface/viewtab.png b/apps/presentationeditor/main/resources/help/fr/images/interface/viewtab.png new file mode 100644 index 000000000..08c0d5caa Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/interface/viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/keytips1.png b/apps/presentationeditor/main/resources/help/fr/images/keytips1.png new file mode 100644 index 000000000..b38920dae Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/keytips1.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/keytips2.png b/apps/presentationeditor/main/resources/help/fr/images/keytips2.png new file mode 100644 index 000000000..ad8b47422 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/keytips2.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/moreeffects.png b/apps/presentationeditor/main/resources/help/fr/images/moreeffects.png new file mode 100644 index 000000000..f54ef4b98 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/moreeffects.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/moveearlier.png b/apps/presentationeditor/main/resources/help/fr/images/moveearlier.png new file mode 100644 index 000000000..f16c8cd7c Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/moveearlier.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/movelater.png b/apps/presentationeditor/main/resources/help/fr/images/movelater.png new file mode 100644 index 000000000..c5542db52 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/movelater.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/multipleanimations.png b/apps/presentationeditor/main/resources/help/fr/images/multipleanimations.png new file mode 100644 index 000000000..2684c385f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/multipleanimations.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/multipleanimations_order.png b/apps/presentationeditor/main/resources/help/fr/images/multipleanimations_order.png new file mode 100644 index 000000000..990de3385 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/multipleanimations_order.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/multipleeffect_icon.png b/apps/presentationeditor/main/resources/help/fr/images/multipleeffect_icon.png new file mode 100644 index 000000000..d7010f143 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/multipleeffect_icon.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/setpassword.png b/apps/presentationeditor/main/resources/help/fr/images/setpassword.png index df2028c76..05aafc089 100644 Binary files a/apps/presentationeditor/main/resources/help/fr/images/setpassword.png and b/apps/presentationeditor/main/resources/help/fr/images/setpassword.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/shapegallery.png b/apps/presentationeditor/main/resources/help/fr/images/shapegallery.png new file mode 100644 index 000000000..46132eeff Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/shapegallery.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/show_password.png b/apps/presentationeditor/main/resources/help/fr/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/show_password.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick.png b/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick.png new file mode 100644 index 000000000..0e1f2adf1 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick2.png b/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick2.png new file mode 100644 index 000000000..0b1cc4e55 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/smartart_rightclick2.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/sortcomments.png b/apps/presentationeditor/main/resources/help/fr/images/sortcomments.png new file mode 100644 index 000000000..a172dd594 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/sortcomments.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/sortcommentsicon.png b/apps/presentationeditor/main/resources/help/fr/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/sortcommentsicon.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/timingoptions.png b/apps/presentationeditor/main/resources/help/fr/images/timingoptions.png new file mode 100644 index 000000000..4cf028e28 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/timingoptions.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/images/triggeroptions.png b/apps/presentationeditor/main/resources/help/fr/images/triggeroptions.png new file mode 100644 index 000000000..98fb6498b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/fr/images/triggeroptions.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/search/indexes.js b/apps/presentationeditor/main/resources/help/fr/search/indexes.js index e62e410e0..5bff0ea3d 100644 --- a/apps/presentationeditor/main/resources/help/fr/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/fr/search/indexes.js @@ -8,27 +8,27 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Paramètres avancés de Presentation Editor", - "body": "Presentation Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés. Les paramètres avancés sont les suivants: Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. 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 diapositive. 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 de la présentation verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards orange, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards orange, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. 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 diapositive ou Ajuster à la largeur. Hinting de la police sert à sélectionner le type d'affichage de la police dans Presentation Editor: Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting. Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Presentation Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées 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. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre présentation; Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une présentation; Activer tout pour exécuter automatiquement toutes les macros dans une présentation. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." + "body": "Presentation Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés. Les paramètres avancés sont les suivants: Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. 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 diapositive. 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 de la présentation verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards orange, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards orange, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la diapositive ou Ajuster à la largeur. Hinting de la police sert à sélectionner le type d'affichage de la police dans Presentation Editor: Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting. Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Presentation Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées 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. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre présentation; Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une présentation; Activer tout pour exécuter automatiquement toutes les macros dans une présentation. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Édition collaborative des présentations", - "body": "Presentation Editor vous offre la possibilité de travailler sur une présentation simultanément avec d'autres utilisateurs. Cette fonction inclut: accès simultané à la présentation éditée par plusieurs utilisateurs indication visuelle des objets qui sont en train d'être éditées par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties de la présentation les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne) Connexion à la version en ligne Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte. Édition collaborative Presentation Editor permet de sélectionner l'un des deux modes de co-édition disponibles: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos modifications et accepter les modifications par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de co-édition dans l'onglet Collaboration de la barre d'outils supérieure: Remarque: lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés sont marqués avec des lignes pointillées de couleurs différentes. Le contour de l'objet modifié est en ligne pointillée. Les lignes pointillées rouges indiquent des objets qui sont en train d'être édités par d'autres utilisateurs. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur la présentation actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir de la présentation: inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs: 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 sur un objet (zone de texte, forme etc.): sélectionnez l'objet où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou 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. L'objet que vous commenter sera marqué par l'icône . Pour lire le commentaire, il suffit de cliquer sur cette icône. Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaires dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive. Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: modifier le commentaire actuel en cliquant sur l'icône , supprimer le commentaire actuel en cliquant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . si vous souhaitez gérer tous les commentaires à la fois, accédez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation. 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és aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires de la présentation. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois." + "body": "Presentation Editor vous offre la possibilité de travailler sur une présentation simultanément avec d'autres utilisateurs. Cette fonction inclut: accès simultané à la présentation éditée par plusieurs utilisateurs indication visuelle des objets qui sont en train d'être éditées par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties de la présentation les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne) Connexion à la version en ligne Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte. Édition collaborative Presentation Editor permet de sélectionner l'un des deux modes de co-édition disponibles: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos modifications et accepter les modifications par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de co-édition dans l'onglet Collaboration de la barre d'outils supérieure: Remarque: lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés sont marqués avec des lignes pointillées de couleurs différentes. Le contour de l'objet modifié est en ligne pointillée. Les lignes pointillées rouges indiquent des objets qui sont en train d'être édités par d'autres utilisateurs. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur la présentation actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir de la présentation: inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs: 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 sur un objet (zone de texte, forme etc.): sélectionnez l'objet où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou 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. L'objet que vous commenter sera marqué par l'icône . Pour lire le commentaire, il suffit de cliquer sur cette icône. Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaires dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive. Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: trier les commentaires ajoutés en cliquant sur l'icône : par date: Plus récent ou Plus ancien. C'est 'ordre de tri par défaut. par auteur: Auteur de A à Z ou Auteur de Z à A par emplacement: Du haut ou Du bas. L'ordre habituel de tri des commentaires par l'emplacement dans un document est comme suit (de haut): commentaires au texte, commentaires aux notes de bas de page, commentaires aux notes de fin, commentaires aux en-têtes/pieds de page, commentaires au texte entier. par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. modifier le commentaire actuel en cliquant sur l'icône , supprimer le commentaire actuel en cliquant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . si vous souhaitez gérer tous les commentaires à la fois, accédez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation. Ajouter les mentions Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions. Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk. Ajoutez une mention en tapant le signe + ou @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Pour supprimer les commentaires, appuyez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils en haut, sélectionnez l'option convenable du menu: Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires de la présentation. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Raccourcis clavier", - "body": "La liste des raccourcis clavier pour exécuter certaines fonctions de Presentation Editor plus vite et facile à l'aide du clavier. Windows/LinuxMac OS En travaillant sur la présentation Ouvrir le panneau \"Fichier\" Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer la présentation actuelle, voir ses informations, créer une nouvelle présentation ou ouvrir une présentation existatante, accéder à l'aide de Presentation Editor ou aux paramètres avancés. Ouvrir la boîte de dialogue « Rechercher » Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Recherche pour commencer à chercher un caractère/mot/phrase dans la présentation actuelle. 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 la présentation Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans la présentation en cours d'édition dans Presentation Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer la présentation Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer la présentation 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 le panneau Télécharger comme pour enregistrer la présentation en cours d'édition sur le disque dur de l'ordinateur dans un des formats pris en charge : PPTX, PDF, ODP, POTX, PDF/A, OTP. Plein écran F11 Passer à l'affichage en plein écran pour adapter Presentation Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide de Presentation Editor. Ouvrir un fichier existant (Desktop Editors) Ctrl+O L’onglet Ouvrir fichier local de 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 de présentation actuelle 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 de la présentation actuelle par défaut pour Ajuster à la diapositive. Navigation Première diapositive Début Début, Fn+← Passer à la première diapositive de la présentation actuelle. Dernière diapositive Fin Fin, Fn+→ Passer à la dernière diapositive de la présentation actuelle. Diapositive suivante Pg. suiv Pg. suiv, Fn+↓ Passer à la diapositive suivante de la présentation actuelle. Diapositive précédente Pg. préc Pg. préc, Fn+↑ Passer à la diapositive précédente de la présentation actuelle. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Agrandir la présentation en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Effectuer un zoom arrière de la présentation en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Exécuter des actions sur des diapositives Nouvelle diapositive Ctrl+M ^ Ctrl+M Créer une nouvelle diapositive et l'ajouter après la diapositive sélectionnée dans la liste. Dupliquer la diapositive Ctrl+D ⌘ Cmd+D Dupliquer la diapositive sélectionnée dans la liste. Déplacer la diapositive vers le haut Ctrl+↑ ⌘ Cmd+↑ Déplacer la diapositive sélectionnée au-dessus de la diapositive précedente dans la liste. Déplacer la diapositive vers le bas Ctrl+↓ ⌘ Cmd+↓ Déplacer la diapositive sélectionnée dessous la diapositive suivante dans la liste. Déplacer la diapositive au début Ctrl+⇧ Maj+↑ ⌘ Cmd+⇧ Maj+↑ Déplacer la diapositive sélectionnée à la première position dans la liste. Déplacer la diapositive à la fin Ctrl+⇧ Maj+↓ ⌘ Cmd+⇧ Maj+↓ Déplacer la diapositive sélectionnée à la dernière position dans la liste. Exécuter des actions sur des objets Créer une copie Ctrl + faire glisser, Ctrl+D ^ Ctrl + faire glisser, ^ Ctrl+D, ⌘ Cmd+D Maintenez la touche Ctrl pour faire glisser l'objet sélectionné ou appuyez sur Ctrl+D (⌘ Cmd+D pour Mac) pour créer sa copie. Grouper Ctrl+G ⌘ Cmd+G Grouper les objets sélectionnés. Dissocier Ctrl+⇧ Maj+G ⌘ Cmd+⇧ Maj+G Dissocier le groupe d'objets sélectionnés. Sélectionner l'objet suivant ↹ Tab ↹ Tab Sélectionner l'objet suivant après l'objet sélectionné. Sélectionner l'objet précédent ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Sélectionner l'objet précédent avant l'objet actuellement sélectionné. 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. 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. Définir la rotation de 15 degrés ⇧ Maj + faire glisser (lors de la rotation) ⇧ Maj + faire glisser (lors de la rotation) Limiter l'angle de rotation à des incréments de 15 degrés. Conserver les proportions ⇧ Maj + faire glisser (lors du redimensionnement) ⇧ Maj + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Mouvement pixel par pixel Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Maintenez la touche Ctrl (⌘ Cmd pour Mac) 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. Prévisualisation de la présentation Démarrer l'affichage de l'aperçu dès le début Ctrl+F5 ^ Ctrl+F5 Démarrer une présentation dès le début. Naviguer vers l'avant ↵ Entrée, Pg. suiv, →, ↓, ␣ Barre d'espace ↵ Retour, Pg. suiv, →, ↓, ␣ Barre d'espace Effectuer l'animation suivante ou passer à la diapositive suivant. Navigation à rebours Pg. préc, ←, ↑ Pg. préc, ←, ↑ Effectuer l'animation précédente ou revenir à la diapositive précédente. Fermer l'aperçu Échap Échap Terminer la présentation. 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 Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X Couper l'objet sélectionné et l'envoyer vers le presse-papiers. L'objet sélectionné peut inséré ensuite à un autre endroit dans la même présentation. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer l'objet sélectionné et vers le presse-papiers. L'objet copié peut être insérées ensuite à un autre endroit dans la même présentation. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer l'objet précédemment copié depuis le presse-papiers à la position actuelle du curseur. L'objet peut être copié à partir de la même présentation. Insérer un lien hypertexte Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Insérer un lien hypertexte qui peut être utilisé pour accéder à une adresse web ou à une certaine diapositive de la présentation. Copier le style Ctrl+⇧ Maj+C ^ 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 appliquée à un autre fragment du texte dans la même présentation. Appliquer le style Ctrl+⇧ Maj+V ^ Ctrl+⇧ Maj+V, ⌘ Cmd+⇧ Maj+V Appliquer la mise en forme précedemment copiée au texte de la partie en cours d'édition. Sélectionner avec la souris Ajouter au fragment sélectionné ⇧ Maj ⇧ Maj Démarrer la sélection, maintenez enfoncée la touche ⇧ Maj et cliquez sur l'endroit où vous souhaitez terminer la sélection. Sélectionner avec le clavier Sélectionner tout Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Sélectionner toutes les diapositives (dans la liste des diapositives) ou tous les objets de la diapositive (dans la zone d'édition de la diapositive) ou tout le texte (dans le bloc de texte) - selon la position du curseur de la souris. Sélectionner le fragment du texte ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner le texte caractère par caractère. Sélectionner le texte depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début Sélectionner le fragment du texte depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner le texte depuis le curseur jusqu'à la fin de la ligne ⇧ 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). 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+⇧ 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+⇧ 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. 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+] ^ Ctrl+], ⌘ Cmd+] Augmenter la taille de la police du fragment de texte sélectionné de 1 point. Réduire la police Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Réduire la taille de la police du fragment de texte sélectionné de 1 point. Alignement centré Ctrl+E Centrer le texte entre les bords gauche et droit. Justifié Ctrl+J Justifier le texte du paragraphe en ajoutant un espace supplémentaire entre les mots pour que les bords gauche et droit du texte soient alignés avec les marges du paragraphe. Aligner à droite Ctrl+R Aligner à droite avec le texte aligné par le côté droit du bloc de texte, le côté gauche reste non aligné. Alignement à gauche Ctrl+L Aligner à gauche avec le texte aligné par le côté gauche du bloc de texte, le côté droit reste non aligné. Augmenter le retrait gauche Ctrl+M ^ Ctrl+M Augmenter l'alinéa de gauche d'une position de tabulation. Diminuer l'indentation gauche Ctrl+⇧ Maj+M ^ Ctrl+⇧ Maj+M Diminuer l'alinéa de gauche d'une position de tabulation. Supprimer un caractère à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche du curseur. Supprimer un caractère à droite Supprimer Fn+Supprimer Supprimer un caractère à droite du curseur. Se déplacer dans le texte 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 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. Déplacer vers le début d'un mot ou un mot vers la gauche 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+→ ⌘ Cmd+→ Déplacer le curseur d'un mot vers la droite. Passer à l'emplacement suivant Ctrl+↵ Entrée ^ Ctrl+↵ Retour, ⌘ Cmd+↵ Retour Passer au titre ou au corps du texte suivant. S'il s'agit du dernier caractère de remplacement d'une diapositive, une nouvelle diapositive sera insérée avec la même disposition que la diapositive originale. 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 à la fin de la ligne Fin Fin Placer le curseur à la fin de la ligne en cours d'édition. Aller au début de la zone de texte Ctrl+Début Placer le curseur au début de la zone de texte en cours d'édition. Aller à la fin de la zone de texte Ctrl+Fin Placer le curseur à la fin de la zone de texte en cours d'édition." + "body": "Raccourcis clavier pour les touches d'accès Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Presentation Editor sans l'aide de la souris. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état. Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès. Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet. Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes. Trouverez ci-dessous les raccourcis clavier les plus courants: Windows/Linux Mac OS En travaillant sur la présentation Ouvrir le panneau \"Fichier\" Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer la présentation actuelle, voir ses informations, créer une nouvelle présentation ou ouvrir une présentation existatante, accéder à l'aide de Presentation Editor ou aux paramètres avancés. Ouvrir la boîte de dialogue « Rechercher » Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Recherche pour commencer à chercher un caractère/mot/phrase dans la présentation actuelle. 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 la présentation Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans la présentation en cours d'édition dans Presentation Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer la présentation Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer la présentation 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 le panneau Télécharger comme pour enregistrer la présentation en cours d'édition sur le disque dur de l'ordinateur dans un des formats pris en charge : PPTX, PDF, ODP, POTX, PDF/A, OTP. Plein écran F11 Passer à l'affichage en plein écran pour adapter Presentation Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide de Presentation Editor. Ouvrir un fichier existant (Desktop Editors) Ctrl+O L’onglet Ouvrir fichier local de 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 de présentation actuelle 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 de la présentation actuelle par défaut pour Ajuster à la diapositive. Navigation Première diapositive Début Début, Fn+← Passer à la première diapositive de la présentation actuelle. Dernière diapositive Fin Fin, Fn+→ Passer à la dernière diapositive de la présentation actuelle. Diapositive suivante Pg. suiv Pg. suiv, Fn+↓ Passer à la diapositive suivante de la présentation actuelle. Diapositive précédente Pg. préc Pg. préc, Fn+↑ Passer à la diapositive précédente de la présentation actuelle. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Agrandir la présentation en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Effectuer un zoom arrière de la présentation en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Exécuter des actions sur des diapositives Nouvelle diapositive Ctrl+M ^ Ctrl+M Créer une nouvelle diapositive et l'ajouter après la diapositive sélectionnée dans la liste. Dupliquer la diapositive Ctrl+D ⌘ Cmd+D Dupliquer la diapositive sélectionnée dans la liste. Déplacer la diapositive vers le haut Ctrl+↑ ⌘ Cmd+↑ Déplacer la diapositive sélectionnée au-dessus de la diapositive précedente dans la liste. Déplacer la diapositive vers le bas Ctrl+↓ ⌘ Cmd+↓ Déplacer la diapositive sélectionnée dessous la diapositive suivante dans la liste. Déplacer la diapositive au début Ctrl+⇧ Maj+↑ ⌘ Cmd+⇧ Maj+↑ Déplacer la diapositive sélectionnée à la première position dans la liste. Déplacer la diapositive à la fin Ctrl+⇧ Maj+↓ ⌘ Cmd+⇧ Maj+↓ Déplacer la diapositive sélectionnée à la dernière position dans la liste. Exécuter des actions sur des objets Créer une copie Ctrl + faire glisser, Ctrl+D ^ Ctrl + faire glisser, ^ Ctrl+D, ⌘ Cmd+D Maintenez la touche Ctrl pour faire glisser l'objet sélectionné ou appuyez sur Ctrl+D (⌘ Cmd+D pour Mac) pour créer sa copie. Grouper Ctrl+G ⌘ Cmd+G Grouper les objets sélectionnés. Dissocier Ctrl+⇧ Maj+G ⌘ Cmd+⇧ Maj+G Dissocier le groupe d'objets sélectionnés. Sélectionner l'objet suivant ↹ Tab ↹ Tab Sélectionner l'objet suivant après l'objet sélectionné. Sélectionner l'objet précédent ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Sélectionner l'objet précédent avant l'objet actuellement sélectionné. 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. 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. Définir la rotation de 15 degrés ⇧ Maj + faire glisser (lors de la rotation) ⇧ Maj + faire glisser (lors de la rotation) Limiter l'angle de rotation à des incréments de 15 degrés. Conserver les proportions ⇧ Maj + faire glisser (lors du redimensionnement) ⇧ Maj + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Mouvement pixel par pixel Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Maintenez la touche Ctrl (⌘ Cmd pour Mac) 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. Prévisualisation de la présentation Démarrer l'affichage de l'aperçu dès le début Ctrl+F5 ^ Ctrl+F5 Démarrer une présentation dès le début. Naviguer vers l'avant ↵ Entrée, Pg. suiv, →, ↓, ␣ Barre d'espace ↵ Retour, Pg. suiv, →, ↓, ␣ Barre d'espace Effectuer l'animation suivante ou passer à la diapositive suivant. Navigation à rebours Pg. préc, ←, ↑ Pg. préc, ←, ↑ Effectuer l'animation précédente ou revenir à la diapositive précédente. Fermer l'aperçu Échap Échap Terminer la présentation. 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 Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X Couper l'objet sélectionné et l'envoyer vers le presse-papiers. L'objet sélectionné peut inséré ensuite à un autre endroit dans la même présentation. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer l'objet sélectionné et vers le presse-papiers. L'objet copié peut être insérées ensuite à un autre endroit dans la même présentation. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer l'objet précédemment copié depuis le presse-papiers à la position actuelle du curseur. L'objet peut être copié à partir de la même présentation. Insérer un lien hypertexte Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Insérer un lien hypertexte qui peut être utilisé pour accéder à une adresse web ou à une certaine diapositive de la présentation. Copier le style Ctrl+⇧ Maj+C ^ 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 appliquée à un autre fragment du texte dans la même présentation. Appliquer le style Ctrl+⇧ Maj+V ^ Ctrl+⇧ Maj+V, ⌘ Cmd+⇧ Maj+V Appliquer la mise en forme précedemment copiée au texte de la partie en cours d'édition. Sélectionner avec la souris Ajouter au fragment sélectionné ⇧ Maj ⇧ Maj Démarrer la sélection, maintenez enfoncée la touche ⇧ Maj et cliquez sur l'endroit où vous souhaitez terminer la sélection. Sélectionner avec le clavier Sélectionner tout Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Sélectionner toutes les diapositives (dans la liste des diapositives) ou tous les objets de la diapositive (dans la zone d'édition de la diapositive) ou tout le texte (dans le bloc de texte) - selon la position du curseur de la souris. Sélectionner le fragment du texte ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner le texte caractère par caractère. Sélectionner le texte depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début Sélectionner le fragment du texte depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner le texte depuis le curseur jusqu'à la fin de la ligne ⇧ 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). 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+⇧ 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+⇧ 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. 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+] ^ Ctrl+], ⌘ Cmd+] Augmenter la taille de la police du fragment de texte sélectionné de 1 point. Réduire la police Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Réduire la taille de la police du fragment de texte sélectionné de 1 point. Alignement centré Ctrl+E Centrer le texte entre les bords gauche et droit. Justifié Ctrl+J Justifier le texte du paragraphe en ajoutant un espace supplémentaire entre les mots pour que les bords gauche et droit du texte soient alignés avec les marges du paragraphe. Aligner à droite Ctrl+R Aligner à droite avec le texte aligné par le côté droit du bloc de texte, le côté gauche reste non aligné. Alignement à gauche Ctrl+L Aligner à gauche avec le texte aligné par le côté gauche du bloc de texte, le côté droit reste non aligné. Augmenter le retrait gauche Ctrl+M ^ Ctrl+M Augmenter l'alinéa de gauche d'une position de tabulation. Diminuer l'indentation gauche Ctrl+⇧ Maj+M ^ Ctrl+⇧ Maj+M Diminuer l'alinéa de gauche d'une position de tabulation. Supprimer un caractère à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche du curseur. Supprimer un caractère à droite Supprimer Fn+Supprimer Supprimer un caractère à droite du curseur. Se déplacer dans le texte 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 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. Déplacer vers le début d'un mot ou un mot vers la gauche 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+→ ⌘ Cmd+→ Déplacer le curseur d'un mot vers la droite. Passer à l'emplacement suivant Ctrl+↵ Entrée ^ Ctrl+↵ Retour, ⌘ Cmd+↵ Retour Passer au titre ou au corps du texte suivant. S'il s'agit du dernier caractère de remplacement d'une diapositive, une nouvelle diapositive sera insérée avec la même disposition que la diapositive originale. 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 à la fin de la ligne Fin Fin Placer le curseur à la fin de la ligne en cours d'édition. Aller au début de la zone de texte Ctrl+Début Placer le curseur au début de la zone de texte en cours d'édition. Aller à la fin de la zone de texte Ctrl+Fin Placer le curseur à la fin de la zone de texte en cours d'édition." }, { "id": "HelpfulHints/Navigation.htm", "title": "Paramètres d'affichage et outils de navigation", - "body": "Presentation Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document: le zoom, les boutons diapositive précédente/suivante et l'indicateur du numéro de diapositive 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 la présentation, 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 Paramètres d'affichage: Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de diapositives et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois. Masquer les règles sert à masquer les règles qui sont utilisées pour définir des tabulations et des retraits de paragraphe dans une zone de texte. Pour afficher les Règles masquées, cliquez sur cette option encore une fois. Masquer les notes sert à masquer les notes en-dessous de chaque diapositive. Il est également possible d'afficher/masquer cette section en la faisant glisser avec le pointeur de la souris. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet/diapositive 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. La largeur de la barre latérale gauche est ajustée par simple glisser-déposer: déplacez le curseur de la souris sur la bordure gauche pour qu'elle se transforme en flèche bidirectionnelle et déplacez la bordure vers la gauche pour réduire la largeur de la barre latérale ou vers la droite pour l'agrandir. Utiliser les outils de navigation Pour naviguer à travers votre présentation, 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 la présentation active. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200%) ou utilisez les boutons Zoom avant ou Zoom arrière . Cliquez sur l'icône Ajuster à la largeur pour adapter la largeur de la diapositive à 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 diapositive . 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. Remarque: vous pouvez définir une valeur de zoom par défaut. Basculez vers l'onglet Fichier de la barre d'outils supérieure, allez à la section Paramètres avancés..., choisissez la Valeur de zoom par défaut nécessaire dans la liste et cliquez sur le bouton Appliquer. Pour accéder à la diapositive précédente ou suivante lors de la modification de la présentation, vous pouvez utiliser les boutons et en haut et en bas de la barre de défilement verticale sur le côté droit de la diapositive. Indicateur du numéro de diapositive affiche la diapositive actuelle en tant que partie de toute la présentation actuelle (diapositive 'n' de 'nn'). Cliquez sur la légende pour ouvrir la fenêtre dans laquelle vous pouvez entrer le numéro de la diapositive et y accéder rapidement. Si la Barre d'état est masquée, cet outil reste inaccessible." + "body": "Presentation Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document: le zoom, les boutons diapositive précédente/suivante et l'indicateur du numéro de diapositive 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 la présentation, 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 Paramètres d'affichage: Masquer la barre d'outils sert à masquer la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de diapositives et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois. Masquer les règles sert à masquer les règles qui sont utilisées pour définir des tabulations et des retraits de paragraphe dans une zone de texte. Pour afficher les Règles masquées, cliquez sur cette option encore une fois. Masquer les notes sert à masquer les notes en-dessous de chaque diapositive. Il est également possible d'afficher/masquer cette section en la faisant glisser avec le pointeur de la souris. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet/diapositive 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. La largeur de la barre latérale gauche est ajustée par simple glisser-déposer: déplacez le curseur de la souris sur la bordure gauche pour qu'elle se transforme en flèche bidirectionnelle et déplacez la bordure vers la gauche pour réduire la largeur de la barre latérale ou vers la droite pour l'agrandir. Utiliser les outils de navigation Pour naviguer à travers votre présentation, 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 la présentation active. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant ou Zoom arrière . Cliquez sur l'icône Ajuster à la largeur pour adapter la largeur de la diapositive à 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 diapositive . 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. Remarque: vous pouvez définir une valeur de zoom par défaut. Basculez vers l'onglet Fichier de la barre d'outils supérieure, allez à la section Paramètres avancés..., choisissez la Valeur de zoom par défaut nécessaire dans la liste et cliquez sur le bouton Appliquer. Pour accéder à la diapositive précédente ou suivante lors de la modification de la présentation, vous pouvez utiliser les boutons et en haut et en bas de la barre de défilement verticale sur le côté droit de la diapositive. Indicateur du numéro de diapositive affiche la diapositive actuelle en tant que partie de toute la présentation actuelle (diapositive 'n' de 'nn'). Cliquez sur la légende pour ouvrir la fenêtre dans laquelle vous pouvez entrer le numéro de la diapositive et y accéder rapidement. Si la Barre d'état est masquée, cet outil reste inaccessible." }, { "id": "HelpfulHints/Password.htm", "title": "Protéger une présentation avec un mot de passe", - "body": "Vous pouvez protéger votre présentation avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." + "body": "Vous pouvez protéger votre présentation avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." }, { "id": "HelpfulHints/Search.htm", @@ -43,13 +43,18 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des présentations électroniques pris en charge", - "body": "La présentation est un ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. Presentation Editor supporte les formats suivants: Formats Description Affichage Édition Téléchargement PPT Format de fichier utilisé par Microsoft PowerPoint + + PPTX Présentation Office Open XML Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte + + + POTX Modèle de document PowerPoint Open XML Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + ODP Présentation OpenDocument Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice + + + OTP Modèle de présentation OpenDocument Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + 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. +" + "body": "La présentation est un ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. Presentation Editor supporte les formats suivants: Formats Description Affichage Édition Téléchargement PPT Format de fichier utilisé par Microsoft PowerPoint + + PPTX Présentation Office Open XML Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte + + + POTX Modèle de document PowerPoint Open XML Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + ODP Présentation OpenDocument Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice + + + OTP Modèle de présentation OpenDocument Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme + + + 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. + + PNG Acronyme désignant Portable Network Graphics. PNG est un format de fichier graphique raster qui est largement utilisée sur le Web plutôt que pour la photographie et l'art. + JPG Acronyme désignant Joint Photographic Experts Group. Le format d'image compressé le plus répandu qui est utilisé pour stocker et transmettre des images numérisées. +" }, { "id": "HelpfulHints/UsingChat.htm", "title": "Utilisation du chat", "body": "ONLYOFFICE Presentation Editor vous offre la possibilité de chatter avec d'autres utilisateurs pour partager des idées concernant des parties particulières de la présentation. Pour accéder au chat et Pour accéder au Chat et laisser un message pour les autres utilisateurs: cliquez sur l'icône sur la barre latérale gauche, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec les messages, cliquez sur l'icône encore une fois." }, + { + "id": "ProgramInterface/AnimationTab.htm", + "title": "Onglet Animation", + "body": "L'onglet Animation de Presentation Editor permet de gérer des effets d'animation. Vous pouvez ajouter des effets d'animation, définir des trajectoires des effets et configurer d'autres paramètres des animations pour personnaliser votre présentation. Fenêtre de l'éditeur en ligne Presentation Editor: Fenêtre de l'éditeur de bureau Presentation Editor: En utilisant cet onglet, vous pouvez: sélectionner des effets d'animation, paramétrer la direction du mouvement de chaque effet, ajouter plusieurs animations, changer l'ordre des effets d'animation en utilisant les options Déplacer avant ou Déplacer après, afficher l'aperçu d'une animation, configurer des options de minutage telles que la durée, le retard et la répétition des animations, activer et désactiver le retour à l'état d'origine de l'animation." + }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Onglet Collaboration", @@ -78,13 +83,28 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface utilisateur de Presentation Editor", - "body": "Presentation Editor utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Presentation Editor: La fenêtre principale de l'éditeur de bureau Presentation 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 de présentations ouvertes et leurs titres et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes: Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. Paramètres d'affichage - permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Collaboration, Protection, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation: l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées, etc.) et permet de définir la langue du texte et d'activer la vérification orthographique. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - (disponible dans la version en ligne seulement) permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser les informations sur le programme. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une diapositive, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales vous aident à placer des objets sur une diapositive et permettent de définir des tabulations et des retraits de paragraphe dans les zones de texte. La Zone de travail permet d'afficher le contenu de la présentation, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler la présentation de haut en bas. 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": "Presentation Editor utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Presentation Editor: La fenêtre principale de l'éditeur de bureau Presentation 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 de présentations ouvertes et leurs titres et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes: Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. Paramètres d'affichage - permet de configurer les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Collaboration, Protection, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation: l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.) et permet de définir la langue du texte et d'activer la vérification orthographique. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - (disponible dans la version en ligne seulement) permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser les informations sur le programme. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une diapositive, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales vous aident à placer des objets sur une diapositive et permettent de définir des tabulations et des retraits de paragraphe dans les zones de texte. La Zone de travail permet d'afficher le contenu de la présentation, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler la présentation de haut en bas. 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/TransitionsTab.htm", + "title": "Onglet Transitions", + "body": "L'onglet Transitions de Presentation Editor permet de gérer les transitions entre les diapositives. Vous pouvez ajouter des effets de transition, définir la durée de la transition et configurer d'autres paramètres des transitions entre les diapositives. Fenêtre de l'éditeur en ligne Presentation Editor: Fenêtre de l'éditeur de bureau Presentation Editor: En utilisant cet onglet, vous pouvez: sélectionner l'effet de transition, configurer les paramètres pour chaque effet de transition, définir la durée de transition, afficher l'aperçu de transition une fois paramétrée, contrôler la durée d'affichage de chaque diapositive à l'aide des options Démarrer en cliquant et Retard, appliquer la même transition à toutes les diapositives de la présentation en cliquant sur le bouton Appliquer à toutes les diapositives." + }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Onglet Affichage", + "body": "L'onglet Affichage de Presentation Editor permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci. La fenêtre de l'onglet dans Presentation Editor en ligne: La fenêtre de l'onglet dans Presentation Editor de bureau: Les options d'affichage disponibles sous cet onglet: Zoom permet de zoomer et dézoomer sur une page du document, Ajuster à la diapositive permet de redimensionner la page pour afficher une diapositive entière sur l'écran, Ajuster à la largeur sert à redimensionner la page pour l'adapter à la largeur de l'écran, Thème d'interface permet de modifier le thème d'interface en choisissant le thème Clair, Classique clair ou Sombre, Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles: Notes pour rendre visible le panneau de notes. Règles pour rendre visible les règles. Toujours afficher la barre d'outils - pour rendre visible la barre d'outils supérieure. Barre d'état pour rendre visible la barre d'état." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Ajouter des liens hypertextes", "body": "Pour ajouter un lien hypertexte dans Presentation Editor, placez le curseur dans le bloc de texte à une position où vous voulez ajouter un lien hypertexte, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Lien hypertexte de la barre d'outils supérieure, ensuite la fenêtre Paramètre du lien hypertexte s'affiche où vous pouvez configurer les paramètres du lien hypertexte: sélectionnez un type de lien à 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 cette présentation et sélectionnez l'une des options si vous avez besoin d'ajouter un lien hypertexte menant à une certaine diapositive dans la même présentation. Les options disponibles sont les suivantes : Diapositive suivante, Diapositive précédente, Première diapositive, Dernière diapositive, Diapositive dont les numéro est indiqué. Afficher - entrez un texte qui sera cliquable et mène vers l'adresse web / à la diapositive spécifiée dans le champ supérieur. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte. Cliquez sur le bouton OK. Pour ajouter un lien hypertexte, vous pouvez également cliquer avec le bouton droit de la souris et sélectionner l'option Lien hypertexte ou utiliser la combinaison des touches Ctrl+K. Remarque : il est également possible de sélectionner un caractère, mot, une combinaison de mots avec la souris ou à l'aide du clavier et ouvrez la fenêtre Paramètres du lien hypertexte comme mentionné ci-dessus. Dans ce cas, le champ Afficher se remplit avec le 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 présentation. Pour modifier ou supprimer le lien hypertexte ajouté, cliquez sur le lien avec le bouton droit de la souris, sélectionnez l'option Lien hypertexte dans le menu contextuel et ensuite l'action à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte." }, + { + "id": "UsageInstructions/AddingAnimations.htm", + "title": "Ajouter des animations", + "body": "Animation est un effet visuel permettant d'animer du texte, des objets et des graphiques pour rendre votre présentation plus dynamique et pour accentuer une information importante. Vous pouvez contrôler le trajectoire, la couleur et la taille du texte, des objets et des graphiques. Appliquer un effet d'animation Passez à l'onglet Animation de la barre d'outils supérieure. Sélectionnez le texte, l'objet ou l'élément graphique à animer. Sélectionnez l'animation dans la galerie des effets d'animation. Paramétrez la direction du mouvement de l'animation en cliquant sur Paramètres à côté de la galerie des effets d'animation. Le choix des paramètres dans la liste déroulante dépend de l'effet choisi. Vous pouvez afficher l'aperçu des effets d'animation sur la diapositive actuelle. Par défaut, des effets d'animation démarrent automatiquement lorsque vous les ajoutez à la diapositive mais vous pouvez désactiver cette option. Cliquez sur la liste déroulante Aperçu dans l'onglet Animation et sélectionnez le mode d'aperçu: Aperçu pour afficher l'aperçu lorsque vous cliquez sur le bouton Aperçu, Aperçu partiel pour afficher l'aperçu automatiquement lorsque vous ajoutez une animation à la diapositive ou remplacez l'animation existante. Types d'animations La liste de toutes animations disponibles se trouve dans la galerie des effets d'animation. Cliquez sur la flèche déroulante pour ouvrir la galerie. Chaque effet d'animation est représenté sous forme d'une étoile. Les effets d'animation sont regroupées selon le moment auquel ils se produisent: Les effets d'entrée permettent de faire apparaître des objets sur une diapositive et sont colorés en vert dans la galerie. Les effets d'accentuation permettent de modifier la taille et la couleur de l'objet pour le mettre en évidence et pour attirer l'attention de l'auditoire et sont colorés en jaune ou sont bicolores dans la galerie. Les effets de sortie permettent de faire disparaître des objets de la diapositive et sont colorés en rouge dans la galerie. Les effets de trajectoire permettent de déterminer le déplacement de l'objet et son trajectoire. Les icônes dans la galerie affichent le chemin proposé. Faites défiler la page vers le bas pour naviguer tous les effets disponibles dans la galerie. Si vous ne trouvez pas l'animation requise dans la galerie, cliquez sur Afficher plus d'effets en bas de la galerie. Ici, vous allez trouver la liste complète des effets d'animation. En outre, les effets sont regroupés par leur impact visuel sur l'audience. Les effets d'entrée, d'accentuation et de sortie sont regroupés par Simple, Discret, Modérer et Captivant. Les effets de trajectoire sont regroupés par Simple, Discret et Modérer. Par défaut, l'option Effet d'aperçu est activée, désactivez-la si vous n'en avez pas besoin. Appliquer plusieurs animations Vous pouvez appliquer plusieurs effets d'animation au même objet. Pour ce faire, Cliquez sur le bouton Ajouter une animation sous l'onglet Animation. La liste des effets d'animation s'affichera. Répétez les opérations 3 et 4 ci-dessus pour appliquer encore un effet d'animation. Si vous utilisez la galerie des effets d'animation au lieu du bouton Ajouter une animation, le premier effet d'animation sera remplacé par un nouvel. Les nombres dans des petits carrés gris indiquent l'ordre des effets appliqués. Lorsque vous appliquez plusieurs effets à un objet, l'icône Multiple apparaîtra dans la galerie des effets d'animation. Changer l'ordre des effets d'animation sur une diapositive Cliquez sur le symbole carré indiquant l'effet d'animation. Cliquez sur l'une des flèches ou sous l'onglet Animation pour modifier l'ordre d'apparition sur la diapositive. Déterminer le minutage d'une animation Utilisez les options de minutage sous l'onglet Animation pour déterminer le début, la durée, le retard, la répétition et le retour à l'état d'origine de l'animation. Options de démarrage d'une animation. Au clic - l'animation va démarrer lorsque vous cliquez sur la diapositive. C'est l'option par défaut. Avec la précédente - l'animation va démarrer au même temps que l'animation précédente. Après la précédente - l'animation va démarrer immédiatement après l'animation précédente. Remarque: Les effets d'animation sont numérotés automatiquement sur une diapositive. Toutes les animations définies à démarrer Avec la précédente ou Après la précédente prennent le numéro de l'animation avec laquelle ils sont connectées. Options de déclenchement d'une animation: Cliquez sur le bouton Déclencheur et sélectionnez l'une des options appropriée: Séquence de clics pour démarrer l'animation suivante chaque fois que vous cliquez n'importe où sur une diapositive. C'est l'option par défaut. Au clic sur pour démarrer l'animation lorsque vous cliquez sur l'objet que vous avez sélectionné dans la liste déroulante. Autres options de minutage Durée - utilisez cette option pour contrôler la durée d'affichage de chaque animation. Sélectionnez l'une des options disponibles dans le menu ou saisissez votre valeur. Retard - utilisez cette option si vous voulez préciser le délai dans lequel une animation sera affichée ou si vous avez besoin d'une pause dans la lecture des effets. Sélectionnez une valeur appropriée en utilisant les flèches pu ou saisissez votre valeur mesurée en secondes. Répéter - utilisez cette option si vous souhaitez afficher une animation plusieurs fois. Activez l'option Répéter et sélectionnez l'une des options disponibles ou saisissez votre valeur. Rembobiner - activez cette option si vous souhaitez revenir à l'état d'origine d'un effet après son affichage." + }, { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Aligner et organiser des objets dans une diapositive", @@ -93,7 +113,7 @@ var indexes = { "id": "UsageInstructions/ApplyTransitions.htm", "title": "Appliquer des transitions", - "body": "Une transition est un effet d'animation qui apparaît entre deux diapositives quand une diapositive avance vers la suivante pendant la démonstration. Dans Presentation Editor, vous pouvez appliquer une même transition à toutes les diapositives ou à de différentes transitions à chaque diapositive séparée et régler leurs propriétés. Pour appliquer une transition à une seule diapositive ou à plusieurs diapositives sélectionnées: Sélectionnez une diapositive nécessaire (ou plusieurs diapositives de la liste) à laquelle vous voulez appliquer une transition. L'onglet Paramètres de la diapositive sera activé sur la barre latérale droite. Pour l'ouvrir, cliquez sur l'icône Paramètres de la diapositive à droite. Vous pouvez également cliquer avec le bouton droit sur une diapositive dans la zone d'édition de diapositives et sélectionner l'option Paramètres de diapositive dans le menu contextuel. Sélectionnez une transition de la liste déroulante Effet. Les transitions disponibles sont les suivantes: Fondu, Expulsion, Effacement, Diviser, Découvrir, Couvrir, Horloge, Zoom. Dans la liste déroulante, sélectionnez l'un des effets disponibles. Ces types servent à définir le mode d'apparition de l'effet. Par exemple, si vous appliquez l'effet Zoom, vous pouvez sélectionner une des options suivantes: Zoom avant, Zoom arrière ou Zoom et rotation. Spécifiez la durée de la transition Dans le champ Durée, sélectionnez la valeur appropriée mesurée en secondes. Cliquez sur le bouton Aperçu pour visualiser la diapositive avec la transition appliquée dans la zone d'édition. Précisez combien de temps la diapositive doit être affichée avant d'avancer vers une autre: Démarrer en cliquant – cochez cette case si vous ne voulez pas limiter le temps de l'affichage de la diapositive sélectionnée. La diapositive n'avance vers une autre qu'après un clic de la souris. Retard – utilisez cette option si vous voulez préciser le temps de l'affichage d'une diapositive avant son avancement vers une autre. Cochez cette case et saisissez la valeur appropriée, mesurée en secondes. Remarque: si vous ne cochez que la case Retard, les diapositives avancent automatiquement avec un intervalle de temps indiqué. Si vous cochez les deux cases Démarrer en cliquant et Retard et précisez la valeur de temps nécessaire, l'avancement des diapositives se fait aussi automatiquement, mais vous aurez la possibilité de cliquer sur la diapositive pour vous avancer vers une autre. Pour appliquer une transition à toutes les diapositives de la présentation : procédez de la manière décrite ci-dessus et cliquez sur le bouton Appliquer à toutes les diapositives. Pour supprimer une transition: sélectionnez une diapositive nécessaire, accédez au panneau de configuration de la diapositive et choisissez l'option Aucun dans la section Effet. Pour supprimer toutes les transitions: sélectionnez une diapositive, choisissez l'option Aucun de la section Effet et appuyez sur Appliquer à toutes les diapositives." + "body": "Une transition est un effet d'animation qui apparaît entre deux diapositives quand une diapositive avance vers la suivante pendant la démonstration. Dans Presentation Editor, vous pouvez appliquer une même transition à toutes les diapositives ou à de différentes transitions à chaque diapositive séparée et régler leurs propriétés. Pour appliquer une transition à une seule diapositive ou à plusieurs diapositives sélectionnées: Passez à l'onglet Transitions de la barre d'outils supérieure. Sélectionnez une diapositive nécessaire (ou plusieurs diapositives de la liste) à laquelle vous voulez appliquer une transition. Sélectionnez une transition appropriée parmi les transitions disponibles sous l'onglet Transitions: Aucune, Fondu, Expulsion, Effacement, Diviser, Découvrir, Couvrir, Horloge, Zoom. Cliquez sur le bouton Paramètres pour sélectionner l'un des effets disponibles et définir le mode d'apparition de l'effet. Par exemple, si vous appliquez l'effet Zoom, vous pouvez sélectionner une des options suivantes: Zoom avant, Zoom arrière ou Zoom et rotation. Spécifiez la durée de la transition dans la boîte Durée, saisissez ou sélectionnez la valeur appropriée mesurée en secondes. Cliquez sur le bouton Aperçu pour visualiser la diapositive avec la transition appliquée dans la zone d'édition. Précisez combien de temps la diapositive doit être affichée avant d'avancer vers une autre: Démarrer en cliquant - cochez cette case si vous ne voulez pas limiter le temps de l'affichage de la diapositive sélectionnée. La diapositive n'avance vers une autre qu'après un clic de la souris. Retard utilisez cette option si vous voulez préciser le temps de l'affichage d'une diapositive avant son avancement vers une autre. Cochez cette case et saisissez la valeur appropriée, mesurée en secondes. Remarque: si vous ne cochez que la case Retard, les diapositives avancent automatiquement avec un intervalle de temps indiqué. Si vous cochez les deux cases Démarrer en cliquant et Retard et précisez la valeur de temps nécessaire, l'avancement des diapositives se fait aussi automatiquement, mais vous aurez la possibilité de cliquer sur la diapositive pour vous avancer vers une autre. Pour appliquer une transition à toutes les diapositives de la présentation cliquez sur le bouton Appliquer à toutes les diapositives sous l'onglet Transitions. Pour supprimer une transition: sélectionnez une diapositive nécessaire et choisissez l'option Aucun parmi les effets disponibles sous l'onglet Transitions. Pour supprimer toutes les transitions: sélectionnez une diapositive, choisissez l'option Aucun parmi les effets disponibles et appuyez sur Appliquer à toutes les diapositives sous l'onglet Transitions." }, { "id": "UsageInstructions/CopyClearFormatting.htm", @@ -103,7 +123,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copier/coller les données, annuler/rétablir vos actions", - "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les objets sélectionnés (diapositives, passages de texte, formes automatiques) dans Presentation Editor ou annuler/rétablir vos actions, utilisez les icônes correspondantes sur la barre d'outils supérieure : Couper – sélectionnez un objet et utilisez l'option Couper du menu contextuel pour effacer la sélection et l'envoyer dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées ensuite à un autre endroit de la même présentation Copier – sélectionnez 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. L'objet copié peut être inséré ensuite à un autre endroit dans la même présentation. Coller – trouvez l'endroit dans votre présentation où vous voulez coller l'objet précédemment copié et utilisez l'option Coller du menu contextuel ou l'icône Coller de la barre d'outils supérieure. L'objet sera inséré à la position actuelle du curseur. L'objet peut être copié depuis la même présentation. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre présentation 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+C pour copier ; Ctrl+V pour coller ; Ctrl+X pour couper. 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. Lors du collage de passages de texte, les options suivantes sont disponibles: Utiliser le thème de destination - permet d'appliquer la mise en forme spécifiée par le thème de la présentation en cours. Cette option est utilisée par défaut. Garder la mise en forme de la source - permet de conserver la mise en forme de la source des données copiées. Image - permet de coller le texte en tant qu'image afin qu'il ne puisse pas être modifié. Conserver le texte uniquement - permet de coller le texte sans sa mise en forme d'origine. Lorsque vous collez des objets (formes automatiques, graphiques, tableaux), les options suivantes sont disponibles: Utiliser le thème de destination - permet d'appliquer la mise en forme spécifiée par le thème de la présentation en cours. Cette option est utilisée par défaut. Image - permet de coller l'objet en tant qu'image afin qu'il ne puisse pas être modifié. 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. Utiliser les opérations Annuler/Rétablir Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes dans la partie gauche de l'en-tête de l'éditeur ou les raccourcis clavier : Annuler – utilisez l'icône Annuler pour annuler la dernière action effectuée. Rétablir – utilisez l'icône Rétablir pour rétablir la dernière action annulée.Vous pouvez aussi utiliser la combinaison de touches Ctrl+Z pour annuler ou pour rétablir Ctrl+Y. Remarque : lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible." + "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les objets sélectionnés (diapositives, passages de texte, formes automatiques) dans Presentation Editor ou annuler/rétablir vos actions, utilisez les icônes correspondantes sur la barre d'outils supérieure : Couper – sélectionnez un objet et utilisez l'option Couper du menu contextuel pour effacer la sélection et l'envoyer dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées ensuite à un autre endroit de la même présentation Copier – sélectionnez 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. L'objet copié peut être inséré ensuite à un autre endroit dans la même présentation. Coller – trouvez l'endroit dans votre présentation où vous voulez coller l'objet précédemment copié et utilisez l'option Coller du menu contextuel ou l'icône Coller de la barre d'outils supérieure. L'objet sera inséré à la position actuelle du curseur. L'objet peut être copié depuis la même présentation. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre présentation 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+C pour copier ; Ctrl+V pour coller ; Ctrl+X pour couper. Utiliser la fonctionnalité Collage spécial Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict. Une fois 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. Lors du collage de passages de texte, les options suivantes sont disponibles: Utiliser le thème de destination - permet d'appliquer la mise en forme spécifiée par le thème de la présentation en cours. Cette option est utilisée par défaut. Garder la mise en forme de la source - permet de conserver la mise en forme de la source des données copiées. Image - permet de coller le texte en tant qu'image afin qu'il ne puisse pas être modifié. Conserver le texte uniquement - permet de coller le texte sans sa mise en forme d'origine. Lorsque vous collez des objets (formes automatiques, graphiques, tableaux), les options suivantes sont disponibles: Utiliser le thème de destination - permet d'appliquer la mise en forme spécifiée par le thème de la présentation en cours. Cette option est utilisée par défaut. Image - permet de coller l'objet en tant qu'image afin qu'il ne puisse pas être modifié. 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. Utiliser les opérations Annuler/Rétablir Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes dans la partie gauche de l'en-tête de l'éditeur ou les raccourcis clavier : Annuler – utilisez l'icône Annuler pour annuler la dernière action effectuée. Rétablir – utilisez l'icône Rétablir pour rétablir la dernière action annulée.Vous pouvez aussi utiliser la combinaison de touches Ctrl+Z pour annuler ou pour rétablir Ctrl+Y. Remarque : lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible." }, { "id": "UsageInstructions/CreateLists.htm", @@ -113,7 +133,7 @@ var indexes = { "id": "UsageInstructions/FillObjectsSelectColor.htm", "title": "Remplir des objets et sélectionner des couleurs", - "body": "Dans Presentation Editor, vous pouvez appliquer de différents remplissages pour l'arrière-plan de diapositives ainsi que pour les formes automatiques et l'arrière-plan de Text Art. Sélectionnez un objet. Pour modifier le remplissage de l'arrière-plan de la diapositive, sélectionnez les diapositives voulues dans la liste des diapositives. L'onglet Paramètres de la diapositive sera activé sur la barre latérale droite. Pour modifier le remplissage de la forme automatique, cliquez avec le bouton gauche de la souris la forme automatique concernée. L'onglet Paramètres de la forme sera activé sur la barre latérale droite. Pour modifier le remplissage de la police Text Art, cliquez avec le bouton gauche sur l'objet texte concerné. L'onglet Paramètres Text Art sera activé sur la barre latérale droite. Définissez le type de remplissage nécessaire. Réglez les paramètres du remplissage sélectionné (voir la description détaillée de chaque type de remplissage ci-après) Remarque: Quel que soit le type de remplissage sélectionné, vous pouvez toujours 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. Les types de remplissage disponibles sont les suivants: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme / diapositive sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur nécessaire à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur que vous aimez: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la présentation. Une fois que vous avez appliqué un thème ou un jeu de couleurs différent, le jeu de Couleurs du thème change. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case bafin que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à votre objet et ajoutée dans la palette Couleur personnalisée du menu. Remarque: vous pouvez utiliser les mêmes types de couleurs lors de la sélection de la couleur du trait de la forme automatique, ou lors du changement de la couleur de police ou de l'arrière-plan de tableau ou la couleur de bordure. Dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Cliquez sur l'icône Paramètres de la forme pour ouvrir le menu de Remplissage: 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. Angle - spécifier l'angle selon lequel les couleurs se fondent. Point de dégradé est le point d'arrêt où une couleur se fond dans une autre. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé et le bouton Supprimer le point de dégradé pour le supprimer. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme / diapositive. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme / diapositive, cliquez sur le bouton Sélectionner l'image et ajoutez 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 la sélectionnant sur votre portail. Si vous souhaitez utiliser une texture en tant que l'arrière-plan de la forme / diapositive, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture nécessaire. Actuellement, les textures suivantes sont disponibles: Toile, Carton, Tissu foncé, Grain, Granit, Papier gris, Tricot, Cuir, Papier brun, Papyrus, Bois. Si l'Image sélectionnée est plus grande ou plus petite que la forme automatique ou diapositive, vous pouvez profiter d'une des options É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 diapositive ou 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 ou de la diapositive afin qu'elle puisse remplir tout l'espace uniformément. Remarque: tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet É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." + "body": "Dans Presentation Editor, vous pouvez appliquer de différents remplissages pour l'arrière-plan de diapositives ainsi que pour les formes automatiques et l'arrière-plan de Text Art. Sélectionnez un objet. Pour modifier le remplissage de l'arrière-plan de la diapositive, sélectionnez les diapositives voulues dans la liste des diapositives. L'onglet Paramètres de la diapositive sera activé sur la barre latérale droite. Pour modifier le remplissage de la forme automatique, cliquez avec le bouton gauche de la souris la forme automatique concernée. L'onglet Paramètres de la forme sera activé sur la barre latérale droite. Pour modifier le remplissage de la police Text Art, cliquez avec le bouton gauche sur l'objet texte concerné. L'onglet Paramètres Text Art sera activé sur la barre latérale droite. Définissez le type de remplissage nécessaire. Réglez les paramètres du remplissage sélectionné (voir la description détaillée de chaque type de remplissage ci-après) Remarque: Quel que soit le type de remplissage sélectionné, vous pouvez toujours 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. Les types de remplissage disponibles sont les suivants: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme / diapositive sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur nécessaire à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur que vous aimez: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la présentation. Une fois que vous avez appliqué un thème ou un jeu de couleurs différent, le jeu de Couleurs du thème change. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case bafin que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à votre objet et ajoutée dans la palette Couleur personnalisée du menu. Remarque: vous pouvez utiliser les mêmes types de couleurs lors de la sélection de la couleur du trait de la forme automatique, ou lors du changement de la couleur de police ou de l'arrière-plan de tableau ou la couleur de bordure. Dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Cliquez sur l'icône Paramètres de la forme pour ouvrir le menu de Remplissage: 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 affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. 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. Angle - spécifiez l'angle selon lequel les couleurs se fondent. Point de dégradé est le point d'arrêt où une couleur se fond dans une autre. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé et le bouton Supprimer le point de dégradé pour le supprimer. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme / diapositive. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme / diapositive, cliquez sur le bouton Sélectionner l'image et ajoutez 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 la sélectionnant sur votre portail. Si vous souhaitez utiliser une texture en tant que l'arrière-plan de la forme / diapositive, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture nécessaire. Actuellement, les textures suivantes sont disponibles: Toile, Carton, Tissu foncé, Grain, Granit, Papier gris, Tricot, Cuir, Papier brun, Papyrus, Bois. Si l'Image sélectionnée est plus grande ou plus petite que la forme automatique ou diapositive, vous pouvez profiter d'une des options É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 diapositive ou 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 ou de la diapositive afin qu'elle puisse remplir tout l'espace uniformément. Remarque: tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet É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." }, { "id": "UsageInstructions/HighlightedCode.htm", @@ -123,17 +143,17 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insérer et mettre en forme des formes automatiques", - "body": "Insérer une forme automatique Pour ajouter une forme automatique à une diapositive dans Presentation Editor, sélectionnez la diapositive à laquelle vous voulez ajouter une forme automatique dans la liste des diapositives à gauche. cliquez sur l'icône Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez l'un des groupes de formes automatiques disponibles : Formes de base, Flèches figurées, Mathématiques, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique voulue du groupe sélectionné, dans la zone d'édition de la diapositive, placez le curseur de la souris là où vous voulez insérer la forme,Remarque : vous pouvez cliquer et faire glisser pour étirer 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). Il est possible d'ajouter une forme automatique à la disposition d'une diapositive. Pour en sqvoir plus, veuillez consulter cet article. Modifier les paramètres de la forme automatique 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 à appliquer aux diapositives sélectionnées. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs et remplir la forme avec une transition douce entre elles. 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. Modèle - sélectionnez cette option pour choisir un modèle à deux couleurs composé d'éléments répétés. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Pour en savoir plus consultez le chapitre Remplir les objets et sélectionner les couleurs. Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique. Pour modifier la largeur du contour, 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 de contour. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Vous pouvez utiliser la couleur de thème sélectionnée, une couleur standard ou choisir une couleur personnalisée. 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) 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é. 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 contextuel ou cliquez avec le bouton gauche et utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre Propriétés de la forme s'ouvre : L'onglet Taille vous permet de modifier la Largeur et/ou la Hauteur de la forme automatique. Si le bouton Proportions constantes est activé (auquel cas il ressemble à ceci ), la largeur et la hauteur seront changées en même temps et le ratio d'aspect de la forme automatique originale sera préservé. 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 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 des listes déroulantes. L'onglet Marges intérieures 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 Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet 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. Pour remplacer la forme automatique, cliquez dessus avec le bouton gauche de la souris et utilisez la liste déroulante Modifier la forme automatique dans l'onglet Paramètres de forme de la barre latérale droite. Pour supprimer la forme automatique ajoutée, cliquez avec le bouton gauche de la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une forme automatique sur la diapositive ou à organiser plusieurs formes, reportez-vous à la section Aligner et organiser les objets dans une diapositive. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour le faire, cliquez sur l'icône Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion." + "body": "Insérer une forme automatique Pour ajouter une forme automatique à une diapositive dans Presentation Editor, sélectionnez la diapositive à laquelle vous voulez ajouter une forme automatique dans la liste des diapositives à gauche. cliquez sur l'icône Forme dans l'onglet Accueil ou sur la flèche déroulante de la Galerie de formes dans l'onglet Insertion de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique voulue du groupe sélectionné, dans la zone d'édition de la diapositive, placez le curseur de la souris là où vous voulez insérer la forme,Remarque : vous pouvez cliquer et faire glisser pour étirer 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). Il est possible d'ajouter une forme automatique à la disposition d'une diapositive. Pour en sqvoir plus, veuillez consulter cet article. Modifier les paramètres de la forme automatique 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 à appliquer aux diapositives sélectionnées. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs et remplir la forme avec une transition douce entre elles. 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. Modèle - sélectionnez cette option pour choisir un modèle à deux couleurs composé d'éléments répétés. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Pour en savoir plus consultez le chapitre Remplir les objets et sélectionner les couleurs. Ligne - utilisez cette section pour changer la largeur et la couleur du ligne de la forme automatique. Pour modifier la largeur du contour, 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 de contour. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Vous pouvez utiliser la couleur de thème sélectionnée, une couleur standard ou choisir une couleur personnalisée. 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) 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é. 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 contextuel ou cliquez avec le bouton gauche et utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre Propriétés de la forme s'ouvre : L'onglet Taille vous permet de modifier la Largeur et/ou la Hauteur de la forme automatique. Si le bouton Proportions constantes est activé (auquel cas il ressemble à ceci ), la largeur et la hauteur seront changées en même temps et le ratio d'aspect de la forme automatique originale sera préservé. 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 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 des listes déroulantes. L'onglet Marges intérieures 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 Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet 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. Pour remplacer la forme automatique, cliquez dessus avec le bouton gauche de la souris et utilisez la liste déroulante Modifier la forme automatique dans l'onglet Paramètres de forme de la barre latérale droite. Pour supprimer la forme automatique ajoutée, cliquez avec le bouton gauche de la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une forme automatique sur la diapositive ou à organiser plusieurs formes, reportez-vous à la section Aligner et organiser les objets dans une diapositive. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour le faire, cliquez sur l'icône Forme dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion." }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Insérer et modifier des graphiques", - "body": "Insérer un graphique Pour insérer un graphique dans Presentation Editor, placez le curseur à l'endroit où vous voulez insérer un graphique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - courbes Histogramme groupé - courbe sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: et pour copier et coller des données et pour annuler et rétablir une action pour insérer une fonction, et pour réduire et ajouter une décimale modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi pour modifier le type de graphique. Cliquez sur le bouton Sélection de données dans la fenêtre Éditeur du graphique. La fenêtre Données du graphique s'affiche. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur le bouton Modifier le type de graphique dans la fenêtre Éditeur du graphique pour choisir le type et le style du graphique. Sélectionnez le graphique approprié dans des sections disponibles: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier. Lorsque vous choisissez Graphiques Combo, la fenêtre Type de graphique représente les séries du graphiques et permet de choisir les types de graphiques à combiner et de sélectionner la série de données à placer sur l'axe secondaire. paramétrer le graphique en cliquant sur Modifier le graphique dans la fenêtre Éditeur du graphique. La fenêtre Graphique - Paramètres avancés s'affiche. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur des étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Une fois le graphique ajouté, on peut également modifier sa taille et sa position. Vous pouvez définir la position du graphique sur la diapositive en le faisant glisser à l'horizontale/verticale. On peut ajouter un graphique dans l'espace réservé en cliquant sur l'icône Insérer un graphique à l'intérieur de l'espace et sélectionnant le type du graphique approprié: On peut aussi ajouter un graphique à la disposition de diapositive. Pour en savoir plus, veuillez consulter cet article. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage, 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 approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque: l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Ajuster les paramètres du graphique Modifiez la taille, le type et le style du graphique aussi que les données utilisés pour créer un graphique sur la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionne l'icône Paramètres du graphique à droite. La section Taille vous permet de modifier 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é. La section Modifier le type de graphique vous permet de modifier le type et/ou le style de graphique sélectionné à l'aide du menu déroulant correspondant. Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique. Le bouton Modifier les données vous permet d'ouvrir la fenêtre Éditeur de graphique et d'éditer les données comme décrit ci-dessus. Remarque: pour ouvrir rapidement la fenêtre Éditeur de graphiques, vous pouvez également double-cliquer sur le graphique dans le document. L'option Afficher les paramètres avancés dans la barre latérale droite permet d'ouvrir la fenêtre Graphique - Paramètres avancés dans laquelle vous pouvez définir le texte alternatif: Pour supprimer un graphique inséré, sélectionnez-le avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner un graphique sur la diapositive ou à organiser plusieurs objets, reportez-vous à la section Aligner et organiser les objets dans une diapositive ." + "body": "Insérer un graphique Pour insérer un graphique dans Presentation Editor, placez le curseur à l'endroit où vous voulez insérer un graphique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - courbes Histogramme groupé - courbe sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Remarque: ONLYOFFICE Presentation Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier. lorsque la fenêtre Éditeur du graphique s'affiche, vous pouvez saisir les données à en utilisant des boutons suivants: et pour copier et coller des données et pour annuler et rétablir une action pour insérer une fonction, et pour réduire et ajouter une décimale modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi pour modifier le type de graphique. Cliquez sur le bouton Sélection de données dans la fenêtre Éditeur du graphique. La fenêtre Données du graphique s'affiche. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur le bouton Modifier le type de graphique dans la fenêtre Éditeur du graphique pour choisir le type et le style du graphique. Sélectionnez le graphique approprié dans des sections disponibles: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier. Lorsque vous choisissez Graphiques Combo, la fenêtre Type de graphique représente les séries du graphiques et permet de choisir les types de graphiques à combiner et de sélectionner la série de données à placer sur l'axe secondaire. paramétrer le graphique en cliquant sur Modifier le graphique dans la fenêtre Éditeur du graphique. La fenêtre Graphique - Paramètres avancés s'affiche. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur des étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Temps Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Une fois le graphique ajouté, on peut également modifier sa taille et sa position. Vous pouvez définir la position du graphique sur la diapositive en le faisant glisser à l'horizontale/verticale. On peut ajouter un graphique dans l'espace réservé en cliquant sur l'icône Insérer un graphique à l'intérieur de l'espace et sélectionnant le type du graphique approprié: On peut aussi ajouter un graphique à la disposition de diapositive. Pour en savoir plus, veuillez consulter cet article. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage, 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 approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque: l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Ajuster les paramètres du graphique Modifiez la taille, le type et le style du graphique aussi que les données utilisés pour créer un graphique sur la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionne l'icône Paramètres du graphique à droite. La section Taille vous permet de modifier 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é. La section Modifier le type de graphique vous permet de modifier le type et/ou le style de graphique sélectionné à l'aide du menu déroulant correspondant. Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique. Le bouton Modifier les données vous permet d'ouvrir la fenêtre Éditeur de graphique et d'éditer les données comme décrit ci-dessus. Remarque: pour ouvrir rapidement la fenêtre Éditeur de graphiques, vous pouvez également double-cliquer sur le graphique dans le document. L'option Afficher les paramètres avancés dans la barre latérale droite permet d'ouvrir la fenêtre Graphique - Paramètres avancés dans laquelle vous pouvez définir le texte alternatif: Pour supprimer un graphique inséré, sélectionnez-le avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner un graphique sur la diapositive ou à organiser plusieurs objets, reportez-vous à la section Aligner et organiser les objets dans une diapositive ." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Insérer des équations", - "body": "Presentation 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, passez à l'onglet Insertion 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 au centre de la diapositive actuelle. Si vous ne voyez pas la bordure de la boîte d'équations, cliquez n'importe où dans l'équation - la bordure sera affichée en pointillé. La boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la diapositive. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation 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. 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. 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 Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel: Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque: actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne dans la zone de texte, 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 manueldans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et sélectionnez la taille de police nécessaire dans la liste de l'onglet Accueil de la barre d'outils supérieure. 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, 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. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez appuyez sur la touche Suppr. 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. 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": "Presentation 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, passez à l'onglet Insertion 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 au centre de la diapositive actuelle. Si vous ne voyez pas la bordure de la boîte d'équations, cliquez n'importe où dans l'équation - la bordure sera affichée en pointillé. La boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la diapositive. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation 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. 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. 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 Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel: Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque: actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne dans la zone de texte, 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 manueldans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et sélectionnez la taille de police nécessaire dans la liste de l'onglet Accueil de la barre d'outils supérieure. 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, 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. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez appuyez sur la touche Suppr. 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. 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/InsertHeadersFooters.htm", @@ -143,7 +163,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer et modifier des images", - "body": "Insérer une image Presentation Editor vous permet d'insérer des images aux formats populaires dans votre présentation. Les formats d'image pris en charge sont les suivants: BMP, GIF, JPEG, JPG, PNG. Pour ajouter une image à une diapositive, sélectionnez la diapositive à laquelle vous voulez ajouter une image dans la liste des diapositives à gauche, cliquez sur l'icône Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image: l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image 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 ajouter une image dans l'espace réservé en cliquant sur l'icône Image à partir d'un fichier à l'intérieur de l'espace et sélectionner l'image stockée sur votre ordinateur, ou utiliser le bouton Image à partir d'une URL et saisissez l'adresse URL de l'image: On peut aussi ajouter une image à la disposition de diapositive. Pour en savoir plus, veuillez consulter cet article. Ajuster les paramètres de l'image La barre latérale droite est activée lorsque vous cliquez avec le bouton gauche sur une image et sélectionnez l'icône Paramètres de l'image à droite. Elle comporte les sections suivantes: Taille - permet d'afficher la Largeur et la Hauteur de l'image actuelle ou de restaurer la Taille par défaut de l'image si nécessaire. 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 Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes: A partir du fichier, Image de stockage ou A partir de l'URL. L'option Remplacer l'image est également disponible dans le menu contextuel. 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) Lorsque l'image est sélectionnée, l'icône Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de la forme dans la barre latérale droite et ajuster le type du Ligne la taille et la couleur de la forme 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, 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 Placement vous permet de régler les paramètres suivants: Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. 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. Position - utilisez cette option pour modifier la position de l'image sur la diapositive (la position est calculée à partir des côtés supérieur et gauche de la diapositive). L'onglet 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 Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image. Pour supprimer une image insérée, sélectionnez-le avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une image sur la diapositive ou à organiser plusieurs images, reportez-vous à la section Aligner et organiser les objets dans une diapositive ." + "body": "Insérer une image Presentation Editor vous permet d'insérer des images aux formats populaires dans votre présentation. Les formats d'image pris en charge sont les suivants: BMP, GIF, JPEG, JPG, PNG. Pour ajouter une image à une diapositive, sélectionnez la diapositive à laquelle vous voulez ajouter une image dans la liste des diapositives à gauche, cliquez sur l'icône Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image: l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image 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 ajouter une image dans l'espace réservé en cliquant sur l'icône Image à partir d'un fichier à l'intérieur de l'espace et sélectionner l'image stockée sur votre ordinateur, ou utiliser le bouton Image à partir d'une URL et saisissez l'adresse URL de l'image: On peut aussi ajouter une image à la disposition de diapositive. Pour en savoir plus, veuillez consulter cet article. Ajuster les paramètres de l'image La barre latérale droite est activée lorsque vous cliquez avec le bouton gauche sur une image et sélectionnez l'icône Paramètres de l'image à droite. Elle comporte les sections suivantes: Taille - permet d'afficher la Largeur et la Hauteur de l'image actuelle ou de restaurer la Taille par défaut de l'image si nécessaire. 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 Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix: Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme. Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées. Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes: A partir du fichier, Image de stockage ou A partir de l'URL. L'option Remplacer l'image est également disponible dans le menu contextuel. 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) Lorsque l'image est sélectionnée, l'icône Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de la forme dans la barre latérale droite et ajuster le type du Ligne la taille et la couleur de la forme 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, 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 Placement vous permet de régler les paramètres suivants: Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. 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. Position - utilisez cette option pour modifier la position de l'image sur la diapositive (la position est calculée à partir des côtés supérieur et gauche de la diapositive). L'onglet 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 Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image. Pour supprimer une image insérée, sélectionnez-le avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une image sur la diapositive ou à organiser plusieurs images, reportez-vous à la section Aligner et organiser les objets dans une diapositive ." }, { "id": "UsageInstructions/InsertSymbols.htm", @@ -157,23 +177,23 @@ var indexes = }, { "id": "UsageInstructions/InsertText.htm", - "title": "Insérer et mettre en forme votre texte", - "body": "Insérer votre texte Dans Presentation Editor, vous pouvez ajouter un nouveau texte de trois manières différentes: Ajoutez un passage de texte dans l'espace réservé de texte correspondant inclus dans la présentation de diapositive. Pour ce faire, placez simplement le curseur dans l'espace réservé et tapez votre texte ou collez-le en utilisant la combinaison de touches Ctrl+V à la place du texte par défaut correspondant. Ajoutez un passage de texte n'importe où sur une diapositive. Vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Selon le type d'objet textuel voulu, vous pouvez effectuer les opérations suivantes: Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art sous l'onglet Insertion dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. Ajouter un passage de texte dans une forme automatique. Sélectionnez une forme et commencez à taper votre texte. Cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la diapositive. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet texte inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. pour aligner une zone de texte sur la diapositive, la faire pivoter ou la retourner, organiser des zones de texte par rapport à d'autres objets, cliquez avec le bouton droit sur la bordure de la zone de texte et utilisez les options de menu contextuel. pour créer des colonnes de texte dans la zone de texte, cliquez sur l'icône appropriée de la barre de mise en forme du texte et choisissez l'option appropriée, ou cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez sur Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque: il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Aligner le texte dans la zone de texte Le texte peut être aligné horizontalement de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement horizontal dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte à gauche vous permet d'aligner votre texte sur le côté gauche de la zone de texte (le côté droit reste non aligné). l'option Aligner le texte au centre vous permet d'aligner votre texte au centre de la zone de texte (les côtés droit et gauche ne sont pas alignés). l'option Aligner le texte à droite vous permet d'aligner votre texte sur le côté droit de la zone de texte (le côté gauche reste non aligné). l'option Justifier vous permet d'aligner votre texte par les côtés gauche et droit de la zone de texte (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Le texte peut être aligné verticalement de trois façons: haut, milieu ou bas. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement vertical dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte en haut vous permet d'aligner votre texte sur le haut de la zone de texte. l'option Aligner le texte au milieu vous permet d'aligner votre texte au centre de la zone de texte. l'option Aligner le texte en bas vous permet d'aligner votre texte au bas de la zone de texte. Changer la direction du texte Pour Faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme. Police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Cliquez sur la flèche vers le bas à côté de l'icône pour sélectionner la couleur. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Exposant Sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice Sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Définir l'interligne et modifier les retraits de paragraphe Vous pouvez définir l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Pour ce faire, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes avec la souris, utilisez les champs correspondants de l'onglet Paramètres de texte dans la barre latérale droite pour obtenir les résultats nécessaires: Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi deux options: Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes. Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait et Augmenter le retrait . Configurer les paramètres avancés du paragraphe Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre: L'onglet Retrait et emplacement permet de: modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe: sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. Vous pouvez également utilisez la règle horizontale pour changer les retraits. Sélectionnez le(s) paragraphe(s) et faites glisser les marqueurs tout au long de la règle Le marqueur Retrait de première ligne sert à définir le décalage de la marge interne gauche de la zone de texte pour la première ligne du paragraphe. Le marqueur Retrait suspendu sert à définir le décalage de la marge interne gauche de la zone de texte pour la deuxième ligne et toutes les lignes suivantes du paragraphe. Le marqueur Retrait de gauche sert à définir le décalage du paragraphe de la marge interne gauche de la zone de texte. Le marqueur Retrait de droite sert à définir le décalage du paragraphe de la marge interne droite de la zone de texte. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. L'onglet Police comporte les paramètres suivants: Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La Tabulation par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans la zone. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option De gauche, De centre ou De droite dans la liste déroulante Alignement et cliquez sur le bouton Spécifier. De gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de tabulation . Du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . De droite - sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale: Cliquez sur le bouton de sélection de tabulation dans le coin supérieur gauche de la zone de travail pour choisir le type d'arrêt de tabulation requis: À gauche , Au centre , À droite . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." + "title": "Comment modifier un texte sur PowerPoin", + "body": "Ajouter et mettre en forme votre texte Insérer votre texte Dans Presentation Editor, vous pouvez ajouter un nouveau texte de trois manières différentes: Ajoutez un passage de texte dans l'espace réservé de texte correspondant inclus dans la présentation de diapositive. Pour ce faire, placez simplement le curseur dans l'espace réservé et tapez votre texte ou collez-le en utilisant la combinaison de touches Ctrl+V à la place du texte par défaut correspondant. Ajoutez un passage de texte n'importe où sur une diapositive. Vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Selon le type d'objet textuel voulu, vous pouvez effectuer les opérations suivantes: Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art sous l'onglet Insertion dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. Ajouter un passage de texte dans une forme automatique. Sélectionnez une forme et commencez à taper votre texte. Cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la diapositive. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet texte inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. pour aligner une zone de texte sur la diapositive, la faire pivoter ou la retourner, organiser des zones de texte par rapport à d'autres objets, cliquez avec le bouton droit sur la bordure de la zone de texte et utilisez les options de menu contextuel. pour créer des colonnes de texte dans la zone de texte, cliquez sur l'icône appropriée de la barre de mise en forme du texte et choisissez l'option appropriée, ou cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez sur Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque: il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Aligner le texte dans la zone de texte Le texte peut être aligné horizontalement de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement horizontal dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte à gauche vous permet d'aligner votre texte sur le côté gauche de la zone de texte (le côté droit reste non aligné). l'option Aligner le texte au centre vous permet d'aligner votre texte au centre de la zone de texte (les côtés droit et gauche ne sont pas alignés). l'option Aligner le texte à droite vous permet d'aligner votre texte sur le côté droit de la zone de texte (le côté gauche reste non aligné). l'option Justifier vous permet d'aligner votre texte par les côtés gauche et droit de la zone de texte (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Le texte peut être aligné verticalement de trois façons: haut, milieu ou bas. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement vertical dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte en haut vous permet d'aligner votre texte sur le haut de la zone de texte. l'option Aligner le texte au milieu vous permet d'aligner votre texte au centre de la zone de texte. l'option Aligner le texte en bas vous permet d'aligner votre texte au bas de la zone de texte. Changer la direction du texte Pour Faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme. Police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Cliquez sur la flèche vers le bas à côté de l'icône pour sélectionner la couleur. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Exposant Sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice Sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Définir l'interligne et modifier les retraits de paragraphe Vous pouvez définir l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Pour ce faire, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes avec la souris, utilisez les champs correspondants de l'onglet Paramètres de texte dans la barre latérale droite pour obtenir les résultats nécessaires: Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options: Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes. Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait et Augmenter le retrait . Configurer les paramètres avancés du paragraphe Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre: L'onglet Retrait et emplacement permet de: modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe: sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. Vous pouvez également utilisez la règle horizontale pour changer les retraits. Sélectionnez le(s) paragraphe(s) et faites glisser les marqueurs tout au long de la règle Le marqueur Retrait de première ligne sert à définir le décalage de la marge interne gauche de la zone de texte pour la première ligne du paragraphe. Le marqueur Retrait suspendu sert à définir le décalage de la marge interne gauche de la zone de texte pour la deuxième ligne et toutes les lignes suivantes du paragraphe. Le marqueur Retrait de gauche sert à définir le décalage du paragraphe de la marge interne gauche de la zone de texte. Le marqueur Retrait de droite sert à définir le décalage du paragraphe de la marge interne droite de la zone de texte. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. L'onglet Police comporte les paramètres suivants: Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La Tabulation par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans la zone. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option De gauche, De centre ou De droite dans la liste déroulante Alignement et cliquez sur le bouton Spécifier. De gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de tabulation . Du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . De droite - sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale: Cliquez sur le bouton de sélection de tabulation dans le coin supérieur gauche de la zone de travail pour choisir le type d'arrêt de tabulation requis: À gauche , Au centre , À droite . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." }, { "id": "UsageInstructions/ManageSlides.htm", - "title": "Gérer des diapositives", - "body": "Par défaut, une présentation nouvellement créée a une diapositive titre. Dans Presentation Editor, vous pouvez créer de nouvelles diapositives, copier une diapositive pour pouvoir la coller à un autre endroit de la liste, dupliquer des diapositives, déplacer des diapositives pour modifier leur ordre dans la liste des diapositives, supprimer des diapositives inutiles, marquer certaines diapositives comme masquées. Pour créer une nouvelle diapositive Titre et Contenu: cliquez sur l'icône Ajouter une diapositive dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, ou cliquez avec le bouton droit sur une diapositive de la liste et sélectionnez l'option Nouvelle diapositive dans le menu contextuel, ou appuyez sur la combinaison de touches Ctrl+M. Pour créer une nouvelle diapositive avec une mise en page différente: cliquez sur la flèche à côté de l'icône Ajouter une diapositive dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez une diapositive avec la mise en page nécessaire de la liste. Remarque: vous pouvez modifier la mise en page de la diapositive ajoutée à tout moment. Pour en savoir plus consultez le chapitre Définir les paramètres de la diapositive . Une nouvelle diapositive sera insérée après la diapositive sélectionnée dans la liste des diapositives existantes située à gauche. Pour dupliquer une diapositive: cliquez avec le bouton droit sur une diapositive nécessaire dans la liste des diapositives existantes située à gauche, sélectionnez l'option Dupliquer la diapositive du menu contextuel. La diapositive dupliquée sera insérée après la diapositive sélectionnée dans la liste des diapositives. Pour copier une diapositive: sélectionnez la diapositive à copier dans la liste des diapositives existantes située à gauche, appuyez sur la combinaison de touches Ctrl+C, sélectionnez la diapositive après laquelle vous voulez insérer la diapositive copiée, appuyez sur la combinaison de touches Ctrl+V. Pour déplacer une diapositive existante: cliquez avec le bouton gauche sur la diapositive nécessaire dans la liste des diapositives existantes située à gauche, sans relâcher le bouton de la souris, faites-la glisser à l'endroit nécessaire dans la liste (une ligne horizontale indique un nouvel emplacement). Pour supprimer une diapositive inutile: cliquez avec le bouton droit sur la diapositive à supprimer dans la liste des diapositives existantes située à gauche, sélectionnez l'option Supprimer la diapositive du menu contextuel. Pour marquer une diapositive comme masquée: cliquez avec le bouton droit sur la diapositive à masquer dans la liste des diapositives existantes située à gauche, sélectionnez l'option Masquer la diapositive du menu contextuel. Le numéro qui correspond à la diapositive cachée dans la liste à gauche sera barré. Pour afficher la diapositive cachée comme une diapositive normale dans la liste des diapositives, cliquez à nouveau sur l'option Masquer la diapositive. Remarque: utilisez cette option si vous ne souhaitez pas montrer certaines diapositives à votre audience, mais souhaitez pouvoir y accéder si nécessaire. Lorsque vous lancez le diaporama en mode Présentateur, vous pouvez voir toutes les diapositives existantes dans la liste à gauche, tandis que les numéros de diapositives masquées sont barrés. Si vous souhaitez afficher une diapositive masquée aux autres, il suffit de cliquer dessus dans la liste à gauche - la diapositive s'affichera. Pour sélectionner toutes les diapositives existantes à la fois: cliquez avec le bouton droit sur une diapositive dans la liste des diapositives existantes située à gauche, sélectionnez l'option Sélectionner tout du menu contextuel. Pour sélectionner plusieurs diapositives: maintenez la touche Ctrl enfoncée, sélectionnez les diapositives nécessaires dans la liste des diapositives existantes située à gauche en la cliquant avec le bouton gauche de la souris. Remarque: toutes les combinaisons de touches pouvant être utilisées pour gérer les diapositives sont répertoriées sur la page Raccourcis clavier ." + "title": "Manage slides", + "body": "By default, a newly created presentation has one blank Title Slide. In the Presentation Editor, you can create new slides, copy a slide to paste it later to another place in the slide list, duplicate slides, move slides to change their order, delete unnecessary slides and mark some slides as hidden. To create a new Title and Content slide: click the Add Slide icon on the Home or Insert tab of the top toolbar, or right-click any slide in the list and select the New Slide option from the contextual menu, or press the Ctrl+M key combination. To create a new slide with a different layout: click the arrow next to the Add Slide icon on the Home or Insert tab of the top toolbar, select a slide with the necessary layout from the menu. Note: you can change the layout of the added slide anytime. For additional information on how to do that, please refer to the Set slide parameters section. A new slide will be inserted after the selected one in the list of the existing slides on the left. To duplicate slides: select a slide, or multiple slides in the list of the existing slides on the left, right-click the mouse button and select the Duplicate Slide option from the context menu, or go to the Home or the Insert tab, click the Add slide button and select the Duplicate Slide menu option. The duplicated slide will be inserted after the selected one in the slide list. To copy slides: in the list of the existing slides on the left, select a slide or multiple slides you need to copy, press the Ctrl+C key combination, in the slide list, select the slide after which the copied slide should be pasted, press the Ctrl+V key combination. To move existing slides: left-click the necessary slide or slides in the list of the existing slides on the left, without releasing the mouse button, drag it to the necessary place in the list (a horizontal line indicates a new location). To delete unnecessary slides: right-click the slide or slides you want to delete in the list of the existing slides on the left, select the Delete Slide option from the contextual menu. To mark slides as hidden: right-click the slide or slides you want to hide in the list of the existing slides on the left, select the Hide Slide option from the contextual menu. The number that corresponds to the hidden slide in the slide list on the left will be crossed out. To display the hidden slide as a regular one in the slide list, click the Hide Slide option once again. Note: use this option if you do not want to demonstrate some slides to your audience, but want to be able to access them if necessary. If you start the slideshow in the Presenter mode, you can see all the existing slides in the list on the left, while hidden slides numbers are crossed out. If you wish to show a slide marked as hidden to others, just click it in the slide list on the left - the slide will be displayed. To select all the existing slides at once: right-click any slide in the list of the existing slides on the left, select the Select All option from the contextual menu. To select several slides: hold down the Ctrl key, select the necessary slides by left-clicking them in the list of the existing slides on the left. Note: all the key combinations that can be used to manage slides are listed on the Keyboard Shortcuts page." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipuler des objets", - "body": "Dans Presentation Editor, vous pouvez redimensionner, déplacer, faire pivoter différents objets manuellement sur une diapositive à l'aide des poignées spéciales. Vous pouvez également spécifier les dimensions et la position de certains objets à l'aide de la barre latérale droite ou de la fenêtre Paramètres avancés. Remarque: la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique/zone de texte, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour spécifier la largeur et la hauteur précise d'un graphique, sélectionnez-le avec la souris et utilisez la section Taille de la barre latérale droite activée. Pour spécifier les dimensions précises d'une image ou d'une forme automatique, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image/forme automatique du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK. Modifier des formes automatiques Lors de la modification des formes, par exemple des Flèches figurées ou les Légendes, l'icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Déplacer des objets Pour modifier la position d'une forme automatique/image/tableau/graphique/bloc de texte, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement. Pour spécifier les dimensions précises d'une image, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image/bloc de texte, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter. Pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons: pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l'objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l'objet horizontalement (de gauche à droite) pour retourner l'objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'objet, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter l'objet selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK." + "body": "Dans Presentation Editor, vous pouvez redimensionner, déplacer, faire pivoter différents objets manuellement sur une diapositive à l'aide des poignées spéciales. Vous pouvez également spécifier les dimensions et la position de certains objets à l'aide de la barre latérale droite ou de la fenêtre Paramètres avancés. Remarque: la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique/zone de texte, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour spécifier la largeur et la hauteur précise d'un graphique, sélectionnez-le avec la souris et utilisez la section Taille de la barre latérale droite activée. Pour spécifier les dimensions précises d'une image ou d'une forme automatique, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image/forme automatique du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK. Modifier des formes automatiques Lors de la modification des formes, par exemple des Flèches figurées ou les Légendes, l'icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel. Modifier les points sert à personnaliser ou modifier le contour d'une forme. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité. Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu. Déplacer des objets Pour modifier la position d'une forme automatique/image/tableau/graphique/bloc de texte, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement. Pour spécifier les dimensions précises d'une image, cliquez avec le bouton droit de la souris sur l'objet nécessaire et sélectionnez l'option Paramètres avancés de l'image du menu contextuel. Réglez les valeurs nécessaires dans l'onglet Taille de la fenêtre Paramètres avancés et cliquez sur le bouton OK. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image/bloc de texte, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter. Pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons: pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l'objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l'objet horizontalement (de gauche à droite) pour retourner l'objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'objet, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter l'objet selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK." }, { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "Fonctionnalités de correction automatique", - "body": "Les fonctionnalités de correction automatique ONLYOFFICE Presentation Editor fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus. Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique. La boîte de dialogue Correction automatique comprend quatre onglets: AutoMaths, Fonctions reconnues, Mise en forme automatique au cours de la frappe et Correction automatique de texte. AutoMaths Lorsque vous travaillez dans l'éditeur d'équations, vous pouvez insérer plusieurs symboles, accents et opérateurs mathématiques en les 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 Presentation Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier dans lesParamètres avancés... -> Vérification de l'orthographe-> Vérification Les codes disponibles Code Symbole Catégorie !! Symboles ... Dots :: Opérateurs := Opérateurs /<</td> Opérateurs relationnels /> Opérateurs relationnels /= Opérateurs relationnels \\above Indices et exposants \\acute Accentuation \\aleph Lettres hébraïques \\alpha Lettres grecques \\Alpha Lettres grecques \\amalg Opérateurs binaires \\angle Notation de géométrie \\aoint Intégrales \\approx Opérateurs relationnels \\asmash Flèches \\ast Opérateurs binaires \\asymp Opérateurs relationnels \\atop Opérateurs \\bar Trait suscrit/souscrit \\Bar Accentuation \\because Opérateurs relationnels \\begin Séparateurs \\below Indices et exposants \\bet Lettres hébraïques \\beta Lettres grecques \\Beta Lettres grecques \\beth Lettres hébraïques \\bigcap Grands opérateurs \\bigcup Grands opérateurs \\bigodot Grands opérateurs \\bigoplus Grands opérateurs \\bigotimes Grands opérateurs \\bigsqcup Grands opérateurs \\biguplus Grands opérateurs \\bigvee Grands opérateurs \\bigwedge Grands opérateurs \\binomial Équations \\bot Notations logiques \\bowtie Opérateurs relationnels \\box Symboles \\boxdot Opérateurs binaires \\boxminus Opérateurs binaires \\boxplus Opérateurs binaires \\bra Séparateurs \\break Symboles \\breve Accentuation \\bullet Opérateurs binaires \\cap Opérateurs binaires \\cbrt Racine carrée et radicaux \\cases Symboles \\cdot Opérateurs binaires \\cdots Dots \\check Accentuation \\chi Lettres grecques \\Chi Lettres grecques \\circ Opérateurs binaires \\close Séparateurs \\clubsuit Symboles \\coint Intégrales \\cong Opérateurs relationnels \\coprod Opérateurs mathématiques \\cup Opérateurs binaires \\dalet Lettres hébraïques \\daleth Lettres hébraïques \\dashv Opérateurs relationnels \\dd Lettres avec double barres \\Dd Lettres avec double barres \\ddddot Accentuation \\dddot Accentuation \\ddot Accentuation \\ddots Dots \\defeq Opérateurs relationnels \\degc Symboles \\degf Symboles \\degree Symboles \\delta Lettres grecques \\Delta Lettres grecques \\Deltaeq Opérateurs \\diamond Opérateurs binaires \\diamondsuit Symboles \\div Opérateurs binaires \\dot Accentuation \\doteq Opérateurs relationnels \\dots Dots \\doublea Lettres avec double barres \\doubleA Lettres avec double barres \\doubleb Lettres avec double barres \\doubleB Lettres avec double barres \\doublec Lettres avec double barres \\doubleC Lettres avec double barres \\doubled Lettres avec double barres \\doubleD Lettres avec double barres \\doublee Lettres avec double barres \\doubleE Lettres avec double barres \\doublef Lettres avec double barres \\doubleF Lettres avec double barres \\doubleg Lettres avec double barres \\doubleG Lettres avec double barres \\doubleh Lettres avec double barres \\doubleH Lettres avec double barres \\doublei Lettres avec double barres \\doubleI Lettres avec double barres \\doublej Lettres avec double barres \\doubleJ Lettres avec double barres \\doublek Lettres avec double barres \\doubleK Lettres avec double barres \\doublel Lettres avec double barres \\doubleL Lettres avec double barres \\doublem Lettres avec double barres \\doubleM Lettres avec double barres \\doublen Lettres avec double barres \\doubleN Lettres avec double barres \\doubleo Lettres avec double barres \\doubleO Lettres avec double barres \\doublep Lettres avec double barres \\doubleP Lettres avec double barres \\doubleq Lettres avec double barres \\doubleQ Lettres avec double barres \\doubler Lettres avec double barres \\doubleR Lettres avec double barres \\doubles Lettres avec double barres \\doubleS Lettres avec double barres \\doublet Lettres avec double barres \\doubleT Lettres avec double barres \\doubleu Lettres avec double barres \\doubleU Lettres avec double barres \\doublev Lettres avec double barres \\doubleV Lettres avec double barres \\doublew Lettres avec double barres \\doubleW Lettres avec double barres \\doublex Lettres avec double barres \\doubleX Lettres avec double barres \\doubley Lettres avec double barres \\doubleY Lettres avec double barres \\doublez Lettres avec double barres \\doubleZ Lettres avec double barres \\downarrow Flèches \\Downarrow Flèches \\dsmash Flèches \\ee Lettres avec double barres \\ell Symboles \\emptyset Ensemble de notations \\emsp Caractères d'espace \\end Séparateurs \\ensp Caractères d'espace \\epsilon Lettres grecques \\Epsilon Lettres grecques \\eqarray Symboles \\equiv Opérateurs relationnels \\eta Lettres grecques \\Eta Lettres grecques \\exists Notations logiques \\forall Notations logiques \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Opérateurs relationnels \\funcapply Opérateurs binaires \\G Lettres grecques \\gamma Lettres grecques \\Gamma Lettres grecques \\ge Opérateurs relationnels \\geq Opérateurs relationnels \\gets Flèches \\gg Opérateurs relationnels \\gimel Lettres hébraïques \\grave Accentuation \\hairsp Caractères d'espace \\hat Accentuation \\hbar Symboles \\heartsuit Symboles \\hookleftarrow Flèches \\hookrightarrow Flèches \\hphantom Flèches \\hsmash Flèches \\hvec Accentuation \\identitymatrix Matrices \\ii Lettres avec double barres \\iiint Intégrales \\iint Intégrales \\iiiint Intégrales \\Im Symboles \\imath Symboles \\in Opérateurs relationnels \\inc Symboles \\infty Symboles \\int Intégrales \\integral Intégrales \\iota Lettres grecques \\Iota Lettres grecques \\itimes Opérateurs mathématiques \\j Symboles \\jj Lettres avec double barres \\jmath Symboles \\kappa Lettres grecques \\Kappa Lettres grecques \\ket Séparateurs \\lambda Lettres grecques \\Lambda Lettres grecques \\langle Séparateurs \\lbbrack Séparateurs \\lbrace Séparateurs \\lbrack Séparateurs \\lceil Séparateurs \\ldiv Barres obliques \\ldivide Barres obliques \\ldots Dots \\le Opérateurs relationnels \\left Séparateurs \\leftarrow Flèches \\Leftarrow Flèches \\leftharpoondown Flèches \\leftharpoonup Flèches \\leftrightarrow Flèches \\Leftrightarrow Flèches \\leq Opérateurs relationnels \\lfloor Séparateurs \\lhvec Accentuation \\limit Limites \\ll Opérateurs relationnels \\lmoust Séparateurs \\Longleftarrow Flèches \\Longleftrightarrow Flèches \\Longrightarrow Flèches \\lrhar Flèches \\lvec Accentuation \\mapsto Flèches \\matrix Matrices \\medsp Caractères d'espace \\mid Opérateurs relationnels \\middle Symboles \\models Opérateurs relationnels \\mp Opérateurs binaires \\mu Lettres grecques \\Mu Lettres grecques \\nabla Symboles \\naryand Opérateurs \\nbsp Caractères d'espace \\ne Opérateurs relationnels \\nearrow Flèches \\neq Opérateurs relationnels \\ni Opérateurs relationnels \\norm Séparateurs \\notcontain Opérateurs relationnels \\notelement Opérateurs relationnels \\notin Opérateurs relationnels \\nu Lettres grecques \\Nu Lettres grecques \\nwarrow Flèches \\o Lettres grecques \\O Lettres grecques \\odot Opérateurs binaires \\of Opérateurs \\oiiint Intégrales \\oiint Intégrales \\oint Intégrales \\omega Lettres grecques \\Omega Lettres grecques \\ominus Opérateurs binaires \\open Séparateurs \\oplus Opérateurs binaires \\otimes Opérateurs binaires \\over Séparateurs \\overbar Accentuation \\overbrace Accentuation \\overbracket Accentuation \\overline Accentuation \\overparen Accentuation \\overshell Accentuation \\parallel Notation de géométrie \\partial Symboles \\pmatrix Matrices \\perp Notation de géométrie \\phantom Symboles \\phi Lettres grecques \\Phi Lettres grecques \\pi Lettres grecques \\Pi Lettres grecques \\pm Opérateurs binaires \\pppprime Nombres premiers \\ppprime Nombres premiers \\pprime Nombres premiers \\prec Opérateurs relationnels \\preceq Opérateurs relationnels \\prime Nombres premiers \\prod Opérateurs mathématiques \\propto Opérateurs relationnels \\psi Lettres grecques \\Psi Lettres grecques \\qdrt Racine carrée et radicaux \\quadratic Racine carrée et radicaux \\rangle Séparateurs \\Rangle Séparateurs \\ratio Opérateurs relationnels \\rbrace Séparateurs \\rbrack Séparateurs \\Rbrack Séparateurs \\rceil Séparateurs \\rddots Dots \\Re Symboles \\rect Symboles \\rfloor Séparateurs \\rho Lettres grecques \\Rho Lettres grecques \\rhvec Accentuation \\right Séparateurs \\rightarrow Flèches \\Rightarrow Flèches \\rightharpoondown Flèches \\rightharpoonup Flèches \\rmoust Séparateurs \\root Symboles \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Barres obliques \\sdivide Barres obliques \\searrow Flèches \\setminus Opérateurs binaires \\sigma Lettres grecques \\Sigma Lettres grecques \\sim Opérateurs relationnels \\simeq Opérateurs relationnels \\smash Flèches \\smile Opérateurs relationnels \\spadesuit Symboles \\sqcap Opérateurs binaires \\sqcup Opérateurs binaires \\sqrt Racine carrée et radicaux \\sqsubseteq Ensemble de notations \\sqsuperseteq Ensemble de notations \\star Opérateurs binaires \\subset Ensemble de notations \\subseteq Ensemble de notations \\succ Opérateurs relationnels \\succeq Opérateurs relationnels \\sum Opérateurs mathématiques \\superset Ensemble de notations \\superseteq Ensemble de notations \\swarrow Flèches \\tau Lettres grecques \\Tau Lettres grecques \\therefore Opérateurs relationnels \\theta Lettres grecques \\Theta Lettres grecques \\thicksp Caractères d'espace \\thinsp Caractères d'espace \\tilde Accentuation \\times Opérateurs binaires \\to Flèches \\top Notations logiques \\tvec Flèches \\ubar Accentuation \\Ubar Accentuation \\underbar Accentuation \\underbrace Accentuation \\underbracket Accentuation \\underline Accentuation \\underparen Accentuation \\uparrow Flèches \\Uparrow Flèches \\updownarrow Flèches \\Updownarrow Flèches \\uplus Opérateurs binaires \\upsilon Lettres grecques \\Upsilon Lettres grecques \\varepsilon Lettres grecques \\varphi Lettres grecques \\varpi Lettres grecques \\varrho Lettres grecques \\varsigma Lettres grecques \\vartheta Lettres grecques \\vbar Séparateurs \\vdash Opérateurs relationnels \\vdots Dots \\vec Accentuation \\vee Opérateurs binaires \\vert Séparateurs \\Vert Séparateurs \\Vmatrix Matrices \\vphantom Flèches \\vthicksp Caractères d'espace \\wedge Opérateurs binaires \\wp Symboles \\wr Opérateurs binaires \\xi Lettres grecques \\Xi Lettres grecques \\zeta Lettres grecques \\Zeta Lettres grecques \\zwnj Caractères d'espace \\zwsp Caractères d'espace ~= Opérateurs relationnels -+ Opérateurs binaires +- Opérateurs binaires << Opérateurs relationnels <= Opérateurs relationnels -> Flèches >= Opérateurs relationnels >> Opérateurs relationnels Fonctions reconnues Sous cet onglet, vous pouvez trouver les expressions mathématiques que l'éditeur d'équations reconnait comme les fonctions et lesquelles ne seront pas mises en italique automatiquement. Pour accéder à la liste de fonctions reconnues, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> 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-> Correction automatique -> Mise en forme automatique au cours de la frappe Correction automatique de texte Il est possible d'activer la correction automatique pour convertir en majuscule la première lettre des phrases. Par défaut, cette option est activée. Pour la désactiver, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> Correction automatique de texte et désactivez l'option Majuscule en début de phrase." + "body": "Les fonctionnalités de correction automatique ONLYOFFICE Presentation Editor fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus. Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique. La boîte de dialogue Correction automatique comprend quatre onglets: AutoMaths, Fonctions reconnues, Mise en forme automatique au cours de la frappe et Correction automatique de texte. AutoMaths Lorsque vous travaillez dans l'éditeur d'équations, vous pouvez insérer plusieurs symboles, accents et opérateurs mathématiques en les 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 Presentation Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier dans lesParamètres avancés... -> Vérification de l'orthographe-> Vérification Les codes disponibles Code Symbole Catégorie !! Symboles ... Dots :: Opérateurs := Opérateurs /<</td> Opérateurs relationnels /> Opérateurs relationnels /= Opérateurs relationnels \\above Indices et exposants \\acute Accentuation \\aleph Lettres hébraïques \\alpha Lettres grecques \\Alpha Lettres grecques \\amalg Opérateurs binaires \\angle Notation de géométrie \\aoint Intégrales \\approx Opérateurs relationnels \\asmash Flèches \\ast Opérateurs binaires \\asymp Opérateurs relationnels \\atop Opérateurs \\bar Trait suscrit/souscrit \\Bar Accentuation \\because Opérateurs relationnels \\begin Séparateurs \\below Indices et exposants \\bet Lettres hébraïques \\beta Lettres grecques \\Beta Lettres grecques \\beth Lettres hébraïques \\bigcap Grands opérateurs \\bigcup Grands opérateurs \\bigodot Grands opérateurs \\bigoplus Grands opérateurs \\bigotimes Grands opérateurs \\bigsqcup Grands opérateurs \\biguplus Grands opérateurs \\bigvee Grands opérateurs \\bigwedge Grands opérateurs \\binomial Équations \\bot Notations logiques \\bowtie Opérateurs relationnels \\box Symboles \\boxdot Opérateurs binaires \\boxminus Opérateurs binaires \\boxplus Opérateurs binaires \\bra Séparateurs \\break Symboles \\breve Accentuation \\bullet Opérateurs binaires \\cap Opérateurs binaires \\cbrt Racine carrée et radicaux \\cases Symboles \\cdot Opérateurs binaires \\cdots Dots \\check Accentuation \\chi Lettres grecques \\Chi Lettres grecques \\circ Opérateurs binaires \\close Séparateurs \\clubsuit Symboles \\coint Intégrales \\cong Opérateurs relationnels \\coprod Opérateurs mathématiques \\cup Opérateurs binaires \\dalet Lettres hébraïques \\daleth Lettres hébraïques \\dashv Opérateurs relationnels \\dd Lettres avec double barres \\Dd Lettres avec double barres \\ddddot Accentuation \\dddot Accentuation \\ddot Accentuation \\ddots Dots \\defeq Opérateurs relationnels \\degc Symboles \\degf Symboles \\degree Symboles \\delta Lettres grecques \\Delta Lettres grecques \\Deltaeq Opérateurs \\diamond Opérateurs binaires \\diamondsuit Symboles \\div Opérateurs binaires \\dot Accentuation \\doteq Opérateurs relationnels \\dots Dots \\doublea Lettres avec double barres \\doubleA Lettres avec double barres \\doubleb Lettres avec double barres \\doubleB Lettres avec double barres \\doublec Lettres avec double barres \\doubleC Lettres avec double barres \\doubled Lettres avec double barres \\doubleD Lettres avec double barres \\doublee Lettres avec double barres \\doubleE Lettres avec double barres \\doublef Lettres avec double barres \\doubleF Lettres avec double barres \\doubleg Lettres avec double barres \\doubleG Lettres avec double barres \\doubleh Lettres avec double barres \\doubleH Lettres avec double barres \\doublei Lettres avec double barres \\doubleI Lettres avec double barres \\doublej Lettres avec double barres \\doubleJ Lettres avec double barres \\doublek Lettres avec double barres \\doubleK Lettres avec double barres \\doublel Lettres avec double barres \\doubleL Lettres avec double barres \\doublem Lettres avec double barres \\doubleM Lettres avec double barres \\doublen Lettres avec double barres \\doubleN Lettres avec double barres \\doubleo Lettres avec double barres \\doubleO Lettres avec double barres \\doublep Lettres avec double barres \\doubleP Lettres avec double barres \\doubleq Lettres avec double barres \\doubleQ Lettres avec double barres \\doubler Lettres avec double barres \\doubleR Lettres avec double barres \\doubles Lettres avec double barres \\doubleS Lettres avec double barres \\doublet Lettres avec double barres \\doubleT Lettres avec double barres \\doubleu Lettres avec double barres \\doubleU Lettres avec double barres \\doublev Lettres avec double barres \\doubleV Lettres avec double barres \\doublew Lettres avec double barres \\doubleW Lettres avec double barres \\doublex Lettres avec double barres \\doubleX Lettres avec double barres \\doubley Lettres avec double barres \\doubleY Lettres avec double barres \\doublez Lettres avec double barres \\doubleZ Lettres avec double barres \\downarrow Flèches \\Downarrow Flèches \\dsmash Flèches \\ee Lettres avec double barres \\ell Symboles \\emptyset Ensemble de notations \\emsp Caractères d'espace \\end Séparateurs \\ensp Caractères d'espace \\epsilon Lettres grecques \\Epsilon Lettres grecques \\eqarray Symboles \\equiv Opérateurs relationnels \\eta Lettres grecques \\Eta Lettres grecques \\exists Notations logiques \\forall Notations logiques \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Opérateurs relationnels \\funcapply Opérateurs binaires \\G Lettres grecques \\gamma Lettres grecques \\Gamma Lettres grecques \\ge Opérateurs relationnels \\geq Opérateurs relationnels \\gets Flèches \\gg Opérateurs relationnels \\gimel Lettres hébraïques \\grave Accentuation \\hairsp Caractères d'espace \\hat Accentuation \\hbar Symboles \\heartsuit Symboles \\hookleftarrow Flèches \\hookrightarrow Flèches \\hphantom Flèches \\hsmash Flèches \\hvec Accentuation \\identitymatrix Matrices \\ii Lettres avec double barres \\iiint Intégrales \\iint Intégrales \\iiiint Intégrales \\Im Symboles \\imath Symboles \\in Opérateurs relationnels \\inc Symboles \\infty Symboles \\int Intégrales \\integral Intégrales \\iota Lettres grecques \\Iota Lettres grecques \\itimes Opérateurs mathématiques \\j Symboles \\jj Lettres avec double barres \\jmath Symboles \\kappa Lettres grecques \\Kappa Lettres grecques \\ket Séparateurs \\lambda Lettres grecques \\Lambda Lettres grecques \\langle Séparateurs \\lbbrack Séparateurs \\lbrace Séparateurs \\lbrack Séparateurs \\lceil Séparateurs \\ldiv Barres obliques \\ldivide Barres obliques \\ldots Dots \\le Opérateurs relationnels \\left Séparateurs \\leftarrow Flèches \\Leftarrow Flèches \\leftharpoondown Flèches \\leftharpoonup Flèches \\leftrightarrow Flèches \\Leftrightarrow Flèches \\leq Opérateurs relationnels \\lfloor Séparateurs \\lhvec Accentuation \\limit Limites \\ll Opérateurs relationnels \\lmoust Séparateurs \\Longleftarrow Flèches \\Longleftrightarrow Flèches \\Longrightarrow Flèches \\lrhar Flèches \\lvec Accentuation \\mapsto Flèches \\matrix Matrices \\medsp Caractères d'espace \\mid Opérateurs relationnels \\middle Symboles \\models Opérateurs relationnels \\mp Opérateurs binaires \\mu Lettres grecques \\Mu Lettres grecques \\nabla Symboles \\naryand Opérateurs \\nbsp Caractères d'espace \\ne Opérateurs relationnels \\nearrow Flèches \\neq Opérateurs relationnels \\ni Opérateurs relationnels \\norm Séparateurs \\notcontain Opérateurs relationnels \\notelement Opérateurs relationnels \\notin Opérateurs relationnels \\nu Lettres grecques \\Nu Lettres grecques \\nwarrow Flèches \\o Lettres grecques \\O Lettres grecques \\odot Opérateurs binaires \\of Opérateurs \\oiiint Intégrales \\oiint Intégrales \\oint Intégrales \\omega Lettres grecques \\Omega Lettres grecques \\ominus Opérateurs binaires \\open Séparateurs \\oplus Opérateurs binaires \\otimes Opérateurs binaires \\over Séparateurs \\overbar Accentuation \\overbrace Accentuation \\overbracket Accentuation \\overline Accentuation \\overparen Accentuation \\overshell Accentuation \\parallel Notation de géométrie \\partial Symboles \\pmatrix Matrices \\perp Notation de géométrie \\phantom Symboles \\phi Lettres grecques \\Phi Lettres grecques \\pi Lettres grecques \\Pi Lettres grecques \\pm Opérateurs binaires \\pppprime Nombres premiers \\ppprime Nombres premiers \\pprime Nombres premiers \\prec Opérateurs relationnels \\preceq Opérateurs relationnels \\prime Nombres premiers \\prod Opérateurs mathématiques \\propto Opérateurs relationnels \\psi Lettres grecques \\Psi Lettres grecques \\qdrt Racine carrée et radicaux \\quadratic Racine carrée et radicaux \\rangle Séparateurs \\Rangle Séparateurs \\ratio Opérateurs relationnels \\rbrace Séparateurs \\rbrack Séparateurs \\Rbrack Séparateurs \\rceil Séparateurs \\rddots Dots \\Re Symboles \\rect Symboles \\rfloor Séparateurs \\rho Lettres grecques \\Rho Lettres grecques \\rhvec Accentuation \\right Séparateurs \\rightarrow Flèches \\Rightarrow Flèches \\rightharpoondown Flèches \\rightharpoonup Flèches \\rmoust Séparateurs \\root Symboles \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Barres obliques \\sdivide Barres obliques \\searrow Flèches \\setminus Opérateurs binaires \\sigma Lettres grecques \\Sigma Lettres grecques \\sim Opérateurs relationnels \\simeq Opérateurs relationnels \\smash Flèches \\smile Opérateurs relationnels \\spadesuit Symboles \\sqcap Opérateurs binaires \\sqcup Opérateurs binaires \\sqrt Racine carrée et radicaux \\sqsubseteq Ensemble de notations \\sqsuperseteq Ensemble de notations \\star Opérateurs binaires \\subset Ensemble de notations \\subseteq Ensemble de notations \\succ Opérateurs relationnels \\succeq Opérateurs relationnels \\sum Opérateurs mathématiques \\superset Ensemble de notations \\superseteq Ensemble de notations \\swarrow Flèches \\tau Lettres grecques \\Tau Lettres grecques \\therefore Opérateurs relationnels \\theta Lettres grecques \\Theta Lettres grecques \\thicksp Caractères d'espace \\thinsp Caractères d'espace \\tilde Accentuation \\times Opérateurs binaires \\to Flèches \\top Notations logiques \\tvec Flèches \\ubar Accentuation \\Ubar Accentuation \\underbar Accentuation \\underbrace Accentuation \\underbracket Accentuation \\underline Accentuation \\underparen Accentuation \\uparrow Flèches \\Uparrow Flèches \\updownarrow Flèches \\Updownarrow Flèches \\uplus Opérateurs binaires \\upsilon Lettres grecques \\Upsilon Lettres grecques \\varepsilon Lettres grecques \\varphi Lettres grecques \\varpi Lettres grecques \\varrho Lettres grecques \\varsigma Lettres grecques \\vartheta Lettres grecques \\vbar Séparateurs \\vdash Opérateurs relationnels \\vdots Dots \\vec Accentuation \\vee Opérateurs binaires \\vert Séparateurs \\Vert Séparateurs \\Vmatrix Matrices \\vphantom Flèches \\vthicksp Caractères d'espace \\wedge Opérateurs binaires \\wp Symboles \\wr Opérateurs binaires \\xi Lettres grecques \\Xi Lettres grecques \\zeta Lettres grecques \\Zeta Lettres grecques \\zwnj Caractères d'espace \\zwsp Caractères d'espace ~= Opérateurs relationnels -+ Opérateurs binaires +- Opérateurs binaires << Opérateurs relationnels <= Opérateurs relationnels -> Flèches >= Opérateurs relationnels >> Opérateurs relationnels Fonctions reconnues Sous cet onglet, vous pouvez trouver les expressions mathématiques que l'éditeur d'équations reconnait comme les fonctions et lesquelles ne seront pas mises en italique automatiquement. Pour accéder à la liste de fonctions reconnues, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> 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 remplacer les guillemets ou les traits d'union par un tiret demi-cadratin, convertir des addresses web ou des chemins d'accès réseau en lien hypertextes, appliquer une liste à puces ou une liste numérotée lorsqu'il détecte que vous tapez une liste. L'option Ajouter un point avec un double espace permet d'insérer un point lorsqu'on appuie deux fois sur la barre d'espace. Activez ou désactivez cette option selon le cas. Par défaut, cette option est désactivée sur Linux et Windows et est activée sur macOS 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-> Correction automatique -> Mise en forme automatique au cours de la frappe Correction automatique de texte Il est possible d'activer la correction automatique pour convertir en majuscule la première lettre des phrases. Par défaut, cette option est activée. Pour la désactiver, passez à l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> Correction automatique de texte et désactivez l'option Majuscule en début de phrase." }, { "id": "UsageInstructions/OpenCreateNew.htm", @@ -188,18 +208,23 @@ var indexes = { "id": "UsageInstructions/PreviewPresentation.htm", "title": "Aperçu de la présentation", - "body": "Démarrer l'aperçu Pour afficher un aperçu de la présentation en cours de l'édition dans Presentation Editor: cliquez sur l'icône Démarrer le diaporama dans l'onglet Accueil de la barre d'outils supérieure ou sur le côté gauche de la barre d'état, ou sélectionnez une diapositive dans la liste à gauche, cliquez dessus avec le bouton droit de la souris et choisissez l'option Démarrer le diaporama dans le menu contextuel. L'aperçu commencera à partir de la diapositive actuellement sélectionnée. Vous pouvez également cliquer sur la flèche à côté de l'icône Démarrer le diaporama dans l'onglet Accueil de la barre d'outils supérieure et sélectionner l'une des options disponibles: Afficher depuis le début - pour commencer l'aperçu à partir de la toute première diapositive, Afficher à partir de la diapositive actuelle - pour démarrer l'aperçu depuis la diapositive actuellement sélectionnée, Afficher le mode Présentateur - pour lancer l'aperçu en mode Présentateur, ce qui permet d'afficher la présentation à votre audience sans les notes de diapositives tout en affichant la présentation avec les notes sur un moniteur différent. Afficher les paramètres - pour ouvrir une fenêtre de paramètres qui permet de définir une seule option: Boucler en continu jusqu'à ce que "Echap" soit appuyé. Cochez cette option si nécessaire et cliquez sur OK. Si vous activez cette option, la présentation s'affichera jusqu'à ce que vous appuyiez sur la touche Echap du clavier, c'est-à-dire que lorsque la dernière diapositive de la présentation sera atteinte, vous pourrez revenir à la première diapositive à nouveau. Si vous désactivez cette option Une fois la dernière diapositive de la présentation atteinte, un écran noir apparaît pour vous informer que la présentation est terminée et vous pourrez quitter l'Aperçu. Utiliser le mode Aperçu En mode Aperçu, vous pouvez utiliser les contrôles suivants dans le coin inférieur gauche: le bouton Diapositive précédente vous permet de revenir à la diapositive précédente. le bouton Mettre en pause la présentation vous permet d'arrêter l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Démarrer la présentation vous permet de reprendre l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Diapositive suivante vous permet d'avancer à la diapositive suivante. l'Indicateur de numéro de diapositive affiche le numéro de diapositive en cours ainsi que le nombre total de diapositives dans la présentation. Pour aller à une certaine diapositive en mode aperçu, cliquez sur l'Indicateur de numéro de diapositive, entrez le numéro de diapositive nécessaire dans la fenêtre ouverte et appuyez sur Entrée. le bouton Plein écran vous permet de passer en mode plein écran. Le bouton Quitter le plein écran vous permet de quitter le mode plein écran. le bouton Fermer le diaporama vous permet de quitter le mode aperçu. Vous pouvez également utiliser les raccourcis clavier pour naviguer entre les diapositives en mode Aperçu. Utiliser le mode Présentateur Remarque: dans l'édition de bureau, le mode Présentateur n'est disponible lorsque le deuxième moniteur est connecté. En mode Présentateur, vous pouvez afficher vos présentations avec des notes de diapositives dans une fenêtre séparée, tout en les affichant sans notes sur un moniteur différent. Les notes de chaque diapositive s'affichent sous la zone d'aperçu de la diapositive. Pour naviguer entre les diapositives, vous pouvez utiliser les boutons et ou cliquer sur les diapositives dans la liste à gauche. Les numéros de diapositives masquées sont barrés dans la liste à gauche. Si vous souhaitez afficher une diapositive masquée aux autres, il suffit de cliquer dessus dans la liste à gauche - la diapositive s'affichera. Vous pouvez utiliser les contrôles suivants sous la zone d'aperçu de diapositive: le Chronomètre affiche le temps écoulé de la présentation au format hh.mm.ss. le bouton Mettre en pause la présentation vous permet d'arrêter l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Démarrer la présentation vous permet de reprendre l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Réinitialiser permet de réinitialiser le temps écoulé de la présentation. le bouton Diapositive précédente vous permet de revenir à la diapositive précédente. le bouton Diapositive suivante vous permet d'avancer à la diapositive suivante. l'Indicateur de numéro de diapositive affiche le numéro de diapositive en cours ainsi que le nombre total de diapositives dans la présentation. le bouton Pointeur vous permet de mettre en évidence quelque chose sur l'écran lors de l'affichage de la présentation. Lorsque cette option est activée, le bouton ressemble à ceci: . Pour pointer vers certains objets, placez le pointeur de votre souris sur la zone d'aperçu de la diapositive et déplacez le pointeur sur la diapositive. Le pointeur aura l'apparence suivante: . Pour désactiver cette option, cliquez à nouveau sur le bouton . le bouton Fin du diaporama vous permet de quitter le mode Présentateur." + "body": "Démarrer l'aperçu Remarque: Lors du téléchargement d'une présentation crée à l'aide des outils de présentation alternatifs, il est possible de lancer un aperçu des effets d'animation éventuels. Pour afficher un aperçu de la présentation en cours de l'édition dans Presentation Editor: cliquez sur l'icône Démarrer le diaporama dans l'onglet Accueil de la barre d'outils supérieure ou sur le côté gauche de la barre d'état, ou sélectionnez une diapositive dans la liste à gauche, cliquez dessus avec le bouton droit de la souris et choisissez l'option Démarrer le diaporama dans le menu contextuel. L'aperçu commencera à partir de la diapositive actuellement sélectionnée. Vous pouvez également cliquer sur la flèche à côté de l'icône Démarrer le diaporama dans l'onglet Accueil de la barre d'outils supérieure et sélectionner l'une des options disponibles: Afficher depuis le début - pour commencer l'aperçu à partir de la toute première diapositive, Afficher à partir de la diapositive actuelle - pour démarrer l'aperçu depuis la diapositive actuellement sélectionnée, Afficher le mode Présentateur - pour lancer l'aperçu en mode Présentateur, ce qui permet d'afficher la présentation à votre audience sans les notes de diapositives tout en affichant la présentation avec les notes sur un moniteur différent. Afficher les paramètres - pour ouvrir une fenêtre de paramètres qui permet de définir une seule option: Boucler en continu jusqu'à ce que "Echap" soit appuyé. Cochez cette option si nécessaire et cliquez sur OK. Si vous activez cette option, la présentation s'affichera jusqu'à ce que vous appuyiez sur la touche Echap du clavier, c'est-à-dire que lorsque la dernière diapositive de la présentation sera atteinte, vous pourrez revenir à la première diapositive à nouveau. Si vous désactivez cette option Une fois la dernière diapositive de la présentation atteinte, un écran noir apparaît pour vous informer que la présentation est terminée et vous pourrez quitter l'Aperçu. Utiliser le mode Aperçu En mode Aperçu, vous pouvez utiliser les contrôles suivants dans le coin inférieur gauche: le bouton Diapositive précédente vous permet de revenir à la diapositive précédente. le bouton Mettre en pause la présentation vous permet d'arrêter l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Démarrer la présentation vous permet de reprendre l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Diapositive suivante vous permet d'avancer à la diapositive suivante. l'Indicateur de numéro de diapositive affiche le numéro de diapositive en cours ainsi que le nombre total de diapositives dans la présentation. Pour aller à une certaine diapositive en mode aperçu, cliquez sur l'Indicateur de numéro de diapositive, entrez le numéro de diapositive nécessaire dans la fenêtre ouverte et appuyez sur Entrée. le bouton Plein écran vous permet de passer en mode plein écran. Le bouton Quitter le plein écran vous permet de quitter le mode plein écran. le bouton Fermer le diaporama vous permet de quitter le mode aperçu. Vous pouvez également utiliser les raccourcis clavier pour naviguer entre les diapositives en mode Aperçu. Utiliser le mode Présentateur Remarque: dans l'édition de bureau, le mode Présentateur n'est disponible lorsque le deuxième moniteur est connecté. En mode Présentateur, vous pouvez afficher vos présentations avec des notes de diapositives dans une fenêtre séparée, tout en les affichant sans notes sur un moniteur différent. Les notes de chaque diapositive s'affichent sous la zone d'aperçu de la diapositive. Pour naviguer entre les diapositives, vous pouvez utiliser les boutons et ou cliquer sur les diapositives dans la liste à gauche. Les numéros de diapositives masquées sont barrés dans la liste à gauche. Si vous souhaitez afficher une diapositive masquée aux autres, il suffit de cliquer dessus dans la liste à gauche - la diapositive s'affichera. Vous pouvez utiliser les contrôles suivants sous la zone d'aperçu de diapositive: le Chronomètre affiche le temps écoulé de la présentation au format hh.mm.ss. le bouton Mettre en pause la présentation vous permet d'arrêter l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Démarrer la présentation vous permet de reprendre l'aperçu. Lorsque le bouton est enfoncé, il devient le bouton . le bouton Réinitialiser permet de réinitialiser le temps écoulé de la présentation. le bouton Diapositive précédente vous permet de revenir à la diapositive précédente. le bouton Diapositive suivante vous permet d'avancer à la diapositive suivante. l'Indicateur de numéro de diapositive affiche le numéro de diapositive en cours ainsi que le nombre total de diapositives dans la présentation. le bouton Pointeur vous permet de mettre en évidence quelque chose sur l'écran lors de l'affichage de la présentation. Lorsque cette option est activée, le bouton ressemble à ceci: . Pour pointer vers certains objets, placez le pointeur de votre souris sur la zone d'aperçu de la diapositive et déplacez le pointeur sur la diapositive. Le pointeur aura l'apparence suivante: . Pour désactiver cette option, cliquez à nouveau sur le bouton . le bouton Fin du diaporama vous permet de quitter le mode Présentateur." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Enregistrer/imprimer/télécharger votre classeur", - "body": "Enregistrer/imprimer/télécharger votre présentation Enregistrement Par défaut, Presentation 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 présentation actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer la présentation 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: PPTX, ODP, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la présentation résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP. 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: PPTX, PDF, ODP, POTX, PDF/A, OTP, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la présentation active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer les diapositives sélectionnés en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris sur les diapositives sélectionnées et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF est généré depuis votre présentation. 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/imprimer/télécharger votre présentation Enregistrement Par défaut, Presentation 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 présentation actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer la présentation 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: PPTX, ODP, PDF, PDF/A, PNG, JPG. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la présentation résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. 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: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la présentation active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer les diapositives sélectionnés en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris sur les diapositives sélectionnées et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF est généré depuis votre présentation. 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/SetSlideParameters.htm", "title": "Définir les paramètres de la diapositive", "body": "Pour personnaliser votre présentation dans Presentation Editor, vous pouvez sélectionner le thème, les jeux de couleurs, la taille et l'orientation de la diapositive pour toute la présentation, changer le remplissage de l'arrière-plan ou la mise en page pour chaque diapositive séparée aussi bien qu'appliquer des transitions entre les diapositives. Il est également possible d'ajouter des notes explicatives à chaque diapositive qui peuvent être utiles lorsque la présentation est en mode Présentateur. Les Thèmes vous permettent de changer rapidement la conception de présentation, notamment l'apparence d'arrière-plan de diapositives, les polices prédéfinies pour les titres et les textes, la palette de couleurs qui est utilisée pour les éléments de présentation. Pour sélectionner un thème pour la présentation, cliquez sur le thème prédéfini voulu dans la galerie de thèmes sur le côté droit de l'onglet Accueil de la barre d'outils supérieure. Le thème choisi sera appliqué à toutes les diapositives à moins que vous n'en ayez choisi quelques-unes pour appliquer le thème. Pour modifier le thème sélectionné pour une ou plusieurs diapositives, vous pouvez cliquer avec le bouton droit sur les diapositives sélectionnées dans la liste de gauche (ou cliquer avec le bouton droit sur une diapositive dans la zone d'édition), sélectionner l'option Changer de thème dans le menu contextuel et choisir le thème voulu. Les Jeux de couleurs servent à définir des couleurs prédéfinies utilisées pour les éléments de présentation (polices, lignes, remplissages etc.) et vous permettent de maintenir la cohérence des couleurs dans toute la présentation. Pour changer de jeu de couleurs, cliquez sur l'icône Modifier le jeu de couleurs dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez le jeu nécessaire de la liste déroulante. Le jeu de couleurs sélectionné sera appliqué à toutes les diapositives. Pour changer la taille de toutes les diapositives de la présentation, cliquez sur l'icône Sélectionner la taille de la diapositive sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option nécessaire depuis la liste déroulante. Vous pouvez sélectionner: l'un des deux paramètres prédéfinis - Standard (4:3) ou Écran large (16:9), l'option Paramètres avancés pour ouvrir la fenêtre Paramètres de taille et sélectionnez l'un des préréglages disponibles ou définissez la taille Personnalisée en spécifiant les valeurs de Largeur et Hauteur. Les options disponibles sont les suivantes: Standard (4:3), Plein écran (16:9), Plein écran (16:10), Papier à lettres (8.5x11 in), Ledger Paper (11x17 in), A3 (297x420 mm), Format A4 (210x297 mm), B4 (ICO) Papier (250x353 mm), B5 (ICO) Papier (176x250 mm), Diapositives 35 mm, Transparent, Bannière, Plein écran, Personnalisé. Le menu Orientation de la diapositive permet de changer le type d'orientation actuellement sélectionné. Le type d'orientation par défaut est Paysage qui peut être commuté sur Portrait. Pour modifier le remplissage de l'arrière-plan: sélectionnez les diapositives dont le remplissage vous voulez modifier de la liste des diapositives à gauche. Ou cliquez sur n'importe quel espace vide dans la diapositive en cours de la modification dans la zone de travail pour changer le type de remplissage de cette diapositive séparée. dans l'onglet Paramètres de la diapositive de la barre latérale droite, sélectionnez une des options: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la diapositive sélectionnée. Remplissage en dégradé - sélectionnez cette option pour sélectionner deux couleurs et remplir la diapositive d'une transition douce entre elles. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la diapositive. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés pour remplir l'espace intérieur de la diapositive. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Opacité - faites glisser le curseur ou saisissez 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. Pour en savoir plus consultez la section Remplir les objets et sélectionner les couleurs . Transitions vous aident à rendre votre présentation plus dynamique et captiver l'attention de votre auditoire. Pour appliquer une transition: sélectionnez les diapositives auxquelles vous voulez appliquer la transition de la liste de diapositives à gauche, sélectionnez une transition de la liste déroulante Effet de l'onglet Paramètres de la diapositive, Pour ouvrir l'onglet Paramètres de la diapositive, vous pouvez cliquer sur l'icône Paramètres de la diapositive à droite ou cliquer avec le bouton droit sur la diapositive dans la zone d'édition de la diapositive et sélectionner l'option Paramètres de la diapositive dans le menu contextuel. réglez les paramètres de la transition: choisissez le type de la transition, la durée et le mode de l'avancement des diapositives, cliquez sur le bouton Appliquer à toutes les diapositives si vous voulez appliquer la même transition à toutes les diapositives de la présentation. Pour en savoir plus sur ces options consultez le chapitre Appliquer des transitions . Pour appliquer une mise en page: sélectionnez les diapositives auxquelles vous voulez appliquer une nouvelle mise en page de la liste de diapositives à gauche, cliquez sur l'icône Modifier la disposition de la diapositive dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez une mise en page nécessaire de la liste déroulante. Vous pouvez également cliquer avec le bouton droit sur la diapositive nécessaire dans la liste située à gauche, sélectionnez l'option Modifier la disposition de diapositive depuis le menu contextuel et sélectionnez la mise en page nécessaire. Actuellement les mises en page suivantes sont disponibles: Titre, Titre et objet, En-tête de section, Objet et deux objets, Deux textes et deux objets, Titre seulement, Vide, Titre, Objet et Légende, Image et Légende, Texte vertical, Texte vertical et texte. Pour ajouter des objets à la disposition d'une diapositive: cliquez sur l'icône Modifier la disposition de diapositive et sélectionnez la disposition pour laquelle vous souhaitez ajouter un objet, ajoutez les objets appropriés à la diapositive (image, tableau, graphique, forme) sous l'onglet Insertion dans la barre d'outil supérieure, ensuite cliquez avec le bouton droit de la souris sur cet objet et sélectionnez l'option Ajouter dans une mise en page, cliquez sur Modifier la disposition de diapositive sous l'onglet Accueil et sélectionnez la disposition modifiée. Les objets sélectionnés seront ajoutés à la disposition du thème actuel. Il n'est pas possible de sélectionner, redimensionner ou déplacer des objets que vous ajoutez d'une telle façon. Pour réinitialiser la disposition de diapositive à son état d'origine: sélectionnez les diapositives à réinitialiser la disposition à son état d'origine de la liste des diapositives à gauche, Maintenez la touche Ctrl enfoncée et sélectionnez une diapositive à la foi, ou maintenez la touche Maj enfoncée pour sélectionner toutes les diapositives à partir de la diapositive actuelle jusqu'à la dernière. cliquez avec le bouton droit de la souris sur une diapositive et sélectionnez l'option Réinitialiser la diapositive dans le menu contextuelle. Toutes les zones de texte et les objets dans la diapositive sont réinitialisés selon la disposition de la diapositive. Pour ajouter des notes à une diapositive: sélectionnez la diapositive à laquelle vous voulez ajouter une note dans la liste de diapositives à gauche, cliquez sur la légende Cliquez pour ajouter des notes sous la zone d'édition de la diapositive, tapez le texte de votre note. Vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Lorsque vous démarrez le diaporama en mode Présentateur, vous pouvez voir toutes les notes de la diapositive sous la zone d'aperçu de la diapositive." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Prise en charge des graphiques SmartArt par ONLYOFFICE Presentation Editor", + "body": "Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Presentation Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur le graphique SmartArt ou sur son élément, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique: Paramètres de la diapositive pour modifier le remplissage d'arrière plan sur la diapositive, afficher ou masquer le numéro de diapositive, la date et l'heure. Pour en savoir plus, veuillez consulter Définir les paramètres de la diapositive et Insérer les pieds de page . Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte et le texte de remplacement. Paramètres du paragraphe pour modifier les retraits et l'espacement, les enchaînements, les bordures et le remplissage, la police, les taquets et les marges intérieures. Veuillez consulter la section Mise en forme du texte pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes: Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non. Aligner pour aligner du graphic ou des objets en utilisant les options suivantes: Aligner à gauche, Aligner au centre, Aligner à droite, Aligner en haut, Aligner au milieu, Aligner en bas, Distribuer horizontalement et Distribuer verticalement. Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt. Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt. Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme. Ajouter un commentaire pour laisser un commentaire sur le graphique SmartArt ou son élément. Ajouter dans une mise en page pour ajouter un graphique SmartArt à la disposition d'une diapositive. Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes: Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas. Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut. Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe. Ajouter un commentaire pour laisser un commentaire sur le graphique SmartArt ou son élément. Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Remplacer un mot par synonyme", diff --git a/apps/presentationeditor/main/resources/help/images/big/leftpart.png b/apps/presentationeditor/main/resources/help/images/big/leftpart.png index 56482eec2..0c8e851de 100644 Binary files a/apps/presentationeditor/main/resources/help/images/big/leftpart.png and b/apps/presentationeditor/main/resources/help/images/big/leftpart.png differ diff --git a/apps/presentationeditor/main/resources/help/images/icons/changecolorscheme.png b/apps/presentationeditor/main/resources/help/images/icons/changecolorscheme.png index f9464e5f4..9ef44daaf 100644 Binary files a/apps/presentationeditor/main/resources/help/images/icons/changecolorscheme.png and b/apps/presentationeditor/main/resources/help/images/icons/changecolorscheme.png differ diff --git a/apps/presentationeditor/main/resources/help/images/icons/selectslidesizeicon.png b/apps/presentationeditor/main/resources/help/images/icons/selectslidesizeicon.png index af38231ce..887e49339 100644 Binary files a/apps/presentationeditor/main/resources/help/images/icons/selectslidesizeicon.png and b/apps/presentationeditor/main/resources/help/images/icons/selectslidesizeicon.png differ diff --git a/apps/presentationeditor/main/resources/help/it/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/it/HelpfulHints/About.htm index fb4868cc7..38d5fb18a 100644 --- a/apps/presentationeditor/main/resources/help/it/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/it/HelpfulHints/About.htm @@ -15,7 +15,7 @@

                          About Presentation Editor

                          -

                          Presentation Editor is an online application that lets you look through +

                          Presentation Editor is an online application that lets you look through and edit presentations directly in your browser.

                          Using Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto your computer hard disk drive diff --git a/apps/presentationeditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm index e5ad29c74..75e98c6c5 100644 --- a/apps/presentationeditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm @@ -133,13 +133,13 @@

                          - + - + diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/CollaborationTab.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/CollaborationTab.htm index 5777b642c..74fde25d2 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/CollaborationTab.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/CollaborationTab.htm @@ -17,7 +17,7 @@

                          Collaboration tab

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

                          -

                          Online Presentation Editor window:

                          +

                          Online Presentation Editor window:

                          Collaboration tab

                          diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/FileTab.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/FileTab.htm index a07cbb249..85e297be5 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/FileTab.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/FileTab.htm @@ -21,7 +21,7 @@

                          File tab

                          -

                          Desktop Presentation Editor window:

                          +

                          Desktop Presentation Editor window:

                          File tab

                          Using this tab, you can:

                          diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/HomeTab.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/HomeTab.htm index 358fdb0b4..8dbc889ef 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/HomeTab.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/HomeTab.htm @@ -17,7 +17,7 @@

                          Home tab

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

                          -

                          Online Presentation Editor window:

                          +

                          Online Presentation Editor window:

                          Home tab

                          diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/InsertTab.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/InsertTab.htm index db6b1d498..c79f9f34c 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/InsertTab.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/InsertTab.htm @@ -17,7 +17,7 @@

                          Insert tab

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

                          -

                          Online Presentation Editor window:

                          +

                          Online Presentation Editor window:

                          Insert tab

                          diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/PluginsTab.htm index e91952ef4..87fd41f86 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/PluginsTab.htm @@ -17,7 +17,7 @@

                          Plugins tab

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

                          -

                          Online Presentation Editor window:

                          +

                          Online Presentation Editor window:

                          Plugins tab

                          diff --git a/apps/presentationeditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm index 7d42b7249..f70dd346e 100644 --- a/apps/presentationeditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/it/ProgramInterface/ProgramInterface.htm @@ -15,7 +15,7 @@

                          Introducing the Presentation Editor user interface

                          -

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

                          +

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

                          Online Presentation Editor window:

                          Online Presentation Editor window

                          diff --git a/apps/presentationeditor/main/resources/help/ru/Contents.json b/apps/presentationeditor/main/resources/help/ru/Contents.json index ee7afc6da..2d3a6fae8 100644 --- a/apps/presentationeditor/main/resources/help/ru/Contents.json +++ b/apps/presentationeditor/main/resources/help/ru/Contents.json @@ -3,7 +3,10 @@ {"src": "ProgramInterface/FileTab.htm", "name": "Вкладка Файл"}, {"src": "ProgramInterface/HomeTab.htm", "name": "Вкладка Главная"}, {"src": "ProgramInterface/InsertTab.htm", "name": "Вкладка Вставка" }, - {"src": "ProgramInterface/CollaborationTab.htm", "name": "Вкладка Совместная работа"}, + {"src": "ProgramInterface/TransitionsTab.htm", "name": "Вкладка Переходы" }, + {"src": "ProgramInterface/AnimationTab.htm", "name": "Вкладка Анимация" }, + {"src": "ProgramInterface/CollaborationTab.htm", "name": "Вкладка Совместная работа" }, + {"src": "ProgramInterface/ViewTab.htm", "name": "Вкладка Вид"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Вкладка Плагины"}, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Создание новой презентации или открытие существующей", "headername": "Базовые операции" }, {"src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Копирование / вставка данных, отмена / повтор действий"}, @@ -20,6 +23,8 @@ {"src": "UsageInstructions/InsertImages.htm", "name": "Вставка и настройка изображений"}, { "src": "UsageInstructions/InsertCharts.htm", "name": "Вставка и редактирование диаграмм" }, { "src": "UsageInstructions/InsertTables.htm", "name": "Вставка и форматирование таблиц" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Поддержка SmartArt" }, + {"src": "UsageInstructions/AddingAnimations.htm", "name": "Добавление анимации" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Вставка символов и знаков" }, {"src": "UsageInstructions/FillObjectsSelectColor.htm", "name": "Заливка объектов и выбор цветов"}, { "src": "UsageInstructions/ManipulateObjects.htm", "name": "Работа с объектами на слайде" }, diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index b8f636bbe..08502ccae 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -79,12 +79,24 @@

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

                          в левом верхнем углу верхней панели инструментов.

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

                            -
                          • отредактируйте выбранный комментарий, нажав значок
                            ,
                          • -
                          • удалите выбранный комментарий, нажав значок
                            ,
                          • -
                          • закройте выбранное обсуждение, нажав на значок
                            , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок
                            .
                          • +
                          • + отсортируйте добавленные комментарии, нажав на значок Значок Сортировка: +
                              +
                            • по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию.
                            • +
                            • по автору: По автору от А до Я или По автору от Я до А
                            • +
                            • + по группе: Все или выберите определенную группу из списка. +

                              Сортировать комментарии

                              +
                            • +
                            +
                          • +
                          • отредактируйте выбранный комментарий, нажав значок Значок Редактировать,
                          • +
                          • удалите выбранный комментарий, нажав значок Значок Удалить,
                          • +
                          • закройте выбранное обсуждение, нажав на значок Значок Решить, если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок Значок Открыть снова.
                          • если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в презентации.

                          Добавление упоминаний

                          +

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

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

                          Чтобы добавить упоминание, введите знак "+" или "@" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK.

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

                          diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm index 1a7e87ccf..3b01bd3ad 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm @@ -141,13 +141,13 @@
                          - + - + diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Password.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Password.htm index 2c2f5f2dd..772cffe01 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Password.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Password.htm @@ -24,7 +24,7 @@
                        • перейдите на вкладку Файл на верхней панели инструментов,
                        • выберите опцию Защитить,
                        • нажмите кнопку Добавить пароль,
                        • -
                        • введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК.
                        • +
                        • введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Нажмите Значок Показать пароль, чтобы показать или скрыть пароль.
                        • установка пароля

                          diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index 1b8c65623..fe7a7845a 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -69,11 +69,25 @@ - + + + + + + + + + + + + + + +
                          Code
                          Zoom In Ctrl++^ Ctrl+=,
                          ⌘ Cmd+=
                          ^ Ctrl+= Zoom in the currently edited presentation.
                          Zoom Out Ctrl+-^ Ctrl+-,
                          ⌘ Cmd+-
                          ^ Ctrl+- Zoom out the currently edited presentation.
                          Увеличить масштаб Ctrl++^ Ctrl+=,
                          ⌘ Cmd+=
                          ^ Ctrl+= Увеличить масштаб редактируемой презентации.
                          Уменьшить масштаб Ctrl+-^ Ctrl+-,
                          ⌘ Cmd+-
                          ^ Ctrl+- Уменьшить масштаб редактируемой презентации.
                          PDF/APortable Document Format / A
                          Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов.
                          Portable Document Format / A
                          Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов
                          +
                          PNGPortable Network Graphics
                          Формат файлов растровой графики, который куда более широко используется в Интернете, чем в фотографиях и искусстве
                          +
                          JPGJoint Photographic Experts Group
                          Наиболее распространенный формат сжатого изображения, используемый для хранения и передачи цифровых изображений
                          +
                          diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/AnimationTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/AnimationTab.htm new file mode 100644 index 000000000..2b49d1991 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/AnimationTab.htm @@ -0,0 +1,38 @@ + + + + Вкладка Анимация + + + + + + + +
                          +
                          + +
                          +

                          Вкладка Анимация

                          +

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

                          +
                          +

                          Окно онлайн-редактора презентаций:

                          +

                          Вкладка Анимация

                          +
                          +
                          +

                          Окно десктопного редактора презентаций:

                          +

                          Вкладка Анимация

                          +
                          +

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

                          +
                            +
                          • выбирать эффект анимации,
                          • +
                          • установить соответствующие параметры движения для каждого эффекта анимации,
                          • +
                          • добавлять несколько анимаций,
                          • +
                          • изменять порядок эффектов анимации при помощи параметров Переместить раньше или Переместить позже,
                          • +
                          • просмотреть эффект анимации,
                          • +
                          • установить для анимации параметры времени, такие как длительность, задержка and повтор,
                          • +
                          • включать и отключать перемотку назад.
                          • +
                          +
                          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index 696769050..c41fa3f23 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -15,7 +15,7 @@

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

                          -

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

                          +

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

                          Окно онлайн-редактора презентаций:

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

                          diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index 7c4c4573f..bc741636e 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -39,10 +39,10 @@
                      • - На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Защита, Плагины. -

                        Опции

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

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

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

                      • -
                      • В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, "Все изменения сохранены" и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии.
                      • +
                      • В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, "Все изменения сохранены", "Соединение потеряно", когда нет соединения, и редактор пытается переподключиться и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии.
                      • На Левой боковой панели находятся следующие значки:
                          diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/TransitionsTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/TransitionsTab.htm new file mode 100644 index 000000000..039735b3b --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/TransitionsTab.htm @@ -0,0 +1,37 @@ + + + + Вкладка Переходы + + + + + + + +
                          +
                          + +
                          +

                          Вкладка Переходы

                          +

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

                          +
                          +

                          Окно онлайн-редактора презентаций:

                          +

                          Вкладка Переходы

                          +
                          +
                          +

                          Окно десктопного редактора презентаций:

                          +

                          Вкладка Переходы

                          +
                          +

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

                          + +
                          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ViewTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ViewTab.htm new file mode 100644 index 000000000..2895f2d6a --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ViewTab.htm @@ -0,0 +1,44 @@ + + + + Вкладка Вид + + + + + + + +
                          +
                          + +
                          +

                          Вкладка Вид

                          +

                          + Вкладка Вид Редактора презентаций позволяет управлять тем, как выглядит ваша презентация во время работы над ней. +

                          +
                          +

                          Окно онлайн-редактора презентаций:

                          +

                          Вкладка Вид

                          +
                          +
                          +

                          Окно десктопного редактора презентаций:

                          +

                          Вкладка Вид

                          +
                          +

                          На этой вкладке доступны следующие параметры просмотра:

                          +
                            +
                          • Масштаб - позволяет увеличивать и уменьшать масштаб презентации,
                          • +
                          • По размеру слайда - позволяет изменить размер страницы, чтобы на экране отображался весь слайд,
                          • +
                          • По ширине - позволяет изменить размер слайда, чтобы он соответствовал ширине экрана,
                          • +
                          • Тема интерфейса - позволяет изменить тему интерфейса на Светлую, Классическую светлую или Темную,
                          • +
                          +

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

                          +
                            +
                          • Заметки - всегда отображать панель заметок,
                          • +
                          • Линейки - всегда отображать линейки,
                          • +
                          • Всегда показывать панель инструментов - чтобы верхняя панель инструментов всегда отображалась,
                          • +
                          • Строка состояния - чтобы строка состояния всегда отображалась.
                          • +
                          +
                          + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AddingAnimations.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AddingAnimations.htm new file mode 100644 index 000000000..8e3b87b8a --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AddingAnimations.htm @@ -0,0 +1,91 @@ + + + + Добавление анимаций + + + + + + + +
                          +
                          + +
                          +

                          Добавление анимаций

                          +

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

                          +

                          Добавление эффекта анимации

                          +
                            +
                          1. перейдите на вкладку Анимация верхней панели инструментов,
                          2. +
                          3. выберите текст, объект или графический элемент, к которому вы хотите применить эффект анимации,
                          4. +
                          5. выберите эффект Анимации из галереи анимаций,
                          6. +
                          7. выберите направление движения эффекта анимации, нажав Параметры рядом с галереей анимаций. Параметры в списке зависят от эффекта, который вы применяете.
                          8. +
                          +

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

                          +
                            +
                          • Просмотр - чтобы включать предпросмотр по нажатию кнопки Просмотр,
                          • +
                          • Автопросмотр - чтобы предпросмотр начинался автоматически при добавлении анимации к слайду.
                          • +
                          + +

                          Типы анимации

                          +

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

                          +

                          Галерея анимаций

                          +

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

                          +

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

                          +

                          Эффекты выхода определяют, как объекты исчезают со слайда, и в галерее выделены красным цветом.

                          +

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

                          +

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

                          +

                          Другие эффекты

                          +

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

                          +
                            +
                          • Эффекты входа, Эффекты выделения и Эффекты выхода делятся на следующие группы: Базовые, Простые, Средние и Сложные.
                          • +
                          • Пути перемещения делятся на следующие группы: Базовые, Простые, Средние.
                          • +
                          +

                          + +

                          Добавление нескольких анимаций

                          +

                          К одному и тому же объекту можно добавить несколько эффектов анимации. Чтобы добавить еще одну анимацию,

                          +
                            +
                          1. на вкладке Анимация нажмите кнопку Добавить анимацию.
                          2. +
                          3. Откроется список эффектов анимации. Повторите Шаги 3 и 4 указанные выше для применения анимации.
                          4. +
                          +

                          Если вы используете Галерею анимации, а не кнопку Добавить анимацию, первый эффект анимации заменит новый. Небольшой квадрат рядом с объектом показывает порядковые номера примененных эффектов.

                          +

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

                          +

                          Несколько эффектов

                          + +

                          Изменение порядка эффектов анимации на слайде

                          +
                            +
                          1. Щелкните значок квадрата анимации.
                          2. +
                          3. На вкладке Анимация нажмите на стрелку Переместить назад или Переместить вперед для изменения порядка отображения на слайде.
                          4. +
                          +

                          Порядок анимаций

                          + +

                          Параметры времени анимации

                          +

                          На вкладке Анимация вы можете редактировать параметры времени анимации, такие как запуск, продолжительность, задержка, повтор и перемотка назад.

                          +

                          Параметры запуска анимации

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

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

                          +

                          Нумерация анимаций

                          +

                          Параметры триггера анимации

                          +

                          Нажмите кнопку Триггер и выберите одну из доступных опций:

                          +
                            +
                          • По последовательности щелчков – запускать следующую анимацию по очереди каждый раз, когда вы нажимаете в любом месте слайда. Данная опция выбрана по умолчанию.
                          • +
                          • По щелчку на — запуск анимации при нажатии на объект, выбранный из раскрывающегося списка.
                          • +
                          +

                          Параметры триггера

                          +

                          Другие параметры времени

                          +

                          Параметры времени

                          +

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

                          +

                          Длительность анимации

                          +

                          Задержка — установите время задержки между запуском эффекта анимации, если вам нужна пауза между эффектами. С помощью стрелок выберите необходимое значение времени или введите необходимое значение в секундах.

                          +

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

                          +

                          Повтор анимации

                          +

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

                          +
                          + + diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ApplyTransitions.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ApplyTransitions.htm index 60f0ed4ce..7e9687b8f 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ApplyTransitions.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ApplyTransitions.htm @@ -15,16 +15,15 @@

                          Применение переходов

                          -

                          Переход - это эффект, который появляется между двумя слайдами при смене одного слайда другим во время показа. Можно применить один и тот же переход ко всем слайдам или разные переходы к каждому отдельному слайду и настроить свойства перехода.

                          +

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

                          Для применения перехода к отдельному слайду или нескольким выделенным слайдам:

                          -

                          Вкладка Параметры слайда

                          -
                            -
                          1. Выделите в списке слайдов нужный слайд или несколько слайдов, к которым требуется применить переход. На правой боковой панели будет активирована вкладка Параметры слайда. Чтобы ее открыть, щелкните по значку Параметры слайда
                            справа. Можно также щелкнуть правой кнопкой мыши по слайду в области редактирования слайда и выбрать в контекстном меню пункт Параметры слайда. +
                              +
                            1. Откройте вкладку Переходы на верхней панели инструментов. +

                              Вкладка Переходы

                            2. -
                            3. В выпадающем списке Эффект выберите переход, который надо использовать. -

                              Доступны следующие переходы: Выцветание, Задвигание, Появление, Панорама, Открывание, Наплыв, Часы, Масштабирование.

                              -
                            4. -
                            5. В выпадающем списке, расположенном ниже, выберите один из доступных вариантов эффекта. Они определяют, как конкретно проявляется эффект. Например, если выбран переход "Масштабирование", доступны варианты Увеличение, Уменьшение и Увеличение с поворотом.
                            6. +
                            7. Выберите слайд (или несколько слайдов в списке слайдов), к которым вы хотите применить переход.
                            8. +
                            9. Выберите один из доступных эффектов перехода: Нет, Выцветание, Задвигание, Появление, Панорама, Открывание, Наплыв, Часы, Масштабирование.
                            10. +
                            11. Нажмите кнопку Параметры, чтобы выбрать один из доступных вариантов эффекта. Они определяют, как конкретно проявляется эффект. Например, если выбран переход Масштабирование, доступны варианты Увеличение, Уменьшение и Увеличение с поворотом.
                            12. Укажите, как долго должен длиться переход. В поле Длит. (длительность), введите или выберите нужное временное значение, измеряемое в секундах.
                            13. Нажмите кнопку Просмотр, чтобы просмотреть слайд с примененным переходом в области редактирования слайда.
                            14. Укажите, как долго должен отображаться слайд, пока не сменится другим: @@ -37,8 +36,8 @@

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

                            -

                            Для удаления перехода: выделите нужный слайд и выберите пункт Нет в списке Эффект.

                            -

                            Для удаления всех переходов: выделите любой слайд, выберите пункт Нет в списке Эффект и нажмите на кнопку Применить ко всем слайдам.

                            +

                            Для удаления перехода: выделите нужный слайд и выберите пункт Нет в среди вариантов Эффекта перехода.

                            +

                            Для удаления всех переходов: выделите любой слайд, выберите пункт Нет среди вариантов Эффекта и нажмите на кнопку Применить ко всем слайдам.

                            diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm index eb29b6eae..26f1cb8d7 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm @@ -29,7 +29,8 @@
                          2. сочетание клавиш Ctrl+X для вырезания.

                        Использование функции Специальная вставка

                        -

                        После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка

                        . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки.

                        +

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

                        +

                        После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка Специальная вставка. Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки.

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

                        • Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция используется по умолчанию.
                        • diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/FillObjectsSelectColor.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/FillObjectsSelectColor.htm index 755f2655d..93acfec3e 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/FillObjectsSelectColor.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/FillObjectsSelectColor.htm @@ -52,7 +52,7 @@

                          Градиентная заливка

                          • Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям).
                          • -
                          • Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон.
                          • +
                          • Направление - в окне предварительного просмотра направления отображается выбранный цвет градиента. Нажмите на стрелку, чтобы выбрать шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон.
                          • Угол - установите числовое значение для точного угла перехода цвета.
                          • Точка градиента - это определенная точка перехода от одного цвета к другому. diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index a8e622886..9c7c3ecce 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -19,7 +19,7 @@

                            Для добавления автофигуры на слайд:

                            1. в списке слайдов слева выберите тот слайд, на который требуется добавить автофигуру,
                            2. -
                            3. щелкните по значку
                              Фигура на вкладке Главная или Вставка верхней панели инструментов,
                            4. +
                            5. щелкните по значку Значок Фигура Фигура на вкладке Главная или по стрелочке рядом с Галерея фигурГалереей фигур на вкладке Вставка верхней панели инструментов,
                            6. выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии,
                            7. щелкните по нужной автофигуре внутри выбранной группы,
                            8. в области редактирования слайда установите курсор там, где требуется поместить автофигуру, diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm index fcb76cfce..a663541aa 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm @@ -92,6 +92,12 @@
                            9. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака).
                            10. Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец.
                          +

                          Преобразование уравнений

                          +

                          Если вы открываете существующий документ с уравнениями, которые были созданы с помощью старой версии редактора уравнений (например, в версиях, предшествующих MS Office 2007), эти уравнения необходимо преобразовать в формат Office Math ML, чтобы иметь возможность их редактировать.

                          +

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

                          +

                          Преобразование уравнений

                          +

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

                          +

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

                          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index 2d9250216..243a88117 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -48,8 +48,9 @@
                        • Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера.

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

                        -

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

                        +

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

                          +
                        • При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре.
                        • При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены.
                        • При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства.
                        diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm index 17eeec352..447d93d13 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm @@ -1,11 +1,11 @@  - Вставка и форматирование текста + Как вставить текст в презентацию PowerPoint - ONLYOFFICE - - - + + + @@ -14,8 +14,8 @@
                        -

                        Вставка и форматирование текста

                        -

                        Вставка текста

                        +

                        Вставка и форматирование текста презентации

                        +

                        Вставка текста

                        Новый текст можно добавить тремя разными способами:

                        • Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию.
                        • @@ -34,7 +34,7 @@

                          Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним).

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

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

                          -

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

                          +

                          Форматирование текстовых полей презентации

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

                          Выделенное текстовое поле

                            @@ -43,7 +43,7 @@
                          • чтобы выровнять текстовое поле на слайде, повернуть или отразить поле, расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню.
                          • чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры.
                          -

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

                          +

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

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

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

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

                          @@ -173,10 +173,10 @@

                          Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры.

                          -

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

                          на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки.

                          -

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

                          и Увеличить отступ
                          .

                          -

                          Изменение дополнительных параметров абзаца

                          -

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

                          Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца:

                          +

                          Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки.

                          +

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

                          +

                          Изменение дополнительных параметров абзаца

                          +

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

                          Свойства абзаца - вкладка Отступы и интервалы

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

                            @@ -252,8 +252,8 @@

                            Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления

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

                            -

                            Изменение стиля объекта Text Art

                            -

                            Выделите текстовый объект и щелкните по значку Параметры объектов Text Art

                            на правой боковой панели.

                            +

                            Изменение стиля объекта Text Art

                            +

                            Выделите текстовый объект и щелкните по значку Параметры объектов Text Art Значок Параметры объектов Text Art на правой боковой панели.

                            Вкладка Параметры объектов Text Art

                            • Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д.
                            • diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManageSlides.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManageSlides.htm index 828c1c6a8..ec6c83526 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManageSlides.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManageSlides.htm @@ -33,7 +33,7 @@

                              Для дублирования слайда:

                              1. щелкните правой кнопкой мыши по нужному слайду в списке существующих слайдов слева,
                              2. -
                              3. в контекстном меню выберите пункт Дублировать слайд.
                              4. +
                              5. щелкните правой кнопкой мыши и в контекстном меню выберите пункт Дублировать слайд, либо на вкладках Главная или Вставка нажмите кнопку Добавить слайд и выберите пункт Дублировать слайд.

                              Дублированный слайд будет вставлен после выделенного слайда в списке слайдов.

                              Для копирования слайда:

                              diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm index 436ae6311..83f2e10c6 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm @@ -11,38 +11,60 @@
                              -
                              - -
                              +
                              + +

                              Работа с объектами на слайде

                              -

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

                              -

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

                              -

                              Изменение размера объектов

                              -

                              Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты

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

                              -

                              +

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

                              +

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

                              +

                              Изменение размера объектов

                              +

                              Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты Значок Квадрат, расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков.

                              +

                              Сохранение пропорций

                              Чтобы задать точную ширину и высоту диаграммы, выделите ее на слайде и используйте раздел Размер на правой боковой панели, которая будет активирована.

                              Чтобы задать точные размеры изображения или автофигуры, щелкните правой кнопкой мыши по нужному объекту на слайде и выберите пункт меню Дополнительные параметры изображения/фигуры. Укажите нужные значения на вкладке Размер окна Дополнительные параметры и нажмите кнопку OK.

                              Изменение формы автофигур

                              -

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

                              . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки.

                              -

                              +

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

                              +

                              Изменение формы автофигуры

                              +

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

                              +

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

                              +
                                +
                              1. + Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры. +

                                Изменить точки Меню

                                +
                              2. +
                              3. + После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. +

                                Изменить точки

                                +
                              4. +
                              5. + Пока опорные точки активны, вы можете добавлять и удалять их: +
                                  +
                                • Чтобы добавить точку к фигуре, удерживайте Ctrl и щелкните место, где вы хотите добавить опорную точку.
                                • +
                                • Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке.
                                • +
                                +
                              6. +

                              Перемещение объектов

                              -

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

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

                              +

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

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

                              Поворот объектов

                              -

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

                              и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                              -

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

                              или Параметры изображения
                              справа. Нажмите на одну из кнопок:

                              -
                                -
                              • чтобы повернуть объект на 90 градусов против часовой стрелки
                              • -
                              • чтобы повернуть объект на 90 градусов по часовой стрелке
                              • -
                              • чтобы отразить объект по горизонтали (слева направо)
                              • -
                              • чтобы отразить объект по вертикали (сверху вниз)
                              • -
                              -

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

                              -

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

                              +

                              Чтобы вручную повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                              +

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

                              +
                                +
                              • Значок Повернуть против часовой стрелки чтобы повернуть объект на 90 градусов против часовой стрелки
                              • +
                              • Значок Повернуть по часовой стрелке чтобы повернуть объект на 90 градусов по часовой стрелке
                              • +
                              • Значок Отразить слева направо чтобы отразить объект по горизонтали (слева направо)
                              • +
                              • Значок Отразить сверху вниз чтобы отразить объект по вертикали (сверху вниз)
                              • +
                              +

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

                              +

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

                              +
                              \ 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 bd848c5af..4c27c4f5a 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm @@ -2547,8 +2547,9 @@

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

                              Распознанные функции

                              Автоформат при вводе

                              -

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

                              -

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

                              +

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

                              +

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

                              +

                              Чтобы включить или отключить предустановки автоматического форматирования, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка правописания -> Параметры автозамены -> Автоформат при вводе.

                              Автоформат при вводе

                              Автозамена текста

                              Вы можете настроить редактор на автоматическое использование заглавной буквы в каждом предложении. Данная опция включена по умолчанию. Чтобы отключить эту функцию, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Автозамена текста и снимите флажок с Делать первые буквы предложений прописными.

                              diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/PreviewPresentation.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/PreviewPresentation.htm index a86dbcff1..f22094093 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/PreviewPresentation.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/PreviewPresentation.htm @@ -16,6 +16,7 @@

                              Просмотр презентации

                              Запуск просмотра слайдов

                              +

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

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

                              • щелкните по значку Начать показ слайдов
                                на вкладке Главная верхней панели инструментов или в левой части строки состояния или
                              • diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index f97bca7d6..e124517b6 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -29,7 +29,7 @@
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. выберите опцию Сохранить как,
                                3. -
                                4. выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A. Также можно выбрать вариант Шаблон презентации POTX или OTP.
                                5. +
                                6. выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A, PNG, JPG. Также можно выбрать вариант Шаблон презентации POTX или OTP.
                                @@ -38,14 +38,14 @@
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. выберите опцию Скачать как...,
                                3. -
                                4. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                                5. +
                                6. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG.

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

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

                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. выберите опцию Сохранить копию как...,
                                3. -
                                4. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP,
                                5. +
                                6. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG,
                                7. выберите местоположение файла на портале и нажмите Сохранить.
                                diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm index 7299b6e07..52f1e5624 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm @@ -122,7 +122,7 @@

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

                                -

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

                                +

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

                              diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..6b7c7ddbf --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,39 @@ + + + + Поддержка SmartArt в редакторе резентаций ONLYOFFICE + + + + + + + +
                              +
                              + +
                              +

                              Поддержка SmartArt в редакторе презентаций ONLYOFFICE

                              +

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

                              +

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

                              +

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

                              +

                              Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt.

                              +

                              + Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. +

                              +

                              Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования:

                              +

                              Меню SmartArt

                              +

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

                              +

                              Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt.

                              +

                              Назначить макрос - обеспечить быстрый и легкий доступ к макросу в презентации.

                              +

                              Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры.

                              + +

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

                              +

                              Меню SmartArt

                              +

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

                              +

                              Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх.

                              +

                              Гиперссылка - добавить гиперссылку к объекту SmartArt.

                              +

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

                              +
                              + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/images/animationduration.png b/apps/presentationeditor/main/resources/help/ru/images/animationduration.png new file mode 100644 index 000000000..1cb87dd07 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/animationduration.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/animationgallery.png b/apps/presentationeditor/main/resources/help/ru/images/animationgallery.png new file mode 100644 index 000000000..741567e2f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/animationgallery.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/animationnumbering.png b/apps/presentationeditor/main/resources/help/ru/images/animationnumbering.png new file mode 100644 index 000000000..8098c3fb6 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/animationnumbering.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/animationrepeat.png b/apps/presentationeditor/main/resources/help/ru/images/animationrepeat.png new file mode 100644 index 000000000..3bdc577c6 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/animationrepeat.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/autoformatasyoutype.png b/apps/presentationeditor/main/resources/help/ru/images/autoformatasyoutype.png index 8244c3fbc..4aa27b719 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/autoformatasyoutype.png and b/apps/presentationeditor/main/resources/help/ru/images/autoformatasyoutype.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/convertequation.png b/apps/presentationeditor/main/resources/help/ru/images/convertequation.png index 3ad46ae4e..c6be81229 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/convertequation.png and b/apps/presentationeditor/main/resources/help/ru/images/convertequation.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/editpoints_example.png b/apps/presentationeditor/main/resources/help/ru/images/editpoints_example.png new file mode 100644 index 000000000..6948ea855 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/editpoints_example.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/editpoints_rightclick.png b/apps/presentationeditor/main/resources/help/ru/images/editpoints_rightclick.png new file mode 100644 index 000000000..ff2b87bc4 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/editpoints_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/animationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/animationtab.png new file mode 100644 index 000000000..cdac2439e Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png index 044e9ba63..5cc41fd0e 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_animationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_animationtab.png new file mode 100644 index 000000000..5c6903055 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_animationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png index f7e28f4b8..be0210c47 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png index bf522fad7..8c07d3004 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png index 2bac18481..075268c59 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png index d45965fa0..b0e7d1f3c 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png index 134032f69..82c2f9358 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png index 58fcd9ef3..ad1fce01e 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/desktop_transitionstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_transitionstab.png new file mode 100644 index 000000000..e5ada5d6a Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_viewtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_viewtab.png new file mode 100644 index 000000000..4874cdb1c Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png index 38735370e..0f9ac11bc 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png index 767530306..0cb6af651 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png index a063a7ad9..215c76b73 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png index 9df29b99d..8b15e9089 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png index 9d9342cbc..18bdc833d 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/interface/transitionstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/transitionstab.png new file mode 100644 index 000000000..130c457b6 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/viewtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/viewtab.png new file mode 100644 index 000000000..d8997fa42 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/moreeffects.png b/apps/presentationeditor/main/resources/help/ru/images/moreeffects.png new file mode 100644 index 000000000..9080289c2 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/moreeffects.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/moveearlier.png b/apps/presentationeditor/main/resources/help/ru/images/moveearlier.png new file mode 100644 index 000000000..675bfef31 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/moveearlier.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/movelater.png b/apps/presentationeditor/main/resources/help/ru/images/movelater.png new file mode 100644 index 000000000..da6b9ef89 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/movelater.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/multipleanimations_order.png b/apps/presentationeditor/main/resources/help/ru/images/multipleanimations_order.png new file mode 100644 index 000000000..e9d886d86 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/multipleanimations_order.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/multipleeffect_icon.png b/apps/presentationeditor/main/resources/help/ru/images/multipleeffect_icon.png new file mode 100644 index 000000000..c5cbabcb7 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/multipleeffect_icon.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/setpassword.png b/apps/presentationeditor/main/resources/help/ru/images/setpassword.png index 8d73551c0..fac046d32 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/setpassword.png and b/apps/presentationeditor/main/resources/help/ru/images/setpassword.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shapegallery.png b/apps/presentationeditor/main/resources/help/ru/images/shapegallery.png new file mode 100644 index 000000000..46132eeff Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/shapegallery.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/show_password.png b/apps/presentationeditor/main/resources/help/ru/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/show_password.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick.png b/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick.png new file mode 100644 index 000000000..463f9944c Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick2.png b/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick2.png new file mode 100644 index 000000000..4da847a1f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/smartart_rightclick2.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/sortcomments.png b/apps/presentationeditor/main/resources/help/ru/images/sortcomments.png new file mode 100644 index 000000000..2fb2b1327 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/sortcomments.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/sortcommentsicon.png b/apps/presentationeditor/main/resources/help/ru/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/sortcommentsicon.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/timingoptions.png b/apps/presentationeditor/main/resources/help/ru/images/timingoptions.png new file mode 100644 index 000000000..25d3686c2 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/timingoptions.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/triggeroptions.png b/apps/presentationeditor/main/resources/help/ru/images/triggeroptions.png new file mode 100644 index 000000000..97b3dc06b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/triggeroptions.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 7359431f5..99cb1049c 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -13,7 +13,7 @@ var indexes = { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование презентаций", - "body": "В редакторе презентаций вы можете работать над презентацией совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой презентации визуальная индикация объектов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей презентации комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда презентацию редактируют одновременно несколько пользователей в Строгом режиме, редактируемые объекты (автофигуры, текстовые объекты, таблицы, изображения, диаграммы) помечаются пунктирными линиями разных цветов. Объект, который редактируете Вы, окружен зеленой пунктирной линией. Красные пунктирные линии означают, что объекты редактируются другими пользователями. При наведении курсора мыши на один из редактируемых объектов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей презентацией, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование презентации, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий к определенному объекту (текстовому полю, фигуре и так далее): выделите объект, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или щелкните правой кнопкой мыши по выделенному объекту и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Объект, который вы прокомментировали, будет помечен значком . Для просмотра комментария щелкните по этому значку. Чтобы добавить комментарий к определенному слайду, выделите слайд и используйте кнопку Комментарий на вкладке Вставка или Совместная работа верхней панели инструментов. Добавленный комментарий будет отображаться в левом верхнем углу слайда. Чтобы создать комментарий уровня презентации, который не относится к определенному объекту или слайду, нажмите на значок на левой боковой панели, чтобы открыть панель Комментарии, и используйте ссылку Добавить комментарий к документу. Комментарии уровня презентации можно просмотреть на панели Комментарии. Здесь также доступны комментарии, относящиеся к объектам и слайдам. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как вы нажмете на значок в левом верхнем углу верхней панели инструментов. Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в презентации. Добавление упоминаний При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в презентации, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В редакторе презентаций вы можете работать над презентацией совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой презентации визуальная индикация объектов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей презентации комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда презентацию редактируют одновременно несколько пользователей в Строгом режиме, редактируемые объекты (автофигуры, текстовые объекты, таблицы, изображения, диаграммы) помечаются пунктирными линиями разных цветов. Объект, который редактируете Вы, окружен зеленой пунктирной линией. Красные пунктирные линии означают, что объекты редактируются другими пользователями. При наведении курсора мыши на один из редактируемых объектов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей презентацией, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование презентации, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий к определенному объекту (текстовому полю, фигуре и так далее): выделите объект, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или щелкните правой кнопкой мыши по выделенному объекту и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Объект, который вы прокомментировали, будет помечен значком . Для просмотра комментария щелкните по этому значку. Чтобы добавить комментарий к определенному слайду, выделите слайд и используйте кнопку Комментарий на вкладке Вставка или Совместная работа верхней панели инструментов. Добавленный комментарий будет отображаться в левом верхнем углу слайда. Чтобы создать комментарий уровня презентации, который не относится к определенному объекту или слайду, нажмите на значок на левой боковой панели, чтобы открыть панель Комментарии, и используйте ссылку Добавить комментарий к документу. Комментарии уровня презентации можно просмотреть на панели Комментарии. Здесь также доступны комментарии, относящиеся к объектам и слайдам. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как вы нажмете на значок в левом верхнем углу верхней панели инструментов. Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отсортируйте добавленные комментарии, нажав на значок : по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию. по автору: По автору от А до Я или По автору от Я до А по группе: Все или выберите определенную группу из списка. отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в презентации. Добавление упоминаний Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всей презентации. При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в презентации, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -28,7 +28,7 @@ var indexes = { "id": "HelpfulHints/Password.htm", "title": "Защита презентаций с помощью пароля", - "body": "Вы можете защитить свои презентации при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." + "body": "Вы можете защитить свои презентации при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Нажмите , чтобы показать или скрыть пароль. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." }, { "id": "HelpfulHints/Search.htm", @@ -43,13 +43,18 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных презентаций", - "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPT Формат файлов, используемый программой Microsoft PowerPoint + + PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + POTX PowerPoint Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов презентаций. Шаблон POTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + OTP OpenDocument Presentation Template Формат текстовых файлов OpenDocument для шаблонов презентаций. Шаблон OTP содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. +" + "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPT Формат файлов, используемый программой Microsoft PowerPoint + + PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + POTX PowerPoint Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов презентаций. Шаблон POTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + OTP OpenDocument Presentation Template Формат текстовых файлов OpenDocument для шаблонов презентаций. Шаблон OTP содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов + PNG Portable Network Graphics Формат файлов растровой графики, который куда более широко используется в Интернете, чем в фотографиях и искусстве + JPG Joint Photographic Experts Group Наиболее распространенный формат сжатого изображения, используемый для хранения и передачи цифровых изображений +" }, { "id": "HelpfulHints/UsingChat.htm", "title": "Использование Чата", "body": "ONLYOFFICE Presentation Editor предоставляет Вам возможность общения в чате для обмена идеями по поводу отдельных частей презентации. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок еще раз." }, + { + "id": "ProgramInterface/AnimationTab.htm", + "title": "Вкладка Анимация", + "body": "Вкладка Анимация Редактора презентаций позволяет управлять эффектами анимации. Вы можете добавлять эффекты анимации, определять их перемещение и настраивать другие параметры анимационных эффектов для индивидуальной настройки презентации. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: выбирать эффект анимации, установить соответствующие параметры движения для каждого эффекта анимации, добавлять несколько анимаций, изменять порядок эффектов анимации при помощи параметров Переместить раньше или Переместить позже, просмотреть эффект анимации, установить для анимации параметры времени, такие как длительность, задержка and повтор, включать и отключать перемотку назад." + }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Вкладка Совместная работа", @@ -68,7 +73,7 @@ var indexes = { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять в презентацию визуальные объекты и комментарии. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: вставлять таблицы, вставлять текстовые поля и объекты Text Art, изображения, фигуры, диаграммы, вставлять комментарии и гиперссылки, вставлять колонтитулы, дату и время, номера слайдов, вставлять уравнения, символы, вставлять аудио- и видеозаписи, хранящиеся на жестком диске вашего компьютера (доступно только в десктопной версии, недоступно для Mac OS). Примечание: для воспроизведения видео нужно установить кодеки, например K-Lite." + "body": "Вкладка Вставка Редактора презентаций позволяет добавлять в презентацию визуальные объекты и комментарии. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: вставлять таблицы, вставлять текстовые поля и объекты Text Art, изображения, фигуры, диаграммы, вставлять комментарии и гиперссылки, вставлять колонтитулы, дату и время, номера слайдов, вставлять уравнения, символы, вставлять аудио- и видеозаписи, хранящиеся на жестком диске вашего компьютера (доступно только в десктопной версии, недоступно для Mac OS). Примечание: для воспроизведения видео нужно установить кодеки, например K-Lite." }, { "id": "ProgramInterface/PluginsTab.htm", @@ -78,13 +83,28 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора презентаций", - "body": "В редакторе презентаций используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на слайде определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки помогают располагать объекты на слайде и позволяют настраивать позиции табуляции и отступы абзацев внутри текстовых полей. В Рабочей области вы можете просматривать содержимое презентации, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать презентацию вверх и вниз. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе презентаций используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Переходы, Анимация, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, \"Все изменения сохранены\", \"Соединение потеряно\", когда нет соединения, и редактор пытается переподключиться и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на слайде определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки помогают располагать объекты на слайде и позволяют настраивать позиции табуляции и отступы абзацев внутри текстовых полей. В Рабочей области вы можете просматривать содержимое презентации, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать презентацию вверх и вниз. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + }, + { + "id": "ProgramInterface/TransitionsTab.htm", + "title": "Вкладка Переходы", + "body": "Вкладка Переходы Редактора презентаций позволяет управлять переходами между слайдами. Вы можете добавлять эффекты перехода, устанавливать скорость перехода и настраивать другие параметры перехода слайдов. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: выбирать эффект перехода, устанавливать соответствующие значения параметров для каждого эффекта перехода, определять a продолжительность перехода, предварительно предпросматривать переходы, настраивать необходимое время перехода к следующему слайду при помощи опций Запускать щелчком и Задержка, применять переход ко всем слайдам при помощи кнопки Применить ко всем слайдам." + }, + { + "id": "ProgramInterface/ViewTab.htm", + "title": "Вкладка Вид", + "body": "Вкладка Вид Редактора презентаций позволяет управлять тем, как выглядит ваша презентация во время работы над ней. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: На этой вкладке доступны следующие параметры просмотра: Масштаб - позволяет увеличивать и уменьшать масштаб презентации, По размеру слайда - позволяет изменить размер страницы, чтобы на экране отображался весь слайд, По ширине - позволяет изменить размер слайда, чтобы он соответствовал ширине экрана, Тема интерфейса - позволяет изменить тему интерфейса на Светлую, Классическую светлую или Темную, Следующие параметры позволяют настроить отображение или скрытие элементов. Отметьте галочкой элементы, чтобы сделать их видимыми: Заметки - всегда отображать панель заметок, Линейки - всегда отображать линейки, Всегда показывать панель инструментов - чтобы верхняя панель инструментов всегда отображалась, Строка состояния - чтобы строка состояния всегда отображалась." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Добавление гиперссылок", "body": "Для добавления гиперссылки: установите курсор на том месте внутри текстового поля, где требуется добавить гиперссылку, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Гиперссылка, после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки: Выберите тип ссылки, которую требуется вставить: Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если требуется добавить гиперссылку, ведущую на внешний сайт. Используйте опцию Слайд в этой презентации и выберите один из вариантов ниже, если требуется добавить гиперссылку, ведущую на определенный слайд в этой же презентации. Можно выбрать один из следующих переключателей: Следующий слайд, Предыдущий слайд, Первый слайд, Последний слайд, Слайд с указанным номером. Отображать - введите текст, который должен стать ссылкой и будет вести по заданному веб-адресу или на слайд, указанный в поле выше. Текст подсказки - введите текст краткого примечания к гиперссылке, который будет появляться в маленьком всплывающем окне при наведении на гиперссылку курсора. нажмите кнопку OK. Для добавления гиперссылки можно также использовать сочетание клавиш Ctrl+K или щелкнуть правой кнопкой мыши там, где требуется добавить гиперссылку, и выбрать в контекстном меню команду Гиперссылка. Примечание: также можно выделить мышью или с помощью клавиатуры символ, слово или словосочетание, а затем открыть окно Параметры гиперссылки, как описано выше. В этом случае поле Отображать будет содержать выделенный текстовый фрагмент. При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке нажмите клавишу CTRL и щелкните по ссылке в презентации. Для редактирования или удаления добавленной гиперссылки, щелкните по ней правой кнопкой мыши, выберите опцию Гиперссылка, а затем действие, которое хотите выполнить, - Изменить гиперссылку или Удалить гиперссылку." }, + { + "id": "UsageInstructions/AddingAnimations.htm", + "title": "Добавление анимаций", + "body": "Анимация — это визуальный эффект, позволяющий анимировать текст, объекты и фигуры, чтобы сделать презентацию более динамичной и подчеркнуть важную информацию. Вы можете управлять движением, цветом и размером текста, объектов и фигур. Добавление эффекта анимации перейдите на вкладку Анимация верхней панели инструментов, выберите текст, объект или графический элемент, к которому вы хотите применить эффект анимации, выберите эффект Анимации из галереи анимаций, выберите направление движения эффекта анимации, нажав Параметры рядом с галереей анимаций. Параметры в списке зависят от эффекта, который вы применяете. Вы можете предварительно просмотреть эффекты анимации на текущем слайде. По умолчанию, когда вы добавляете анимационные эффекты на слайд, они воспроизводятся автоматически, но вы можете отключить эту функцию. Откройте раскрывающийся список Просмотр на вкладке Анимация и выберите режим предварительного просмотра: Просмотр - чтобы включать предпросмотр по нажатию кнопки Просмотр, Автопросмотр - чтобы предпросмотр начинался автоматически при добавлении анимации к слайду. Типы анимации Все эффекты анимаций перечислены в галерее анимаций. Щелкните стрелку раскрывающегося списка, чтобы открыть его. Каждый эффект анимации представлен значком в виде звезды. Анимации сгруппированы в соответствии со своими эффектами: Эффекты входа определяют, как объекты отображаются на слайде, и в галерее выделены зеленым цветом. Эффекты выделения изменяют размер или цвет объекта, чтобы добавить акцент на объект и привлечь внимание аудитории, и в галерее окрашены в желтый двухцветные цвета. Эффекты выхода определяют, как объекты исчезают со слайда, и в галерее выделены красным цветом. Путь перемещения определяют движение объекта и путь, по которому он следует. Значки в галерее обозначают предлагаемый путь. Прокрутите галерею анимаций вниз, чтобы увидеть все эффекты, находящиеся в галерее. Если вы не видите нужную анимацию в галерее, нажмите кнопку Показать больше эффекты в нижней части галереи. Здесь вы найдете полный список эффектов анимации. Эффекты дополнительно сгруппированы по визуальному воздействию, которое они оказывают на аудиторию. Эффекты входа, Эффекты выделения и Эффекты выхода делятся на следующие группы: Базовые, Простые, Средние и Сложные. Пути перемещения делятся на следующие группы: Базовые, Простые, Средние. Добавление нескольких анимаций К одному и тому же объекту можно добавить несколько эффектов анимации. Чтобы добавить еще одну анимацию, на вкладке Анимация нажмите кнопку Добавить анимацию. Откроется список эффектов анимации. Повторите Шаги 3 и 4 указанные выше для применения анимации. Если вы используете Галерею анимации, а не кнопку Добавить анимацию, первый эффект анимации заменит новый. Небольшой квадрат рядом с объектом показывает порядковые номера примененных эффектов. Как только вы добавите к объекту несколько эффектов, в галерее анимаций появится значок Несколько анимаций. Изменение порядка эффектов анимации на слайде Щелкните значок квадрата анимации. На вкладке Анимация нажмите на стрелку или для изменения порядка отображения на слайде. Параметры времени анимации На вкладке Анимация вы можете редактировать параметры времени анимации, такие как запуск, продолжительность, задержка, повтор и перемотка назад. Параметры запуска анимации По щелчку – анимация запускается при нажатии на слайд. Данная опция выбрана по умолчанию. Вместе с предыдущим — анимация начинается, когда запускается предыдущий эффект анимации и эффекты появляются одновременно. После предыдущего — анимация начинается сразу после предыдущего эффекта анимации. Примечание: эффекты анимации автоматически нумеруются на слайде. Все анимации, для которых установлено значение Вместе с предыдущим и После предыдущего, получают номер анимации, с которой они связаны. Параметры триггера анимации Нажмите кнопку Триггер и выберите одну из доступных опций: По последовательности щелчков – запускать следующую анимацию по очереди каждый раз, когда вы нажимаете в любом месте слайда. Данная опция выбрана по умолчанию. По щелчку на — запуск анимации при нажатии на объект, выбранный из раскрывающегося списка. Другие параметры времени Длительность – установите время как долго должна отображаться анимация. Выберите один из доступных вариантов в списке или введите необходимое значение времени. Задержка — установите время задержки между запуском эффекта анимации, если вам нужна пауза между эффектами. С помощью стрелок выберите необходимое значение времени или введите необходимое значение в секундах. Повтор — установите количество повторов, если хотите отобразить анимацию более одного раза. Нажмите на поле Повтор и выберите один из доступных вариантов или введите свое значение. Перемотка назад — установите этот флажок, если хотите вернуть объект в исходное состояние после окончания анимации." + }, { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Выравнивание и упорядочивание объектов на слайде", @@ -93,7 +113,7 @@ var indexes = { "id": "UsageInstructions/ApplyTransitions.htm", "title": "Применение переходов", - "body": "Переход - это эффект, который появляется между двумя слайдами при смене одного слайда другим во время показа. Можно применить один и тот же переход ко всем слайдам или разные переходы к каждому отдельному слайду и настроить свойства перехода. Для применения перехода к отдельному слайду или нескольким выделенным слайдам: Выделите в списке слайдов нужный слайд или несколько слайдов, к которым требуется применить переход. На правой боковой панели будет активирована вкладка Параметры слайда. Чтобы ее открыть, щелкните по значку Параметры слайда справа. Можно также щелкнуть правой кнопкой мыши по слайду в области редактирования слайда и выбрать в контекстном меню пункт Параметры слайда. В выпадающем списке Эффект выберите переход, который надо использовать. Доступны следующие переходы: Выцветание, Задвигание, Появление, Панорама, Открывание, Наплыв, Часы, Масштабирование. В выпадающем списке, расположенном ниже, выберите один из доступных вариантов эффекта. Они определяют, как конкретно проявляется эффект. Например, если выбран переход \"Масштабирование\", доступны варианты Увеличение, Уменьшение и Увеличение с поворотом. Укажите, как долго должен длиться переход. В поле Длит. (длительность), введите или выберите нужное временное значение, измеряемое в секундах. Нажмите кнопку Просмотр, чтобы просмотреть слайд с примененным переходом в области редактирования слайда. Укажите, как долго должен отображаться слайд, пока не сменится другим: Запускать щелчком – установите этот флажок, если не требуется ограничивать время отображения выбранного слайда. Слайд будет сменяться другим только при щелчке по нему мышью. Задержка – используйте эту опцию, если выбранный слайд должен отображаться в течение заданного времени, пока не сменится другим. Установите этот флажок и введите или выберите нужное временное значение, измеряемое в секундах. Примечание: если установить только флажок Задержка, слайды будут сменяться автоматически через заданный промежуток времени. Если установить и флажок Запускать щелчком, и флажок Задержка и задать время задержки, слайды тоже будут сменяться автоматически, но вы также сможете щелкнуть по слайду, чтобы перейти от него к следующему. Для применения перехода ко всем слайдам в презентации: выполните все действия, описанные выше, и нажмите на кнопку Применить ко всем слайдам. Для удаления перехода: выделите нужный слайд и выберите пункт Нет в списке Эффект. Для удаления всех переходов: выделите любой слайд, выберите пункт Нет в списке Эффект и нажмите на кнопку Применить ко всем слайдам." + "body": "Переход - это эффект, который появляется между двумя слайдами при смене одного слайда другим во время показа. В Редакторе презентаций можно применить один и тот же переход ко всем слайдам или разные переходы к каждому отдельному слайду и настроить свойства перехода. Для применения перехода к отдельному слайду или нескольким выделенным слайдам: Откройте вкладку Переходы на верхней панели инструментов. Выберите слайд (или несколько слайдов в списке слайдов), к которым вы хотите применить переход. Выберите один из доступных эффектов перехода: Нет, Выцветание, Задвигание, Появление, Панорама, Открывание, Наплыв, Часы, Масштабирование. Нажмите кнопку Параметры, чтобы выбрать один из доступных вариантов эффекта. Они определяют, как конкретно проявляется эффект. Например, если выбран переход Масштабирование, доступны варианты Увеличение, Уменьшение и Увеличение с поворотом. Укажите, как долго должен длиться переход. В поле Длит. (длительность), введите или выберите нужное временное значение, измеряемое в секундах. Нажмите кнопку Просмотр, чтобы просмотреть слайд с примененным переходом в области редактирования слайда. Укажите, как долго должен отображаться слайд, пока не сменится другим: Запускать щелчком – установите этот флажок, если не требуется ограничивать время отображения выбранного слайда. Слайд будет сменяться другим только при щелчке по нему мышью. Задержка – используйте эту опцию, если выбранный слайд должен отображаться в течение заданного времени, пока не сменится другим. Установите этот флажок и введите или выберите нужное временное значение, измеряемое в секундах. Примечание: если установить только флажок Задержка, слайды будут сменяться автоматически через заданный промежуток времени. Если установить и флажок Запускать щелчком, и флажок Задержка и задать время задержки, слайды тоже будут сменяться автоматически, но вы также сможете щелкнуть по слайду, чтобы перейти от него к следующему. Для применения перехода ко всем слайдам в презентации: выполните все действия, описанные выше, и нажмите на кнопку Применить ко всем слайдам. Для удаления перехода: выделите нужный слайд и выберите пункт Нет в среди вариантов Эффекта перехода. Для удаления всех переходов: выделите любой слайд, выберите пункт Нет среди вариантов Эффекта и нажмите на кнопку Применить ко всем слайдам." }, { "id": "UsageInstructions/CopyClearFormatting.htm", @@ -103,7 +123,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Копирование / вставка данных, отмена / повтор действий", - "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки выделенных объектов (слайдов, фрагментов текста, автофигур) в текущей презентации или отмены / повтора действий используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации. Копировать – выделите объект и используйте значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить . Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. В онлайн-версии для копирования данных из другой презентации или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки; сочетание клавиш Ctrl+X для вырезания. Использование функции Специальная вставка После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке фрагментов текста доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция используется по умолчанию. Сохранить исходное форматирование - позволяет сохранить исходное форматирование скопированного текста. Изображение - позволяет вставить текст как изображение, чтобы его нельзя было редактировать. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке объектов (автофигур, диаграмм, таблиц) доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция выбрана по умолчанию. Изображение - позволяет вставить объект как изображение, чтобы его нельзя было редактировать. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в левой части шапки редактора или сочетания клавиш: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Можно также использовать сочетание клавиш Ctrl+Z для отмены или Ctrl+Y для повтора действия. Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие." + "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки выделенных объектов (слайдов, фрагментов текста, автофигур) в текущей презентации или отмены / повтора действий используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации. Копировать – выделите объект и используйте значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить . Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. В онлайн-версии для копирования данных из другой презентации или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки; сочетание клавиш Ctrl+X для вырезания. Использование функции Специальная вставка Примечание: Во время совсестной работы, Специальная вставка доступна только в Строгом режиме редактирования. После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке фрагментов текста доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция используется по умолчанию. Сохранить исходное форматирование - позволяет сохранить исходное форматирование скопированного текста. Изображение - позволяет вставить текст как изображение, чтобы его нельзя было редактировать. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке объектов (автофигур, диаграмм, таблиц) доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция выбрана по умолчанию. Изображение - позволяет вставить объект как изображение, чтобы его нельзя было редактировать. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в левой части шапки редактора или сочетания клавиш: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Можно также использовать сочетание клавиш Ctrl+Z для отмены или Ctrl+Y для повтора действия. Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие." }, { "id": "UsageInstructions/CreateLists.htm", @@ -113,12 +133,12 @@ var indexes = { "id": "UsageInstructions/FillObjectsSelectColor.htm", "title": "Заливка объектов и выбор цветов", - "body": "Можно использовать различные заливки для фона слайда, автофигур и шрифта объектов Text Art. Выберите объект Чтобы изменить заливку фона слайда, выделите нужные слайды в списке слайдов. На правой боковой панели будет активирована вкладка Параметры слайда. Чтобы изменить заливку автофигуры, щелкните по нужной автофигуре левой кнопкой мыши. На правой боковой панели будет активирована вкладка Параметры фигуры. Чтобы изменить заливку шрифта объекта Text Art, выделите нужный текстовый объект. На правой боковой панели будет активирована вкладка Параметры объектов Text Art. Определите нужный тип заливки Настройте свойства выбранной заливки (подробное описание для каждого типа заливки смотрите ниже) Примечание: для автофигур и шрифта объектов Text Art, независимо от выбранного типа заливки, можно также задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Доступны следующие типы заливки: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры или слайда. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной теме/цветовой схеме презентации. Как только вы примените какую-то другую тему или цветовую схему, набор Цвета темы изменится. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к объекту и добавлен в палитру Пользовательский цвет. Примечание: такие же типы цветов можно использовать при выборе цвета обводки автофигуры, настройке цвета шрифта или изменении цвета фона или границ таблицы. Градиентная заливка - выберите эту опцию, чтобы залить слайд или фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Угол - установите числовое значение для точного угла перехода цвета. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры или слайда изображение или предустановленную текстуру. Если Вы хотите использовать изображение в качестве фона фигуры или слайда, нажмите кнопку Выбрать изображение и добавьте изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес, или Из хранилища, выбрав нужное изображение, сохраненное на портале. Если Вы хотите использовать текстуру в качестве фона фигуры или слайда, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура или слайд, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер слайда или автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади слайда или автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить слайд или фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку." + "body": "Можно использовать различные заливки для фона слайда, автофигур и шрифта объектов Text Art. Выберите объект Чтобы изменить заливку фона слайда, выделите нужные слайды в списке слайдов. На правой боковой панели будет активирована вкладка Параметры слайда. Чтобы изменить заливку автофигуры, щелкните по нужной автофигуре левой кнопкой мыши. На правой боковой панели будет активирована вкладка Параметры фигуры. Чтобы изменить заливку шрифта объекта Text Art, выделите нужный текстовый объект. На правой боковой панели будет активирована вкладка Параметры объектов Text Art. Определите нужный тип заливки Настройте свойства выбранной заливки (подробное описание для каждого типа заливки смотрите ниже) Примечание: для автофигур и шрифта объектов Text Art, независимо от выбранного типа заливки, можно также задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Доступны следующие типы заливки: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры или слайда. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной теме/цветовой схеме презентации. Как только вы примените какую-то другую тему или цветовую схему, набор Цвета темы изменится. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к объекту и добавлен в палитру Пользовательский цвет. Примечание: такие же типы цветов можно использовать при выборе цвета обводки автофигуры, настройке цвета шрифта или изменении цвета фона или границ таблицы. Градиентная заливка - выберите эту опцию, чтобы залить слайд или фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - в окне предварительного просмотра направления отображается выбранный цвет градиента. Нажмите на стрелку, чтобы выбрать шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Угол - установите числовое значение для точного угла перехода цвета. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры или слайда изображение или предустановленную текстуру. Если Вы хотите использовать изображение в качестве фона фигуры или слайда, нажмите кнопку Выбрать изображение и добавьте изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес, или Из хранилища, выбрав нужное изображение, сохраненное на портале. Если Вы хотите использовать текстуру в качестве фона фигуры или слайда, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура или слайд, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер слайда или автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади слайда или автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить слайд или фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку." }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка и форматирование автофигур", - "body": "Вставка автофигуры Для добавления автофигуры на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить автофигуру, щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, в области редактирования слайда установите курсор там, где требуется поместить автофигуру, Примечание: чтобы растянуть фигуру, можно перетащить курсор при нажатой кнопке мыши. после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на слайде выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Также можно добавить автофигуру в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по автофигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - чтобы задать сплошной цвет, который требуется применить к выбранной фигуре. Градиентная заливка - чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Изображение или текстура - чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Узор - чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Можно использовать цвет выбранной темы, стандартный цвет или выбрать пользовательский цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Для изменения дополнительных параметров автофигуры щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры фигуры или щелкните левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств фигуры: На вкладке Размер можно изменить Ширину и/или Высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно использовать опцию Без автоподбора, Сжать текст при переполнении, Подгонять размер фигуры под текст или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура. Чтобы заменить добавленную автофигуру, щелкните по ней левой кнопкой мыши и используйте выпадающий список Изменить автофигуру на вкладке Параметры фигуры правой боковой панели. Чтобы удалить добавленную автофигуру, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять автофигуру на слайде или расположить в определенном порядке несколько автофигур, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." + "body": "Вставка автофигуры Для добавления автофигуры на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить автофигуру, щелкните по значку Фигура на вкладке Главная или по стрелочке рядом с Галереей фигур на вкладке Вставка верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, в области редактирования слайда установите курсор там, где требуется поместить автофигуру, Примечание: чтобы растянуть фигуру, можно перетащить курсор при нажатой кнопке мыши. после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на слайде выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Также можно добавить автофигуру в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по автофигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - чтобы задать сплошной цвет, который требуется применить к выбранной фигуре. Градиентная заливка - чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Изображение или текстура - чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Узор - чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Можно использовать цвет выбранной темы, стандартный цвет или выбрать пользовательский цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Для изменения дополнительных параметров автофигуры щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры фигуры или щелкните левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств фигуры: На вкладке Размер можно изменить Ширину и/или Высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно использовать опцию Без автоподбора, Сжать текст при переполнении, Подгонять размер фигуры под текст или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура. Чтобы заменить добавленную автофигуру, щелкните по ней левой кнопкой мыши и используйте выпадающий список Изменить автофигуру на вкладке Параметры фигуры правой боковой панели. Чтобы удалить добавленную автофигуру, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять автофигуру на слайде или расположить в определенном порядке несколько автофигур, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." }, { "id": "UsageInstructions/InsertCharts.htm", @@ -128,7 +148,7 @@ var indexes = { "id": "UsageInstructions/InsertEquation.htm", "title": "Вставка уравнений", - "body": "В редакторе презентаций вы можете создавать уравнения, используя встроенные шаблоны, редактировать их, вставлять специальные символы (в том числе математические знаки, греческие буквы, диакритические знаки и т.д.). Добавление нового уравнения Чтобы вставить уравнение из коллекции, перейдите на вкладку Вставка верхней панели инструментов, нажмите на стрелку рядом со значком Уравнение на верхней панели инструментов, в открывшемся выпадающем списке выберите нужную категорию уравнений. В настоящее время доступны следующие категории: Символы, Дроби, Индексы, Радикалы, Интегралы, Крупные операторы, Скобки, Функции, Диакритические знаки, Пределы и логарифмы, Операторы, Матрицы, щелкните по определенному символу/уравнению в соответствующем наборе шаблонов. Выбранный символ или уравнение будут вставлены в центре текущего слайда. Если вы не видите границу рамки уравнения, щелкните внутри уравнения - граница будет отображена в виде пунктирной линии. Рамку уравнения можно свободно перемещать, изменять ее размер или поворачивать на слайде. Для этого щелкните по границе рамки уравнения (она будет отображена как сплошная линия) и используйте соответствующие маркеры. Каждый шаблон уравнения представляет собой совокупность слотов. Слот - это позиция для каждого элемента, образующего уравнение. Пустой слот, также называемый полем для заполнения, имеет пунктирный контур . Необходимо заполнить все поля, указав нужные значения. Ввод значений Курсор определяет, где появится следующий символ, который вы введете. Чтобы точно установить курсор, щелкните внутри поля для заполнения и используйте клавиши со стрелками на клавиатуре для перемещения курсора на один символ влево/вправо. Когда курсор будет установлен в нужную позицию, можно заполнить поле: введите требуемое цифровое или буквенное значение с помощью клавиатуры, вставьте специальный символ, используя палитру Символы из меню Уравнение на вкладке Вставка верхней панели инструментов или вводя их с клавиатуры (см. описание функции Автозамена математическими символами), добавьте шаблон другого уравнения с палитры, чтобы создать сложное вложенное уравнение. Размер начального уравнения будет автоматически изменен в соответствии с содержимым. Размер элементов вложенного уравнения зависит от размера поля начального уравнения, но не может быть меньше, чем размер мелкого индекса. Для добавления некоторых новых элементов уравнений можно также использовать пункты контекстного меню: Чтобы добавить новый аргумент, идущий до или после имеющегося аргумента в Скобках, можно щелкнуть правой кнопкой мыши по существующему аргументу и выбрать из контекстного меню пункт Вставить аргумент перед/после. Чтобы добавить новое уравнение в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по пустому полю для заполнения или по введенному в него уравнению и выбрать из контекстного меню пункт Вставить уравнение перед/после. Чтобы добавить новую строку или новый столбец в Матрице, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри нее, выбрать из контекстного меню пункт Добавить, а затем - опцию Строку выше/ниже или Столбец слева/справа. Примечание: в настоящее время не поддерживается ввод уравнений в линейном формате, то есть в виде \\sqrt(4&x^3). При вводе значений математических выражений не требуется использовать клавишу Пробел, так как пробелы между символами и знаками действий устанавливаются автоматически. Если уравнение слишком длинное и не помещается на одной строке внутри рамки уравнения, перенос на другую строку в процессе ввода осуществляется автоматически. Можно также вставить перенос строки в строго определенном месте, щелкнув правой кнопкой мыши по математическому оператору и выбрав из контекстного меню пункт Вставить принудительный разрыв. Выбранный оператор будет перенесен на новую строку. Чтобы удалить добавленный принудительный разрыв строки, щелкните правой кнопкой мыши по математическому оператору в начале новой строки и выберите пункт меню Удалить принудительный разрыв. Форматирование уравнений По умолчанию уравнение внутри рамки горизонтально выровнено по центру, а вертикально выровнено по верхнему краю рамки уравнения. Чтобы изменить горизонтальное или вертикальное выравнивание, установите курсор внутри рамки уравнения (контуры рамки будут отображены как пунктирные линии) и используйте соответствующие значки на вкладке Главная верхней панели инструментов. Чтобы увеличить или уменьшить размер шрифта в уравнении, щелкните мышью внутри рамки уравнения и выберите нужный размер шрифта из списка на вкладке Главная верхней панели инструментов. Все элементы уравнения изменятся соответственно. По умолчанию буквы в уравнении форматируются курсивом. В случае необходимости можно изменить стиль шрифта (выделение полужирным, курсив, зачеркивание) или цвет для всего уравнения или его части. Подчеркивание можно применить только ко всему уравнению, а не к отдельным символам. Выделите нужную часть уравнения путем перетаскивания. Выделенная часть будет подсвечена голубым цветом. Затем используйте нужные кнопки на вкладке Главная верхней панели инструментов, чтобы отформатировать выделенный фрагмент. Например, можно убрать форматирование курсивом для обычных слов, которые не являются переменными или константами. Для изменения некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы изменить формат Дробей, можно щелкнуть правой кнопкой мыши по дроби и выбрать из контекстного меню пункт Изменить на диагональную/горизонтальную/вертикальную простую дробь (доступные опции отличаются в зависимости от типа выбранной дроби). Чтобы изменить положение Индексов относительно текста, можно щелкнуть правой кнопкой мыши по уравнению, содержащему индексы, и выбрать из контекстного меню пункт Индексы перед текстом/после текста. Чтобы изменить размер аргумента для уравнений из групп Индексы, Радикалы, Интегралы, Крупные операторы, Пределы и логарифмы, Операторы, а также для горизонтальных фигурных скобок и шаблонов с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по аргументу, который требуется изменить, и выбрать из контекстного меню пункт Увеличить/Уменьшить размер аргумента. Чтобы указать, надо ли отображать пустое поле для ввода степени в уравнении из группы Радикалы, можно щелкнуть правой кнопкой мыши по радикалу и выбрать из контекстного меню пункт Скрыть/Показать степень. Чтобы указать, надо ли отображать пустое поле для ввода предела в уравнении из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Скрыть/Показать верхний/нижний предел. Чтобы изменить положение пределов относительно знака интеграла или оператора в уравнениях из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Изменить положение пределов. Пределы могут отображаться справа от знака оператора (как верхние и нижние индексы) или непосредственно над и под знаком оператора. Чтобы изменить положение пределов относительно текста в уравнениях из группы Пределы и логарифмы и в шаблонах с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Предел над текстом/под текстом. Чтобы выбрать, какие из Скобок надо отображать, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Скрыть/Показать открывающую/закрывающую скобку. Чтобы управлять размером Скобок, можно щелкнуть правой кнопкой мыши по выражению в скобках. Пункт меню Растянуть скобки выбран по умолчанию, так что скобки могут увеличиваться в соответствии с размером выражения, заключенного в них, но вы можете снять выделение с этой опции, чтобы запретить растяжение скобок. Когда эта опция активирована, можно также использовать пункт меню Изменить размер скобок в соответствии с высотой аргумента. Чтобы изменить положение символа относительно текста для горизонтальных фигурных скобок или горизонтальной черты над/под уравнением из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по шаблону и и выбрать из контекстного меню пункт Символ/Черта над/под текстом. Чтобы выбрать, какие границы надо отображать для Уравнения в рамке из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Свойства границ, а затем - Скрыть/Показать верхнюю/нижнюю/левую/правую границу или Добавить/Скрыть горизонтальную/вертикальную/диагональную линию. Чтобы указать, надо ли отображать пустые поля для заполнения в Матрице, можно щелкнуть по ней правой кнопкой мыши и выбрать из контекстного меню пункт Скрыть/Показать поля для заполнения. Для выравнивания некоторых элементов уравнений можно использовать пункты контекстного меню: Чтобы выровнять уравнения в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по уравнению, выбрать из контекстного меню пункт Выравнивание, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять Матрицу по вертикали, можно щелкнуть правой кнопкой мыши по матрице, выбрать из контекстного меню пункт Выравнивание матрицы, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять по горизонтали элементы внутри отдельного столбца Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри столбца, выбрать из контекстного меню пункт Выравнивание столбца, а затем выбрать тип выравнивания: По левому краю, По центру или По правому краю. Удаление элементов уравнения Чтобы удалить часть уравнения, выделите фрагмент, который требуется удалить, путем перетаскивания или удерживая клавишу Shift и используя клавиши со стрелками, затем нажмите на клавиатуре клавишу Delete. Слот можно удалить только вместе с шаблоном, к которому он относится. Чтобы удалить всё уравнение, щелкните по границе рамки уравнения, (она будет отображена как сплошная линия) и нажмите на клавиатуре клавишу Delete. Для удаления некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы удалить Радикал, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить радикал. Чтобы удалить Нижний индекс и/или Верхний индекс, можно щелкнуть правой кнопкой мыши по содержащему их выражению и выбрать из контекстного меню пункт Удалить верхний индекс/нижний индекс. Если выражение содержит индексы, расположенные перед текстом, доступна опция Удалить индексы. Чтобы удалить Скобки, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Удалить вложенные знаки или Удалить вложенные знаки и разделители. Если выражение в Скобках содержит несколько аргументов, можно щелкнуть правой кнопкой мыши по аргументу, который требуется удалить, и выбрать из контекстного меню пункт Удалить аргумент. Если в Скобках заключено несколько уравнений (а именно, в Наборах условий), можно щелкнуть правой кнопкой мыши по уравнению, которое требуется удалить, и выбрать из контекстного меню пункт Удалить уравнение. Чтобы удалить Предел, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить предел. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака). Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец." + "body": "В редакторе презентаций вы можете создавать уравнения, используя встроенные шаблоны, редактировать их, вставлять специальные символы (в том числе математические знаки, греческие буквы, диакритические знаки и т.д.). Добавление нового уравнения Чтобы вставить уравнение из коллекции, перейдите на вкладку Вставка верхней панели инструментов, нажмите на стрелку рядом со значком Уравнение на верхней панели инструментов, в открывшемся выпадающем списке выберите нужную категорию уравнений. В настоящее время доступны следующие категории: Символы, Дроби, Индексы, Радикалы, Интегралы, Крупные операторы, Скобки, Функции, Диакритические знаки, Пределы и логарифмы, Операторы, Матрицы, щелкните по определенному символу/уравнению в соответствующем наборе шаблонов. Выбранный символ или уравнение будут вставлены в центре текущего слайда. Если вы не видите границу рамки уравнения, щелкните внутри уравнения - граница будет отображена в виде пунктирной линии. Рамку уравнения можно свободно перемещать, изменять ее размер или поворачивать на слайде. Для этого щелкните по границе рамки уравнения (она будет отображена как сплошная линия) и используйте соответствующие маркеры. Каждый шаблон уравнения представляет собой совокупность слотов. Слот - это позиция для каждого элемента, образующего уравнение. Пустой слот, также называемый полем для заполнения, имеет пунктирный контур . Необходимо заполнить все поля, указав нужные значения. Ввод значений Курсор определяет, где появится следующий символ, который вы введете. Чтобы точно установить курсор, щелкните внутри поля для заполнения и используйте клавиши со стрелками на клавиатуре для перемещения курсора на один символ влево/вправо. Когда курсор будет установлен в нужную позицию, можно заполнить поле: введите требуемое цифровое или буквенное значение с помощью клавиатуры, вставьте специальный символ, используя палитру Символы из меню Уравнение на вкладке Вставка верхней панели инструментов или вводя их с клавиатуры (см. описание функции Автозамена математическими символами), добавьте шаблон другого уравнения с палитры, чтобы создать сложное вложенное уравнение. Размер начального уравнения будет автоматически изменен в соответствии с содержимым. Размер элементов вложенного уравнения зависит от размера поля начального уравнения, но не может быть меньше, чем размер мелкого индекса. Для добавления некоторых новых элементов уравнений можно также использовать пункты контекстного меню: Чтобы добавить новый аргумент, идущий до или после имеющегося аргумента в Скобках, можно щелкнуть правой кнопкой мыши по существующему аргументу и выбрать из контекстного меню пункт Вставить аргумент перед/после. Чтобы добавить новое уравнение в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по пустому полю для заполнения или по введенному в него уравнению и выбрать из контекстного меню пункт Вставить уравнение перед/после. Чтобы добавить новую строку или новый столбец в Матрице, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри нее, выбрать из контекстного меню пункт Добавить, а затем - опцию Строку выше/ниже или Столбец слева/справа. Примечание: в настоящее время не поддерживается ввод уравнений в линейном формате, то есть в виде \\sqrt(4&x^3). При вводе значений математических выражений не требуется использовать клавишу Пробел, так как пробелы между символами и знаками действий устанавливаются автоматически. Если уравнение слишком длинное и не помещается на одной строке внутри рамки уравнения, перенос на другую строку в процессе ввода осуществляется автоматически. Можно также вставить перенос строки в строго определенном месте, щелкнув правой кнопкой мыши по математическому оператору и выбрав из контекстного меню пункт Вставить принудительный разрыв. Выбранный оператор будет перенесен на новую строку. Чтобы удалить добавленный принудительный разрыв строки, щелкните правой кнопкой мыши по математическому оператору в начале новой строки и выберите пункт меню Удалить принудительный разрыв. Форматирование уравнений По умолчанию уравнение внутри рамки горизонтально выровнено по центру, а вертикально выровнено по верхнему краю рамки уравнения. Чтобы изменить горизонтальное или вертикальное выравнивание, установите курсор внутри рамки уравнения (контуры рамки будут отображены как пунктирные линии) и используйте соответствующие значки на вкладке Главная верхней панели инструментов. Чтобы увеличить или уменьшить размер шрифта в уравнении, щелкните мышью внутри рамки уравнения и выберите нужный размер шрифта из списка на вкладке Главная верхней панели инструментов. Все элементы уравнения изменятся соответственно. По умолчанию буквы в уравнении форматируются курсивом. В случае необходимости можно изменить стиль шрифта (выделение полужирным, курсив, зачеркивание) или цвет для всего уравнения или его части. Подчеркивание можно применить только ко всему уравнению, а не к отдельным символам. Выделите нужную часть уравнения путем перетаскивания. Выделенная часть будет подсвечена голубым цветом. Затем используйте нужные кнопки на вкладке Главная верхней панели инструментов, чтобы отформатировать выделенный фрагмент. Например, можно убрать форматирование курсивом для обычных слов, которые не являются переменными или константами. Для изменения некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы изменить формат Дробей, можно щелкнуть правой кнопкой мыши по дроби и выбрать из контекстного меню пункт Изменить на диагональную/горизонтальную/вертикальную простую дробь (доступные опции отличаются в зависимости от типа выбранной дроби). Чтобы изменить положение Индексов относительно текста, можно щелкнуть правой кнопкой мыши по уравнению, содержащему индексы, и выбрать из контекстного меню пункт Индексы перед текстом/после текста. Чтобы изменить размер аргумента для уравнений из групп Индексы, Радикалы, Интегралы, Крупные операторы, Пределы и логарифмы, Операторы, а также для горизонтальных фигурных скобок и шаблонов с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по аргументу, который требуется изменить, и выбрать из контекстного меню пункт Увеличить/Уменьшить размер аргумента. Чтобы указать, надо ли отображать пустое поле для ввода степени в уравнении из группы Радикалы, можно щелкнуть правой кнопкой мыши по радикалу и выбрать из контекстного меню пункт Скрыть/Показать степень. Чтобы указать, надо ли отображать пустое поле для ввода предела в уравнении из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Скрыть/Показать верхний/нижний предел. Чтобы изменить положение пределов относительно знака интеграла или оператора в уравнениях из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Изменить положение пределов. Пределы могут отображаться справа от знака оператора (как верхние и нижние индексы) или непосредственно над и под знаком оператора. Чтобы изменить положение пределов относительно текста в уравнениях из группы Пределы и логарифмы и в шаблонах с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Предел над текстом/под текстом. Чтобы выбрать, какие из Скобок надо отображать, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Скрыть/Показать открывающую/закрывающую скобку. Чтобы управлять размером Скобок, можно щелкнуть правой кнопкой мыши по выражению в скобках. Пункт меню Растянуть скобки выбран по умолчанию, так что скобки могут увеличиваться в соответствии с размером выражения, заключенного в них, но вы можете снять выделение с этой опции, чтобы запретить растяжение скобок. Когда эта опция активирована, можно также использовать пункт меню Изменить размер скобок в соответствии с высотой аргумента. Чтобы изменить положение символа относительно текста для горизонтальных фигурных скобок или горизонтальной черты над/под уравнением из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по шаблону и и выбрать из контекстного меню пункт Символ/Черта над/под текстом. Чтобы выбрать, какие границы надо отображать для Уравнения в рамке из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Свойства границ, а затем - Скрыть/Показать верхнюю/нижнюю/левую/правую границу или Добавить/Скрыть горизонтальную/вертикальную/диагональную линию. Чтобы указать, надо ли отображать пустые поля для заполнения в Матрице, можно щелкнуть по ней правой кнопкой мыши и выбрать из контекстного меню пункт Скрыть/Показать поля для заполнения. Для выравнивания некоторых элементов уравнений можно использовать пункты контекстного меню: Чтобы выровнять уравнения в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по уравнению, выбрать из контекстного меню пункт Выравнивание, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять Матрицу по вертикали, можно щелкнуть правой кнопкой мыши по матрице, выбрать из контекстного меню пункт Выравнивание матрицы, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять по горизонтали элементы внутри отдельного столбца Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри столбца, выбрать из контекстного меню пункт Выравнивание столбца, а затем выбрать тип выравнивания: По левому краю, По центру или По правому краю. Удаление элементов уравнения Чтобы удалить часть уравнения, выделите фрагмент, который требуется удалить, путем перетаскивания или удерживая клавишу Shift и используя клавиши со стрелками, затем нажмите на клавиатуре клавишу Delete. Слот можно удалить только вместе с шаблоном, к которому он относится. Чтобы удалить всё уравнение, щелкните по границе рамки уравнения, (она будет отображена как сплошная линия) и нажмите на клавиатуре клавишу Delete. Для удаления некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы удалить Радикал, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить радикал. Чтобы удалить Нижний индекс и/или Верхний индекс, можно щелкнуть правой кнопкой мыши по содержащему их выражению и выбрать из контекстного меню пункт Удалить верхний индекс/нижний индекс. Если выражение содержит индексы, расположенные перед текстом, доступна опция Удалить индексы. Чтобы удалить Скобки, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Удалить вложенные знаки или Удалить вложенные знаки и разделители. Если выражение в Скобках содержит несколько аргументов, можно щелкнуть правой кнопкой мыши по аргументу, который требуется удалить, и выбрать из контекстного меню пункт Удалить аргумент. Если в Скобках заключено несколько уравнений (а именно, в Наборах условий), можно щелкнуть правой кнопкой мыши по уравнению, которое требуется удалить, и выбрать из контекстного меню пункт Удалить уравнение. Чтобы удалить Предел, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить предел. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака). Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец. Преобразование уравнений Если вы открываете существующий документ с уравнениями, которые были созданы с помощью старой версии редактора уравнений (например, в версиях, предшествующих MS Office 2007), эти уравнения необходимо преобразовать в формат Office Math ML, чтобы иметь возможность их редактировать. Чтобы преобразовать уравнение, дважды щелкните по нему. Откроется окно с предупреждением: Чтобы преобразовать только выбранное уравнение, нажмите кнопку Да в окне предупреждения. Чтобы преобразовать все уравнения в документе, поставьте галочку Применить ко всем уравнениям и нажмите кнопку Да. После преобразования уравнения вы сможете его редактировать." }, { "id": "UsageInstructions/InsertHeadersFooters.htm", @@ -138,7 +158,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка и настройка изображений", - "body": "Вставка изображения В онлайн-редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Вы также можете добавить изображение внутри текстовой рамки, нажав на кнопку Изображение из файла в ней и выбрав нужное изображение, сохраненное на компьютере, или используйте кнопку Изображение по URL и укажите URL-адрес изображения: Также можно добавить изображение в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить Реальный размер изображения. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла, Из хранилища или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." + "body": "Вставка изображения В онлайн-редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Вы также можете добавить изображение внутри текстовой рамки, нажав на кнопку Изображение из файла в ней и выбрав нужное изображение, сохраненное на компьютере, или используйте кнопку Изображение по URL и укажите URL-адрес изображения: Также можно добавить изображение в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить Реальный размер изображения. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Обрезать, Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре. При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла, Из хранилища или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." }, { "id": "UsageInstructions/InsertSymbols.htm", @@ -152,23 +172,23 @@ var indexes = }, { "id": "UsageInstructions/InsertText.htm", - "title": "Вставка и форматирование текста", - "body": "Вставка текста Новый текст можно добавить тремя разными способами: Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию. Добавить фрагмент текста в любом месте на слайде. Можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). В зависимости от требуемого типа текстового объекта можно сделать следующее: чтобы добавить текстовое поле, щелкните по значку Надпись на вкладке Главная или Вставка верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на вкладке Вставка верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре слайда. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. Добавить фрагмент текста внутри автофигуры. Выделите фигуру и начинайте печатать текст. Щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к слайду. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку (у нее по умолчанию невидимые границы) с текстом внутри, а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур текстового поля, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на слайде, повернуть или отразить поле, расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Выравнивание текста внутри текстового поля Горизонтально текст выравнивается четырьмя способами: по левому краю, по правому краю, по центру или по ширине. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Горизонтальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по левому краю позволяет выровнять текст по левому краю текстового поля (правый край остается невыровненным). опция Выравнивание текста по центру позволяет выровнять текст по центру текстового поля (правый и левый края остаются невыровненными). опция Выравнивание текста по правому краю позволяет выровнять текст по правому краю текстового поля (левый край остается невыровненным). опция Выравнивание текста по ширине позволяет выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Вертикально текст выравнивается тремя способами: по верхнему краю, по середине или по нижнему краю. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Вертикальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по верхнему краю позволяет выровнять текст по верхнему краю текстового поля. опция Выравнивание текста по середине позволяет выровнять текст по центру текстового поля. опция Выравнивание текста по нижнему краю позволяет выровнять текст по нижнему краю текстового поля. Изменение направления текста Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Настройка типа, размера, цвета шрифта и применение стилей оформления Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Полужирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из двух опций: множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Изменение дополнительных параметров абзаца Чтобы открыть окно Абзац - Дополнительные параметры, щелкните по тексту правой кнопкой мыши и выберите в контекстном меню пункт Дополнительные параметры текста. Также можно установить курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." + "title": "Как вставить текст в презентацию PowerPoint - ONLYOFFICE", + "body": "Вставка и форматирование текста презентации Вставка текста Новый текст можно добавить тремя разными способами: Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию. Добавить фрагмент текста в любом месте на слайде. Можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). В зависимости от требуемого типа текстового объекта можно сделать следующее: чтобы добавить текстовое поле, щелкните по значку Надпись на вкладке Главная или Вставка верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на вкладке Вставка верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре слайда. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. Добавить фрагмент текста внутри автофигуры. Выделите фигуру и начинайте печатать текст. Щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к слайду. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку (у нее по умолчанию невидимые границы) с текстом внутри, а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстовых полей презентации Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур текстового поля, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на слайде, повернуть или отразить поле, расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Выравнивание текста внутри текстового поля Горизонтально текст выравнивается четырьмя способами: по левому краю, по правому краю, по центру или по ширине. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Горизонтальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по левому краю позволяет выровнять текст по левому краю текстового поля (правый край остается невыровненным). опция Выравнивание текста по центру позволяет выровнять текст по центру текстового поля (правый и левый края остаются невыровненными). опция Выравнивание текста по правому краю позволяет выровнять текст по правому краю текстового поля (левый край остается невыровненным). опция Выравнивание текста по ширине позволяет выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Вертикально текст выравнивается тремя способами: по верхнему краю, по середине или по нижнему краю. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Вертикальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по верхнему краю позволяет выровнять текст по верхнему краю текстового поля. опция Выравнивание текста по середине позволяет выровнять текст по центру текстового поля. опция Выравнивание текста по нижнему краю позволяет выровнять текст по нижнему краю текстового поля. Изменение направления текста Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Настройка типа, размера, цвета шрифта и применение стилей оформления Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Полужирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из двух опций: множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Изменение дополнительных параметров абзаца Чтобы открыть окно Абзац - Дополнительные параметры, щелкните по тексту правой кнопкой мыши и выберите в контекстном меню пункт Дополнительные параметры текста. Также можно установить курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/ManageSlides.htm", "title": "Управление слайдами", - "body": "По умолчанию новая созданная презентация содержит один пустой титульный слайд. Вы можете создавать новые слайды, копировать слайды, чтобы затем можно было вставить их в другое место в списке слайдов, дублировать слайды, перемещать слайды, чтобы изменить их порядок в списке, удалять ненужные слайды, помечать отдельные слайды как скрытые. Для создания нового слайда с макетом Заголовок и объект: щелкните по значку Добавить слайд на вкладке Главная или Вставка верхней панели инструментов или щелкните правой кнопкой мыши по любому слайду в списке и выберите в контекстном меню пункт Новый слайд или нажмите сочетание клавиш Ctrl+M. Для создания нового слайда с другим макетом: нажмите на стрелку рядом со значком Добавить слайд на вкладке Главная или Вставка верхней панели инструментов, выберите в меню слайд с нужным макетом. Примечание: вы в любое время сможете изменить макет добавленного слайда. Чтобы получить дополнительную информацию о том, как это сделать, обратитесь к разделу Настройка параметров слайда. Новый слайд будет вставлен после выделенного слайда в списке существующих слайдов слева. Для дублирования слайда: щелкните правой кнопкой мыши по нужному слайду в списке существующих слайдов слева, в контекстном меню выберите пункт Дублировать слайд. Дублированный слайд будет вставлен после выделенного слайда в списке слайдов. Для копирования слайда: в списке существующих слайдов слева выделите слайд, который требуется скопировать, нажмите сочетание клавиш Ctrl+C, выделите в списке слайд, после которого требуется вставить скопированный, нажмите сочетание клавиш Ctrl+V. Для перемещения существующего слайда: щелкните левой кнопкой мыши по нужному слайду в списке существующих слайдов слева, не отпуская кнопку мыши, перетащите его на нужное место в списке (горизонтальная линия обозначает новую позицию). Для удаления ненужного слайда: в списке существующих слайдов слева щелкните правой кнопкой мыши по слайду, который требуется удалить, в контекстном меню выберите пункт Удалить слайд. Для скрытия слайда: в списке существующих слайдов слева щелкните правой кнопкой мыши по слайду, который требуется скрыть, в контекстном меню выберите пункт Скрыть слайд. Номер, соответствующий скрытому слайду, будет перечеркнут в списке слайдов слева. Чтобы отображать скрытый слайд как обычный слайд в списке, щелкните по опции Скрыть слайд еще раз. Примечание: эту опцию можно использовать, если вы не хотите демонстрировать зрителям некоторые слайды, но вам требуется, чтобы в случае необходимости к этим слайдам можно было получить доступ. При запуске показа слайдов в режиме докладчика все имеющиеся слайды отображаются в списке слева, при этом номера скрытых слайдов перечеркнуты. Если вы захотите показать зрителям слайд, помеченный как скрытый, просто щелкните по нему в списке слайдов слева - слайд будет отображен. Для выделения всех существующих слайдов сразу: щелкните правой кнопкой мыши по любому слайду в списке существующих слайдов слева, в контекстном меню выберите пункт Выделить все. Для выделения нескольких слайдов: удерживайте клавишу Ctrl, выделите нужные слайды в списке существующих слайдов слева, щелкая по ним левой кнопкой мыши. Примечание: все сочетания клавиш, которые можно использовать для управления слайдами, перечислены на странице Сочетания клавиш." + "body": "По умолчанию новая созданная презентация содержит один пустой титульный слайд. Вы можете создавать новые слайды, копировать слайды, чтобы затем можно было вставить их в другое место в списке слайдов, дублировать слайды, перемещать слайды, чтобы изменить их порядок в списке, удалять ненужные слайды, помечать отдельные слайды как скрытые. Для создания нового слайда с макетом Заголовок и объект: щелкните по значку Добавить слайд на вкладке Главная или Вставка верхней панели инструментов или щелкните правой кнопкой мыши по любому слайду в списке и выберите в контекстном меню пункт Новый слайд или нажмите сочетание клавиш Ctrl+M. Для создания нового слайда с другим макетом: нажмите на стрелку рядом со значком Добавить слайд на вкладке Главная или Вставка верхней панели инструментов, выберите в меню слайд с нужным макетом. Примечание: вы в любое время сможете изменить макет добавленного слайда. Чтобы получить дополнительную информацию о том, как это сделать, обратитесь к разделу Настройка параметров слайда. Новый слайд будет вставлен после выделенного слайда в списке существующих слайдов слева. Для дублирования слайда: щелкните правой кнопкой мыши по нужному слайду в списке существующих слайдов слева, щелкните правой кнопкой мыши и в контекстном меню выберите пункт Дублировать слайд, либо на вкладках Главная или Вставка нажмите кнопку Добавить слайд и выберите пункт Дублировать слайд. Дублированный слайд будет вставлен после выделенного слайда в списке слайдов. Для копирования слайда: в списке существующих слайдов слева выделите слайд, который требуется скопировать, нажмите сочетание клавиш Ctrl+C, выделите в списке слайд, после которого требуется вставить скопированный, нажмите сочетание клавиш Ctrl+V. Для перемещения существующего слайда: щелкните левой кнопкой мыши по нужному слайду в списке существующих слайдов слева, не отпуская кнопку мыши, перетащите его на нужное место в списке (горизонтальная линия обозначает новую позицию). Для удаления ненужного слайда: в списке существующих слайдов слева щелкните правой кнопкой мыши по слайду, который требуется удалить, в контекстном меню выберите пункт Удалить слайд. Для скрытия слайда: в списке существующих слайдов слева щелкните правой кнопкой мыши по слайду, который требуется скрыть, в контекстном меню выберите пункт Скрыть слайд. Номер, соответствующий скрытому слайду, будет перечеркнут в списке слайдов слева. Чтобы отображать скрытый слайд как обычный слайд в списке, щелкните по опции Скрыть слайд еще раз. Примечание: эту опцию можно использовать, если вы не хотите демонстрировать зрителям некоторые слайды, но вам требуется, чтобы в случае необходимости к этим слайдам можно было получить доступ. При запуске показа слайдов в режиме докладчика все имеющиеся слайды отображаются в списке слева, при этом номера скрытых слайдов перечеркнуты. Если вы захотите показать зрителям слайд, помеченный как скрытый, просто щелкните по нему в списке слайдов слева - слайд будет отображен. Для выделения всех существующих слайдов сразу: щелкните правой кнопкой мыши по любому слайду в списке существующих слайдов слева, в контекстном меню выберите пункт Выделить все. Для выделения нескольких слайдов: удерживайте клавишу Ctrl, выделите нужные слайды в списке существующих слайдов слева, щелкая по ним левой кнопкой мыши. Примечание: все сочетания клавиш, которые можно использовать для управления слайдами, перечислены на странице Сочетания клавиш." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Работа с объектами на слайде", - "body": "Можно изменять размер различных объектов, перемещать и поворачивать их на слайде вручную при помощи специальных маркеров. Можно также точно задать размеры некоторых объектов и их положение с помощью правой боковой панели или окна Дополнительные параметры. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Чтобы задать точную ширину и высоту диаграммы, выделите ее на слайде и используйте раздел Размер на правой боковой панели, которая будет активирована. Чтобы задать точные размеры изображения или автофигуры, щелкните правой кнопкой мыши по нужному объекту на слайде и выберите пункт меню Дополнительные параметры изображения/фигуры. Укажите нужные значения на вкладке Размер окна Дополнительные параметры и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы/таблицы/текстового поля используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы задать точное положение изображения, щелкните правой кнопкой мыши по изображению на слайде и выберите пункт меню Дополнительные параметры изображения. Укажите нужные значения в разделе Положение окна Дополнительные параметры и нажмите кнопку OK. Поворот объектов Чтобы вручную повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть объект на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по объекту, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть объект на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK." + "body": "Можно изменять размер различных объектов, перемещать и поворачивать их на слайде вручную при помощи специальных маркеров. Можно также точно задать размеры некоторых объектов и их положение с помощью правой боковой панели или окна Дополнительные параметры. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Чтобы задать точную ширину и высоту диаграммы, выделите ее на слайде и используйте раздел Размер на правой боковой панели, которая будет активирована. Чтобы задать точные размеры изображения или автофигуры, щелкните правой кнопкой мыши по нужному объекту на слайде и выберите пункт меню Дополнительные параметры изображения/фигуры. Укажите нужные значения на вкладке Размер окна Дополнительные параметры и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Чтобы изменить форму автофигуры, вы также можете использовать опцию Изменить точки в контекстном меню. Изменить точки используется для редактирования формы или изменения кривизны автофигуры. Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры. После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. Пока опорные точки активны, вы можете добавлять и удалять их: Чтобы добавить точку к фигуре, удерживайте Ctrl и щелкните место, где вы хотите добавить опорную точку. Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы/таблицы/текстового поля используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы задать точное положение изображения, щелкните правой кнопкой мыши по изображению на слайде и выберите пункт меню Дополнительные параметры изображения. Укажите нужные значения в разделе Положение окна Дополнительные параметры и нажмите кнопку OK. Поворот объектов Чтобы вручную повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть объект на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по объекту, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть объект на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK." }, { "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", @@ -178,18 +198,23 @@ var indexes = { "id": "UsageInstructions/PreviewPresentation.htm", "title": "Просмотр презентации", - "body": "Запуск просмотра слайдов Чтобы просмотреть презентацию, которую вы в данный момент редактируете, можно сделать следующее: щелкните по значку Начать показ слайдов на вкладке Главная верхней панели инструментов или в левой части строки состояния или выберите определенный слайд в списке слайдов слева, щелкните по нему правой кнопкой мыши и выберите в контекстном меню пункт Начать показ слайдов. Просмотр начнется с выделенного в данный момент слайда. Можно также нажать на стрелку рядом со значком Начать показ слайдов на вкладке Главная верхней панели инструментов и выбрать одну из доступных опций: Показ слайдов с начала - чтобы начать показ слайдов с самого первого слайда, Показ слайдов с текущего слайда - чтобы начать показ слайдов со слайда, выделенного в данный момент, Показ слайдов в режиме докладчика - чтобы начать показ слайдов в режиме докладчика, позволяющем демонстрировать презентацию зрителям, не показывая заметок к слайдам, и одновременно просматривать презентацию с заметками к слайдам на другом мониторе. Параметры показа слайдов - чтобы открыть окно настроек, позволяющее задать только один параметр: Непрерывный цикл до нажатия клавиши 'Esc'. Отметьте эту опцию в случае необходимости и нажмите кнопку OK. Если эта опция включена, презентация будет отображаться до тех пор, пока вы не нажмете клавишу Escape на клавиатуре, то есть, при достижении последнего слайда в презентации вы сможете снова перейти к первому слайду и так далее. Если эта опция отключена, то при достижении последнего слайда в презентации появится черный экран с информацией о том, что презентация завершена и вы можете выйти из режима просмотра. Использование режима просмотра В режиме просмотра можно использовать следующие элементы управления, расположенные в левом нижнем углу: кнопка Предыдущий слайд позволяет вернуться к предыдущему слайду. кнопка Приостановить презентацию позволяет приостановить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Запустить презентацию позволяет возобновить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Следующий слайд позволяет перейти к следующему слайду. Указатель номера слайда отображает номер текущего слайда, а также общее количество слайдов в презентации. Для перехода к определенному слайду в режиме просмотра щелкните по Указателю номера слайда, введите в открывшемся окне номер нужного слайда и нажмите клавишу Enter. кнопка Полноэкранный режим позволяет перейти в полноэкранный режим. кнопка Выйти из полноэкранного режима позволяет выйти из полноэкранного режима. кнопка Завершить показ слайдов позволяет выйти из режима просмотра. Для навигации по слайдам в режиме просмотра можно также использовать сочетания клавиш. Использование режима докладчика Примечание: в десктопной версии редакторов режим докладчика можно активировать только со вторым подключенным монитором. В режиме докладчика вы можете просматривать презентацию с заметками к слайдам в отдельном окне, и одновременно демонстрировать презентацию зрителям на другом мониторе, не показывая заметок к слайдам. Заметки к каждому слайду отображаются под областью просмотра слайда. Для навигации по слайдам можно использовать кнопки и или щелкать по слайдам в списке слева. Номера скрытых слайдов в списке перечеркнуты. Если вы захотите показать зрителям слайд, помеченный как скрытый, просто щелкните по нему в списке слайдов слева - слайд будет отображен. Можно использовать следующие элементы управления, расположенные под областью просмотра слайда: Таймер показывает истекшее время презентации в формате чч.мм.сс. кнопка Приостановить презентацию позволяет приостановить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Запустить презентацию позволяет возобновить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Сброс позволяет сбросить истекшее время презентации. кнопка Предыдущий слайд позволяет вернуться к предыдущему слайду. кнопка Следующий слайд позволяет перейти к следующему слайду. Указатель номера слайда отображает номер текущего слайда, а также общее количество слайдов в презентации. кнопка Указка позволяет выделить что-то на экране при показе презентации. Когда эта опция включена, кнопка выглядит следующим образом: . Чтобы указать на какие-то объекты, наведите курсор мыши на область просмотра слайда и перемещайте указку по слайду. Указка будет выглядеть так: . Чтобы отключить эту опцию, нажмите кнопку еще раз. кнопка Завершить показ слайдов позволяет выйти из режима докладчика." + "body": "Запуск просмотра слайдов Примечание: Если вы загружаете презентацию с эффектами анимации, созданную в стороннем приложении, вы можете их предварительно просмотреть. Чтобы просмотреть презентацию, которую вы в данный момент редактируете, можно сделать следующее: щелкните по значку Начать показ слайдов на вкладке Главная верхней панели инструментов или в левой части строки состояния или выберите определенный слайд в списке слайдов слева, щелкните по нему правой кнопкой мыши и выберите в контекстном меню пункт Начать показ слайдов. Просмотр начнется с выделенного в данный момент слайда. Можно также нажать на стрелку рядом со значком Начать показ слайдов на вкладке Главная верхней панели инструментов и выбрать одну из доступных опций: Показ слайдов с начала - чтобы начать показ слайдов с самого первого слайда, Показ слайдов с текущего слайда - чтобы начать показ слайдов со слайда, выделенного в данный момент, Показ слайдов в режиме докладчика - чтобы начать показ слайдов в режиме докладчика, позволяющем демонстрировать презентацию зрителям, не показывая заметок к слайдам, и одновременно просматривать презентацию с заметками к слайдам на другом мониторе. Параметры показа слайдов - чтобы открыть окно настроек, позволяющее задать только один параметр: Непрерывный цикл до нажатия клавиши 'Esc'. Отметьте эту опцию в случае необходимости и нажмите кнопку OK. Если эта опция включена, презентация будет отображаться до тех пор, пока вы не нажмете клавишу Escape на клавиатуре, то есть, при достижении последнего слайда в презентации вы сможете снова перейти к первому слайду и так далее. Если эта опция отключена, то при достижении последнего слайда в презентации появится черный экран с информацией о том, что презентация завершена и вы можете выйти из режима просмотра. Использование режима просмотра В режиме просмотра можно использовать следующие элементы управления, расположенные в левом нижнем углу: кнопка Предыдущий слайд позволяет вернуться к предыдущему слайду. кнопка Приостановить презентацию позволяет приостановить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Запустить презентацию позволяет возобновить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Следующий слайд позволяет перейти к следующему слайду. Указатель номера слайда отображает номер текущего слайда, а также общее количество слайдов в презентации. Для перехода к определенному слайду в режиме просмотра щелкните по Указателю номера слайда, введите в открывшемся окне номер нужного слайда и нажмите клавишу Enter. кнопка Полноэкранный режим позволяет перейти в полноэкранный режим. кнопка Выйти из полноэкранного режима позволяет выйти из полноэкранного режима. кнопка Завершить показ слайдов позволяет выйти из режима просмотра. Для навигации по слайдам в режиме просмотра можно также использовать сочетания клавиш. Использование режима докладчика Примечание: в десктопной версии редакторов режим докладчика можно активировать только со вторым подключенным монитором. В режиме докладчика вы можете просматривать презентацию с заметками к слайдам в отдельном окне, и одновременно демонстрировать презентацию зрителям на другом мониторе, не показывая заметок к слайдам. Заметки к каждому слайду отображаются под областью просмотра слайда. Для навигации по слайдам можно использовать кнопки и или щелкать по слайдам в списке слева. Номера скрытых слайдов в списке перечеркнуты. Если вы захотите показать зрителям слайд, помеченный как скрытый, просто щелкните по нему в списке слайдов слева - слайд будет отображен. Можно использовать следующие элементы управления, расположенные под областью просмотра слайда: Таймер показывает истекшее время презентации в формате чч.мм.сс. кнопка Приостановить презентацию позволяет приостановить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Запустить презентацию позволяет возобновить просмотр. После нажатия эта кнопка превращается в кнопку . кнопка Сброс позволяет сбросить истекшее время презентации. кнопка Предыдущий слайд позволяет вернуться к предыдущему слайду. кнопка Следующий слайд позволяет перейти к следующему слайду. Указатель номера слайда отображает номер текущего слайда, а также общее количество слайдов в презентации. кнопка Указка позволяет выделить что-то на экране при показе презентации. Когда эта опция включена, кнопка выглядит следующим образом: . Чтобы указать на какие-то объекты, наведите курсор мыши на область просмотра слайда и перемещайте указку по слайду. Указка будет выглядеть так: . Чтобы отключить эту опцию, нажмите кнопку еще раз. кнопка Завершить показ слайдов позволяет выйти из режима докладчика." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / печать / скачивание презентации", - "body": "Сохранение По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить презентацию вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить презентацию под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A. Также можно выбрать вариант Шаблон презентации POTX или OTP. Скачивание Чтобы в онлайн-версии скачать готовую презентацию и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP. Сохранение копии Чтобы в онлайн-версии сохранить копию презентации на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую презентацию, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать презентации без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенные слайды с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши по выделенным слайдам и выберите опцию Напечатать выделенное). В десктопной версии презентация будет напрямую отправлена на печать. В онлайн-версии на основе данной презентации будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." + "body": "Сохранение По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить презентацию вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить презентацию под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A, PNG, JPG. Также можно выбрать вариант Шаблон презентации POTX или OTP. Скачивание Чтобы в онлайн-версии скачать готовую презентацию и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Сохранение копии Чтобы в онлайн-версии сохранить копию презентации на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую презентацию, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать презентации без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенные слайды с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши по выделенным слайдам и выберите опцию Напечатать выделенное). В десктопной версии презентация будет напрямую отправлена на печать. В онлайн-версии на основе данной презентации будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." }, { "id": "UsageInstructions/SetSlideParameters.htm", "title": "Настройка параметров слайда", "body": "Чтобы настроить внешний вид презентации, можно выбрать тему, цветовую схему, размер и ориентацию слайдов для всей презентации, изменить заливку фона или макет слайда для каждого отдельного слайда, применить переходы между слайдами. Также можно добавить поясняющие заметки к каждому слайду, которые могут пригодиться при показе презентации в режиме докладчика. Темы позволяют быстро изменить дизайн презентации, а именно оформление фона слайдов, предварительно заданные шрифты для заголовков и текстов и цветовую схему, которая используется для элементов презентации. Для выбора темы презентации щелкните по нужной готовой теме из галереи тем, расположенной в правой части вкладки Главная верхней панели инструментов. Выбранная тема будет применена ко всем слайдам, если вы предварительно не выделили определенные слайды, к которым надо применить эту тему. Чтобы изменить выбранную тему для одного или нескольких слайдов, щелкните правой кнопкой мыши по выделенным слайдам в списке слева (или щелкните правой кнопкой мыши по слайду в области редактирования слайда), выберите в контекстном меню пункт Изменить тему, а затем выберите нужную тему. Цветовые схемы влияют на предварительно заданные цвета, используемые для элементов презентации (шрифтов, линий, заливок и т.д.) и позволяют обеспечить сочетаемость цветов во всей презентации. Для изменения цветовой схемы презентации щелкните по значку Изменение цветовой схемы на вкладке Главная верхней панели инструментов и выберите нужную схему из выпадающего списка. Выбранная схема будет выделена в списке и применена ко всем слайдам. Для изменения размера всех слайдов в презентации, щелкните по значку Выбор размеров слайда на вкладке Главная верхней панели инструментов и выберите нужную опцию из выпадающего списка. Можно выбрать: один из двух быстродоступных пресетов - Стандартный (4:3) или Широкоэкранный (16:9), команду Дополнительные параметры, которая вызывает окно Настройки размера слайда, где можно выбрать один из имеющихся предустановленных размеров или задать Пользовательский размер, указав нужные значения Ширины и Высоты. Доступны следующие предустановленные размеры: Стандартный (4:3), Широкоэкранный (16:9), Широкоэкранный (16:10), Лист Letter (8.5x11 дюймов), Лист Ledger (11x17 дюймов), Лист A3 (297x420 мм), Лист A4 (210x297 мм), Лист B4 (ICO) (250x353 мм), Лист B5 (ICO) (176x250 мм), Слайды 35 мм, Прозрачная пленка, Баннер. Меню Ориентация слайда позволяет изменить выбранный в настоящий момент тип ориентации слайда. По умолчанию используется Альбомная ориентация, которую можно изменить на Книжную. Для изменения заливки фона: в списке слайдов слева выделите слайды, к которым требуется применить заливку. Или в области редактирования слайдов щелкните по любому свободному месту внутри слайда, который в данный момент редактируется, чтобы изменить тип заливки для этого конкретного слайда. на вкладке Параметры слайда на правой боковой панели выберите нужную опцию: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, который требуется применить к выбранным слайдам. Градиентная заливка - выберите эту опцию, чтобы чтобы залить слайд двумя цветами, плавно переходящими друг в друга. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона слайда какое-то изображение или готовую текстуру. Узор - выберите эту опцию, чтобы залить слайд с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Непрозрачность - перетащите ползунок или введите процентное значение вручную. Значение по умолчанию - 100%. Это соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Переходы помогают сделать презентацию более динамичной и удерживать внимание аудитории. Для применения перехода: в списке слайдов слева выделите слайды, к которым требуется применить переход, на вкладке Параметры слайда выберите переход из выпадающего списка Эффект, Примечание: чтобы открыть вкладку Параметры слайда, можно щелкнуть по значку Параметры слайда справа или щелкнуть правой кнопкой мыши по слайду в области редактирования слайда и выбрать в контекстном меню пункт Параметры слайда. настройте свойства перехода: выберите вариант перехода, его длительность и то, каким образом должны сменяться слайды, если требуется применить один и тот же переход ко всем слайдам в презентации, нажмите кнопку Применить ко всем слайдам. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Применение переходов. Для изменения макета слайда: в списке слайдов слева выделите слайды, для которых требуется применить новый макет, щелкните по значку Изменить макет слайда на вкладке Главная верхней панели инструментов, выберите в меню нужный макет. Вы можете также щелкнуть правой кнопкой мыши по нужному слайду в списке слева, выбрать в контекстном меню пункт Изменить макет и выбрать нужный макет. Примечание: в настоящий момент доступны следующие макеты: Титульный слайд, Заголовок и объект, Заголовок раздела, Два объекта, Сравнение, Только заголовок, Пустой слайд, Объект с подписью, Рисунок с подписью, Заголовок и вертикальный текст, Вертикальный заголовок и текст. Для добавления объектов к макету слайда: щелкните по значку Изменить макет слайда и выберите макет, к которому вы хотите добавить объект, при помощи вкладки Вставка верхней панели инструментов добавьте нужный объект на слайд (изображение, таблица, диаграмма, автофигура), далее нажмите правой кнопкой мыши на данный объект и выберите пункт Добавить в макет, на вкладке Главная нажмите Изменить макет слайда и примените измененный макет. Выделенные объекты будут добавлены к текущему макету темы. Примечание: расположенные таким образом объекты на слайде не могут быть выделены, изменены или передвинуты. Для возвращения макета слада в исходное состояние: в списке слайдов слева выделите слайды, которые нужно вернуть в состояние по умолчанию, Примечание: чтобы выбрать несколько сладов сразу, зажмите клавишу Ctrl и по одному выделяйте нужные или зажмите клавишу Shift, чтобы выделить все слайды от текущего до выбранного. щелкните правой кнопкой мыши по одному из слайдов и в контекстном меню выберите опцию Сбросить макет слайда, Ко всем выделенным слайдам вернется первоначальное положение текстовых рамок и объектов в соответствии с макетами. Для добавления заметок к слайду: в списке слайдов слева выберите слайд, к которому требуется добавить заметку, щелкните по надписи Нажмите, чтобы добавить заметки под областью редактирования слайда, введите текст заметки. Примечание: текст можно отформатировать с помощью значков на вкладке Главная верхней панели инструментов. При показе слайдов в режиме докладчика заметки к слайду будут отображаться под областью просмотра слайда." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Поддержка SmartArt в редакторе резентаций ONLYOFFICE", + "body": "Поддержка SmartArt в редакторе презентаций ONLYOFFICE Графика SmartArt используется для создания визуального представления иерархической структуры при помощи выбора наиболее подходящего макета. Редактор презентаций ONLYOFFICE поддерживает графические объекты SmartArt, добавленную с помощью сторонних редакторов. Вы можете открыть файл, содержащий SmartArt, и редактировать его как графический объект с помощью доступных инструментов. Если выделить графический объект SmartArt или его элемент, на правой боковой панели станут доступны следующие вкладки: Параметры слайда - для изменения заливки и прозрачности фона слайда, а также для отображения или скрытия номера слайда, даты и времени. Обратитесь к Настройке параметров слайда и Вставке колонтитулов для получения дополнительной информации. Параметры фигуры - для редактирования фигур, используемых в макете. Вы можете изменять размер формы, редактировать заливку, контур, толщину, стиль обтекания, положение, линии и стрелки, текстовое поле и альтернативный текст. Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt. Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования: Порядок - упорядочить объекты, используя следующие параметры: Перенести на передний план, Перенести на задний план, Перенести вперед, Перенести назад , Сгруппировать и Разгруппировать. Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt. Назначить макрос - обеспечить быстрый и легкий доступ к макросу в презентации. Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры. Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста: Выравнивание по вертикали - выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю. Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх. Гиперссылка - добавить гиперссылку к объекту SmartArt. Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца." + }, { "id": "UsageInstructions/ViewPresentationInfo.htm", "title": "Просмотр сведений о презентации", diff --git a/apps/presentationeditor/main/resources/img/file-template.svg b/apps/presentationeditor/main/resources/img/file-template.svg index 340012eb0..94c499c0f 100644 --- a/apps/presentationeditor/main/resources/img/file-template.svg +++ b/apps/presentationeditor/main/resources/img/file-template.svg @@ -1,5 +1,5 @@ - + @@ -11,5 +11,5 @@ - + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/img/recent-file.svg b/apps/presentationeditor/main/resources/img/recent-file.svg index 83be8a6b6..0bbc55cc7 100644 --- a/apps/presentationeditor/main/resources/img/recent-file.svg +++ b/apps/presentationeditor/main/resources/img/recent-file.svg @@ -1,7 +1,7 @@ - + - + diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-flash.png new file mode 100644 index 000000000..1661d69cc Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-flash.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-reveal.png new file mode 100644 index 000000000..f4f279d14 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold-reveal.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_flash.png deleted file mode 100644 index fdd8b6dea..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_flash.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_reveal.png deleted file mode 100644 index 6e711bfbe..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-bold_reveal.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush-color.png new file mode 100644 index 000000000..f90cd5554 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush_color.png deleted file mode 100644 index ac4452ce6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-brush_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color-pulse.png new file mode 100644 index 000000000..19e85bfdb Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color_pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color_pulse.png deleted file mode 100644 index 014291545..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-color_pulse.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary-color.png new file mode 100644 index 000000000..6af6f8453 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary_color.png deleted file mode 100644 index cc92107e0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-complementary_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-custom.png index 517917c84..7d8fbfbfd 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-darken.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-darken.png index 0ee2cd51e..d20953096 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-darken.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-darken.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-desaturate.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-desaturate.png index 241f335d8..02fdfe12d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-desaturate.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-desaturate.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill-color.png new file mode 100644 index 000000000..4820ce96d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill_color.png deleted file mode 100644 index 9e4d29317..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-fill_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font-color.png new file mode 100644 index 000000000..f90cd5554 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font_color.png deleted file mode 100644 index ac4452ce6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-font_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow-or-shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow-or-shrink.png new file mode 100644 index 000000000..9d1a63faf Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow-or-shrink.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow_or_Shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow_or_Shrink.png deleted file mode 100644 index f345c4bed..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-grow_or_Shrink.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-lighten.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-lighten.png index 1122a0005..f031a4b11 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-lighten.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-lighten.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line-color.png new file mode 100644 index 000000000..e3ffb6f62 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line_color.png deleted file mode 100644 index 40346b95a..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-line_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object-color.png new file mode 100644 index 000000000..4820ce96d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object_color.png deleted file mode 100644 index 9e4d29317..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-object_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-pulse.png index 71f7fe457..9924c5979 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-pulse.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-spin.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-spin.png index 49dc965f0..d4de6597d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-spin.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-spin.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-teeter.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-teeter.png index 4125f719c..18cfe38f2 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-teeter.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-teeter.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-transparency.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-transparency.png index da2a484b7..8c9a03d0a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-transparency.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-transparency.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-underline.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-underline.png index 8c43e2911..ba320cec3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-underline.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-underline.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-wave.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-wave.png index 8322c2ddf..ff8d7c729 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-wave.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-emphasis-wave.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-appear.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-appear.png index 16f77543b..7380f3293 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-appear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-appear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-bounce.png index a220fec9e..aae1ef783 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-custom.png index 88d647a98..a19f6a417 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fade.png index 814b52776..550684904 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float-in.png new file mode 100644 index 000000000..386cb3628 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float_in.png deleted file mode 100644 index 4e0237c3c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-float_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly-in.png new file mode 100644 index 000000000..a67a05545 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly_in.png deleted file mode 100644 index 83d3b729d..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-fly_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow-turn.png new file mode 100644 index 000000000..4000f1892 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow_turn.png deleted file mode 100644 index 150d79ef8..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-grow_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random-bars.png new file mode 100644 index 000000000..df26b62c3 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random_bars.png deleted file mode 100644 index 3054a7732..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-shape.png index 905ae5a58..3918f7e52 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-split.png index 89d69e5e8..6d26b297c 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-swivel.png index 20df5dee7..4d1304b00 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wheel.png index bbed44d32..b4d3bc131 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wipe.png index 64f772cfc..5558c953f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-zoom.png index 4ead28596..a8a981de8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-entrance-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-Disappear.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-Disappear.png index 220154386..d3a41820a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-Disappear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-Disappear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-bounce.png index dc1cd0b79..75cb5765d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-custom.png index 7f4467c04..627c3b62e 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fade.png index f87c0b501..4f4b22a33 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float-out.png new file mode 100644 index 000000000..5fa43cd35 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float_out.png deleted file mode 100644 index 1e4f00eae..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-float_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly-out.png new file mode 100644 index 000000000..08278aa71 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly_out.png deleted file mode 100644 index dc2d134c5..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-fly_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random-bars.png new file mode 100644 index 000000000..18c038141 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random_bars.png deleted file mode 100644 index 76f09f670..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shape.png index a92b56500..acff016a8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink-turn.png new file mode 100644 index 000000000..4c22a2836 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink_turn.png deleted file mode 100644 index e087ecbec..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-shrink_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-split.png index 2b49bec0d..f97234e46 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-swivel.png index e97559357..72e36d73b 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wheel.png index 5cf7148b5..50a9b3d49 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wipe.png index dc0f1d7c9..7bb424fd3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-zoom.png index cb5452a8a..e6f60d673 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-exit-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-arcs.png new file mode 100644 index 000000000..e3b53cc2b Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-arcs.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-custom.png new file mode 100644 index 000000000..095946dda Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-lines.png new file mode 100644 index 000000000..25e0c3d83 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-lines.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-loops.png new file mode 100644 index 000000000..176bf9500 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-loops.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-shapes.png new file mode 100644 index 000000000..c2b8eb146 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-shapes.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-turns.png new file mode 100644 index 000000000..dd7e96c57 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion-paths-turns.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-arcs.png deleted file mode 100644 index 3309df749..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-arcs.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom.png deleted file mode 100644 index 0335e33d2..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom_path.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom_path.png deleted file mode 100644 index 71a357a5a..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-custom_path.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-lines.png deleted file mode 100644 index 7cc227f2c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-lines.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-loops.png deleted file mode 100644 index 2236b0c8b..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-loops.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-shapes.png deleted file mode 100644 index f35357224..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-shapes.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-turns.png deleted file mode 100644 index 5df103fa5..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-motion_paths-turns.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-parameters.png b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-parameters.png new file mode 100644 index 000000000..012ed70fb Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.25x/big/animation-parameters.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-repeat.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-repeat.png index 5a4fd085b..45279de42 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-repeat.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/animation-repeat.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-Object_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-Object_color.png deleted file mode 100644 index aba97471f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-Object_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-flash.png new file mode 100644 index 000000000..6d5e0b404 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-flash.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-reveal.png new file mode 100644 index 000000000..5ad5fc992 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold-reveal.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_flash.png deleted file mode 100644 index e94d445de..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_flash.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_reveal.png deleted file mode 100644 index 49eec0414..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-bold_reveal.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush-color.png new file mode 100644 index 000000000..a94935a96 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush_color.png deleted file mode 100644 index b4e79acb6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-brush_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color-pulse.png new file mode 100644 index 000000000..a758e6b98 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color_pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color_pulse.png deleted file mode 100644 index 2f5de3519..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-color_pulse.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary-color.png new file mode 100644 index 000000000..31da7ced8 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary_color.png deleted file mode 100644 index 6c7b58a12..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-complementary_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-custom.png index 6f512969d..20e36a75f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-darken.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-darken.png index c5c0bebb7..1a6919dd3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-darken.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-darken.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-desaturate.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-desaturate.png index d73a75ff5..903b7f546 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-desaturate.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-desaturate.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill-color.png new file mode 100644 index 000000000..3ef065a90 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill_color.png deleted file mode 100644 index aba97471f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-fill_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font-color.png new file mode 100644 index 000000000..f38057460 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font_color.png deleted file mode 100644 index b11b438ba..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-font_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow-or-shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow-or-shrink.png new file mode 100644 index 000000000..3129a3b3f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow-or-shrink.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow_or_Shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow_or_Shrink.png deleted file mode 100644 index 73547b6e4..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-grow_or_Shrink.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-lighten.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-lighten.png index aa6732f6f..8a36340f7 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-lighten.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-lighten.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line-color.png new file mode 100644 index 000000000..e304aec98 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line_color.png deleted file mode 100644 index 8fcc97b49..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-line_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-object-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-object-color.png new file mode 100644 index 000000000..3ef065a90 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-object-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-pulse.png index 64f2ac8d2..b7f86f33f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-pulse.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-spin.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-spin.png index 75160ae0a..c91a615d1 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-spin.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-spin.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-teeter.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-teeter.png index 86c908475..887eb38d1 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-teeter.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-teeter.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-transparency.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-transparency.png index 12d0d8ca6..cd85ce8ed 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-transparency.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-transparency.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-underline.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-underline.png index 16bacfd24..251e74ecf 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-underline.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-underline.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-wave.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-wave.png index 292ab5a43..7500994f8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-wave.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-emphasis-wave.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-appear.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-appear.png index f6292c1a0..bc0aa7dc2 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-appear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-appear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-bounce.png index 0460d4901..8f96e56d1 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-custom.png index 56f92ac8a..aaf8ff19b 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fade.png index 5e171baa6..384dfc9c3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float-in.png new file mode 100644 index 000000000..3c5794639 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float_in.png deleted file mode 100644 index 0ed022b46..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-float_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly-in.png new file mode 100644 index 000000000..19772aa74 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly_in.png deleted file mode 100644 index 942f34bee..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-fly_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow-turn.png new file mode 100644 index 000000000..29d6f6070 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow_turn.png deleted file mode 100644 index 28ab8900b..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-grow_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random-bars.png new file mode 100644 index 000000000..489050c2d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random_bars.png deleted file mode 100644 index 853c9d33b..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-shape.png index 1fdcfa8b0..1a61721a0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-split.png index ee636936a..a578f0dab 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-swivel.png index bd2276119..ad692588e 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wheel.png index 7b82b6e74..714cace71 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wipe.png index 09a5f3a43..b1b045630 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-zoom.png index 3ba5cb829..bc6ce9dc7 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-entrance-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Random_bars.png deleted file mode 100644 index 10376043f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Wheel.png index 11a5eeb19..e87954643 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-Wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-bounce.png index a03091e39..434ebc5e4 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-custom.png index aa140ec68..f5064dba5 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-disappear.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-disappear.png index e0b076703..a8888d7a9 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-disappear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-disappear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fade.png index fb1361853..fedd10162 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float-out.png new file mode 100644 index 000000000..1a42dfc54 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float_out.png deleted file mode 100644 index 9a671569d..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-float_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly-out.png new file mode 100644 index 000000000..c5cf6b7df Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly_out.png deleted file mode 100644 index a86625685..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-fly_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-random-bars.png new file mode 100644 index 000000000..80478e1a4 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shape.png index 887118035..b2c76f787 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink-turn.png new file mode 100644 index 000000000..e627962be Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink_turn.png deleted file mode 100644 index fc7418ed6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-shrink_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-split.png index 400c90623..a4024008c 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-swivel.png index 5d4f99966..2085492c4 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-wipe.png index 84b3f6e87..8658bf138 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-zoom.png index 3653dbee5..d1ae67d53 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-exit-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-arcs.png new file mode 100644 index 000000000..1cff6d30f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-arcs.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-custom.png new file mode 100644 index 000000000..9d20d4d49 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-lines.png new file mode 100644 index 000000000..8c325a801 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-lines.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-loops.png new file mode 100644 index 000000000..680420fed Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-loops.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-shapes.png new file mode 100644 index 000000000..c6f6e7abd Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-shapes.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-turns.png new file mode 100644 index 000000000..004999469 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion-paths-turns.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-arcs.png deleted file mode 100644 index 4302636cf..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-arcs.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom.png deleted file mode 100644 index 3f6e01ca5..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom_path.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom_path.png deleted file mode 100644 index a19c8a7d0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-custom_path.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-lines.png deleted file mode 100644 index 791db55b7..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-lines.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-loops.png deleted file mode 100644 index 4c5520b0d..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-loops.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-shapes.png deleted file mode 100644 index 640c998c1..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-shapes.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-turns.png deleted file mode 100644 index bb30c231c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-motion_paths-turns.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-parameters.png b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-parameters.png new file mode 100644 index 000000000..0d542389f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.5x/big/animation-parameters.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-flash.png new file mode 100644 index 000000000..7900e65cc Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-flash.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-reveal.png new file mode 100644 index 000000000..8298a81f1 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold-reveal.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_flash.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_flash.png deleted file mode 100644 index 0d25ec681..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_flash.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_reveal.png deleted file mode 100644 index b0d13fe32..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-bold_reveal.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush-color.png new file mode 100644 index 000000000..613148282 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush_color.png deleted file mode 100644 index 045cf1287..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-brush_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color-pulse.png new file mode 100644 index 000000000..aa3ae81d4 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color_pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color_pulse.png deleted file mode 100644 index 6be0c7407..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-color_pulse.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary-color.png new file mode 100644 index 000000000..d5e96da35 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary_color.png deleted file mode 100644 index 83d7566c3..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-complementary_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-custom.png index be1322f05..54ce7893a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-darken.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-darken.png index 87c570af7..15e0f7637 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-darken.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-darken.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-desaturate.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-desaturate.png index 6a6368560..31bdfb206 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-desaturate.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-desaturate.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill-color.png new file mode 100644 index 000000000..efca753ef Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill_color.png deleted file mode 100644 index f09eebb49..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-fill_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font-color.png new file mode 100644 index 000000000..577d709ea Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font_color.png deleted file mode 100644 index 3cb3ddf76..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-font_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow-or-shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow-or-shrink.png new file mode 100644 index 000000000..d05f3d591 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow-or-shrink.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow_or_Shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow_or_Shrink.png deleted file mode 100644 index 8f01e1ece..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-grow_or_Shrink.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-lighten.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-lighten.png index 0e4989bd9..c754e721a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-lighten.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-lighten.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line-color.png new file mode 100644 index 000000000..f8e781d4c Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line_color.png deleted file mode 100644 index 65403b538..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-line_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object-color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object-color.png new file mode 100644 index 000000000..efca753ef Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object_color.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object_color.png deleted file mode 100644 index f09eebb49..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-object_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-pulse.png index f8f38d85b..6b354a856 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-pulse.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-spin.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-spin.png index ee6b34bfe..4821b2609 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-spin.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-spin.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-teeter.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-teeter.png index aeaf2fba1..5d738e97b 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-teeter.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-teeter.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-transparency.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-transparency.png index 781c8e546..ea3aa7c3f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-transparency.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-transparency.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-underline.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-underline.png index bc040c82c..c13aea661 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-underline.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-underline.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-wave.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-wave.png index c6d17fa11..e5dea6750 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-wave.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-emphasis-wave.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-appear.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-appear.png index 150f33a5e..b7c62c6bc 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-appear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-appear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-bounce.png index ba01b90fd..73ad31292 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-custom.png index 931b04d75..a3be4edce 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fade.png index 05c6a287e..fd7039d6d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float-in.png new file mode 100644 index 000000000..2831b5aca Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float_in.png deleted file mode 100644 index 1dd2a4c70..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-float_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly-in.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly-in.png new file mode 100644 index 000000000..ebcb19973 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly_in.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly_in.png deleted file mode 100644 index b294880e6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-fly_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow-turn.png new file mode 100644 index 000000000..3a08b91fc Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow_turn.png deleted file mode 100644 index 93332f3a8..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-grow_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random-bars.png new file mode 100644 index 000000000..367fad721 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random_bars.png deleted file mode 100644 index 35450c4cc..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-shape.png index 79ed210c3..fd84baf0a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-split.png index 5010b14d7..d1fd22b49 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-swivel.png index 60b45b73c..20b97bdde 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wheel.png index 864f6c8fa..37d4e07a0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wipe.png index 3321bef22..e111af11c 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-zoom.png index e4c9a21ab..d4709de59 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-entrance-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-bounce.png index 95338b363..148afb4a8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-custom.png index 1c094cb90..760e09c83 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-disappear.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-disappear.png index c271db9a0..5f604709f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-disappear.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-disappear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fade.png index d5523bac6..85987ccf5 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float-out.png new file mode 100644 index 000000000..dc891a52e Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float_out.png deleted file mode 100644 index aa9f14e48..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-float_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly-out.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly-out.png new file mode 100644 index 000000000..910838cd4 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly_out.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly_out.png deleted file mode 100644 index 5c1b21bf0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-fly_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random-bars.png new file mode 100644 index 000000000..73b450df9 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random_bars.png deleted file mode 100644 index edbf2c7a0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shape.png index fd6e239fb..087ae87cb 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink-turn.png new file mode 100644 index 000000000..2e5c720c9 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink_turn.png deleted file mode 100644 index 97d53daf5..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-shrink_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-split.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-split.png index fb78c49e5..dc2ef613d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-swivel.png index 9f34192de..c78da440e 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wheel.png index d7486c56c..d90be1981 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wipe.png index ebb9e6d40..0bbdb0e35 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-zoom.png index a50b43199..0c8073238 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-exit-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-arcs.png new file mode 100644 index 000000000..9758f0e88 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-arcs.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-custom.png new file mode 100644 index 000000000..ebe7918cf Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-lines.png new file mode 100644 index 000000000..d3d7fe737 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-lines.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-loops.png new file mode 100644 index 000000000..5ea24f450 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-loops.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-shapes.png new file mode 100644 index 000000000..3b47a4b7f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-shapes.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-turns.png new file mode 100644 index 000000000..6584b3f18 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion-paths-turns.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-arcs.png deleted file mode 100644 index 118a0408c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-arcs.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom.png deleted file mode 100644 index 3395d28bd..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom_path.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom_path.png deleted file mode 100644 index fbf7296d3..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-custom_path.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-lines.png deleted file mode 100644 index 80f5dc6c8..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-lines.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-loops.png deleted file mode 100644 index d48cbd04b..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-loops.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-shapes.png deleted file mode 100644 index 9c2a48897..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-shapes.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-turns.png deleted file mode 100644 index 6597eb4ef..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-motion_paths-turns.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-parameters.png b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-parameters.png new file mode 100644 index 000000000..90f978d89 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1.75x/big/animation-parameters.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-flash.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-flash.png new file mode 100644 index 000000000..a82e90985 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-flash.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-reveal.png new file mode 100644 index 000000000..987286573 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold-reveal.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_flash.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_flash.png deleted file mode 100644 index 17fef551f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_flash.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_reveal.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_reveal.png deleted file mode 100644 index 761833948..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-bold_reveal.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush-color.png new file mode 100644 index 000000000..9b605bc4d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush_color.png deleted file mode 100644 index c3e64a40c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-brush_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color-pulse.png new file mode 100644 index 000000000..83723fb5d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color_pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color_pulse.png deleted file mode 100644 index b78035213..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-color_pulse.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary-color.png new file mode 100644 index 000000000..2bb6d0761 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary_color.png deleted file mode 100644 index 051d24705..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-complementary_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-custom.png index a87408d49..ead8797a0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-darken.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-darken.png index 4cd0ecd6d..50dd779d8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-darken.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-darken.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-desaturate.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-desaturate.png index f1503b43c..d689f83cf 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-desaturate.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-desaturate.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill-color.png new file mode 100644 index 000000000..e2732b03a Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill_color.png deleted file mode 100644 index 16cc9aeb0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-fill_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font-color.png new file mode 100644 index 000000000..04c7607bc Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font_color.png deleted file mode 100644 index 4ea6d89b7..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-font_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow-or-shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow-or-shrink.png new file mode 100644 index 000000000..079253c73 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow-or-shrink.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow_or_Shrink.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow_or_Shrink.png deleted file mode 100644 index fb9357a63..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-grow_or_Shrink.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-lighten.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-lighten.png index 746873743..69da3c3ac 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-lighten.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-lighten.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line-color.png new file mode 100644 index 000000000..dc010eff6 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line_color.png deleted file mode 100644 index 9bb684382..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-line_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object-color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object-color.png new file mode 100644 index 000000000..e2732b03a Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object_color.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object_color.png deleted file mode 100644 index 16cc9aeb0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-object_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-pulse.png index 545c7818f..00206b3eb 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-pulse.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-spin.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-spin.png index dc61e2a22..5e8dd88a3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-spin.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-spin.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-teeter.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-teeter.png index cd96004a5..6ebfa6fd8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-teeter.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-teeter.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-transparency.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-transparency.png index 3d70161fd..5e2e9214c 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-transparency.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-transparency.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-underline.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-underline.png index cdd015975..da799f1a5 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-underline.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-underline.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-wave.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-wave.png index be960de02..be93b1889 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-wave.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-emphasis-wave.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-appear.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-appear.png index 09ef9408f..c2bd64e06 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-appear.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-appear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-bounce.png index 5abafeaa5..cf5040b08 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-custom.png index 9eb8a1a1c..34282ffe3 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fade.png index 97c1ba397..cbb314eb4 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float-in.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float-in.png new file mode 100644 index 000000000..3f6fc053d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float_in.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float_in.png deleted file mode 100644 index e3eb38415..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-float_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly-in.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly-in.png new file mode 100644 index 000000000..5ad49773f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly_in.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly_in.png deleted file mode 100644 index 73ae2e230..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-fly_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow-turn.png new file mode 100644 index 000000000..9fa0d4618 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow_turn.png deleted file mode 100644 index 8b383dab4..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-grow_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random-bars.png new file mode 100644 index 000000000..afb0289af Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random_bars.png deleted file mode 100644 index b4879f4a5..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-shape.png index b6fbb5f06..d9ef515f1 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-split.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-split.png index d200cf625..2585a6d4b 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-swivel.png index 821d48e11..d72167438 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wheel.png index b44d75f0e..220d5f03c 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wipe.png index 6e1196cb0..79287c827 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-zoom.png index 991ce0be2..5ab173dcf 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-entrance-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-bounce.png index d21abde2c..4f3cf0c4d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-custom.png index 170583fac..eee41d9a8 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-disappear.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-disappear.png index 1496defc2..bf189e002 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-disappear.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-disappear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fade.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fade.png index ef186ea66..b5c676783 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float-out.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float-out.png new file mode 100644 index 000000000..2d3bf461c Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float_out.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float_out.png deleted file mode 100644 index e041cf5d8..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-float_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly-out.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly-out.png new file mode 100644 index 000000000..f51abc456 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly_out.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly_out.png deleted file mode 100644 index e57178dc7..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-fly_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random-bars.png new file mode 100644 index 000000000..7ab055808 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random_bars.png deleted file mode 100644 index 8086ad434..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shape.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shape.png index 01f5bf5fb..f3dafd78a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink-turn.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink-turn.png new file mode 100644 index 000000000..b4bd6ef95 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink_turn.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink_turn.png deleted file mode 100644 index a8bb27739..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-shrink_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-split.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-split.png index f17ad742a..d8ead95a6 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-split.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-swivel.png index 4008bfd16..01dd604c2 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wheel.png index 8fe9db2ac..140707e4a 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wipe.png index 319a25fc7..bcc4df4c1 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-zoom.png index 8b325f318..6b70abaa0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-exit-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-arcs.png new file mode 100644 index 000000000..ab0c2e086 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-arcs.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-custom.png new file mode 100644 index 000000000..8b51acacf Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-lines.png new file mode 100644 index 000000000..158d833b2 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-lines.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-loops.png new file mode 100644 index 000000000..2bcbbf89f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-loops.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-shapes.png new file mode 100644 index 000000000..f12946cad Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-shapes.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-turns.png new file mode 100644 index 000000000..3a60e9dc3 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion-paths-turns.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-arcs.png deleted file mode 100644 index a2436402f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-arcs.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom.png deleted file mode 100644 index b680cfb1d..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom_path.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom_path.png deleted file mode 100644 index 5bc90dcd6..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-custom_path.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-lines.png deleted file mode 100644 index e6028fdcd..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-lines.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-loops.png deleted file mode 100644 index 141dcb1db..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-loops.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-shapes.png deleted file mode 100644 index ddc3b4ae2..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-shapes.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-turns.png deleted file mode 100644 index 8f884a84f..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-motion_paths-turns.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-parameters.png b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-parameters.png new file mode 100644 index 000000000..fcc551b36 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/1x/big/animation-parameters.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-flash.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-flash.png new file mode 100644 index 000000000..70af5adef Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-flash.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-reveal.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-reveal.png new file mode 100644 index 000000000..5edf0a2c9 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold-reveal.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_flash.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_flash.png deleted file mode 100644 index 567312289..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_flash.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_reveal.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_reveal.png deleted file mode 100644 index 6a70cb5c0..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-bold_reveal.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush-color.png new file mode 100644 index 000000000..032aa87ac Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush_color.png deleted file mode 100644 index ab78aaf14..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-brush_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color-pulse.png new file mode 100644 index 000000000..a5e2a626b Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color_pulse.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color_pulse.png deleted file mode 100644 index efcbb0653..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-color_pulse.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary-color.png new file mode 100644 index 000000000..8ef18eb43 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary_color.png deleted file mode 100644 index 123be41bd..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-complementary_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-custom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-custom.png index 6983151c2..dc77abe06 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-darken.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-darken.png index bc9f725b4..7ef3d34c2 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-darken.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-darken.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-desaturate.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-desaturate.png index 2ca9348ee..b0bf992a6 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-desaturate.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-desaturate.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill-color.png new file mode 100644 index 000000000..94b95ef4e Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill_color.png deleted file mode 100644 index a5d9a5110..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-fill_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font-color.png new file mode 100644 index 000000000..c9d4cc959 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font_color.png deleted file mode 100644 index 81beca421..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-font_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow-or-shrink.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow-or-shrink.png new file mode 100644 index 000000000..e361c7689 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow-or-shrink.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow_or_Shrink.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow_or_Shrink.png deleted file mode 100644 index 321a60eea..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-grow_or_Shrink.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-lighten.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-lighten.png index 61337bbb5..fe986ff52 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-lighten.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-lighten.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line-color.png new file mode 100644 index 000000000..7faaa178c Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line_color.png deleted file mode 100644 index cb62e2e51..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-line_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object-color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object-color.png new file mode 100644 index 000000000..94b95ef4e Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object-color.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object_color.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object_color.png deleted file mode 100644 index a5d9a5110..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-object_color.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-pulse.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-pulse.png index 751f5052f..86d103eba 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-pulse.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-pulse.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-spin.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-spin.png index 56efade1c..3494c1f3b 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-spin.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-spin.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-teeter.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-teeter.png index 4e1eb2393..6f013a6aa 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-teeter.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-teeter.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-transparency.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-transparency.png index 7ff65d1a9..e1b3b1e18 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-transparency.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-transparency.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-underline.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-underline.png index e95122f30..7d5f07b63 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-underline.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-underline.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-wave.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-wave.png index 2c2bc19a2..0a340c489 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-wave.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-emphasis-wave.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-appear.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-appear.png index 0589a8032..5defd8a91 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-appear.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-appear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-bounce.png index 4f4fae04f..c56d99693 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-custom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-custom.png index 5ab7170c8..c29b36fc0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fade.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fade.png index 669cabf4a..8bac5437f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float-in.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float-in.png new file mode 100644 index 000000000..da1655a74 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float_in.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float_in.png deleted file mode 100644 index 06f71d58c..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-float_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly-in.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly-in.png new file mode 100644 index 000000000..ecaaec596 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly-in.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly_in.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly_in.png deleted file mode 100644 index 8306b210b..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-fly_in.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow-turn.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow-turn.png new file mode 100644 index 000000000..989a187a1 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow_turn.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow_turn.png deleted file mode 100644 index 4be198450..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-grow_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random-bars.png new file mode 100644 index 000000000..bacda643d Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random_bars.png deleted file mode 100644 index 3407cffb9..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-shape.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-shape.png index 125665b2c..d5f381999 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-split.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-split.png index 5dca465b8..76972cb60 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-split.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-swivel.png index 0e2ee2e4e..9984ba85d 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wheel.png index 12d8cd82a..ef7353c14 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wipe.png index 7f3ead3d9..eebf34826 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-zoom.png index 3ffe376cf..f9bcd3908 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-entrance-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-bounce.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-bounce.png index 874165655..28ad32071 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-bounce.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-bounce.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-custom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-custom.png index e99d0939a..c700645ba 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-custom.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-disappear.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-disappear.png index b22cd2653..6c9cb24fd 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-disappear.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-disappear.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fade.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fade.png index f054474a4..addf61313 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fade.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fade.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float-out.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float-out.png new file mode 100644 index 000000000..b50058b82 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float_out.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float_out.png deleted file mode 100644 index 5d4f9ffe4..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-float_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly-out.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly-out.png new file mode 100644 index 000000000..8bc2b9752 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly-out.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly_out.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly_out.png deleted file mode 100644 index 181481801..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-fly_out.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random-bars.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random-bars.png new file mode 100644 index 000000000..aa54c18c8 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random-bars.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random_bars.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random_bars.png deleted file mode 100644 index ed4f126de..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-random_bars.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shape.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shape.png index f534e24f8..159905ee0 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shape.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shape.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink-turn.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink-turn.png new file mode 100644 index 000000000..52d445e43 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink-turn.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink_turn.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink_turn.png deleted file mode 100644 index c1100fd05..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-shrink_turn.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-split.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-split.png index 147e68388..6d9025d6f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-split.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-split.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-swivel.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-swivel.png index f2a2b49ed..853eea150 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-swivel.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-swivel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wheel.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wheel.png index bee0a1632..4f2a8e898 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wheel.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wheel.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wipe.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wipe.png index 8be127623..dfeb55d5f 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wipe.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-wipe.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-zoom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-zoom.png index 6b11cbe31..11341c141 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-zoom.png and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-exit-zoom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-arcs.png new file mode 100644 index 000000000..358eb3f61 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-arcs.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-custom.png new file mode 100644 index 000000000..19fa4a587 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-custom.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-lines.png new file mode 100644 index 000000000..18f70a0b3 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-lines.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-loops.png new file mode 100644 index 000000000..4f06b102f Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-loops.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-shapes.png new file mode 100644 index 000000000..653f155f2 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-shapes.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-turns.png new file mode 100644 index 000000000..19fa04ae4 Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion-paths-turns.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-arcs.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-arcs.png deleted file mode 100644 index 5e58bd2fd..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-arcs.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom.png deleted file mode 100644 index 73a6cc316..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom_path.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom_path.png deleted file mode 100644 index 51f0a3dd8..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-custom_path.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-lines.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-lines.png deleted file mode 100644 index f330d1fb3..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-lines.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-loops.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-loops.png deleted file mode 100644 index c8488229e..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-loops.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-shapes.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-shapes.png deleted file mode 100644 index 24d40f76a..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-shapes.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-turns.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-turns.png deleted file mode 100644 index 3a092acad..000000000 Binary files a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-motion_paths-turns.png and /dev/null differ diff --git a/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-parameters.png b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-parameters.png new file mode 100644 index 000000000..022f1c1db Binary files /dev/null and b/apps/presentationeditor/main/resources/img/toolbar/2x/big/animation-parameters.png differ diff --git a/apps/presentationeditor/main/resources/less/leftmenu.less b/apps/presentationeditor/main/resources/less/leftmenu.less index fb6dfbd60..01adcd9e7 100644 --- a/apps/presentationeditor/main/resources/less/leftmenu.less +++ b/apps/presentationeditor/main/resources/less/leftmenu.less @@ -39,8 +39,46 @@ height: 125px; cursor: pointer; - svg&:hover { - opacity:0.85; + .svg-format- { + &pptx { + background: ~"url('@{common-image-const-path}/doc-formats/pptx.svg') no-repeat center"; + } + &pdf { + background: ~"url('@{common-image-const-path}/doc-formats/pdf.svg') no-repeat center"; + } + &odp { + background: ~"url('@{common-image-const-path}/doc-formats/odp.svg') no-repeat center"; + } + &potx { + background: ~"url('@{common-image-const-path}/doc-formats/potx.svg') no-repeat center"; + } + &pdfa { + background: ~"url('@{common-image-const-path}/doc-formats/pdfa.svg') no-repeat center"; + } + &otp { + background: ~"url('@{common-image-const-path}/doc-formats/otp.svg') no-repeat center"; + } + &ppsx { + background: ~"url('@{common-image-const-path}/doc-formats/ppsx.svg') no-repeat center"; + } + &png { + background: ~"url('@{common-image-const-path}/doc-formats/png.svg') no-repeat center"; + } + &jpg { + background: ~"url('@{common-image-const-path}/doc-formats/jpg.svg') no-repeat center"; + } + &pptm { + background: ~"url('@{common-image-const-path}/doc-formats/pptm.svg') no-repeat center"; + } + } + + div { + display: block; + height: 100%; + width: 100%; + &:hover { + opacity: 0.85; + } } } @@ -49,6 +87,19 @@ width: 96px; height: 96px; cursor: pointer; + + .svg-format-blank { + background: ~"url(@{common-image-const-path}/doc-formats/blank.svg) no-repeat center" ; + } + .svg-file-template{ + background: ~"url(@{app-image-const-path}/file-template.svg) no-repeat center" ; + } + + div { + display: block; + height: 100%; + width: 100%; + } } #file-menu-panel { @@ -72,6 +123,7 @@ background-color: @highlight-button-pressed; > a { + color: @text-normal-pressed-ie; color: @text-normal-pressed; } } @@ -306,9 +358,12 @@ width: 25px; height: 25px; margin-top: 1px; - svg { + div { width: 100%; height: 100%; + .svg-file-recent { + background: ~"url(@{app-image-const-path}/recent-file.svg) no-repeat top"; + } } } diff --git a/apps/presentationeditor/main/resources/less/statusbar.less b/apps/presentationeditor/main/resources/less/statusbar.less index c12bf11f7..06767765a 100644 --- a/apps/presentationeditor/main/resources/less/statusbar.less +++ b/apps/presentationeditor/main/resources/less/statusbar.less @@ -4,17 +4,12 @@ .status-label { position: relative; - top: 1px; } #status-label-pages, #status-label-zoom { cursor: pointer; } - #status-label-pages, #status-label-action { - margin-top: 2px; - } - #status-users-icon, #status-users-count { display: inline-block; cursor: pointer; @@ -44,10 +39,19 @@ display: table-cell; white-space: nowrap; vertical-align: top; - padding-top: 3px; &.dropup { position: static; } + + .status-label.margin-top-large { + margin-top: 6px; + } + + button.margin-top-small, + .margin-top-small > button, + .margin-top-small > .btn-group { + margin-top: 3px; + } } .separator { @@ -55,7 +59,6 @@ &.short { height: 25px; - margin-top: -2px; } &.space { @@ -72,7 +75,8 @@ .cnt-zoom { display: inline-block; - + vertical-align: middle; + margin-top: 4px; .dropdown-menu { min-width: 80px; margin-left: -4px; diff --git a/apps/presentationeditor/mobile/locale/az.json b/apps/presentationeditor/mobile/locale/az.json index bc5c0c962..9d3767baa 100644 --- a/apps/presentationeditor/mobile/locale/az.json +++ b/apps/presentationeditor/mobile/locale/az.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "Faylı redaktə etmək icazəniz yoxdur.", "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/be.json b/apps/presentationeditor/mobile/locale/be.json index 378538b82..7c8064ea2 100644 --- a/apps/presentationeditor/mobile/locale/be.json +++ b/apps/presentationeditor/mobile/locale/be.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -471,9 +472,9 @@ "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", "textFindAndReplaceAll": "Find and Replace All", + "textFeedback": "Feedback & Support", "textTel": "tel:", - "txtScheme22": "New Office", - "textFeedback": "Feedback & Support" + "txtScheme22": "New Office" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/bg.json b/apps/presentationeditor/mobile/locale/bg.json index 263ce07ec..796b4db4b 100644 --- a/apps/presentationeditor/mobile/locale/bg.json +++ b/apps/presentationeditor/mobile/locale/bg.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "You don't have permission to edit the file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/ca.json b/apps/presentationeditor/mobile/locale/ca.json index 6496c6f6a..de1b4d506 100644 --- a/apps/presentationeditor/mobile/locale/ca.json +++ b/apps/presentationeditor/mobile/locale/ca.json @@ -1,6 +1,6 @@ { "About": { - "textAbout": "Quant a...", + "textAbout": "Quant a", "textAddress": "Adreça", "textBack": "Enrere", "textEmail": "Correu electrònic", @@ -24,8 +24,8 @@ "textEditComment": "Edita el comentari", "textEditReply": "Edita la resposta", "textEditUser": "Usuaris que editen el fitxer:", - "textMessageDeleteComment": "Segur que vols suprimir aquest comentari?", - "textMessageDeleteReply": "Segur que vols suprimir aquesta resposta?", + "textMessageDeleteComment": "Voleu suprimir aquest comentari?", + "textMessageDeleteReply": "Voleu suprimir aquesta resposta?", "textNoComments": "Aquest document no conté comentaris", "textOk": "D'acord", "textReopen": "Torna a obrir", @@ -52,7 +52,7 @@ "menuEdit": "Edita", "menuMerge": "Combina", "menuMore": "Més", - "menuOpenLink": "Obre l'enllaç", + "menuOpenLink": "Obrir Enllaç", "menuSplit": "Divideix", "menuViewComment": "Mostra el comentari", "textColumns": "Columnes", @@ -66,17 +66,17 @@ "advDRMPassword": "Contrasenya", "closeButtonText": "Tanca el fitxer", "criticalErrorTitle": "Error", - "errorAccessDeny": "No tens permís per realitzar aquesta acció.
                              Contacta amb el teu administrador.", - "errorOpensource": "Amb la versió gratuïta de la Comunitat, només pots obrir els documents en mode lectura. Per accedir als editors de web per a mòbils, cal una llicència comercial.", + "errorAccessDeny": "No teniu permís per realitzar aquesta acció.
                              Contacteu amb l'administrador.", + "errorOpensource": "Amb la versió gratuïta de la Comunitat, només podeu obrir els documents en mode lectura. Per accedir als editors de web per a mòbils, cal una llicència comercial.", "errorProcessSaveResult": "S'ha produït un error en desar.", "errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", "errorUpdateVersion": "S'ha canviat la versió del fitxer. La pàgina es tornarà a carregar.", - "leavePageText": "Tens canvis no desats en aquest document. Fes clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "leavePageText": "Teniu canvis no desats en aquest document. Feu clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", "notcriticalErrorTitle": "Advertiment", "SDK": { "Chart": "Gràfic", - "Click to add first slide": "Fes clic per afegir la primera diapositiva", - "Click to add notes": "Fes clic per afegir notes", + "Click to add first slide": "Feu clic per afegir la primera diapositiva", + "Click to add notes": "Feu clic per afegir notes", "ClipArt": "Galeria d'imatges", "Date and time": "Data i hora", "Diagram": "Diagrama", @@ -96,19 +96,19 @@ "Table": "Taula", "X Axis": "Eix X XAS", "Y Axis": "Eix Y", - "Your text here": "El teu text aquí" + "Your text here": "El vostre text aquí" }, "textAnonymous": "Anònim", - "textBuyNow": "Visita el lloc web", + "textBuyNow": "Visiteu el lloc web", "textClose": "Tanca", - "textContactUs": "Contacta amb vendes", - "textCustomLoader": "No tens els permisos per canviar el carregador. Contacta amb el nostre departament de vendes per obtenir un pressupost.", + "textContactUs": "Contacteu amb vendes", + "textCustomLoader": "No teniu els permisos per canviar el carregador. Contacteu amb el nostre departament de vendes per obtenir un pressupost.", "textGuest": "Convidat", - "textHasMacros": "El fitxer conté macros automàtiques.
                              Les vols executar?", + "textHasMacros": "El fitxer conté macros automàtiques.
                              Les voleu executar?", "textNo": "No", "textNoLicenseTitle": "S'ha assolit el límit de llicència", "textNoTextFound": "No s'ha trobat el text", - "textOpenFile": "Introdueix una contrasenya per obrir el fitxer", + "textOpenFile": "Introduïu una contrasenya per obrir el fitxer", "textPaidFeature": "Funció de pagament", "textRemember": "Recorda la meva elecció", "textReplaceSkipped": "S'ha realitzat la substitució. S'han omès {0} ocurrències.", @@ -118,47 +118,48 @@ "titleServerVersion": "S'ha actualitzat l'editor", "titleUpdateVersion": "S'ha canviat la versió", "txtIncorrectPwd": "La contrasenya no és correcta", - "txtProtected": "Un cop hagis introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", - "warnLicenseExceeded": "Has arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacta amb el vostre administrador per a més informació.", - "warnLicenseExp": "La teva llicència ha caducat. Actualitza-la i recarrega la pàgina.", - "warnLicenseLimitedNoAccess": "La llicència ha caducat. No pots editar documents. Contacta amb el teu administrador.", - "warnLicenseLimitedRenewed": "Cal renovar la llicència. Tens accés limitat a la funció d'edició de documents.
                              Contacta amb el teu administrador per obtenir accés total", - "warnLicenseUsersExceeded": "Has arribat al límit d'usuari per a %1 editors. Contacta amb el teu administrador per a més informació.", - "warnNoLicense": "Has arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacta amb l'equip de vendes %1 per a les condicions d'una actualització personal.", - "warnNoLicenseUsers": "Has arribat al límit d'usuaris per a %1 editors. Contacta amb l'equip de vendes de %1 per obtenir les condicions de millora personals dels teus serveis.", - "warnProcessRightsChange": "No tens permís per editar el fitxer." + "txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", + "warnLicenseExceeded": "Heu arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacteu amb l'administrador per a més informació.", + "warnLicenseExp": "La llicència ha caducat. Actualitzeu-la i recarregueu la pàgina.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No podeu editar documents. Contacteu amb l'administrador.", + "warnLicenseLimitedRenewed": "Cal renovar la llicència. Teniu accés limitat a la funció d'edició de documents.
                              Contacteu amb l'administrador per obtenir accés total", + "warnLicenseUsersExceeded": "Heu arribat al límit d'usuari per a %1 editors. Contacteu amb l'administrador per a més informació.", + "warnNoLicense": "Heu arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacteu amb l'equip de vendes %1 per conèixer les condicions d'actualització personal.", + "warnNoLicenseUsers": "Heu arribat al límit d'usuaris per a %1 editors. Contacteu amb l'equip de vendes de %1 per obtenir les condicions de millora personals dels vostres serveis.", + "warnProcessRightsChange": "No teniu permís per editar el fitxer.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { "convertationTimeoutText": "S'ha superat el temps de conversió.", - "criticalErrorExtText": "Prem «D'acord» per tornar a la llista de documents.", + "criticalErrorExtText": "Premeu «D'acord» per tornar a la llista de documents.", "criticalErrorTitle": "Error", "downloadErrorText": "S'ha produït un error en la baixada", - "errorAccessDeny": "No tens permís per realitzar aquesta acció.
                              Contacta amb el teu administrador.", + "errorAccessDeny": "No teniu permís per realitzar aquesta acció.
                              Contacteu amb l'administrador.", "errorBadImageUrl": "L'URL de la imatge no és correcta", - "errorConnectToServer": "No es pot desar aquest document. Comprova la configuració de la vostra connexió o contacta amb el teu administrador.
                              Quan facis clic al botó «D'acord», et demanarà que baixis el document.", - "errorDatabaseConnection": "Error extern.
                              Error de connexió amb la base de dades. Contacta amb el servei d'assistència tècnica.", + "errorConnectToServer": "No es pot desar aquest document. Comproveu la configuració de la vostra connexió o contacteu amb l'administrador.
                              Quan feu clic al botó «D'acord», us demanarà que baixeu el document.", + "errorDatabaseConnection": "Error extern.
                              Error de connexió amb la base de dades. Contacteu amb el servei d'assistència tècnica.", "errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", "errorDataRange": "L'interval de dades no és correcte.", "errorDefaultMessage": "Codi d'error:%1", - "errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
                              Utilitza l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer localment.", + "errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
                              Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer localment.", "errorFilePassProtect": "El fitxer està protegit amb contrasenya i no s'ha pogut obrir.", - "errorFileSizeExceed": "La mida del fitxer supera el límit del vostre servidor.
                              Contacta amb el teu administrador.", + "errorFileSizeExceed": "La mida del fitxer supera el límit del vostre servidor.
                              Contacteu amb l'administrador.", "errorKeyEncrypt": "Descriptor de claus desconegut", "errorKeyExpire": "El descriptor de claus ha caducat", - "errorLoadingFont": "No s'han carregat els tipus de lletra.
                              Contacta amb l'administrador del Servidor de Documents.", - "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torna a carregar la pàgina.", - "errorSessionIdle": "Fa molt de temps que no s'edita el document. Torna a carregar la pàgina.", - "errorSessionToken": "S'ha interromput la connexió amb el servidor. Torna a carregar la pàgina.", - "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, posa les dades al full de càlcul en l'ordre següent:
                              preu d'obertura, preu màxim, preu mínim, preu de tancament.", - "errorUpdateVersionOnDisconnect": "S'ha restaurat la connexió a Internet i s'ha canviat la versió del fitxer.
                              Abans de continuar treballant, descarrega el fitxer o copia el seu contingut per assegurar-te que no s'ha perdut res i torna a carregar aquesta pàgina.", - "errorUserDrop": "Ara mateix no es pot accedir al fitxer.", - "errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el teu pla", - "errorViewerDisconnect": "S'ha perdut la connexió. Encara pots veure el document,
                              però no podràs baixar-lo fins que es restableixi la connexió i es torni a carregar la pàgina.", + "errorLoadingFont": "No s'han carregat els tipus de lletra.
                              Contacteu amb l'administrador del servidor de documents.", + "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torneu a carregar la pàgina.", + "errorSessionIdle": "Fa molt de temps que no s'edita el document. Torneu a carregar la pàgina.", + "errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", + "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, poseu les dades al full de càlcul en l'ordre següent:
                              preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "errorUpdateVersionOnDisconnect": "S'ha restaurat la connexió a Internet i s'ha canviat la versió del fitxer.
                              Abans de continuar treballant, descarregueu el fitxer o copieu el seu contingut per assegurar-vos que no s'ha perdut res i torneu a carregar aquesta pàgina.", + "errorUserDrop": "No es pot accedir al fitxer.", + "errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el vostre pla", + "errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu veure el document,
                              però no el podreu baixar fins que es restableixi la connexió i es torni a carregar la pàgina.", "notcriticalErrorTitle": "Advertiment", "openErrorText": "S'ha produït un error en obrir el fitxer", "saveErrorText": "S'ha produït un error en desar el fitxer", - "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torna a carregar la pàgina.", + "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", "splitDividerErrorText": "El nombre de files ha de ser un divisor de %1", "splitMaxColsErrorText": "El nombre de columnes ha de ser inferior a %1", "splitMaxRowsErrorText": "El nombre de files ha de ser inferior a %1", @@ -168,13 +169,13 @@ "uploadImageSizeMessage": "La imatge és massa gran. La mida màxima és de 25 MB." }, "LongActions": { - "applyChangesTextText": "S'estan carregant les dades...", + "applyChangesTextText": "S'estant carregant les dades...", "applyChangesTitleText": "S'estan carregant les dades", "downloadTextText": "S'està baixant el document...", "downloadTitleText": "S'està baixant el document", - "loadFontsTextText": "S'estan carregant les dades...", + "loadFontsTextText": "S'estant carregant les dades...", "loadFontsTitleText": "S'estan carregant les dades", - "loadFontTextText": "S'estan carregant les dades...", + "loadFontTextText": "S'estant carregant les dades...", "loadFontTitleText": "S'estan carregant les dades", "loadImagesTextText": "S'estan carregant les imatges...", "loadImagesTitleText": "S'estan carregant les imatges", @@ -196,13 +197,13 @@ "txtEditingMode": "Estableix el mode d'edició ...", "uploadImageTextText": "S'està carregant la imatge...", "uploadImageTitleText": "S'està carregant la imatge", - "waitText": "Espera..." + "waitText": "Espereu..." }, "Toolbar": { - "dlgLeaveMsgText": "Tens canvis no desats en aquest document. Fes clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "dlgLeaveTitleText": "Estàs sortint de l'aplicació", + "dlgLeaveMsgText": "Teniu canvis no desats en aquest document. Feu clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "dlgLeaveTitleText": "Esteu sortint de l'aplicació", "leaveButtonText": "Surt d'aquesta pàgina", - "stayButtonText": "Queda't a aquesta pàgina" + "stayButtonText": "Queda't en aquesta Pàgina" }, "View": { "Add": { @@ -234,7 +235,7 @@ "textPictureFromURL": "Imatge de l'URL", "textPreviousSlide": "Diapositiva anterior", "textRows": "Files", - "textScreenTip": "Consells de pantalla", + "textScreenTip": "Consell de pantalla", "textShape": "Forma", "textSlide": "Diapositiva", "textSlideInThisPresentation": "Diapositiva en aquesta presentació", @@ -257,7 +258,7 @@ "textAlignLeft": "Alineació a l'esquerra", "textAlignMiddle": "Alineació al mig", "textAlignRight": "Alineació a la dreta", - "textAlignTop": "Alineació a la part superior", + "textAlignTop": "Alineació superior", "textAllCaps": "Tot en majúscules", "textApplyAll": "Aplica-ho a totes les diapositives", "textAuto": "Automàtic", @@ -269,7 +270,7 @@ "textBlack": "En negre", "textBorder": "Vora", "textBottom": "Part inferior", - "textBottomLeft": "Part inferior-Esquerra", + "textBottomLeft": "Part inferior-esquerra", "textBottomRight": "Part inferior-dreta", "textBringToForeground": "Porta al primer pla", "textBullets": "Pics", @@ -345,7 +346,7 @@ "textPictureFromURL": "Imatge de l'URL", "textPreviousSlide": "Diapositiva anterior", "textPt": "pt", - "textPush": "Empeny", + "textPush": "Inserció", "textRemoveChart": "Suprimeix el gràfic", "textRemoveImage": "Suprimeix la imatge", "textRemoveLink": "Suprimeix l'enllaç", @@ -369,7 +370,7 @@ "textSmallCaps": "Versaletes", "textSmoothly": "Suau", "textSplit": "Divideix", - "textStartOnClick": "Inicia fent clic", + "textStartOnClick": "Inicieu fent clic", "textStrikethrough": "Ratllat", "textStyle": "Estil", "textStyleOptions": "Opcions d'estil", @@ -397,7 +398,7 @@ "Settings": { "mniSlideStandard": "Estàndard (4:3)", "mniSlideWide": "Pantalla panoràmica (16:9)", - "textAbout": "Quant a...", + "textAbout": "Quant a", "textAddress": "adreça:", "textApplication": "Aplicació", "textApplicationSettings": "Configuració de l'aplicació", diff --git a/apps/presentationeditor/mobile/locale/cs.json b/apps/presentationeditor/mobile/locale/cs.json index c9761b300..6ac01e37a 100644 --- a/apps/presentationeditor/mobile/locale/cs.json +++ b/apps/presentationeditor/mobile/locale/cs.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Došlo dosažení limitu %1 editorů v režimu spolupráce na úpravách. Ohledně podrobností se obraťte na svého správce.", "warnNoLicense": "Došlo k dosažení limitu souběžného připojení %1 editorů. Tento dokument bude otevřen pouze pro náhled. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", "warnNoLicenseUsers": "Došlo k dosažení limitu %1 editorů. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", - "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json index c58f75a15..3dd421391 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte wenden Sie sich an Ihren Administrator, um weitere Informationen zu erhalten.", "warnNoLicense": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", - "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten." + "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/el.json b/apps/presentationeditor/mobile/locale/el.json index 4d2b0cb62..e7b9712d5 100644 --- a/apps/presentationeditor/mobile/locale/el.json +++ b/apps/presentationeditor/mobile/locale/el.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
                              Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
                              Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου." + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json index 61719ddc8..6d6459902 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -473,7 +474,11 @@ "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", - "txtScheme9": "Foundry" + "txtScheme9": "Foundry", + "textOk": "Ok", + "textRTL": "RTL", + "textRestartApplication": "Please restart the application for the changes to take effect", + "notcriticalErrorTitle": "Warning" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/es.json b/apps/presentationeditor/mobile/locale/es.json index d51b2a5a2..47b6f7a15 100644 --- a/apps/presentationeditor/mobile/locale/es.json +++ b/apps/presentationeditor/mobile/locale/es.json @@ -123,10 +123,11 @@ "warnLicenseExp": "Su licencia ha expirado. Por favor, actualícela y recargue la página.", "warnLicenseLimitedNoAccess": "La licencia ha expirado. No tiene acceso a la funcionalidad de edición de documentos. Por favor, póngase en contacto con su administrador.", "warnLicenseLimitedRenewed": "La licencia necesita renovación. Tiene acceso limitado a la funcionalidad de edición de documentos.
                              Por favor, póngase en contacto con su administrador para obtener acceso completo", - "warnLicenseUsersExceeded": "Usted ha alcanzado el límite de usuarios para los editores de %1. Por favor, contacte con su administrador para recibir más información.", + "warnLicenseUsersExceeded": "Ha alcanzado el límite de usuarios para los editores de %1. Contacte con su administrador para recibir más información.", "warnNoLicense": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.", - "warnNoLicenseUsers": "Usted ha alcanzado el límite de usuarios para los editores de %1.
                              Contacte con el equipo de ventas de %1 para conocer los términos de actualización personal.", - "warnProcessRightsChange": "No tiene permiso para editar el archivo." + "warnNoLicenseUsers": "Ha alcanzado el límite de usuarios para los editores de %1.
                              Contacte con el equipo de ventas de %1 para conocer los términos de actualización personal.", + "warnProcessRightsChange": "No tiene permiso para editar el archivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -245,7 +246,7 @@ }, "Edit": { "notcriticalErrorTitle": "Advertencia", - "textActualSize": "Tamaño actual", + "textActualSize": "Tamaño real", "textAddCustomColor": "Agregar color personalizado", "textAdditional": "Adicional", "textAdditionalFormatting": "Formato adicional", diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index 770e592c6..a07c8040a 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Pour en savoir plus, contactez votre administrateur.", "warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert en lecture seule. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", "warnNoLicenseUsers": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", - "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/gl.json b/apps/presentationeditor/mobile/locale/gl.json index a7a971f54..33eb9cbfa 100644 --- a/apps/presentationeditor/mobile/locale/gl.json +++ b/apps/presentationeditor/mobile/locale/gl.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Alcanzou o límite de usuarios para os editores de %1. Por favor, contacte co se uadministrador para recibir máis información.", "warnNoLicense": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase para as úa visualización. Póñase en contacto co equipo de vendas de %1 para coñecer as condicións de actualización persoal.", "warnNoLicenseUsers": "Alcanzou o límite de usuarios para os editores de %1.
                              Contacte co equipo de vendas de %1 para coñecer os termos de actualización persoal.", - "warnProcessRightsChange": "Non ten permiso para editar o ficheiro." + "warnProcessRightsChange": "Non ten permiso para editar o ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/hu.json b/apps/presentationeditor/mobile/locale/hu.json index 760897efa..b5162d55d 100644 --- a/apps/presentationeditor/mobile/locale/hu.json +++ b/apps/presentationeditor/mobile/locale/hu.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználói korlátját. További információért forduljon rendszergazdájához.", "warnNoLicense": "Elérte a(z) %1 szerkesztővel való egyidejű kapcsolódási korlátot. Ez a dokumentum csak megtekintésre nyílik meg. Lépjen kapcsolatba a(z) %1 értékesítési csapattal a személyes frissítés feltételekért.", "warnNoLicenseUsers": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználói korlátját. Vegye fel a kapcsolatot a(z) %1 értékesítési csapattal a személyes frissítési feltételekért.", - "warnProcessRightsChange": "Nincs engedélye a fájl szerkesztésére." + "warnProcessRightsChange": "Nincs engedélye a fájl szerkesztésére.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/id.json b/apps/presentationeditor/mobile/locale/id.json new file mode 100644 index 000000000..211d6701e --- /dev/null +++ b/apps/presentationeditor/mobile/locale/id.json @@ -0,0 +1,480 @@ +{ + "About": { + "textAbout": "Tentang", + "textAddress": "Alamat", + "textBack": "Kembali", + "textEmail": "Email", + "textPoweredBy": "Didukung oleh", + "textTel": "Tel", + "textVersion": "Versi" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Peringatan", + "textAddComment": "Tambahkan Komentar", + "textAddReply": "Tambahkan Balasan", + "textBack": "Kembali", + "textCancel": "Batalkan", + "textCollaboration": "Kolaborasi", + "textComments": "Komentar", + "textDeleteComment": "Hapus Komentar", + "textDeleteReply": "Hapus Reply", + "textDone": "Selesai", + "textEdit": "Sunting", + "textEditComment": "Edit Komentar", + "textEditReply": "Edit Reply", + "textEditUser": "User yang sedang edit file:", + "textMessageDeleteComment": "Apakah Anda ingin menghapus komentar ini?", + "textMessageDeleteReply": "Apakah Anda ingin menghapus reply ini?", + "textNoComments": "Dokumen ini tidak memiliki komentar", + "textOk": "OK", + "textReopen": "Buka lagi", + "textResolve": "Selesaikan", + "textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "textUsers": "Pengguna" + }, + "HighlightColorPalette": { + "textNoFill": "Tidak ada Isian" + }, + "ThemeColorPalette": { + "textCustomColors": "Custom Warna", + "textStandartColors": "Warna Standar", + "textThemeColors": "Warna Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Tindakan copy, cut dan paste menggunakan menu konteks hanya akan dilakukan dalam file saat ini.", + "menuAddComment": "Tambahkan Komentar", + "menuAddLink": "Tambah tautan", + "menuCancel": "Batalkan", + "menuDelete": "Hapus", + "menuDeleteTable": "Hapus Tabel", + "menuEdit": "Sunting", + "menuMerge": "Merge", + "menuMore": "Lainnya", + "menuOpenLink": "Buka Link", + "menuSplit": "Split", + "menuViewComment": "Tampilkan Komentar", + "textColumns": "Kolom", + "textCopyCutPasteActions": "Salin, Potong dan Tempel", + "textDoNotShowAgain": "Jangan tampilkan lagi", + "textRows": "Baris" + }, + "Controller": { + "Main": { + "advDRMOptions": "File yang Diproteksi", + "advDRMPassword": "Kata Sandi", + "closeButtonText": "Tutup File", + "criticalErrorTitle": "Kesalahan", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
                              Silakan hubungi admin Anda.", + "errorOpensource": "Menggunakan versi Komunitas gratis, Anda bisa membuka dokumen hanya untuk dilihat. Untuk mengakses editor web mobile, diperlukan lisensi komersial.", + "errorProcessSaveResult": "Gagal menyimpan.", + "errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", + "leavePageText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "notcriticalErrorTitle": "Peringatan", + "SDK": { + "Chart": "Bagan", + "Click to add first slide": "Klik untuk tambah slide pertama", + "Click to add notes": "Klik untuk tambah catatan", + "ClipArt": "Clip Art", + "Date and time": "Tanggal dan Jam", + "Diagram": "Diagram", + "Diagram Title": "Judul Grafik", + "Footer": "Footer", + "Header": "Header", + "Image": "Gambar", + "Loading": "Memuat", + "Media": "Media", + "None": "Tidak ada", + "Picture": "Gambar", + "Series": "Seri", + "Slide number": "Nomor Slide", + "Slide subtitle": "Subtitle Slide", + "Slide text": "Teks Slide", + "Slide title": "Judul Slide", + "Table": "Tabel", + "X Axis": "XAS Sumbu X", + "Y Axis": "Sumbu Y", + "Your text here": "Teks Anda di sini" + }, + "textAnonymous": "Anonim", + "textBuyNow": "Kunjungi website", + "textClose": "Tutup", + "textContactUs": "Hubungi sales", + "textCustomLoader": "Maaf, Anda tidak diizinkan untuk mengganti loader. Silakan hubungi tim sales kami untuk mendapatkan harga.", + "textGuest": "Tamu", + "textHasMacros": "File berisi macros otomatis.
                              Apakah Anda ingin menjalankan macros?", + "textNo": "Tidak", + "textNoLicenseTitle": "Batas lisensi sudah tercapai", + "textNoTextFound": "Teks tidak ditemukan", + "textOpenFile": "Masukkan kata sandi untuk buka file", + "textPaidFeature": "Fitur berbayar", + "textRemember": "Ingat pilihan saya", + "textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", + "textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti {0}", + "textYes": "Ya", + "titleLicenseExp": "Lisensi kadaluwarsa", + "titleServerVersion": "Editor mengupdate", + "titleUpdateVersion": "Versi telah diubah", + "txtIncorrectPwd": "Password salah", + "txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", + "warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnLicenseExp": "Lisensi Anda sudah kadaluwarsa. Silakan update dan muat ulang halaman.", + "warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa. Anda tidak memiliki akses untuk editing dokumen secara keseluruhan. Silakan hubungi admin Anda.", + "warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui. Anda memiliki akses terbatas untuk edit dokumen.
                              Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnProcessRightsChange": "Anda tidak memiliki izin edit file ini.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "Waktu konversi habis.", + "criticalErrorExtText": "Tekan 'OK' untuk kembali ke list dokumen.", + "criticalErrorTitle": "Kesalahan", + "downloadErrorText": "Unduhan gagal.", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
                              Silakan hubungi admin Anda.", + "errorBadImageUrl": "URL Gambar salah", + "errorConnectToServer": "Tidak bisa menyimpan doc ini. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
                              Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "errorDatabaseConnection": "Eror eksternal.
                              Koneksi database bermasalah. Silakan hubungi support.", + "errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", + "errorDataRange": "Rentang data salah.", + "errorDefaultMessage": "Kode kesalahan: %1", + "errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
                              Gunakan menu 'Download' untuk menyimpan file copy backup di lokal.", + "errorFilePassProtect": "Password file diproteksi dan tidak bisa dibuka.", + "errorFileSizeExceed": "Ukuran file melampaui limit server Anda.
                              Silakan, hubungi admin.", + "errorKeyEncrypt": "Deskriptor kunci tidak dikenal", + "errorKeyExpire": "Deskriptor kunci tidak berfungsi", + "errorLoadingFont": "Font tidak bisa dimuat.
                              Silakan kontak admin Server Dokumen Anda.", + "errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
                              Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "errorUserDrop": "File tidak bisa diakses sekarang.", + "errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", + "errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
                              tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "notcriticalErrorTitle": "Peringatan", + "openErrorText": "Eror ketika membuka file", + "saveErrorText": "Eror ketika menyimpan file.", + "scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "splitDividerErrorText": "Jumlah baris harus merupakan pembagi dari %1", + "splitMaxColsErrorText": "Jumlah kolom harus kurang dari %1", + "splitMaxRowsErrorText": "Jumlah baris harus kurang dari %1", + "unknownErrorText": "Kesalahan tidak diketahui.", + "uploadImageExtMessage": "Format gambar tidak dikenal.", + "uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", + "uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Memuat data...", + "applyChangesTitleText": "Memuat Data", + "downloadTextText": "Mengunduh dokumen...", + "downloadTitleText": "Mengunduh Dokumen", + "loadFontsTextText": "Memuat data...", + "loadFontsTitleText": "Memuat Data", + "loadFontTextText": "Memuat data...", + "loadFontTitleText": "Memuat Data", + "loadImagesTextText": "Memuat gambar...", + "loadImagesTitleText": "Memuat Gambar", + "loadImageTextText": "Memuat gambar...", + "loadImageTitleText": "Memuat Gambar", + "loadingDocumentTextText": "Memuat dokumen...", + "loadingDocumentTitleText": "Memuat dokumen", + "loadThemeTextText": "Loading Tema...", + "loadThemeTitleText": "Loading Tema", + "openTextText": "Membuka Dokumen...", + "openTitleText": "Membuka Dokumen", + "printTextText": "Mencetak dokumen...", + "printTitleText": "Mencetak Dokumen", + "savePreparingText": "Bersiap untuk menyimpan", + "savePreparingTitle": "Bersiap untuk menyimpan. Silahkan menunggu...", + "saveTextText": "Menyimpan dokumen...", + "saveTitleText": "Menyimpan Dokumen", + "textLoadingDocument": "Memuat dokumen", + "txtEditingMode": "Atur mode editing...", + "uploadImageTextText": "Mengunggah gambar...", + "uploadImageTitleText": "Mengunggah Gambar", + "waitText": "Silahkan menunggu" + }, + "Toolbar": { + "dlgLeaveMsgText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "dlgLeaveTitleText": "Anda meninggalkan aplikasi", + "leaveButtonText": "Tinggalkan Halaman Ini", + "stayButtonText": "Tetap di halaman ini" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Peringatan", + "textAddLink": "Tambah tautan", + "textAddress": "Alamat", + "textBack": "Kembali", + "textCancel": "Batalkan", + "textColumns": "Kolom", + "textComment": "Komentar", + "textDefault": "Teks yang dipilih", + "textDisplay": "Tampilan", + "textEmptyImgUrl": "Anda perlu melengkapkan URL gambar.", + "textExternalLink": "Tautan eksternal", + "textFirstSlide": "Slide Pertama", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textInsert": "Sisipkan", + "textInsertImage": "Sisipkan Gambar", + "textLastSlide": "Slide Terakhir", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLinkTo": "Tautkan dengan", + "textLinkType": "Tipe tautan", + "textNextSlide": "Slide Berikutnya", + "textOk": "OK", + "textOther": "Lainnya", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textPreviousSlide": "Slide sebelumnya", + "textRows": "Baris", + "textScreenTip": "Tip Layar", + "textShape": "Bentuk", + "textSlide": "Slide", + "textSlideInThisPresentation": "Slide di Presentasi ini", + "textSlideNumber": "Nomor Slide", + "textTable": "Tabel", + "textTableSize": "Ukuran Tabel", + "txtNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”" + }, + "Edit": { + "notcriticalErrorTitle": "Peringatan", + "textActualSize": "Ukuran Sebenarnya", + "textAddCustomColor": "Tambah warna kustom", + "textAdditional": "Tambahan", + "textAdditionalFormatting": "Pemformatan tambahan", + "textAddress": "Alamat", + "textAfter": "Sesudah", + "textAlign": "Ratakan", + "textAlignBottom": "Rata Bawah", + "textAlignCenter": "Rata Tengah", + "textAlignLeft": "Rata Kiri", + "textAlignMiddle": "Rata di Tengah", + "textAlignRight": "Rata Kanan", + "textAlignTop": "Rata Atas", + "textAllCaps": "Huruf kapital semua", + "textApplyAll": "Terapkan untuk Semua Slide", + "textAuto": "Otomatis", + "textAutomatic": "Otomatis", + "textBack": "Kembali", + "textBandedColumn": "Kolom Berpita", + "textBandedRow": "Baris Berpita", + "textBefore": "Sebelum", + "textBlack": "Through Black", + "textBorder": "Pembatas", + "textBottom": "Bawah", + "textBottomLeft": "Kiri", + "textBottomRight": "Bawah-Kanan", + "textBringToForeground": "Tampilkan di Halaman Muka", + "textBullets": "Butir", + "textBulletsAndNumbers": "Butir & Angka", + "textCaseSensitive": "Harus sama persis", + "textCellMargins": "Margin Sel", + "textChart": "Bagan", + "textClock": "Jam", + "textClockwise": "Searah Jarum Jam", + "textColor": "Warna", + "textCounterclockwise": "Berlawanan Jarum Jam", + "textCover": "Cover", + "textCustomColor": "Custom Warna", + "textDefault": "Teks yang dipilih", + "textDelay": "Delay", + "textDeleteSlide": "Hapus Slide", + "textDesign": "Desain", + "textDisplay": "Tampilan", + "textDistanceFromText": "Jarak dari teks", + "textDistributeHorizontally": "Distribusikan Horizontal", + "textDistributeVertically": "Distribusikan Vertikal", + "textDone": "Selesai", + "textDoubleStrikethrough": "Garis coret ganda", + "textDuplicateSlide": "Duplikasi Slide", + "textDuration": "Durasi", + "textEditLink": "Edit Link", + "textEffect": "Efek", + "textEffects": "Efek", + "textEmptyImgUrl": "Anda perlu melengkapkan URL gambar.", + "textExternalLink": "Tautan eksternal", + "textFade": "Pudar", + "textFill": "Isi", + "textFinalMessage": "Akhir dari preview slide. Klik untuk keluar.", + "textFind": "Cari", + "textFindAndReplace": "Cari dan Ganti", + "textFirstColumn": "Kolom Pertama", + "textFirstSlide": "Slide Pertama", + "textFontColor": "Warna Huruf", + "textFontColors": "Warna Font", + "textFonts": "Font", + "textFromLibrary": "Gambar dari Perpustakaan", + "textFromURL": "Gambar dari URL", + "textHeaderRow": "Baris Header", + "textHighlight": "Sorot hasil", + "textHighlightColor": "Warna Sorot", + "textHorizontalIn": "Horizontal Masuk", + "textHorizontalOut": "Horizontal Keluar", + "textHyperlink": "Hyperlink", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textLastColumn": "Kolom Terakhir", + "textLastSlide": "Slide Terakhir", + "textLayout": "Layout", + "textLeft": "Kiri", + "textLetterSpacing": "Letter Spacing", + "textLineSpacing": "Spasi Antar Baris", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLinkTo": "Tautkan dengan", + "textLinkType": "Tipe tautan", + "textMoveBackward": "Pindah Kebelakang", + "textMoveForward": "Majukan", + "textNextSlide": "Slide Berikutnya", + "textNone": "Tidak ada", + "textNoStyles": "Tanpa style untuk tipe grafik ini.", + "textNoTextFound": "Teks tidak ditemukan", + "textNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "textNumbers": "Nomor", + "textOk": "OK", + "textOpacity": "Opasitas", + "textOptions": "Pilihan", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textPreviousSlide": "Slide sebelumnya", + "textPt": "pt", + "textPush": "Tekan", + "textRemoveChart": "Hilangkan Grafik", + "textRemoveImage": "Hilangkan Gambar", + "textRemoveLink": "Hilangkan Link", + "textRemoveShape": "Hilangkan Bentuk", + "textRemoveTable": "Hilangkan Tabel", + "textReorder": "Reorder", + "textReplace": "Ganti", + "textReplaceAll": "Ganti Semua", + "textReplaceImage": "Ganti Gambar", + "textRight": "Kanan", + "textScreenTip": "Tip Layar", + "textSearch": "Cari", + "textSec": "s", + "textSelectObjectToEdit": "Pilih objek untuk diedit", + "textSendToBackground": "Jalankan di Background", + "textShape": "Bentuk", + "textSize": "Ukuran", + "textSlide": "Slide", + "textSlideInThisPresentation": "Slide di Presentasi ini", + "textSlideNumber": "Nomor Slide", + "textSmallCaps": "Huruf Ukuran Kecil", + "textSmoothly": "Dengan Mulus", + "textSplit": "Split", + "textStartOnClick": "Mulai Saat Klik", + "textStrikethrough": "Coret ganda", + "textStyle": "Model", + "textStyleOptions": "Opsi Style", + "textSubscript": "Subskrip", + "textSuperscript": "Superskrip", + "textTable": "Tabel", + "textText": "Teks", + "textTheme": "Tema", + "textTop": "Atas", + "textTopLeft": "Atas-Kiri", + "textTopRight": "Atas-Kanan", + "textTotalRow": "Total Baris", + "textTransitions": "Transisi", + "textType": "Tipe", + "textUnCover": "UnCover", + "textVerticalIn": "Masuk Vertikal", + "textVerticalOut": "Keluar Horizontal", + "textWedge": "Wedge", + "textWipe": "Wipe", + "textZoom": "Pembesaran", + "textZoomIn": "Perbesar", + "textZoomOut": "Perkecil", + "textZoomRotate": "Zoom dan Rotasi" + }, + "Settings": { + "mniSlideStandard": "Standard (4:3)", + "mniSlideWide": "Widescreen (16:9)", + "textAbout": "Tentang", + "textAddress": "alamat:", + "textApplication": "Aplikasi", + "textApplicationSettings": "Pengaturan Aplikasi", + "textAuthor": "Penyusun", + "textBack": "Kembali", + "textCaseSensitive": "Harus sama persis", + "textCentimeter": "Sentimeter", + "textCollaboration": "Kolaborasi", + "textColorSchemes": "Skema Warna", + "textComment": "Komentar", + "textCreated": "Dibuat", + "textDarkTheme": "Tema Gelap", + "textDisableAll": "Nonaktifkan Semua", + "textDisableAllMacrosWithNotification": "Nonaktifkan semua macros dengan notifikasi", + "textDisableAllMacrosWithoutNotification": "Nonaktifkan semua macros tanpa notifikasi", + "textDone": "Selesai", + "textDownload": "Unduh", + "textDownloadAs": "Unduh sebagai...", + "textEmail": "email:", + "textEnableAll": "Aktifkan Semua", + "textEnableAllMacrosWithoutNotification": "Aktifkan semua macros tanpa notifikasi", + "textFind": "Cari", + "textFindAndReplace": "Cari dan Ganti", + "textFindAndReplaceAll": "Temukan dan Ganti Semua", + "textHelp": "Bantuan", + "textHighlight": "Sorot hasil", + "textInch": "Inci", + "textLastModified": "Terakhir Dimodifikasi", + "textLastModifiedBy": "Terakhir Dimodifikasi Oleh", + "textLoading": "Memuat...", + "textLocation": "Lokasi", + "textMacrosSettings": "Pengaturan Macros", + "textNoTextFound": "Teks tidak ditemukan", + "textOwner": "Pemilik", + "textPoint": "Titik", + "textPoweredBy": "Didukung oleh", + "textPresentationInfo": "Info Presentasi", + "textPresentationSettings": "Pengaturan Presentasi", + "textPresentationTitle": "Judul Presentasi", + "textPrint": "Cetak", + "textReplace": "Ganti", + "textReplaceAll": "Ganti Semua", + "textSearch": "Cari", + "textSettings": "Pengaturan", + "textShowNotification": "Tampilkan Notifikasi", + "textSlideSize": "Ukuran Slide", + "textSpellcheck": "Periksa Ejaan", + "textSubject": "Subyek", + "textTel": "tel:", + "textTitle": "Judul", + "textUnitOfMeasurement": "Satuan Ukuran", + "textUploaded": "Diunggah", + "textVersion": "Versi", + "txtScheme1": "Office", + "txtScheme10": "Median", + "txtScheme11": "Metro", + "txtScheme12": "Modul", + "txtScheme13": "Mewah", + "txtScheme14": "Jendela Oriel", + "txtScheme15": "Origin", + "txtScheme16": "Kertas", + "txtScheme17": "Titik balik matahari", + "txtScheme18": "Teknik", + "txtScheme19": "Trek", + "txtScheme2": "Grayscale", + "txtScheme20": "Urban", + "txtScheme21": "Semangat", + "txtScheme22": "Office Baru", + "txtScheme3": "Puncak", + "txtScheme4": "Aspek", + "txtScheme5": "Kewargaan", + "txtScheme6": "Himpunan", + "txtScheme7": "Margin Sisa", + "txtScheme8": "Alur", + "txtScheme9": "Cetakan", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json index 9efb1e4bd..a034a6a2b 100644 --- a/apps/presentationeditor/mobile/locale/it.json +++ b/apps/presentationeditor/mobile/locale/it.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il tuo amministratore per maggior informazioni.", "warnNoLicense": "Hai raggiunto il limite delle connessioni simultanee agli editor %1. Questo documento sarà aperto solo in modalità di visualizzazione. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", "warnNoLicenseUsers": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", - "warnProcessRightsChange": "Non hai il permesso di modificare il file." + "warnProcessRightsChange": "Non hai il permesso di modificare il file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/ja.json b/apps/presentationeditor/mobile/locale/ja.json index d9805b192..daddc2959 100644 --- a/apps/presentationeditor/mobile/locale/ja.json +++ b/apps/presentationeditor/mobile/locale/ja.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。", "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", - "warnProcessRightsChange": "ファイルを編集する権限がありません!" + "warnProcessRightsChange": "ファイルを編集する権限がありません!", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -245,7 +246,7 @@ }, "Edit": { "notcriticalErrorTitle": " 警告", - "textActualSize": "既定のサイズ", + "textActualSize": "既定サイズ", "textAddCustomColor": "ユーザーの色を追加する", "textAdditional": "追加", "textAdditionalFormatting": "追加の書式設定", diff --git a/apps/presentationeditor/mobile/locale/ko.json b/apps/presentationeditor/mobile/locale/ko.json index a21c5be9b..ce085ca61 100644 --- a/apps/presentationeditor/mobile/locale/ko.json +++ b/apps/presentationeditor/mobile/locale/ko.json @@ -33,13 +33,13 @@ "textTryUndoRedo": "빠른 공동 편집 모드에서 실행 취소 / 다시 실행 기능을 사용할 수 없습니다.", "textUsers": "사용자" }, + "HighlightColorPalette": { + "textNoFill": "채우기 없음" + }, "ThemeColorPalette": { "textCustomColors": "사용자 정의 색상", "textStandartColors": "표준 색상", "textThemeColors": "테마 색" - }, - "HighlightColorPalette": { - "textNoFill": "No Fill" } }, "ContextMenu": { @@ -107,9 +107,12 @@ "textHasMacros": "파일에 자동 매크로가 포함되어 있습니다.
                              매크로를 실행 하시겠습니까?", "textNo": "아니오", "textNoLicenseTitle": "라이센스 수를 제한했습니다.", + "textNoTextFound": "텍스트를 찾을 수 없습니다", "textOpenFile": "파일을 열려면 암호를 입력하십시오.", "textPaidFeature": "유료기능", "textRemember": "선택사항을 저장", + "textReplaceSkipped": "대체가 이루어졌습니다. {0} 건은 건너 뛰었습니다.", + "textReplaceSuccess": "검색이 완료되었습니다. 발생 횟수가 대체되었습니다 : {0}", "textYes": "확인", "titleLicenseExp": "라이센스 만료", "titleServerVersion": "편집기가 업데이트되었습니다.", @@ -124,9 +127,7 @@ "warnNoLicense": "% 1 편집 연결 수 제한에 도달했습니다. 이 문서는 보기 모드로 열립니다. 개인적인 업그레이드 사항은 % 1 영업팀에 연락하십시오.", "warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다.
                              더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.", "warnProcessRightsChange": "파일을 수정할 수 있는 권한이 없습니다.", - "textNoTextFound": "Text not found", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -228,6 +229,7 @@ "textLinkTo": "링크 대상", "textLinkType": "링크 유형", "textNextSlide": "다음 슬라이드", + "textOk": "확인", "textOther": "기타", "textPictureFromLibrary": "그림 라이브러리에서", "textPictureFromURL": "URL에서 그림", @@ -240,8 +242,7 @@ "textSlideNumber": "슬라이드 번호", "textTable": "표", "textTableSize": "표 크기", - "txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", - "textOk": "Ok" + "txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다." }, "Edit": { "notcriticalErrorTitle": "경고", @@ -261,6 +262,7 @@ "textAllCaps": "모든 대문자", "textApplyAll": "모든 슬라이드에 적용", "textAuto": "자동", + "textAutomatic": "자동", "textBack": "뒤로", "textBandedColumn": "줄무늬 열", "textBandedRow": "줄무늬 행", @@ -285,6 +287,7 @@ "textDefault": "선택한 텍스트", "textDelay": "지연", "textDeleteSlide": "슬라이드 삭제", + "textDesign": "디자인", "textDisplay": "표시", "textDistanceFromText": "텍스트 간격", "textDistributeHorizontally": "수평 분포", @@ -336,6 +339,7 @@ "textNoTextFound": "텍스트를 찾을 수 없습니다", "textNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", "textNumbers": "숫자", + "textOk": "확인", "textOpacity": "투명도", "textOptions": "옵션", "textPictureFromLibrary": "그림 라이브러리에서", @@ -389,10 +393,7 @@ "textZoom": "확대/축소", "textZoomIn": "확대", "textZoomOut": "축소", - "textZoomRotate": "확대 / 축소 및 회전", - "textAutomatic": "Automatic", - "textDesign": "Design", - "textOk": "Ok" + "textZoomRotate": "확대 / 축소 및 회전" }, "Settings": { "mniSlideStandard": "표준 (4 : 3)", @@ -409,6 +410,7 @@ "textColorSchemes": "색 구성표", "textComment": "코멘트", "textCreated": "생성되었습니다", + "textDarkTheme": "다크 테마", "textDisableAll": "모두 비활성화", "textDisableAllMacrosWithNotification": "알림이 있는 모든 매크로 닫기", "textDisableAllMacrosWithoutNotification": "알림 없이 모든 매크로 닫기", @@ -472,7 +474,6 @@ "txtScheme7": "같음", "txtScheme8": "플로우", "txtScheme9": "발견", - "textDarkTheme": "Dark Theme", "textFeedback": "Feedback & Support" } } diff --git a/apps/presentationeditor/mobile/locale/lo.json b/apps/presentationeditor/mobile/locale/lo.json index 263ce07ec..a9333171d 100644 --- a/apps/presentationeditor/mobile/locale/lo.json +++ b/apps/presentationeditor/mobile/locale/lo.json @@ -1,479 +1,479 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", - "textEmail": "Email", - "textPoweredBy": "Powered By", - "textTel": "Tel", - "textVersion": "Version" + "textAbout": "ກ່ຽວກັບ", + "textAddress": "ທີ່ຢູ່", + "textBack": "ກັບຄືນ", + "textEmail": "ອີເມລ", + "textPoweredBy": "ສ້າງໂດຍ", + "textTel": "ໂທ", + "textVersion": "ລຸ້ນ" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", - "textCollaboration": "Collaboration", - "textComments": "Comments", - "textDeleteComment": "Delete Comment", - "textDeleteReply": "Delete Reply", - "textDone": "Done", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textNoComments": "This document doesn't contain comments", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" - }, - "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "notcriticalErrorTitle": "ເຕືອນ", + "textAddComment": "ເພີ່ມຄຳເຫັນ", + "textAddReply": "ເພີ່ມຄຳຕອບກັບ", + "textBack": "ກັບຄືນ", + "textCancel": "ຍົກເລີກ", + "textCollaboration": "ການຮ່ວມກັນ", + "textComments": "ຄໍາເຫັນ", + "textDeleteComment": "ລົບຄໍາເຫັນ", + "textDeleteReply": "ລົບການຕອບກັບ", + "textDone": "ສໍາເລັດ", + "textEdit": "ແກ້ໄຂ", + "textEditComment": "ແກ້ໄຂຄໍາເຫັນ", + "textEditReply": "ແກ້ໄຂການຕອບກັບ", + "textEditUser": "ຜູ້ໃຊ້ທີ່ກໍາລັງແກ້ໄຂເອກະສານ:", + "textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", + "textMessageDeleteReply": "ທ່ານຕ້ອງການລົບແທ້ບໍ?", + "textNoComments": "ເອກະສານບໍ່ມີຄໍາເຫັນ", + "textOk": "ຕົກລົງ", + "textReopen": "ເປີດຄືນ", + "textResolve": "ແກ້ໄຂ", + "textTryUndoRedo": "ໜ້າທີ່ ກັບຄືນ ຫຼື ທວນຄືນ ຖືກປິດໃຊ້ງານ ສຳລັບໂໝດການແກ້ໄຂຮ່ວມກັນດ່ວນ.", + "textUsers": "ຜຸ້ໃຊ້" }, "HighlightColorPalette": { - "textNoFill": "No Fill" + "textNoFill": "ບໍ່ມີການຕື່ມຂໍ້ມູນໃສ່" + }, + "ThemeColorPalette": { + "textCustomColors": "ກຳນົດສີເອງ", + "textStandartColors": "ສີມາດຕະຖານ", + "textThemeColors": " ຮູບແບບສີ" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add Comment", - "menuAddLink": "Add Link", - "menuCancel": "Cancel", - "menuDelete": "Delete", - "menuDeleteTable": "Delete Table", - "menuEdit": "Edit", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuSplit": "Split", - "menuViewComment": "View Comment", - "textColumns": "Columns", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "textRows": "Rows" + "errorCopyCutPaste": "ການກ໋ອບປີ້,ຕັດ ແລະ ວາງ ການດຳເນີນການໂດຍໃຊ້ເມນູ ຈະດຳເນີນການພາຍໃນຟາຍປັດຈຸບັນເທົ່ານັ້ນ", + "menuAddComment": "ເພີ່ມຄຳເຫັນ", + "menuAddLink": "ເພີ່ມລິ້ງ", + "menuCancel": "ຍົກເລີກ", + "menuDelete": "ລົບ", + "menuDeleteTable": "ລົບຕາຕະລາງ", + "menuEdit": "ແກ້ໄຂ", + "menuMerge": "ປະສົມປະສານ", + "menuMore": "ຫຼາຍກວ່າ", + "menuOpenLink": "ເປີດລີ້ງ", + "menuSplit": "ແຍກ", + "menuViewComment": "ເບີ່ງຄໍາເຫັນ", + "textColumns": "ຖັນ", + "textCopyCutPasteActions": "ປະຕິບັດການ ສໍາເນົາ, ຕັດ ແລະ ວາງ", + "textDoNotShowAgain": "ບໍ່ສະແດງອີກ", + "textRows": "ແຖວ" }, "Controller": { "Main": { - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
                              Please, contact your admin.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "errorProcessSaveResult": "Saving failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "advDRMOptions": "ຟຮາຍມີການປົກປ້ອງ", + "advDRMPassword": "ລະຫັດຜ່ານ", + "closeButtonText": "ປິດຟຮາຍເອກະສານ", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
                              ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorOpensource": "ການນໍາໃຊ້ສະບັບຟຣີ, ທ່ານສາມາດເປີດເອກະສານສໍາລັບການອ່ານເທົ່ານັ້ນ. ໃນການເຂົ້າເຖິງໂປຣແກຣມ, ຕ້ອງມີໃບອະນຸຍາດທາງການຄ້າ.", + "errorProcessSaveResult": "ບັນທຶກບຊ່ສຳເລັດ", + "errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອນຳໃຊ້ການປ່ຽນແປງ.", + "errorUpdateVersion": "ເອກະສານໄດ້ຖືກປ່ຽນແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດໃໝ່.", + "leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້ໃນເອກະສານນີ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "notcriticalErrorTitle": "ເຕືອນ", "SDK": { - "Chart": "Chart", - "Click to add first slide": "Click to add first slide", - "Click to add notes": "Click to add notes", - "ClipArt": "Clip Art", - "Date and time": "Date and time", - "Diagram": "Diagram", - "Diagram Title": "Chart Title", - "Footer": "Footer", - "Header": "Header", - "Image": "Image", - "Loading": "Loading", - "Media": "Media", - "None": "None", - "Picture": "Picture", - "Series": "Series", - "Slide number": "Slide number", - "Slide subtitle": "Slide subtitle", - "Slide text": "Slide text", - "Slide title": "Slide title", - "Table": "Table", + "Chart": "ແຜນຮູບວາດ", + "Click to add first slide": "ຄລິກເພື່ອເພີ່ມສະໄລ້ທຳອິດ", + "Click to add notes": "ກົດເພື່ອເພີ່ມບັນທຶກ", + "ClipArt": "ພາບຕັດຕໍ່", + "Date and time": "ວັນທີ ແລະ ເວລາ", + "Diagram": "ແຜ່ນພາບ", + "Diagram Title": "ໃສ່ຊື່ແຜນຮູບວາດ", + "Footer": "ສ່ວນທ້າຍ", + "Header": "ຫົວຂໍ້ເອກະສານ", + "Image": "ຮູບພາບ", + "Loading": "ກຳລັງໂຫລດ", + "Media": "ຊື່ມວນຊົນ", + "None": "ບໍ່ມີ", + "Picture": "ຮູບພາບ", + "Series": "ຊຸດ", + "Slide number": "ຮູບແບບເລກສະໄລ້", + "Slide subtitle": "ຄຳອະທິບາຍພາບສະໄລ່", + "Slide text": "ເນື້ອຫາພາບສະໄລ", + "Slide title": "ຫົວຂໍ້ພາບສະໄລ", + "Table": "ຕາຕະລາງ", "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here" + "Y Axis": "ແກນ Y", + "Your text here": "ເນື້ອຫາຂອງທ່ານຢູ່ນີ້" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
                              Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textOpenFile": "Enter a password to open the file", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleLicenseExp": "License expired", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseExp": "Your license has expired. Please, update it and refresh the page.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your administrator.", - "warnLicenseLimitedRenewed": "The license needs to be renewed. You have limited access to document editing functionality.
                              Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textAnonymous": "ບໍ່ລະບຸຊື່", + "textBuyNow": "ເຂົ້າໄປຍັງເວັບໄຊ", + "textClose": "ປິດ", + "textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", + "textCustomLoader": "ຂໍອະໄພ, ທ່ານບໍ່ມີສິດປ່ຽນຕົວໂຫຼດໄດ້. ກະລຸນາຕິດຕໍ່ຫາພະແນກການຂາຍຂອງພວກເຮົາເພື່ອໃຫ້ໄດ້ຮັບໃບສະເໜີລາຄາ.", + "textGuest": " ແຂກ", + "textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
                              ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", + "textNo": "ບໍ່", + "textNoLicenseTitle": "ໃບອະນຸຍາດໄດ້ເຖິງຈຳນວນທີ່ຈຳກັດແລ້ວ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textOpenFile": "ໃສ່ລະຫັດຜ່ານເພື່ອເປີດໄຟລ໌", + "textPaidFeature": "ຄຸນສົມບັດທີ່ຈ່າຍ", + "textRemember": "ຈື່ຈໍາທາງເລືອກ", + "textReplaceSkipped": "ການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", + "textReplaceSuccess": "ການຄົ້ນຫາໄດ້ສຳເລັດແລ້ວ. ສິ່ງທີ່ເກີດຂື້ນໄດ້ປ່ຽນແທນແລ້ວ: {0}", + "textYes": "ແມ່ນແລ້ວ", + "titleLicenseExp": "ໃບອະນຸຍາດໝົດອາຍຸ", + "titleServerVersion": "ອັບເດດການແກ້ໄຂ", + "titleUpdateVersion": "ປ່ຽນແປງລຸ້ນ", + "txtIncorrectPwd": "ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ", + "txtProtected": "ຖ້າເຈົ້ານໍາໃຊ້ລະຫັດເພື່ອເປີດເອກະສານ, ລະຫັດປັດຈະບັນຈະຖືກແກ້ໄຂ", + "warnLicenseExceeded": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ຫາທາງແອດມີນຂອງທ່ານເພື່ອຮັບຂໍ້ມູນເພີ່ມ", + "warnLicenseExp": "License ຂອງທ່ານໄດ້ໝົດອາຍຸກະລຸນາຕໍ່ License ຂອງທ່ານ ແລະ ໂຫລດໜ້າເວັບຄືນໃໝ່ອີກຄັ້ງ.", + "warnLicenseLimitedNoAccess": "ໃບອະນຸຍາດໝົດອາຍຸແລ້ວ. ທ່ານບໍ່ສາມາດເຂົ້າເຖິງການດຳເນີນງານແກ້ໄຂເອກະສານ. ກະລຸນາ, ຕິດຕໍ່ແອດມີນຂອງທ່ານ.", + "warnLicenseLimitedRenewed": "ໃບອະນຸຍາດຕ້ອງໄດ້ຮັບການຕໍ່ອາຍຸ. ທ່ານຈະຖືກຈຳກັດສິດໃນການເຂົ້າເຖິ່ງການແກ້ໄຂເອກະສານ.
                              ກະລຸນາຕິດຕໍ່ແອດມີນຂອງທ່ານເພື່ອຕໍ່ອາຍຸ", + "warnLicenseUsersExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ແກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ", + "warnNoLicense": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ທີມຂາຍ %1 ສຳຫລັບເງື່ອນໄຂການອັບເກດສ່ວນບຸກຄົນ", + "warnNoLicenseUsers": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", + "warnProcessRightsChange": "ທ່ານບໍ່ມີສິດໃນການແກ້ໄຂໄຟລ໌ນີ້.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
                              Please contact your admin.", - "errorBadImageUrl": "Image url is incorrect", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.
                              When you click the 'OK' button, you will be prompted to download the document.", - "errorDatabaseConnection": "External error.
                              Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
                              Use the 'Download' option to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileSizeExceed": "The file size exceeds your server limitation.
                              Please, contact your admin.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
                              opening price, max price, min price, closing price.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
                              Before you can continue working, download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
                              but you won't be able to download it until the connection is restored and the page is reloaded.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
                              Please contact your Document Server administrator." + "convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", + "criticalErrorExtText": "ກົດ 'OK' ເພື່ອກັບຄືນໄປຫາລາຍການເອກະສານ.", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "downloadErrorText": "ດາວໂຫຼດບໍ່ສຳເລັດ.", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
                              ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", + "errorConnectToServer": "ບໍ່ສາມາດບັນທຶກເອກະສານນີ້ໄດ້. ກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຂອງທ່ານ ຫຼື ຕິດຕໍ່ຜູ້ແອດມີນຂອງທ່ານ.
                              ເມື່ອທ່ານຄລິກປຸ່ມ 'ຕົກລົງ', ທ່ານຈະຖືກເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", + "errorDatabaseConnection": "ຂໍ້ຜິດພາດຈາກທາງນອກ
                              ຖານຂໍ້ມູນ ຂໍ້ຜິດພາດພາຍນອກ. ກະລຸນາ, ຕິດຕໍ່ການສະ ໜັບ ສະ ໜູນ.", + "errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", + "errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", + "errorEditingDownloadas": "ເກີດຄວາມຜິດພາດໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.
                              ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດ' ເພື່ອບັນທຶກໄຟລ໌ສໍາຮອງໄວ້ໃນເຄື່ອງ.", + "errorFilePassProtect": "ໄຟລ໌ດັ່ງກ່າວຖືກປ້ອງກັນດ້ວຍລະຫັດຜ່ານ ແລະ ບໍ່ສາມາດເປີດໄດ້.", + "errorFileSizeExceed": "ຂະໜາດໄຟລ໌ເກີນຂີດຈຳກັດເຊີບເວີຂອງທ່ານ.
                              ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.", + "errorKeyEncrypt": "ບໍ່ຮູ້ຄຳອະທິບາຍຫຼັກ", + "errorKeyExpire": "ລະຫັດໝົດອາຍຸ", + "errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
                              ກະລຸນາແອດມີນຂອງທ່ານ.", + "errorSessionAbsolute": "ຊ່ວງເວລາການແກ້ໄຂເອກະສານໝົດອາຍຸແລ້ວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionIdle": "ເອກະສານບໍ່ໄດ້ຮັບການແກ້ໄຂສໍາລັບການຂ້ອນຂ້າງຍາວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionToken": "ການເຊື່ອມຕໍ່ກັບເຊີບເວີບໍ່ສະຖຽນ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorStockChart": "ລຳດັບແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງເກັບຂໍ້ຮູບກ້າບ, ວາງຂໍ້ມູນໃສ່ແຜ່ນງານຕາມລໍາດັບຕໍ່ໄປນີ້:
                              ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ.", + "errorUpdateVersionOnDisconnect": "ອິນເຕີເນັດໄດ້ເຊື່ອມຕໍ່ອີກຄັ້ງ, ແລະ ໄຟລ໌ໄດ້ຖືກປ່ຽນແປງ.
                              ກ່ອນທີ່ທ່ານຈະເລີ່ມການດຳເນີນງານຕໍ່ແນະນຳໃຫ້ດາວໂຫລດໄຟລ໌ ຫຼື ກອບປີ້ເນື້ອໃນທາງໃນໄຟລ໌ເພື່ອຄວາມແນ່ໃຈວ່າຈະບໍ່ຂໍ້ມູນສູນຫາຍຈາກນັ້ນຈືງໂຫຼດໜ້າໃໝ່", + "errorUserDrop": "ບໍ່ສາມາດເຂົ້າເຖິງເອກະສານໄດ້ໃນຂະນະນີ້.", + "errorUsersExceed": "ເກີນຈຳນວນຜູ້ຊົມໃຊ້ທີ່ແຜນການກຳນົດລາຄາອະນຸຍາດ", + "errorViewerDisconnect": "ການເຊື່ອມຕໍ່ຫາຍໄປ. ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້,
                              ແຕ່ທ່ານຈະບໍ່ສາມາດດາວນ໌ໂຫລດຫຼືພິມມັນຈົນກ່ວາການເຊື່ອມຕໍ່ໄດ້ຮັບການຟື້ນຟູແລະຫນ້າຈະຖືກໂຫຼດໃຫມ່.", + "notcriticalErrorTitle": "ເຕືອນ", + "openErrorText": "ມີຂໍ້ຜິດພາດເກີດຂຶ້ນໃນຂະນະທີ່ເປີດໄຟລ໌", + "saveErrorText": "ເກີດຄວາມຜິດພາດຂຶ້ນໃນຂະນະທີ່ບັນທຶກໄຟລ໌", + "scriptLoadError": "ການເຊື່ອມຕໍ່ຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "splitDividerErrorText": "ຈໍານວນແຖວຕ້ອງເປັນຕົວເລກຂອງ %1", + "splitMaxColsErrorText": "ຈຳນວນຖັນຕ້ອງຕໍ່າ ກວ່າ % 1", + "splitMaxRowsErrorText": "ຈຳນວນແຖວຕ້ອງໜ້ອຍກວ່າ %1", + "unknownErrorText": "ມີຂໍ້ຜິດພາດທີ່ບໍ່ຮູ້ສາເຫດ", + "uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິດຜາດຮູບແບບຂອງຮູບ", + "uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", + "uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "loadThemeTextText": "Loading theme...", - "loadThemeTitleText": "Loading Theme", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "textLoadingDocument": "Loading document", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait..." + "applyChangesTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "applyChangesTitleText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", + "downloadTextText": "ກຳລັງດາວໂຫຼດເອກະສານ...", + "downloadTitleText": "ດາວໂຫລດເອກະສານ", + "loadFontsTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontsTitleText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", + "loadFontTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontTitleText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", + "loadImagesTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImagesTitleText": "ກໍາລັງດາວໂຫຼດຮູບພາບ", + "loadImageTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImageTitleText": "ກໍາລັງດາວໂຫຼດຮູບພາບ", + "loadingDocumentTextText": "ກໍາລັງດາວໂຫຼດເອກະສານ...", + "loadingDocumentTitleText": "ກຳລັງດາວໂຫຼດເອກະສານ", + "loadThemeTextText": "ກຳລັງດາວໂຫຼດຫົວຂໍ້", + "loadThemeTitleText": "ກຳລັງດາວໂຫຼດຫົວຂໍ້", + "openTextText": "ກໍາລັງເປີດເອກະສານ...", + "openTitleText": "ກໍາລັງເປີດເອກະສານ", + "printTextText": "ກໍາລັງພິມເອກະສານ...", + "printTitleText": "ກໍາລັງພິມເອກະສານ", + "savePreparingText": "ກະກຽມບັນທືກ", + "savePreparingTitle": "ກຳລັງກະກຽມບັນທືກ, ກະລຸນາລໍຖ້າ", + "saveTextText": "ກໍາລັງບັນທຶກເອກະສານ...", + "saveTitleText": "ບັນທືກເອກະສານ", + "textLoadingDocument": "ກຳລັງດາວໂຫຼດເອກະສານ", + "txtEditingMode": "ຕັ້ງຄ່າຮູບແບບການແກ້ໄຂ...", + "uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ...", + "uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", + "waitText": "ກະລຸນາລໍຖ້າ..." }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this page", - "stayButtonText": "Stay on this Page" + "dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້ໃນເອກະສານນີ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "dlgLeaveTitleText": "ເຈົ້າອອກຈາກລະບົບ", + "leaveButtonText": "ອອກຈາກໜ້ານີ້", + "stayButtonText": "ຢູ່ໃນໜ້ານີ້" }, "View": { "Add": { - "notcriticalErrorTitle": "Warning", - "textAddLink": "Add Link", - "textAddress": "Address", - "textBack": "Back", - "textCancel": "Cancel", - "textColumns": "Columns", - "textComment": "Comment", - "textDefault": "Selected text", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", - "textFirstSlide": "First Slide", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertImage": "Insert Image", - "textLastSlide": "Last Slide", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkTo": "Link to", - "textLinkType": "Link Type", - "textNextSlide": "Next Slide", - "textOther": "Other", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPreviousSlide": "Previous Slide", - "textRows": "Rows", - "textScreenTip": "Screen Tip", - "textShape": "Shape", - "textSlide": "Slide", - "textSlideInThisPresentation": "Slide in this Presentation", - "textSlideNumber": "Slide Number", - "textTable": "Table", - "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok" + "notcriticalErrorTitle": "ເຕືອນ", + "textAddLink": "ເພີ່ມລິ້ງ", + "textAddress": "ທີ່ຢູ່", + "textBack": "ກັບຄືນ", + "textCancel": "ຍົກເລີກ", + "textColumns": "ຖັນ", + "textComment": "ຄໍາເຫັນ", + "textDefault": "ຂໍ້ຄວາມທີ່ເລືອກ", + "textDisplay": "ສະແດງຜົນ", + "textEmptyImgUrl": "ທ່ານຈໍາເປັນຕ້ອງລະບຸ URL ຮູບພາບ.", + "textExternalLink": "ລິງພາຍນອກ", + "textFirstSlide": "ສະໄລທຳອິດ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textInsert": "ເພີ່ມ", + "textInsertImage": "ເພີ່ມຮູບພາບ", + "textLastSlide": "ສະໄລ່ສຸດທ້າຍ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLinkTo": "ເຊື່ອມຕໍ່ຫາ", + "textLinkType": "ປະເພດລີ້ງ", + "textNextSlide": "ພາບສະໄລທັດໄປ", + "textOk": "ຕົກລົງ", + "textOther": "ອື່ນໆ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", + "textPreviousSlide": "ພາບສະໄລຜ່ານມາ", + "textRows": "ແຖວ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textShape": "ຮູບຮ່າງ", + "textSlide": "ຮູບແບບສະໄລ້", + "textSlideInThisPresentation": "ພາບສະໄລ່ ໃນບົດນຳສະເໜີນີ້", + "textSlideNumber": "ຮູບແບບເລກສະໄລ້", + "textTable": "ຕາຕະລາງ", + "textTableSize": "ຂະໜາດຕາຕະລາງ", + "txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textActualSize": "Actual Size", - "textAddCustomColor": "Add Custom Color", - "textAdditional": "Additional", - "textAdditionalFormatting": "Additional Formatting", - "textAddress": "Address", - "textAfter": "After", - "textAlign": "Align", - "textAlignBottom": "Align Bottom", - "textAlignCenter": "Align Center", - "textAlignLeft": "Align Left", - "textAlignMiddle": "Align Middle", - "textAlignRight": "Align Right", - "textAlignTop": "Align Top", - "textAllCaps": "All Caps", - "textApplyAll": "Apply to All Slides", - "textAuto": "Auto", - "textBack": "Back", - "textBandedColumn": "Banded Column", - "textBandedRow": "Banded Row", - "textBefore": "Before", - "textBlack": "Through Black", - "textBorder": "Border", - "textBottom": "Bottom", - "textBottomLeft": "Bottom-Left", - "textBottomRight": "Bottom-Right", - "textBringToForeground": "Bring to Foreground", - "textBullets": "Bullets", - "textBulletsAndNumbers": "Bullets & Numbers", - "textCaseSensitive": "Case Sensitive", - "textCellMargins": "Cell Margins", - "textChart": "Chart", - "textClock": "Clock", - "textClockwise": "Clockwise", - "textColor": "Color", - "textCounterclockwise": "Counterclockwise", - "textCover": "Cover", - "textCustomColor": "Custom Color", - "textDefault": "Selected text", - "textDelay": "Delay", - "textDeleteSlide": "Delete Slide", - "textDisplay": "Display", - "textDistanceFromText": "Distance From Text", - "textDistributeHorizontally": "Distribute Horizontally", - "textDistributeVertically": "Distribute Vertically", - "textDone": "Done", - "textDoubleStrikethrough": "Double Strikethrough", - "textDuplicateSlide": "Duplicate Slide", - "textDuration": "Duration", - "textEditLink": "Edit Link", - "textEffect": "Effect", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", - "textFade": "Fade", - "textFill": "Fill", - "textFinalMessage": "The end of slide preview. Click to exit.", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFirstColumn": "First Column", - "textFirstSlide": "First Slide", - "textFontColor": "Font Color", - "textFontColors": "Font Colors", - "textFonts": "Fonts", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textHeaderRow": "Header Row", - "textHighlight": "Highlight Results", - "textHighlightColor": "Highlight Color", - "textHorizontalIn": "Horizontal In", - "textHorizontalOut": "Horizontal Out", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textLastColumn": "Last Column", - "textLastSlide": "Last Slide", - "textLayout": "Layout", - "textLeft": "Left", - "textLetterSpacing": "Letter Spacing", - "textLineSpacing": "Line Spacing", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkTo": "Link to", - "textLinkType": "Link Type", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textNextSlide": "Next Slide", - "textNone": "None", - "textNoStyles": "No styles for this type of chart.", - "textNoTextFound": "Text not found", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textNumbers": "Numbers", - "textOpacity": "Opacity", - "textOptions": "Options", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPreviousSlide": "Previous Slide", + "notcriticalErrorTitle": "ເຕືອນ", + "textActualSize": "ຂະໜາດແທ້ຈິງ", + "textAddCustomColor": "ເພີ່ມສີທີ່ກຳນົດເອງ", + "textAdditional": "ເພີ່ມເຕີມ", + "textAdditionalFormatting": "ຈັດຮູບແບບເພີ່ມເຕີມ", + "textAddress": "ທີ່ຢູ່", + "textAfter": "ຫຼັງຈາກ", + "textAlign": "ຈັດແນວ", + "textAlignBottom": "ຈັດຕ່ຳແໜ່ງທາງດ້ານລຸ່ມ", + "textAlignCenter": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", + "textAlignLeft": "ຈັດຕຳແໜ່ງຕິດຊ້າຍ", + "textAlignMiddle": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", + "textAlignRight": "ຈັດຕຳແໜ່ງຕິດຂວາ", + "textAlignTop": "ຈັດຕຳແໜ່ງດ້ານເທິງ", + "textAllCaps": "ໂຕໃຫຍ່ທັງໝົດ", + "textApplyAll": "ນຳໃຊ້ກັບທຸກໆແຜ່ນສະໄລ້", + "textAuto": "ອັດຕະໂນມັດ", + "textAutomatic": "ອັດຕະໂນມັດ", + "textBack": "ກັບຄືນ", + "textBandedColumn": "ຮ່ວມກຸ່ມຖັນ", + "textBandedRow": "ຮ່ວມກຸ່ມແຖວ", + "textBefore": "ກ່ອນ", + "textBlack": "ຜ່ານສີດຳ", + "textBorder": "ຊາຍແດນ", + "textBottom": "ລຸ່ມສຸດ", + "textBottomLeft": "ດ້ານລຸ່ມເບື້ອງຊ້າຍ", + "textBottomRight": "ດ້ານລຸ່ມເບື້ອງຂວາ", + "textBringToForeground": "ເອົາໄປໄວ້ທາງໜ້າ", + "textBullets": "ຂີດໜ້າ", + "textBulletsAndNumbers": "ຫົວຂໍ້ຍ່ອຍ & ຕົວເລກ", + "textCaseSensitive": "ກໍລະນີທີ່ສຳຄັນ", + "textCellMargins": "ຂອບເຂດຂອງແຊວ", + "textChart": "ແຜນຮູບວາດ", + "textClock": "ໂມງ", + "textClockwise": "ການໝຸນຂອງເຂັມໂມງ", + "textColor": "ສີ", + "textCounterclockwise": "ຕົງກັນຊ້າມກັບເຂັມໂມງ", + "textCover": "ໜ້າປົກ", + "textCustomColor": "ປະເພດ ຂອງສີ", + "textDefault": "ຂໍ້ຄວາມທີ່ເລືອກ", + "textDelay": "ລ້າຊ້າ", + "textDeleteSlide": "ລຶບສະໄລ", + "textDesign": "ອອກແບບ", + "textDisplay": "ສະແດງຜົນ", + "textDistanceFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "textDistributeHorizontally": "ແຈກຢາຍຕາມແນວນອນ", + "textDistributeVertically": "ແຈກຢາຍແນວຕັ້ງ", + "textDone": "ສໍາເລັດ", + "textDoubleStrikethrough": "ຂີດທັບສອງຄັ້ງ", + "textDuplicateSlide": "ສຳເນົາ ສະໄລ", + "textDuration": "ໄລຍະ", + "textEditLink": "ແກ້ໄຂ ລີ້ງ", + "textEffect": "ຜົນ, ຜົນເສຍ", + "textEffects": "ຜົນ", + "textEmptyImgUrl": "ທ່ານຈໍາເປັນຕ້ອງລະບຸ URL ຮູບພາບ.", + "textExternalLink": "ລິງພາຍນອກ", + "textFade": "ຈ່າງລົງ", + "textFill": "ຕື່ມ", + "textFinalMessage": "ສິ້ນສຸດເບິ່ງພາບສະໄລ, ກົດອອກ", + "textFind": "ຄົ້ນຫາ", + "textFindAndReplace": "ຄົ້ນຫາແລະປ່ຽນແທນ", + "textFirstColumn": "ຖັນທໍາອິດ", + "textFirstSlide": "ສະໄລທຳອິດ", + "textFontColor": "ສີຂອງຕົວອັກສອນ", + "textFontColors": "ສີຕົວອັກສອນ", + "textFonts": "ຕົວອັກສອນ", + "textFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textFromURL": "ຮູບພາບຈາກ URL", + "textHeaderRow": "ແຖວຫົວ", + "textHighlight": "ໄຮໄລ້ ຜົນ", + "textHighlightColor": "ທາສີໄຮໄລ້", + "textHorizontalIn": "ລວງນອນທາງໃນ", + "textHorizontalOut": "ລວງນອນທາງນອກ", + "textHyperlink": "ົໄຮເປີລີ້ງ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textLastColumn": "ຖັນສຸດທ້າຍ", + "textLastSlide": "ສະໄລ່ສຸດທ້າຍ", + "textLayout": "ແຜນຜັງ", + "textLeft": "ຊ້າຍ", + "textLetterSpacing": "ໄລຍະຫ່າງລະຫວ່າງຕົວອັກສອນ", + "textLineSpacing": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLinkTo": "ເຊື່ອມຕໍ່ຫາ", + "textLinkType": "ປະເພດລີ້ງ", + "textMoveBackward": "ຍ້າຍໄປທາງຫຼັງ", + "textMoveForward": "ຍ້າຍໄປດ້ານໜ້າ", + "textNextSlide": "ພາບສະໄລທັດໄປ", + "textNone": "ບໍ່ມີ", + "textNoStyles": "ບໍ່ມີຮູບແບບສຳລັບແຜນວາດປະເພດນີ້.", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "textNumbers": "ຕົວເລກ", + "textOk": "ຕົກລົງ", + "textOpacity": "ຄວາມເຂັ້ມ", + "textOptions": "ທາງເລືອກ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", + "textPreviousSlide": "ພາບສະໄລຜ່ານມາ", "textPt": "pt", - "textPush": "Push", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textRemoveTable": "Remove Table", - "textReorder": "Reorder", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textReplaceImage": "Replace Image", - "textRight": "Right", - "textScreenTip": "Screen Tip", - "textSearch": "Search", - "textSec": "s", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textShape": "Shape", - "textSize": "Size", - "textSlide": "Slide", - "textSlideInThisPresentation": "Slide in this Presentation", - "textSlideNumber": "Slide Number", - "textSmallCaps": "Small Caps", - "textSmoothly": "Smoothly", - "textSplit": "Split", - "textStartOnClick": "Start On Click", - "textStrikethrough": "Strikethrough", - "textStyle": "Style", - "textStyleOptions": "Style Options", - "textSubscript": "Subscript", - "textSuperscript": "Superscript", - "textTable": "Table", - "textText": "Text", - "textTheme": "Theme", - "textTop": "Top", - "textTopLeft": "Top-Left", - "textTopRight": "Top-Right", - "textTotalRow": "Total Row", - "textTransition": "Transition", - "textType": "Type", - "textUnCover": "UnCover", - "textVerticalIn": "Vertical In", - "textVerticalOut": "Vertical Out", - "textWedge": "Wedge", - "textWipe": "Wipe", - "textZoom": "Zoom", - "textZoomIn": "Zoom In", - "textZoomOut": "Zoom Out", - "textZoomRotate": "Zoom and Rotate", - "textTransitions": "Transitions", - "textDesign": "Design", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textPush": "ດັນ, ຍູ້", + "textRemoveChart": "ລົບແຜນວາດ", + "textRemoveImage": "ລົບຮູບ", + "textRemoveLink": "ລົບລີ້ງ", + "textRemoveShape": "ລົບຮ່າງ", + "textRemoveTable": "ລົບຕາຕະລາງ", + "textReorder": "ຈັດລຽງລໍາດັບຄືນ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceAll": "ປ່ຽນແທນທັງໝົດ", + "textReplaceImage": "ປ່ຽນແທນຮູບພາບ", + "textRight": "ຂວາ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textSearch": "ຄົ້ນຫາ", + "textSec": "S", + "textSelectObjectToEdit": "ເລືອກຈຸດທີ່ຕ້ອງການເພື່ອແກ້ໄຂ", + "textSendToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", + "textShape": "ຮູບຮ່າງ", + "textSize": "ຂະໜາດ", + "textSlide": "ຮູບແບບສະໄລ້", + "textSlideInThisPresentation": "ພາບສະໄລ່ ໃນບົດນຳສະເໜີນີ້", + "textSlideNumber": "ຮູບແບບເລກສະໄລ້", + "textSmallCaps": "ໂຕອັກສອນນ້ອຍ", + "textSmoothly": "ຮູບແບບລາຍລື້ນ", + "textSplit": "ແຍກ", + "textStartOnClick": "ເລີ່ມຕົ້ນກົດ", + "textStrikethrough": "ຂີດຂ້າອອກ", + "textStyle": "ແບບ", + "textStyleOptions": "ທາງເລືອກ ປະເພດ", + "textSubscript": "ຕົວຫ້ອຍ", + "textSuperscript": "ຕົວຍົກ", + "textTable": "ຕາຕະລາງ", + "textText": "ເນື້ອຫາ", + "textTheme": "ຫົວຂໍ້", + "textTop": "ເບື້ອງເທີງ", + "textTopLeft": "ຂ້າງເທິງ ເບິື້ອງຊ້າຍ", + "textTopRight": "ຂ້າງເທິງເບື້ອງຂວາ", + "textTotalRow": "ຈໍານວນແຖວທັງໝົດ", + "textTransitions": "ການຫັນປ່ຽນ", + "textType": "ພິມ", + "textUnCover": "ເປີດເຜີຍ", + "textVerticalIn": "ລວງຕັ້ງດ້ານໃນ", + "textVerticalOut": "ລວງຕັ້ງງດ້ານນອກ", + "textWedge": "ລີ່ມ", + "textWipe": "ເຊັດ", + "textZoom": "ຂະຫຍາຍ ເຂົ້າ-ອອກ", + "textZoomIn": "ຊຸມເຂົ້າ", + "textZoomOut": "ຂະຫຍາຍອອກ", + "textZoomRotate": "ຂະຫຍາຍ ແລະ ໝຸນ" }, "Settings": { - "mniSlideStandard": "Standard (4:3)", - "mniSlideWide": "Widescreen (16:9)", - "textAbout": "About", - "textAddress": "address:", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textCaseSensitive": "Case Sensitive", - "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textCreated": "Created", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As...", - "textEmail": "email:", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textHelp": "Help", - "textHighlight": "Highlight Results", - "textInch": "Inch", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLoading": "Loading...", - "textLocation": "Location", - "textMacrosSettings": "Macros Settings", - "textNoTextFound": "Text not found", - "textOwner": "Owner", - "textPoint": "Point", - "textPoweredBy": "Powered By", - "textPresentationInfo": "Presentation Info", - "textPresentationSettings": "Presentation Settings", - "textPresentationTitle": "Presentation Title", - "textPrint": "Print", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textSearch": "Search", - "textSettings": "Settings", - "textShowNotification": "Show Notification", - "textSlideSize": "Slide Size", - "textSpellcheck": "Spell Checking", - "textSubject": "Subject", - "textTel": "tel:", - "textTitle": "Title", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "textVersion": "Version", - "txtScheme1": "Office", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", + "mniSlideStandard": "ມາດຕະຖານ (4:3)", + "mniSlideWide": "ຈໍກວ້າງ (16: 9)", + "textAbout": "ກ່ຽວກັບ", + "textAddress": "ທີ່ຢູ່:", + "textApplication": "ແອັບ", + "textApplicationSettings": "ການຕັ້ງຄ່າແອັບ", + "textAuthor": "ຜູ້ຂຽນ", + "textBack": "ກັບຄືນ", + "textCaseSensitive": "ກໍລະນີທີ່ສຳຄັນ", + "textCentimeter": "ເຊັນຕິເມັດ", + "textCollaboration": "ການຮ່ວມກັນ", + "textColorSchemes": "ໂທນສີ", + "textComment": "ຄໍາເຫັນ", + "textCreated": "ສ້າງ", + "textDarkTheme": "ຮູບແບບສີສັນມືດ", + "textDisableAll": "ປິດທັງໝົດ", + "textDisableAllMacrosWithNotification": "ປິດການໃຊ້ງານແຈ້ງເຕືອນທົ່ວໄປທັງໝົດ", + "textDisableAllMacrosWithoutNotification": "ປິດການໃຊ້ງານແຈ້ງເຕືອນທົວໄປທັງຫມົດໂດຍບໍ່ມີການແຈ້ງການ", + "textDone": "ສໍາເລັດ", + "textDownload": "ດາວໂຫຼດ", + "textDownloadAs": "ດາວໂຫຼດໂດຍ...", + "textEmail": "ອິເມວ", + "textEnableAll": "ເປີດທັງໝົດ", + "textEnableAllMacrosWithoutNotification": "ເປີດໃຊ້ແຈ້ງເຕືອນທົ່ວໄປໂດຍບໍ່ມີການແຈ້ງການ", + "textFind": "ຄົ້ນຫາ", + "textFindAndReplace": "ຄົ້ນຫາແລະປ່ຽນແທນ", + "textFindAndReplaceAll": "ຄົ້ນຫາ ແລະ ປ່ຽນແທນທັງໝົດ", + "textHelp": "ຊວ່ຍ", + "textHighlight": "ໄຮໄລ້ ຜົນ", + "textInch": "ນີ້ວ", + "textLastModified": "ການແກ້ໄຂຄັ້ງລ້າສຸດ", + "textLastModifiedBy": "ແກ້ໄຂຄັ້ງລ້າສຸດໂດຍ", + "textLoading": "ກໍາລັງດາວໂຫຼດ...", + "textLocation": "ສະຖານທີ", + "textMacrosSettings": "ການຕັ້ງຄ່າທົ່ວໄປ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textOwner": "ເຈົ້າຂອງ", + "textPoint": "ຈຸດ", + "textPoweredBy": "ສ້າງໂດຍ", + "textPresentationInfo": "ຂໍ້ມູນ ການນຳສະເໜີ", + "textPresentationSettings": "ການຕັ້ງຄ່ານຳສະເໜີ", + "textPresentationTitle": "ຫົວຂໍ້ການນຳສະເໜີ", + "textPrint": "ພິມ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceAll": "ປ່ຽນແທນທັງໝົດ", + "textSearch": "ຄົ້ນຫາ", + "textSettings": "ການຕັ້ງຄ່າ", + "textShowNotification": "ສະແດງການແຈ້ງເຕືອນ", + "textSlideSize": "ຂະໜາດພາບສະໄລ", + "textSpellcheck": "ກວດກາການສະກົດຄໍາ", + "textSubject": "ເລື່ອງ", + "textTel": "ໂທ:", + "textTitle": "ຫົວຂໍ້", + "textUnitOfMeasurement": "ຫົວຫນ່ວຍວັດແທກ", + "textUploaded": "ອັບໂຫລດສຳເລັດ", + "textVersion": "ລຸ້ນ", + "txtScheme1": "ຫ້ອງການ", + "txtScheme10": "ເສັ້ນແບ່ງກາງ", + "txtScheme11": "ລົດໄຟຟ້າ", + "txtScheme12": "ໂມດູນ", + "txtScheme13": "ອຸດົມສົມບູນ", + "txtScheme14": "ໂອຣິເອລ", + "txtScheme15": "ເດີມ", + "txtScheme16": "ເຈ້ຍ", + "txtScheme17": "ເສັ້ນໝູນອ້ອມດວງຕາເວັນ", + "txtScheme18": "ເຕັກນິກ", + "txtScheme19": "ຍ່າງ", + "txtScheme2": "ໂທນສີເທົາ", + "txtScheme20": "ໃນເມືອງ", "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textDarkTheme": "Dark Theme", + "txtScheme22": "ຫ້ອງການໃໝ່", + "txtScheme3": "ເອເພັກສ", + "txtScheme4": "ມຸມມອງ", + "txtScheme5": "ພົນລະເມືອງ", + "txtScheme6": "ສຳມະໂນ", + "txtScheme7": "ຄວາມເທົ່າທຽມກັນ", + "txtScheme8": "ຂະບວນການ", + "txtScheme9": "ໂຮງຫລໍ່", "textFeedback": "Feedback & Support" } } diff --git a/apps/presentationeditor/mobile/locale/lv.json b/apps/presentationeditor/mobile/locale/lv.json index 263ce07ec..796b4db4b 100644 --- a/apps/presentationeditor/mobile/locale/lv.json +++ b/apps/presentationeditor/mobile/locale/lv.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "You don't have permission to edit the file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/nb.json b/apps/presentationeditor/mobile/locale/nb.json index 263ce07ec..796b4db4b 100644 --- a/apps/presentationeditor/mobile/locale/nb.json +++ b/apps/presentationeditor/mobile/locale/nb.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "You don't have permission to edit the file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/nl.json b/apps/presentationeditor/mobile/locale/nl.json index c042aa342..ef25e9ce8 100644 --- a/apps/presentationeditor/mobile/locale/nl.json +++ b/apps/presentationeditor/mobile/locale/nl.json @@ -126,7 +126,8 @@ "warnNoLicenseUsers": "U heeft de gebruikerslimiet voor %1 gelijktijdige gebruikers bereikt. Neem contact op met de verkoopafdeling voor persoonlijke upgradevoorwaarden.", "warnProcessRightsChange": "Je hebt geen toestemming om het bestand te bewerken.", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/pl.json b/apps/presentationeditor/mobile/locale/pl.json index 263ce07ec..796b4db4b 100644 --- a/apps/presentationeditor/mobile/locale/pl.json +++ b/apps/presentationeditor/mobile/locale/pl.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "You don't have permission to edit the file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/pt-PT.json b/apps/presentationeditor/mobile/locale/pt-PT.json new file mode 100644 index 000000000..8a482d860 --- /dev/null +++ b/apps/presentationeditor/mobile/locale/pt-PT.json @@ -0,0 +1,480 @@ +{ + "About": { + "textAbout": "Acerca", + "textAddress": "Endereço", + "textBack": "Recuar", + "textEmail": "Email", + "textPoweredBy": "Desenvolvido por", + "textTel": "Tel", + "textVersion": "Versão" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Aviso", + "textAddComment": "Adicionar comentário", + "textAddReply": "Adicionar resposta", + "textBack": "Voltar", + "textCancel": "Cancelar", + "textCollaboration": "Colaboração", + "textComments": "Comentários", + "textDeleteComment": "Eliminar comentário", + "textDeleteReply": "Eliminar resposta", + "textDone": "Concluído", + "textEdit": "Editar", + "textEditComment": "Editar comentário", + "textEditReply": "Editar resposta", + "textEditUser": "Utilizadores que estão a editar o ficheiro:", + "textMessageDeleteComment": "Tem a certeza de que deseja eliminar este comentário?", + "textMessageDeleteReply": "Tem a certeza de que deseja eliminar esta resposta?", + "textNoComments": "Este documento não contém comentários", + "textOk": "Ok", + "textReopen": "Reabrir", + "textResolve": "Resolver", + "textTryUndoRedo": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "textUsers": "Utilizadores" + }, + "HighlightColorPalette": { + "textNoFill": "Sem preenchimento" + }, + "ThemeColorPalette": { + "textCustomColors": "Cores personalizadas", + "textStandartColors": "Cores padrão", + "textThemeColors": "Cores do tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "As ações copiar, cortar e colar através do menu de contexto apenas serão executadas no documento atual.", + "menuAddComment": "Adicionar comentário", + "menuAddLink": "Adicionar ligação", + "menuCancel": "Cancelar", + "menuDelete": "Eliminar", + "menuDeleteTable": "Eliminar tabela", + "menuEdit": "Editar", + "menuMerge": "Mesclar", + "menuMore": "Mais", + "menuOpenLink": "Abrir ligação", + "menuSplit": "Dividir", + "menuViewComment": "Ver comentário", + "textColumns": "Colunas", + "textCopyCutPasteActions": "Ações copiar, cortar e colar", + "textDoNotShowAgain": "Não mostrar novamente", + "textRows": "Linhas" + }, + "Controller": { + "Main": { + "advDRMOptions": "Ficheiro protegido", + "advDRMPassword": "Senha", + "closeButtonText": "Fechar ficheiro", + "criticalErrorTitle": "Erro", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
                              Por favor, contacte o seu administrador.", + "errorOpensource": "Utilizando a versão comunitária gratuita, pode abrir documentos apenas para visualização. Para aceder aos editores da web móvel, é necessária uma licença comercial.", + "errorProcessSaveResult": "Salvamento falhou.", + "errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", + "errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", + "leavePageText": "Tem alterações não guardadas neste documento. Clique em 'Ficar nesta página' para aguardar pelo guardar automaticamente. Clique em 'Deixar esta página' para se desfazer de todas as alterações não guardadas.", + "notcriticalErrorTitle": "Aviso", + "SDK": { + "Chart": "Gráfico", + "Click to add first slide": "Clique para adicionar o primeiro diapositivo", + "Click to add notes": "Clique para adicionar notas", + "ClipArt": "Clip Art", + "Date and time": "Data e Hora", + "Diagram": "Diagrama", + "Diagram Title": "Título do gráfico", + "Footer": "Rodapé", + "Header": "Cabeçalho", + "Image": "Imagem", + "Loading": "Carregamento", + "Media": "Multimédia", + "None": "Nenhum", + "Picture": "Imagem", + "Series": "Série", + "Slide number": "Número do diapositivo", + "Slide subtitle": "Legenda do diapositivo", + "Slide text": "Texto do diapositivo", + "Slide title": "Título do diapositivo", + "Table": "Tabela", + "X Axis": "X Eixo XAS", + "Y Axis": "Eixo Y", + "Your text here": "O seu texto aqui" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar website", + "textClose": "Fechar", + "textContactUs": "Contacte a equipa comercial", + "textCustomLoader": "Desculpe, não tem o direito de mudar o carregador. Por favor, contacte o nosso departamento de vendas para obter um orçamento.", + "textGuest": "Visitante", + "textHasMacros": "O ficheiro contém macros automáticas.
                              Deseja executar as macros?", + "textNo": "Não", + "textNoLicenseTitle": "Limite de licença atingido", + "textNoTextFound": "Texto não encontrado", + "textOpenFile": "Introduza a palavra-passe para abrir o ficheiro", + "textPaidFeature": "Funcionalidade paga", + "textRemember": "Memorizar a minha escolha", + "textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "textYes": "Sim", + "titleLicenseExp": "Licença expirada", + "titleServerVersion": "Editor atualizado", + "titleUpdateVersion": "Versão alterada", + "txtIncorrectPwd": "A Palavra-passe está incorreta", + "txtProtected": "Assim que introduzir a palavra-passe e abrir o ficheiro, a palavra-passe atual será reposta", + "warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte o seu administrador para obter mais informações.", + "warnLicenseExp": "A sua licença expirou. Por favor, atualize-a e atualize a página.", + "warnLicenseLimitedNoAccess": "A licença expirou. Não tem acesso à funcionalidade de edição de documentos. Por favor contacte o seu administrador.", + "warnLicenseLimitedRenewed": "A licença precisa ed ser renovada. Tem acesso limitado à funcionalidade de edição de documentos, .
                              Por favor contacte o seu administrador para ter acesso total", + "warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte a %1 equipa de vendas para consultar os termos de atualização para si.", + "warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "warnProcessRightsChange": "Não tem autorização para editar este ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "Tempo limite de conversão excedido.", + "criticalErrorExtText": "Clique em \"OK\" para voltar para a lista de documentos.", + "criticalErrorTitle": "Erro", + "downloadErrorText": "Falha ao descarregar.", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
                              Por favor, contacte o seu administrador.", + "errorBadImageUrl": "O URL da imagem está incorreto", + "errorConnectToServer": "Não é possível guardar este documento. Verifique as definições de ligação ou entre em contato com o administrador.
                              Ao clicar no botão 'OK', será solicitado a descarregar o documento.", + "errorDatabaseConnection": "Erro externo.
                              Erro de ligação à base de dados. Contacte o suporte.", + "errorDataEncrypted": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "errorDataRange": "Intervalo de dados incorreto.", + "errorDefaultMessage": "Código de erro: %1", + "errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento.
                              Use a opção 'Descarregar' para guardar a cópia de segurança do ficheiro localmente.", + "errorFilePassProtect": "Este ficheiro está protegido por uma palavra-passe e não foi possível abri-lo. ", + "errorFileSizeExceed": "O tamanho do ficheiro excede a limitação máxima do seu servidor.
                              Por favor, contacte o seu administrador para obter mais informações.", + "errorKeyEncrypt": "Descritor de chave desconhecido", + "errorKeyExpire": "Descritor de chave expirado", + "errorLoadingFont": "Tipos de letra não carregados.
                              Por favor contacte o administrador do servidor de documentos.", + "errorSessionAbsolute": "A sessão de edição de documentos expirou. Por favor, volte a carregar a página.", + "errorSessionIdle": "Há muito tempo que o documento não é editado. Por favor, volte a carregar a página.", + "errorSessionToken": "A ligação ao servidor foi interrompida. Por favor, volte a carregar a página.", + "errorStockChart": "Ordem das linhas incorreta. Para construir um gráfico de cotações, introduza os dados na folha com a seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "errorUpdateVersionOnDisconnect": "A ligação com a Internet foi restaurada e a versão do ficheiro foi alterada.
                              Antes de continuar a trabalhar, descarregue o ficheiro ou copie o seu conteúdo para garantir que nada seja perdido e depois recarregue esta página.", + "errorUserDrop": "O arquivo não pode ser acessado agora.", + "errorUsersExceed": "O número de usuários permitidos pelo plano de preços foi excedido", + "errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas não será
                              possível descarregar ou imprimir o documento se a ligação não for restaurada e a página recarregada.", + "notcriticalErrorTitle": "Aviso", + "openErrorText": "Ocorreu um erro ao abrir o ficheiro", + "saveErrorText": "Ocorreu um erro ao guardar o ficheiro", + "scriptLoadError": "A ligação está demasiado lenta, não foi possível carregar alguns dos componentes. Por favor, recarregue a página. ", + "splitDividerErrorText": "O número de linhas tem que ser um divisor de %1", + "splitMaxColsErrorText": "O número de colunas tem que ser inferior a %1", + "splitMaxRowsErrorText": "O número de linhas tem que ser inferior a %1", + "unknownErrorText": "Erro desconhecido.", + "uploadImageExtMessage": "Formato de imagem desconhecido.", + "uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB." + }, + "LongActions": { + "applyChangesTextText": "Carregando dados...", + "applyChangesTitleText": "Carregando dados", + "downloadTextText": "A descarregar documento...", + "downloadTitleText": "A descarregar documento", + "loadFontsTextText": "Carregando dados...", + "loadFontsTitleText": "Carregando dados", + "loadFontTextText": "Carregando dados...", + "loadFontTitleText": "Carregando dados", + "loadImagesTextText": "Carregando imagens...", + "loadImagesTitleText": "Carregando imagens", + "loadImageTextText": "Carregando imagem...", + "loadImageTitleText": "Carregando imagem", + "loadingDocumentTextText": "Carregando documento...", + "loadingDocumentTitleText": "Carregando documento", + "loadThemeTextText": "Carregando temas...", + "loadThemeTitleText": "Carregando tema", + "openTextText": "Abrindo documento...", + "openTitleText": "Abrindo documento", + "printTextText": "Imprimindo documento...", + "printTitleText": "Imprimindo documento", + "savePreparingText": "Preparando para salvar", + "savePreparingTitle": "A preparar para guardar. Por favor aguarde...", + "saveTextText": "Salvando documento...", + "saveTitleText": "Salvando documento", + "textLoadingDocument": "Carregando documento", + "txtEditingMode": "Definir modo de edição...", + "uploadImageTextText": "Carregando imagem...", + "uploadImageTitleText": "Carregando imagem", + "waitText": "Por favor aguarde..." + }, + "Toolbar": { + "dlgLeaveMsgText": "Tem alterações não guardadas neste documento. Clique em 'Ficar nesta página' para aguardar pelo guardar automaticamente. Clique em 'Deixar esta página' para se desfazer de todas as alterações não guardadas.", + "dlgLeaveTitleText": "Saiu da aplicação", + "leaveButtonText": "Sair da página", + "stayButtonText": "Ficar na página" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "Aviso", + "textAddLink": "Adicionar ligação", + "textAddress": "Endereço", + "textBack": "Voltar", + "textCancel": "Cancelar", + "textColumns": "Colunas", + "textComment": "Comentário", + "textDefault": "Texto selecionado", + "textDisplay": "Mostrar", + "textEmptyImgUrl": "É necessário especificar o URL da imagem.", + "textExternalLink": "Ligação externa", + "textFirstSlide": "Primeiro diapositivo", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textInsert": "Inserir", + "textInsertImage": "Inserir imagem", + "textLastSlide": "Último diapositivo", + "textLink": "Ligação", + "textLinkSettings": "Definições de ligação", + "textLinkTo": "Ligação a", + "textLinkType": "Tipo de ligação", + "textNextSlide": "Diapositivo seguinte", + "textOk": "Ok", + "textOther": "Outros", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textPreviousSlide": "Diapositivo anterior", + "textRows": "Linhas", + "textScreenTip": "Dica no ecrã", + "textShape": "Forma", + "textSlide": "Diapositivo", + "textSlideInThisPresentation": "Diapositivo nesta apresentação", + "textSlideNumber": "Número do diapositivo", + "textTable": "Tabela", + "textTableSize": "Tamanho da tabela", + "txtNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"" + }, + "Edit": { + "notcriticalErrorTitle": "Aviso", + "textActualSize": "Tamanho real", + "textAddCustomColor": "Adicionar cor personalizada", + "textAdditional": "Adicional", + "textAdditionalFormatting": "Formatação adicional", + "textAddress": "Endereço", + "textAfter": "Depois", + "textAlign": "Alinhar", + "textAlignBottom": "Alinhar à parte inferior", + "textAlignCenter": "Alinhar ao centro", + "textAlignLeft": "Alinhar à esquerda", + "textAlignMiddle": "Alinhar ao meio", + "textAlignRight": "Alinhar à direita", + "textAlignTop": "Alinhar à parte superior", + "textAllCaps": "Tudo em maiúsculas", + "textApplyAll": "Aplicar a todos os diapositivos", + "textAuto": "Automático", + "textAutomatic": "Automático", + "textBack": "Voltar", + "textBandedColumn": "Diferenciação de colunas", + "textBandedRow": "Diferenciação de linhas", + "textBefore": "Antes", + "textBlack": "Através preto", + "textBorder": "Borda", + "textBottom": "Inferior", + "textBottomLeft": "Inferior esquerdo", + "textBottomRight": "Inferior direito", + "textBringToForeground": "Trazer para primeiro plano", + "textBullets": "Marcadores", + "textBulletsAndNumbers": "Marcas e numeração", + "textCaseSensitive": "Maiúsculas e Minúsculas", + "textCellMargins": "Margens da célula", + "textChart": "Gráfico", + "textClock": "Relógio", + "textClockwise": "Sentido horário", + "textColor": "Cor", + "textCounterclockwise": "Sentido anti-horário", + "textCover": "Capa", + "textCustomColor": "Cor personalizada", + "textDefault": "Texto selecionado", + "textDelay": "Atraso", + "textDeleteSlide": "Eliminar diapositivo", + "textDesign": "Design", + "textDisplay": "Mostrar", + "textDistanceFromText": "Distância do texto", + "textDistributeHorizontally": "Distribuir horizontalmente", + "textDistributeVertically": "Distribuir verticalmente", + "textDone": "Concluído", + "textDoubleStrikethrough": "Duplo rasurado", + "textDuplicateSlide": "Duplicar diapositivo", + "textDuration": "Duração", + "textEditLink": "Editar ligação", + "textEffect": "Efeito", + "textEffects": "Efeitos", + "textEmptyImgUrl": "É necessário especificar o URL da imagem.", + "textExternalLink": "Ligação externa", + "textFade": "Esmaecer", + "textFill": "Preencher", + "textFinalMessage": "Fim da pré-visualização de slide. Clique para sair.", + "textFind": "Localizar", + "textFindAndReplace": "Localizar e substituir", + "textFirstColumn": "Primeira coluna", + "textFirstSlide": "Primeiro diapositivo", + "textFontColor": "Cor do tipo de letra", + "textFontColors": "Cores do tipo de letra", + "textFonts": "Tipos de letra", + "textFromLibrary": "Imagem da biblioteca", + "textFromURL": "Imagem de um URL", + "textHeaderRow": "Linha de cabeçalho", + "textHighlight": "Destacar resultados", + "textHighlightColor": "Cor de destaque", + "textHorizontalIn": "Horizontal para dentro", + "textHorizontalOut": "Horizontal para fora", + "textHyperlink": "Hiperligação", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textLastColumn": "Última coluna", + "textLastSlide": "Último diapositivo", + "textLayout": "Disposição", + "textLeft": "Esquerda", + "textLetterSpacing": "Espaçamento entre letras", + "textLineSpacing": "Espaçamento entre linhas", + "textLink": "Ligação", + "textLinkSettings": "Definições de ligação", + "textLinkTo": "Ligação a", + "textLinkType": "Tipo de ligação", + "textMoveBackward": "Mover para trás", + "textMoveForward": "Mover para frente", + "textNextSlide": "Diapositivo seguinte", + "textNone": "Nenhum", + "textNoStyles": "Sem estilos para este tipo de gráficos.", + "textNoTextFound": "Texto não encontrado", + "textNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "textNumbers": "Números", + "textOk": "Ok", + "textOpacity": "Opacidade", + "textOptions": "Opções", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textPreviousSlide": "Diapositivo anterior", + "textPt": "pt", + "textPush": "Empurrar", + "textRemoveChart": "Remover gráfico", + "textRemoveImage": "Remover imagem", + "textRemoveLink": "Remover ligação", + "textRemoveShape": "Remover forma", + "textRemoveTable": "Remover tabela", + "textReorder": "Reordenar", + "textReplace": "Substituir", + "textReplaceAll": "Substituir tudo", + "textReplaceImage": "Substituir imagem", + "textRight": "Direita", + "textScreenTip": "Dica no ecrã", + "textSearch": "Pesquisar", + "textSec": "s", + "textSelectObjectToEdit": "Selecionar objeto para editar", + "textSendToBackground": "Enviar para plano de fundo", + "textShape": "Forma", + "textSize": "Tamanho", + "textSlide": "Diapositivo", + "textSlideInThisPresentation": "Diapositivo nesta apresentação", + "textSlideNumber": "Número do diapositivo", + "textSmallCaps": "Versaletes", + "textSmoothly": "Suavemente", + "textSplit": "Dividir", + "textStartOnClick": "Iniciar ao clicar", + "textStrikethrough": "Rasurado", + "textStyle": "Estilo", + "textStyleOptions": "Opções de estilo", + "textSubscript": "Subscrito", + "textSuperscript": "Sobrescrito", + "textTable": "Tabela", + "textText": "Texto", + "textTheme": "Tema", + "textTop": "Parte superior", + "textTopLeft": "Parte superior esquerda", + "textTopRight": "Parte superior direita", + "textTotalRow": "Total de linhas", + "textTransitions": "Transições", + "textType": "Tipo", + "textUnCover": "Descobrir", + "textVerticalIn": "Vertical para dentro", + "textVerticalOut": "Vertical para fora", + "textWedge": "Triangular", + "textWipe": "Revelar", + "textZoom": "Zoom", + "textZoomIn": "Ampliar", + "textZoomOut": "Reduzir", + "textZoomRotate": "Zoom e Rotação" + }, + "Settings": { + "mniSlideStandard": "Padrão (4:3)", + "mniSlideWide": "Ecrã panorâmico (16:9)", + "textAbout": "Acerca", + "textAddress": "endereço:", + "textApplication": "Aplicação", + "textApplicationSettings": "Definições da aplicação", + "textAuthor": "Autor", + "textBack": "Voltar", + "textCaseSensitive": "Maiúsculas e Minúsculas", + "textCentimeter": "Centímetro", + "textCollaboration": "Colaboração", + "textColorSchemes": "Esquemas de cor", + "textComment": "Comentário", + "textCreated": "Criado", + "textDarkTheme": "Tema Escuro", + "textDisableAll": "Desativar tudo", + "textDisableAllMacrosWithNotification": "Desativar todas as macros com notificação", + "textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem notificação", + "textDone": "Concluído", + "textDownload": "Descarregar", + "textDownloadAs": "Descarregar como...", + "textEmail": "e-mail:", + "textEnableAll": "Ativar tudo", + "textEnableAllMacrosWithoutNotification": "Ativar todas as macros sem notificação", + "textFind": "Localizar", + "textFindAndReplace": "Localizar e substituir", + "textFindAndReplaceAll": "Localizar e substituir tudo", + "textHelp": "Ajuda", + "textHighlight": "Destacar resultados", + "textInch": "Polegada", + "textLastModified": "Última modificação", + "textLastModifiedBy": "Última modificação por", + "textLoading": "Carregando...", + "textLocation": "Localização", + "textMacrosSettings": "Definições de macros", + "textNoTextFound": "Texto não encontrado", + "textOwner": "Proprietário", + "textPoint": "Ponto", + "textPoweredBy": "Desenvolvido por", + "textPresentationInfo": "Informação da Apresentação", + "textPresentationSettings": "Definições da apresentação", + "textPresentationTitle": "Título da Apresentação", + "textPrint": "Imprimir", + "textReplace": "Substituir", + "textReplaceAll": "Substituir tudo", + "textSearch": "Pesquisar", + "textSettings": "Configurações", + "textShowNotification": "Mostrar notificação", + "textSlideSize": "Tamanho do diapositivo", + "textSpellcheck": "Verificação ortográfica", + "textSubject": "Assunto", + "textTel": "tel:", + "textTitle": "Título", + "textUnitOfMeasurement": "Unidade de medida", + "textUploaded": "Carregado", + "textVersion": "Versão", + "txtScheme1": "Office", + "txtScheme10": "Mediana", + "txtScheme11": "Metro", + "txtScheme12": "Módulo", + "txtScheme13": "Opulento", + "txtScheme14": "Balcão envidraçado", + "txtScheme15": "Origem", + "txtScheme16": "Papel", + "txtScheme17": "Solstício", + "txtScheme18": "Técnica", + "txtScheme19": "Viagem", + "txtScheme2": "Escala de cinza", + "txtScheme20": "Urbano", + "txtScheme21": "Verve", + "txtScheme22": "Novo Escritório", + "txtScheme3": "Ápice", + "txtScheme4": "Aspecto", + "txtScheme5": "Cívico", + "txtScheme6": "Concurso", + "txtScheme7": "Equidade", + "txtScheme8": "Fluxo", + "txtScheme9": "Fundição", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/pt.json b/apps/presentationeditor/mobile/locale/pt.json index 8cd58a9a6..da6679f98 100644 --- a/apps/presentationeditor/mobile/locale/pt.json +++ b/apps/presentationeditor/mobile/locale/pt.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.", "warnNoLicense": "Você atingiu o limite de conexões simultâneas para% 1 editores. Este documento será aberto apenas para visualização. Contate a equipe de vendas% 1 para termos de atualização pessoal.", "warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.
                              Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.", - "warnProcessRightsChange": "Você não tem permissão para editar o arquivo." + "warnProcessRightsChange": "Você não tem permissão para editar o arquivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/ro.json b/apps/presentationeditor/mobile/locale/ro.json index c35343b89..3dd6cf550 100644 --- a/apps/presentationeditor/mobile/locale/ro.json +++ b/apps/presentationeditor/mobile/locale/ro.json @@ -1,6 +1,6 @@ { "About": { - "textAbout": "Despre", + "textAbout": "Informații", "textAddress": "Adresă", "textBack": "Înapoi", "textEmail": "Email", @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori ai %1 editoare. Pentru detalii, contactați administratorul dvs.", "warnNoLicense": "Ați atins numărul maxim de conexiuni simultane la %1 de editoare. Documentul este disponibil numai pentru vizualizare. Contactați %1 Departamentul de Vânzări pentru acordarea condițiilor personale de actualizare.", "warnNoLicenseUsers": "Ați atins numărul maxim de utilizatori ai %1 editoare. Contactați Grup Vânzări %1 pentru acordarea condițiilor personale de licențiere.", - "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -397,7 +398,7 @@ "Settings": { "mniSlideStandard": "Standard (4:3)", "mniSlideWide": "Ecran lat (16:9)", - "textAbout": "Despre", + "textAbout": "Informații", "textAddress": "adresă:", "textApplication": "Aplicația", "textApplicationSettings": "Setări Aplicație", diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json index 0fa3213ec..1565248d5 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", - "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/sk.json b/apps/presentationeditor/mobile/locale/sk.json index 263ce07ec..0410c4f7a 100644 --- a/apps/presentationeditor/mobile/locale/sk.json +++ b/apps/presentationeditor/mobile/locale/sk.json @@ -1,479 +1,479 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "O aplikácii", + "textAddress": "Adresa", + "textBack": "Späť", "textEmail": "Email", - "textPoweredBy": "Powered By", + "textPoweredBy": "Poháňaný ", "textTel": "Tel", - "textVersion": "Version" + "textVersion": "Verzia" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", - "textCollaboration": "Collaboration", - "textComments": "Comments", - "textDeleteComment": "Delete Comment", - "textDeleteReply": "Delete Reply", - "textDone": "Done", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textNoComments": "This document doesn't contain comments", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" - }, - "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "notcriticalErrorTitle": "Upozornenie", + "textAddComment": "Pridať komentár", + "textAddReply": "Pridať odpoveď", + "textBack": "Späť", + "textCancel": "Zrušiť", + "textCollaboration": "Spolupráca", + "textComments": "Komentáre", + "textDeleteComment": "Vymazať komentár", + "textDeleteReply": "Vymazať odpoveď", + "textDone": "Hotovo", + "textEdit": "Upraviť", + "textEditComment": "Upraviť komentár", + "textEditReply": "Upraviť odpoveď", + "textEditUser": "Používatelia, ktorí súbor práve upravujú:", + "textMessageDeleteComment": "Naozaj chcete zmazať tento komentár?", + "textMessageDeleteReply": "Naozaj chcete zmazať túto odpoveď?", + "textNoComments": "Tento dokument neobsahuje komentáre", + "textOk": "OK", + "textReopen": "Znovu otvoriť", + "textResolve": "Vyriešiť", + "textTryUndoRedo": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", + "textUsers": "Používatelia" }, "HighlightColorPalette": { - "textNoFill": "No Fill" + "textNoFill": "Bez výplne" + }, + "ThemeColorPalette": { + "textCustomColors": "Vlastné farby", + "textStandartColors": "Štandardné farby", + "textThemeColors": "Farebné témy" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add Comment", - "menuAddLink": "Add Link", - "menuCancel": "Cancel", - "menuDelete": "Delete", - "menuDeleteTable": "Delete Table", - "menuEdit": "Edit", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuSplit": "Split", - "menuViewComment": "View Comment", - "textColumns": "Columns", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "textRows": "Rows" + "errorCopyCutPaste": "Akcie kopírovania, vystrihovania a vkladania pomocou kontextovej ponuky sa budú vykonávať iba v práve otvorenom súbore.", + "menuAddComment": "Pridať komentár", + "menuAddLink": "Pridať odkaz", + "menuCancel": "Zrušiť", + "menuDelete": "Odstrániť", + "menuDeleteTable": "Odstrániť tabuľku", + "menuEdit": "Upraviť", + "menuMerge": "Zlúčiť", + "menuMore": "Viac", + "menuOpenLink": "Otvoriť odkaz", + "menuSplit": "Rozdeliť", + "menuViewComment": "Zobraziť komentár", + "textColumns": "Stĺpce", + "textCopyCutPasteActions": "Akcia kopírovať, vystrihnúť a prilepiť", + "textDoNotShowAgain": "Nezobrazovať znova", + "textRows": "Riadky" }, "Controller": { "Main": { - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
                              Please, contact your admin.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "errorProcessSaveResult": "Saving failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "advDRMOptions": "Chránený súbor", + "advDRMPassword": "Heslo", + "closeButtonText": "Zatvoriť súbor", + "criticalErrorTitle": "Chyba", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
                              Kontaktujte svojho správcu.", + "errorOpensource": "Pomocou bezplatnej komunitnej verzie môžete otvárať dokumenty len na prezeranie. Na prístup k editorom mobilného webu je potrebná komerčná licencia.", + "errorProcessSaveResult": "Ukladanie zlyhalo.", + "errorServerVersion": "Verzia editora bola aktualizovaná. Stránka sa opätovne načíta, aby sa vykonali zmeny.", + "errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", + "leavePageText": "V tomto dokumente máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "notcriticalErrorTitle": "Upozornenie", "SDK": { - "Chart": "Chart", - "Click to add first slide": "Click to add first slide", - "Click to add notes": "Click to add notes", - "ClipArt": "Clip Art", - "Date and time": "Date and time", + "Chart": "Graf", + "Click to add first slide": "Kliknutím pridáte prvú snímku", + "Click to add notes": "Kliknutím pridáte poznámky", + "ClipArt": "Klipart", + "Date and time": "Dátum a čas", "Diagram": "Diagram", - "Diagram Title": "Chart Title", - "Footer": "Footer", - "Header": "Header", - "Image": "Image", - "Loading": "Loading", - "Media": "Media", - "None": "None", - "Picture": "Picture", - "Series": "Series", - "Slide number": "Slide number", - "Slide subtitle": "Slide subtitle", - "Slide text": "Slide text", - "Slide title": "Slide title", - "Table": "Table", - "X Axis": "X Axis XAS", - "Y Axis": "Y Axis", - "Your text here": "Your text here" + "Diagram Title": "Názov grafu", + "Footer": "Päta stránky", + "Header": "Hlavička", + "Image": "Obrázok", + "Loading": "Nahrávanie", + "Media": "Médiá ", + "None": "žiadne", + "Picture": "Obrázok", + "Series": "Rady", + "Slide number": "Číslo snímky", + "Slide subtitle": "Podtitul snímku", + "Slide text": "Text snímku", + "Slide title": "Názov snímku", + "Table": "Tabuľka", + "X Axis": "Os X (XAS)", + "Y Axis": "Os Y", + "Your text here": "Tu napíšte svoj text" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
                              Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textOpenFile": "Enter a password to open the file", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleLicenseExp": "License expired", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseExp": "Your license has expired. Please, update it and refresh the page.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your administrator.", - "warnLicenseLimitedRenewed": "The license needs to be renewed. You have limited access to document editing functionality.
                              Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textAnonymous": "Anonymný", + "textBuyNow": "Navštíviť webovú stránku", + "textClose": "Zatvoriť", + "textContactUs": "Kontaktujte predajcu", + "textCustomLoader": "Ľutujeme, nemáte nárok na výmenu zavádzača. Pre získanie cenovej ponuky kontaktujte prosím naše obchodné oddelenie.", + "textGuest": "Návštevník", + "textHasMacros": "Súbor obsahuje automatické makrá.
                              Naozaj chcete makra spustiť?", + "textNo": "Nie", + "textNoLicenseTitle": "Bol dosiahnutý limit licencie", + "textNoTextFound": "Text nebol nájdený", + "textOpenFile": "Zadajte heslo na otvorenie súboru", + "textPaidFeature": "Platená funkcia", + "textRemember": "Zapamätaj si moju voľbu", + "textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", + "textReplaceSuccess": "Vyhľadávanie bolo uskutočnené. Nahradené udalosti: {0}", + "textYes": "Áno", + "titleLicenseExp": "Platnosť licencie uplynula", + "titleServerVersion": "Editor bol aktualizovaný", + "titleUpdateVersion": "Verzia bola zmenená", + "txtIncorrectPwd": "Heslo je chybné ", + "txtProtected": "Akonáhle vložíte heslo a otvoríte súbor, terajšie heslo sa zresetuje.", + "warnLicenseExceeded": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Ak sa chcete dozvedieť viac, kontaktujte svojho správcu.", + "warnLicenseExp": "Platnosť vašej licencie vypršala. Aktualizujte ho a obnovte stránku.", + "warnLicenseLimitedNoAccess": "Platnosť licencie vypršala. Nemáte prístup k funkciám úpravy dokumentov. Kontaktujte svojho správcu.", + "warnLicenseLimitedRenewed": "Licenciu je potrebné obnoviť. Máte obmedzený prístup k funkciám úpravy dokumentov.
                              Ak chcete získať úplný prístup, kontaktujte svojho správcu", + "warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "warnNoLicense": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Kontaktujte predajný tím %1 pre osobné podmienky inovácie.", + "warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "warnProcessRightsChange": "Nemáte povolenie na úpravu súboru.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
                              Please contact your admin.", - "errorBadImageUrl": "Image url is incorrect", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.
                              When you click the 'OK' button, you will be prompted to download the document.", - "errorDatabaseConnection": "External error.
                              Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
                              Use the 'Download' option to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileSizeExceed": "The file size exceeds your server limitation.
                              Please, contact your admin.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
                              opening price, max price, min price, closing price.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
                              Before you can continue working, download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
                              but you won't be able to download it until the connection is restored and the page is reloaded.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "splitDividerErrorText": "The number of rows must be a divisor of %1", - "splitMaxColsErrorText": "The number of columns must be less than %1", - "splitMaxRowsErrorText": "The number of rows must be less than %1", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
                              Please contact your Document Server administrator." + "convertationTimeoutText": "Prekročený čas konverzie.", + "criticalErrorExtText": "Stlačením tlačidla „OK“ sa vrátite do zoznamu dokumentov.", + "criticalErrorTitle": "Chyba", + "downloadErrorText": "Sťahovanie zlyhalo.", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
                              Kontaktujte svojho správcu.", + "errorBadImageUrl": "Adresa URL obrázku je nesprávna", + "errorConnectToServer": "Tento dokument nie je možné uložiť. Skontrolujte nastavenia pripojenia alebo kontaktujte svojho správcu.
                              Keď kliknete na tlačidlo 'OK', zobrazí sa výzva na stiahnutie dokumentu.", + "errorDatabaseConnection": "Externá chyba.
                              Chyba spojenia databázy. Obráťte sa prosím na podporu.", + "errorDataEncrypted": "Boli prijaté zašifrované zmeny, nemožno ich dekódovať.", + "errorDataRange": "Nesprávny rozsah údajov.", + "errorDefaultMessage": "Kód chyby: %1", + "errorEditingDownloadas": "Počas práce s dokumentom sa vyskytla chyba.
                              Na lokálne uloženie záložnej kópie súboru použite možnosť „Stiahnuť“.", + "errorFilePassProtect": "Súbor je chránený heslom a nebolo možné ho otvoriť.", + "errorFileSizeExceed": "Veľkosť súboru presahuje obmedzenie vášho servera.
                              Kontaktujte svojho správcu.", + "errorKeyEncrypt": "Neznámy kľúč deskriptoru", + "errorKeyExpire": "Kľúč deskriptora vypršal", + "errorLoadingFont": "Fonty sa nenahrali.
                              Kontaktujte prosím svojho administrátora Servera dokumentov.", + "errorSessionAbsolute": "Platnosť relácie úpravy dokumentu vypršala. Prosím, načítajte stránku znova.", + "errorSessionIdle": "Dokument nebol dlhší čas upravovaný. Prosím, načítajte stránku znova.", + "errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", + "errorStockChart": "Nesprávne poradie riadkov. Ak chcete zostaviť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              otváracia cena, maximálna cena, minimálna cena, záverečná cena.", + "errorUpdateVersionOnDisconnect": "Internetové pripojenie bolo obnovené a verzia súboru bola zmenená.
                              Skôr ako budete môcť pokračovať v práci, stiahnite súbor alebo skopírujte jeho obsah, aby ste sa uistili, že sa nič nestratí, a potom znova načítajte túto stránku.", + "errorUserDrop": "K súboru teraz nie je možné získať prístup.", + "errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", + "errorViewerDisconnect": "Spojenie je stratené. Dokument si stále môžete prezerať,
                              ale nebudete si ho môcť stiahnuť ani vytlačiť, kým sa neobnoví pripojenie a stránka sa znova nenačíta.", + "notcriticalErrorTitle": "Upozornenie", + "openErrorText": "Pri otváraní súboru sa vyskytla chyba", + "saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "scriptLoadError": "Pripojenie je príliš pomalé, niektoré komponenty sa nepodarilo načítať. Prosím, načítajte stránku znova.", + "splitDividerErrorText": "Počet riadkov musí byť deliteľom %1", + "splitMaxColsErrorText": "Počet stĺpcov musí byť menší ako %1", + "splitMaxRowsErrorText": "Počet riadkov musí byť menší ako %1", + "unknownErrorText": "Neznáma chyba.", + "uploadImageExtMessage": "Neznámy formát obrázka.", + "uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", + "uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "loadThemeTextText": "Loading theme...", - "loadThemeTitleText": "Loading Theme", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "textLoadingDocument": "Loading document", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait..." + "applyChangesTextText": "Načítavanie dát...", + "applyChangesTitleText": "Načítavanie dát", + "downloadTextText": "Sťahovanie dokumentu...", + "downloadTitleText": "Sťahovanie dokumentu", + "loadFontsTextText": "Načítavanie dát...", + "loadFontsTitleText": "Načítavanie dát", + "loadFontTextText": "Načítavanie dát...", + "loadFontTitleText": "Načítavanie dát", + "loadImagesTextText": "Načítavanie obrázkov...", + "loadImagesTitleText": "Načítanie obrázkov", + "loadImageTextText": "Načítanie obrázku...", + "loadImageTitleText": "Načítavanie obrázku", + "loadingDocumentTextText": "Načítavanie dokumentu ...", + "loadingDocumentTitleText": "Načítavanie dokumentu", + "loadThemeTextText": "Načítavanie témy...", + "loadThemeTitleText": "Načítavanie témy", + "openTextText": "Otváranie dokumentu...", + "openTitleText": "Otváranie dokumentu", + "printTextText": "Tlač dokumentu...", + "printTitleText": "Tlač dokumentu", + "savePreparingText": "Príprava na uloženie", + "savePreparingTitle": "Príprava na uloženie. Prosím čakajte...", + "saveTextText": "Ukladanie dokumentu...", + "saveTitleText": "Ukladanie dokumentu", + "textLoadingDocument": "Načítavanie dokumentu", + "txtEditingMode": "Nastaviť režim úprav ...", + "uploadImageTextText": "Nahrávanie obrázku...", + "uploadImageTitleText": "Nahrávanie obrázku", + "waitText": "Prosím čakajte..." }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this page", - "stayButtonText": "Stay on this Page" + "dlgLeaveMsgText": "V tomto dokumente máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "dlgLeaveTitleText": "Opúšťate aplikáciu", + "leaveButtonText": "Opustiť túto stránku", + "stayButtonText": "Zostať na tejto stránke" }, "View": { "Add": { - "notcriticalErrorTitle": "Warning", - "textAddLink": "Add Link", - "textAddress": "Address", - "textBack": "Back", - "textCancel": "Cancel", - "textColumns": "Columns", - "textComment": "Comment", - "textDefault": "Selected text", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", - "textFirstSlide": "First Slide", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertImage": "Insert Image", - "textLastSlide": "Last Slide", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkTo": "Link to", - "textLinkType": "Link Type", - "textNextSlide": "Next Slide", - "textOther": "Other", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPreviousSlide": "Previous Slide", - "textRows": "Rows", - "textScreenTip": "Screen Tip", - "textShape": "Shape", - "textSlide": "Slide", - "textSlideInThisPresentation": "Slide in this Presentation", - "textSlideNumber": "Slide Number", - "textTable": "Table", - "textTableSize": "Table Size", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textOk": "Ok" + "notcriticalErrorTitle": "Upozornenie", + "textAddLink": "Pridať odkaz", + "textAddress": "Adresa", + "textBack": "Späť", + "textCancel": "Zrušiť", + "textColumns": "Stĺpce", + "textComment": "Komentár", + "textDefault": "Vybraný text", + "textDisplay": "Zobraziť", + "textEmptyImgUrl": "Musíte zadať adresu URL obrázka.", + "textExternalLink": "Externý odkaz", + "textFirstSlide": "Prvá snímka", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textInsert": "Vložiť", + "textInsertImage": "Vložiť obrázok", + "textLastSlide": "Posledná snímka", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLinkTo": "Odkaz na", + "textLinkType": "Typ odkazu", + "textNextSlide": "Nasledujúca snímka", + "textOk": "OK", + "textOther": "Ostatné", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", + "textPreviousSlide": "Predchádzajúca snímka", + "textRows": "Riadky", + "textScreenTip": "Nápoveda", + "textShape": "Tvar", + "textSlide": "Snímka", + "textSlideInThisPresentation": "Snímok v tejto prezentácii", + "textSlideNumber": "Číslo snímky", + "textTable": "Tabuľka", + "textTableSize": "Veľkosť tabuľky", + "txtNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textActualSize": "Actual Size", - "textAddCustomColor": "Add Custom Color", - "textAdditional": "Additional", - "textAdditionalFormatting": "Additional Formatting", - "textAddress": "Address", - "textAfter": "After", - "textAlign": "Align", - "textAlignBottom": "Align Bottom", - "textAlignCenter": "Align Center", - "textAlignLeft": "Align Left", - "textAlignMiddle": "Align Middle", - "textAlignRight": "Align Right", - "textAlignTop": "Align Top", - "textAllCaps": "All Caps", - "textApplyAll": "Apply to All Slides", - "textAuto": "Auto", - "textBack": "Back", - "textBandedColumn": "Banded Column", - "textBandedRow": "Banded Row", - "textBefore": "Before", - "textBlack": "Through Black", - "textBorder": "Border", - "textBottom": "Bottom", - "textBottomLeft": "Bottom-Left", - "textBottomRight": "Bottom-Right", - "textBringToForeground": "Bring to Foreground", - "textBullets": "Bullets", - "textBulletsAndNumbers": "Bullets & Numbers", - "textCaseSensitive": "Case Sensitive", - "textCellMargins": "Cell Margins", - "textChart": "Chart", - "textClock": "Clock", - "textClockwise": "Clockwise", - "textColor": "Color", - "textCounterclockwise": "Counterclockwise", - "textCover": "Cover", - "textCustomColor": "Custom Color", - "textDefault": "Selected text", - "textDelay": "Delay", - "textDeleteSlide": "Delete Slide", - "textDisplay": "Display", - "textDistanceFromText": "Distance From Text", - "textDistributeHorizontally": "Distribute Horizontally", - "textDistributeVertically": "Distribute Vertically", - "textDone": "Done", - "textDoubleStrikethrough": "Double Strikethrough", - "textDuplicateSlide": "Duplicate Slide", - "textDuration": "Duration", - "textEditLink": "Edit Link", - "textEffect": "Effect", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", - "textFade": "Fade", - "textFill": "Fill", - "textFinalMessage": "The end of slide preview. Click to exit.", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFirstColumn": "First Column", - "textFirstSlide": "First Slide", - "textFontColor": "Font Color", - "textFontColors": "Font Colors", - "textFonts": "Fonts", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textHeaderRow": "Header Row", - "textHighlight": "Highlight Results", - "textHighlightColor": "Highlight Color", - "textHorizontalIn": "Horizontal In", - "textHorizontalOut": "Horizontal Out", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textLastColumn": "Last Column", - "textLastSlide": "Last Slide", - "textLayout": "Layout", - "textLeft": "Left", - "textLetterSpacing": "Letter Spacing", - "textLineSpacing": "Line Spacing", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkTo": "Link to", - "textLinkType": "Link Type", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textNextSlide": "Next Slide", - "textNone": "None", - "textNoStyles": "No styles for this type of chart.", - "textNoTextFound": "Text not found", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textNumbers": "Numbers", - "textOpacity": "Opacity", - "textOptions": "Options", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPreviousSlide": "Previous Slide", + "notcriticalErrorTitle": "Upozornenie", + "textActualSize": "Predvolená veľkosť", + "textAddCustomColor": "Pridať vlastnú farbu", + "textAdditional": "Ďalšie", + "textAdditionalFormatting": "Ďalšie formátovanie", + "textAddress": "Adresa", + "textAfter": "Po", + "textAlign": "Zarovnať", + "textAlignBottom": "Zarovnať dole", + "textAlignCenter": "Zarovnať na stred", + "textAlignLeft": "Zarovnať doľava", + "textAlignMiddle": "Zarovnať na stred", + "textAlignRight": "Zarovnať doprava", + "textAlignTop": "Zarovnať nahor", + "textAllCaps": "Všetko veľkými", + "textApplyAll": "Použiť na všetky snímky", + "textAuto": "Automaticky", + "textAutomatic": "Automaticky", + "textBack": "Späť", + "textBandedColumn": "Pruhovaný stĺpec", + "textBandedRow": "Pruhovaný riadok", + "textBefore": "Pred", + "textBlack": "Prostredníctvom čiernej", + "textBorder": "Orámovanie", + "textBottom": "Dole", + "textBottomLeft": "Dole-vľavo", + "textBottomRight": "Dole-vpravo", + "textBringToForeground": "Premiestniť do popredia", + "textBullets": "Odrážky", + "textBulletsAndNumbers": "Odrážky & Číslovanie", + "textCaseSensitive": "Rozlišovať veľkosť písmen", + "textCellMargins": "Okraje bunky", + "textChart": "Graf", + "textClock": "Hodiny", + "textClockwise": "V smere hodinových ručičiek", + "textColor": "Farba", + "textCounterclockwise": "Proti smeru hodinových ručičiek", + "textCover": "Zakryť", + "textCustomColor": "Vlastná farba", + "textDefault": "Vybraný text", + "textDelay": "Oneskorenie", + "textDeleteSlide": "Odstrániť snímku", + "textDesign": "Dizajn/náčrt", + "textDisplay": "Zobraziť", + "textDistanceFromText": "Vzdialenosť od textu", + "textDistributeHorizontally": "Rozložiť horizontálne", + "textDistributeVertically": "Rozložiť vertikálne", + "textDone": "Hotovo", + "textDoubleStrikethrough": "Dvojité preškrtnutie", + "textDuplicateSlide": "Kopírovať snímku", + "textDuration": "Trvanie", + "textEditLink": "Upraviť odkaz", + "textEffect": "Efekt", + "textEffects": "Efekty", + "textEmptyImgUrl": "Musíte zadať adresu URL obrázka.", + "textExternalLink": "Externý odkaz", + "textFade": "Vyblednúť", + "textFill": "Vyplniť", + "textFinalMessage": "Koniec prezentácie. Kliknutím ukončite.", + "textFind": "Nájsť", + "textFindAndReplace": "Nájsť a nahradiť", + "textFirstColumn": "Prvý stĺpec", + "textFirstSlide": "Prvá snímka", + "textFontColor": "Farba písma", + "textFontColors": "Farby písma", + "textFonts": "Písma", + "textFromLibrary": "Obrázok z Knižnice", + "textFromURL": "Obrázok z URL adresy", + "textHeaderRow": "Riadok hlavičky", + "textHighlight": "Zvýrazniť výsledky", + "textHighlightColor": "Farba zvýraznenia", + "textHorizontalIn": "Horizontálne dnu", + "textHorizontalOut": "Horizontálne von", + "textHyperlink": "Hypertextový odkaz", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textLastColumn": "Posledný stĺpec", + "textLastSlide": "Posledná snímka", + "textLayout": "Rozloženie", + "textLeft": "Vľavo", + "textLetterSpacing": "Rozstup medzi písmenami", + "textLineSpacing": "Riadkovanie", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLinkTo": "Odkaz na", + "textLinkType": "Typ odkazu", + "textMoveBackward": "Posunúť späť", + "textMoveForward": "Posunúť vpred", + "textNextSlide": "Nasledujúca snímka", + "textNone": "žiadne", + "textNoStyles": "Žiadne štýly pre tento typ grafu.", + "textNoTextFound": "Text nebol nájdený", + "textNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", + "textNumbers": "Čísla", + "textOk": "OK", + "textOpacity": "Priehľadnosť", + "textOptions": "Možnosti", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", + "textPreviousSlide": "Predchádzajúca snímka", "textPt": "pt", - "textPush": "Push", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textRemoveTable": "Remove Table", - "textReorder": "Reorder", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textReplaceImage": "Replace Image", - "textRight": "Right", - "textScreenTip": "Screen Tip", - "textSearch": "Search", + "textPush": "Posunúť", + "textRemoveChart": "Odstrániť graf", + "textRemoveImage": "Odstrániť obrázok", + "textRemoveLink": "Odstrániť odkaz", + "textRemoveShape": "Odstrániť tvar", + "textRemoveTable": "Odstrániť tabuľku", + "textReorder": "Znovu usporiadať/zmena poradia", + "textReplace": "Nahradiť", + "textReplaceAll": "Nahradiť všetko", + "textReplaceImage": "Nahradiť obrázok", + "textRight": "Vpravo", + "textScreenTip": "Nápoveda", + "textSearch": "Hľadať", "textSec": "s", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textShape": "Shape", - "textSize": "Size", - "textSlide": "Slide", - "textSlideInThisPresentation": "Slide in this Presentation", - "textSlideNumber": "Slide Number", - "textSmallCaps": "Small Caps", - "textSmoothly": "Smoothly", - "textSplit": "Split", - "textStartOnClick": "Start On Click", - "textStrikethrough": "Strikethrough", - "textStyle": "Style", - "textStyleOptions": "Style Options", - "textSubscript": "Subscript", - "textSuperscript": "Superscript", - "textTable": "Table", + "textSelectObjectToEdit": "Vyberte objekt, ktorý chcete upraviť", + "textSendToBackground": "Presunúť do pozadia", + "textShape": "Tvar", + "textSize": "Veľkosť", + "textSlide": "Snímka", + "textSlideInThisPresentation": "Snímok v tejto prezentácii", + "textSlideNumber": "Číslo snímky", + "textSmallCaps": "Malé písmená", + "textSmoothly": "Plynule", + "textSplit": "Rozdeliť", + "textStartOnClick": "Začať kliknutím", + "textStrikethrough": "Preškrtnutie", + "textStyle": "Štýl", + "textStyleOptions": "Možnosti štýlu", + "textSubscript": "Dolný index", + "textSuperscript": "Horný index", + "textTable": "Tabuľka", "textText": "Text", - "textTheme": "Theme", - "textTop": "Top", - "textTopLeft": "Top-Left", - "textTopRight": "Top-Right", - "textTotalRow": "Total Row", - "textTransition": "Transition", - "textType": "Type", - "textUnCover": "UnCover", - "textVerticalIn": "Vertical In", - "textVerticalOut": "Vertical Out", - "textWedge": "Wedge", - "textWipe": "Wipe", - "textZoom": "Zoom", - "textZoomIn": "Zoom In", - "textZoomOut": "Zoom Out", - "textZoomRotate": "Zoom and Rotate", - "textTransitions": "Transitions", - "textDesign": "Design", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textTheme": "Téma", + "textTop": "Hore", + "textTopLeft": "Hore-vľavo", + "textTopRight": "Hore-vpravo", + "textTotalRow": "Celkový riadok", + "textTransitions": "Prechod", + "textType": "Typ", + "textUnCover": "Odkryť", + "textVerticalIn": "Vertikálne dnu", + "textVerticalOut": "Vertikálne von", + "textWedge": "Konjunkcia", + "textWipe": "Rozotrieť", + "textZoom": "Priblíženie", + "textZoomIn": "Priblížiť", + "textZoomOut": "Oddialiť", + "textZoomRotate": "Priblížiť a otáčať" }, "Settings": { - "mniSlideStandard": "Standard (4:3)", - "mniSlideWide": "Widescreen (16:9)", - "textAbout": "About", - "textAddress": "address:", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textCaseSensitive": "Case Sensitive", + "mniSlideStandard": "Štandard (4:3)", + "mniSlideWide": "Širokouhlý (16:9)", + "textAbout": "O aplikácii", + "textAddress": "adresa:", + "textApplication": "Aplikácia", + "textApplicationSettings": "Nastavenia aplikácie", + "textAuthor": "Autor", + "textBack": "Späť", + "textCaseSensitive": "Rozlišovať veľkosť písmen", "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textCreated": "Created", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without notification", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As...", - "textEmail": "email:", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without notification", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textHelp": "Help", - "textHighlight": "Highlight Results", - "textInch": "Inch", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLoading": "Loading...", - "textLocation": "Location", - "textMacrosSettings": "Macros Settings", - "textNoTextFound": "Text not found", - "textOwner": "Owner", - "textPoint": "Point", - "textPoweredBy": "Powered By", - "textPresentationInfo": "Presentation Info", - "textPresentationSettings": "Presentation Settings", - "textPresentationTitle": "Presentation Title", - "textPrint": "Print", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textSearch": "Search", - "textSettings": "Settings", - "textShowNotification": "Show Notification", - "textSlideSize": "Slide Size", - "textSpellcheck": "Spell Checking", - "textSubject": "Subject", - "textTel": "tel:", - "textTitle": "Title", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "textVersion": "Version", - "txtScheme1": "Office", - "txtScheme10": "Median", + "textCollaboration": "Spolupráca", + "textColorSchemes": "Farebné schémy", + "textComment": "Komentár", + "textCreated": "Vytvorené", + "textDarkTheme": "Tmavá téma", + "textDisableAll": "Vypnúť všetko", + "textDisableAllMacrosWithNotification": "Zakázať všetky makrá s upozornením", + "textDisableAllMacrosWithoutNotification": "Zakázať všetky makrá bez upozornení", + "textDone": "Hotovo", + "textDownload": "Stiahnuť", + "textDownloadAs": "Stiahnuť ako...", + "textEmail": "e-mail: ", + "textEnableAll": "Povoliť všetko", + "textEnableAllMacrosWithoutNotification": "Povoliť všetky makrá bez upozornenia", + "textFind": "Nájsť", + "textFindAndReplace": "Nájsť a nahradiť", + "textFindAndReplaceAll": "Hľadať a nahradiť všetko", + "textHelp": "Pomoc", + "textHighlight": "Zvýrazniť výsledky", + "textInch": "Palec (miera 2,54 cm)", + "textLastModified": "Naposledy upravené", + "textLastModifiedBy": "Naposledy upravil(a) ", + "textLoading": "Načítava sa.....", + "textLocation": "Umiestnenie", + "textMacrosSettings": "Nastavenia makier", + "textNoTextFound": "Text nebol nájdený", + "textOwner": "Vlastník", + "textPoint": "Bod", + "textPoweredBy": "Poháňaný ", + "textPresentationInfo": "Informácie o prezentácii", + "textPresentationSettings": "Nastavení prezentácie", + "textPresentationTitle": "Názov prezentácie", + "textPrint": "Tlačiť", + "textReplace": "Nahradiť", + "textReplaceAll": "Nahradiť všetko", + "textSearch": "Hľadať", + "textSettings": "Nastavenia", + "textShowNotification": "Ukázať oznámenie", + "textSlideSize": "Veľkosť snímku", + "textSpellcheck": "Kontrola pravopisu", + "textSubject": "Predmet", + "textTel": "Telefón:", + "textTitle": "Názov", + "textUnitOfMeasurement": "Jednotka merania", + "textUploaded": "Nahrané", + "textVersion": "Verzia", + "txtScheme1": "Kancelária", + "txtScheme10": "Medián", "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", - "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textDarkTheme": "Dark Theme", + "txtScheme12": "Modul", + "txtScheme13": "Opulentný", + "txtScheme14": "Výklenok", + "txtScheme15": "Pôvod", + "txtScheme16": "Papier", + "txtScheme17": "Slnovrat", + "txtScheme18": "Technika", + "txtScheme19": "Cestovanie", + "txtScheme2": "Odtiene sivej", + "txtScheme20": "Mestský", + "txtScheme21": "Elán", + "txtScheme22": "Nová kancelária", + "txtScheme3": "Vrchol", + "txtScheme4": "Aspekt", + "txtScheme5": "Občiansky", + "txtScheme6": "Hala", + "txtScheme7": "Spravodlivosť", + "txtScheme8": "Tok", + "txtScheme9": "Zlieváreň", "textFeedback": "Feedback & Support" } } diff --git a/apps/presentationeditor/mobile/locale/sl.json b/apps/presentationeditor/mobile/locale/sl.json index 9c9be4ed1..4c808d654 100644 --- a/apps/presentationeditor/mobile/locale/sl.json +++ b/apps/presentationeditor/mobile/locale/sl.json @@ -279,6 +279,7 @@ "textFindAndReplace": "Find and Replace", "textFindAndReplaceAll": "Find and Replace All", "textHelp": "Help", + "textFeedback": "Feedback & Support", "textHighlight": "Highlight Results", "textInch": "Inch", "textLastModified": "Last Modified", @@ -328,8 +329,7 @@ "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textFeedback": "Feedback & Support" + "txtScheme9": "Foundry" } }, "Controller": { @@ -398,7 +398,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/tr.json b/apps/presentationeditor/mobile/locale/tr.json index 40e35bdb4..0ccc92ef6 100644 --- a/apps/presentationeditor/mobile/locale/tr.json +++ b/apps/presentationeditor/mobile/locale/tr.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "Dosyayı düzenleme izniniz yok.", "textNoTextFound": "Text not found", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -470,10 +471,10 @@ "txtScheme8": "Yayılma", "txtScheme9": "Döküm", "textDarkTheme": "Dark Theme", + "textFeedback": "Feedback & Support", "txtScheme14": "Oriel", "txtScheme17": "Solstice", - "txtScheme19": "Trek", - "textFeedback": "Feedback & Support" + "txtScheme19": "Trek" } } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/uk.json b/apps/presentationeditor/mobile/locale/uk.json index a29a300e7..195909e73 100644 --- a/apps/presentationeditor/mobile/locale/uk.json +++ b/apps/presentationeditor/mobile/locale/uk.json @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -389,6 +390,7 @@ "textFindAndReplace": "Find and Replace", "textFindAndReplaceAll": "Find and Replace All", "textHelp": "Help", + "textFeedback": "Feedback & Support", "textHighlight": "Highlight Results", "textInch": "Inch", "textLastModified": "Last Modified", @@ -435,8 +437,7 @@ "txtScheme6": "Concourse", "txtScheme7": "Equity", "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "textFeedback": "Feedback & Support" + "txtScheme9": "Foundry" } }, "LongActions": { diff --git a/apps/presentationeditor/mobile/locale/vi.json b/apps/presentationeditor/mobile/locale/vi.json index 263ce07ec..796b4db4b 100644 --- a/apps/presentationeditor/mobile/locale/vi.json +++ b/apps/presentationeditor/mobile/locale/vi.json @@ -126,7 +126,8 @@ "warnProcessRightsChange": "You don't have permission to edit the file.", "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found" + "textNoTextFound": "Text not found", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { diff --git a/apps/presentationeditor/mobile/locale/zh-TW.json b/apps/presentationeditor/mobile/locale/zh-TW.json new file mode 100644 index 000000000..fe7cbf700 --- /dev/null +++ b/apps/presentationeditor/mobile/locale/zh-TW.json @@ -0,0 +1,480 @@ +{ + "About": { + "textAbout": "關於", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "電子郵件", + "textPoweredBy": "於支援", + "textTel": "電話", + "textVersion": "版本" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAddComment": "新增註解", + "textAddReply": "加入回應", + "textBack": "返回", + "textCancel": "取消", + "textCollaboration": "協作", + "textComments": "評論", + "textDeleteComment": "刪除評論", + "textDeleteReply": "刪除回覆", + "textDone": "完成", + "textEdit": "編輯", + "textEditComment": "編輯評論", + "textEditReply": "編輯回覆", + "textEditUser": "正在編輯文件的用戶:", + "textMessageDeleteComment": "確定要刪除評論嗎?", + "textMessageDeleteReply": "確定要刪除回覆嗎?", + "textNoComments": "此文件未包含回應訊息", + "textOk": "確定", + "textReopen": "重開", + "textResolve": "解決", + "textTryUndoRedo": "在快速共同編輯模式下,撤消/重做功能被禁用。", + "textUsers": "使用者" + }, + "HighlightColorPalette": { + "textNoFill": "沒有填充" + }, + "ThemeColorPalette": { + "textCustomColors": "自訂顏色", + "textStandartColors": "標準顏色", + "textThemeColors": "主題顏色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "使用上下文選單進行的複制,剪切和粘貼操作將僅在當前文件內執行。", + "menuAddComment": "新增註解", + "menuAddLink": "新增連結", + "menuCancel": "取消", + "menuDelete": "刪除", + "menuDeleteTable": "刪除表格", + "menuEdit": "編輯", + "menuMerge": "合併", + "menuMore": "更多", + "menuOpenLink": "打開連結", + "menuSplit": "分裂", + "menuViewComment": "查看評論", + "textColumns": "欄", + "textCopyCutPasteActions": "複製, 剪下, 與貼上之動作", + "textDoNotShowAgain": "不再顯示", + "textRows": "行列" + }, + "Controller": { + "Main": { + "advDRMOptions": "受保護的文件", + "advDRMPassword": "密碼", + "closeButtonText": "關閉檔案", + "criticalErrorTitle": "錯誤", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
                              請聯繫您的管理員。", + "errorOpensource": "在使用免費社群版本時,您只能瀏覽開啟的文件。欲使用移動版本的編輯功能,您需要付費的憑證。", + "errorProcessSaveResult": "儲存失敗", + "errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以應用更改。", + "errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "leavePageText": "您在此文件中有未儲存的變更。點擊\"留在此頁面\"以等待自動儲存。點擊\"離開此頁面\"以放棄所有未儲存的變更。", + "notcriticalErrorTitle": "警告", + "SDK": { + "Chart": "圖表", + "Click to add first slide": "點擊以新增第一張簡報", + "Click to add notes": "點擊添加筆記", + "ClipArt": "剪貼畫", + "Date and time": "日期和時間", + "Diagram": "圖表", + "Diagram Title": "圖表標題", + "Footer": "頁尾", + "Header": "標頭", + "Image": "圖像", + "Loading": "載入中", + "Media": "媒體", + "None": "無", + "Picture": "圖片", + "Series": "系列", + "Slide number": "幻燈片頁碼", + "Slide subtitle": "幻燈片副標題", + "Slide text": "幻燈片字幕", + "Slide title": "幻燈片標題", + "Table": "表格", + "X Axis": "X 軸 XAS", + "Y Axis": "Y軸", + "Your text here": "在這輸入文字" + }, + "textAnonymous": "匿名", + "textBuyNow": "訪問網站", + "textClose": "關閉", + "textContactUs": "聯絡銷售人員", + "textCustomLoader": "很抱歉,您無權變更載入程序。 請聯繫我們的業務部門取得報價。", + "textGuest": "來賓", + "textHasMacros": "此檔案包含自動巨集程式。
                              是否要運行這些巨集?", + "textNo": "沒有", + "textNoLicenseTitle": "達到許可限制", + "textNoTextFound": "找不到文字", + "textOpenFile": "輸入檔案密碼", + "textPaidFeature": "付費功能", + "textRemember": "記住我的選擇", + "textReplaceSkipped": "替換已完成。 {0}個事件被跳過。", + "textReplaceSuccess": "搜索已完成。發生的事件已替換:{0}", + "textYes": "是", + "titleLicenseExp": "證件過期", + "titleServerVersion": "編輯器已更新", + "titleUpdateVersion": "版本已更改", + "txtIncorrectPwd": "密碼錯誤", + "txtProtected": "輸入密碼並打開文件後,該文件的當前密碼將被重置", + "warnLicenseExceeded": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。請聯繫您的管理員以了解更多資訊。", + "warnLicenseExp": "您的授權已過期。請更新它並重新載入頁面。", + "warnLicenseLimitedNoAccess": "授權過期。 您無法進入文件編輯功能。 請聯繫您的管理員。", + "warnLicenseLimitedRenewed": "憑證需要續約。您目前只有文件編輯的部份功能。
                              欲使用完整功能,請聯絡您的帳號管理員。", + "warnLicenseUsersExceeded": "您已達到%1個編輯器的用戶限制。請與您的管理員聯繫以了解更多信息。", + "warnNoLicense": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。有關個人升級條款,請聯繫 %1 業務團隊。", + "warnNoLicenseUsers": "您已達到%1個編輯器的用戶限制。與%1銷售團隊聯繫以了解個人升級條款。", + "warnProcessRightsChange": "您沒有編輯此文件的權限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "轉換逾時。", + "criticalErrorExtText": "點擊\"好\"回到文件列表。", + "criticalErrorTitle": "錯誤", + "downloadErrorText": "下載失敗", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
                              請聯繫您的管理員。", + "errorBadImageUrl": "不正確的圖像 URL", + "errorConnectToServer": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。請聯繫您的管理員以了解更多資訊。", + "errorDatabaseConnection": "外部錯誤
                              資料庫連結錯誤, 請聯絡技術支援。", + "errorDataEncrypted": "已收到加密的更改,無法解密。", + "errorDataRange": "不正確的資料範圍", + "errorDefaultMessage": "錯誤編號:%1", + "errorEditingDownloadas": "處理文件檔時發生錯誤。
                              請使用\"下載\"來儲存一份備份檔案到本機端。", + "errorFilePassProtect": "此文件使用密碼保護功能,無法開啟。", + "errorFileSizeExceed": "檔案大小已超過了您的伺服器限制。
                              請聯繫您的管理員。", + "errorKeyEncrypt": "未知密鑰描述符", + "errorKeyExpire": "密鑰描述符已過期", + "errorLoadingFont": "字體未載入。
                              請聯絡文件服務(Document Server)管理員。", + "errorSessionAbsolute": "該文件編輯時效已欲期。請重新載入此頁面。", + "errorSessionIdle": "無 該文件已經有一段時間沒有進行編輯了。 請重新載入頁面。", + "errorSessionToken": "主機連線被中斷,請重新載入此頁面。", + "errorStockChart": "行序錯誤。要建立股票圖表,請將數據按照以下順序工作表:
                              開盤價、最高價、最低價、收盤價。", + "errorUpdateVersionOnDisconnect": "網路連線已恢復,且文件版本已變更。
                              在您繼續工作之前,請下載文件或複製其內容以確保沒有任何內容遺失,之後重新載入本頁面。", + "errorUserDrop": "目前無法存取該文件。", + "errorUsersExceed": "超出了定價計劃所允許的用戶數量", + "errorViewerDisconnect": "網路連線失敗。您可以繼續瀏覽這份文件,
                              在連線恢復前以及頁面重新加載之前,您無法下載或列印此文件。", + "notcriticalErrorTitle": "警告", + "openErrorText": "開啟文件時發生錯誤", + "saveErrorText": "存檔時發生錯誤", + "scriptLoadError": "連線速度過慢,某些組件無法加載。 請重新載入頁面。", + "splitDividerErrorText": "行數必須是%1的除數", + "splitMaxColsErrorText": "列數必須少於%1", + "splitMaxRowsErrorText": "行數必須少於%1", + "unknownErrorText": "未知錯誤。", + "uploadImageExtMessage": "圖片格式未知。", + "uploadImageFileCountMessage": "沒有上傳圖片。", + "uploadImageSizeMessage": "圖像超出最大大小限制。最大大小為25MB。" + }, + "LongActions": { + "applyChangesTextText": "加載數據中...", + "applyChangesTitleText": "加載數據中", + "downloadTextText": "文件下載中...", + "downloadTitleText": "文件下載中", + "loadFontsTextText": "加載數據中...", + "loadFontsTitleText": "加載數據中", + "loadFontTextText": "加載數據中...", + "loadFontTitleText": "加載數據中", + "loadImagesTextText": "正在載入圖片...", + "loadImagesTitleText": "正在載入圖片", + "loadImageTextText": "正在載入圖片...", + "loadImageTitleText": "正在載入圖片", + "loadingDocumentTextText": "正在載入文件...", + "loadingDocumentTitleText": "載入文件", + "loadThemeTextText": "載入主題中...", + "loadThemeTitleText": "載入主題中", + "openTextText": "開啟文件中...", + "openTitleText": "開啟文件中", + "printTextText": "列印文件中...", + "printTitleText": "列印文件", + "savePreparingText": "準備保存", + "savePreparingTitle": "正在準備保存。請耐心等待...", + "saveTextText": "儲存文件...", + "saveTitleText": "儲存文件", + "textLoadingDocument": "載入文件", + "txtEditingMode": "設定編輯模式...", + "uploadImageTextText": "正在上傳圖片...", + "uploadImageTitleText": "上載圖片", + "waitText": "請耐心等待..." + }, + "Toolbar": { + "dlgLeaveMsgText": "您在此文件中有未儲存的變更。點擊\"留在此頁面\"以等待自動儲存。點擊\"離開此頁面\"以放棄所有未儲存的變更。", + "dlgLeaveTitleText": "您離開應用程式", + "leaveButtonText": "離開這個頁面", + "stayButtonText": "保持此頁上" + }, + "View": { + "Add": { + "notcriticalErrorTitle": "警告", + "textAddLink": "新增連結", + "textAddress": "地址", + "textBack": "返回", + "textCancel": "取消", + "textColumns": "欄", + "textComment": "評論", + "textDefault": "所選文字", + "textDisplay": "顯示", + "textEmptyImgUrl": "您需要指定影像的 URL。", + "textExternalLink": "外部連結", + "textFirstSlide": "第一張幻燈片", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textInsert": "插入", + "textInsertImage": "插入圖片", + "textLastSlide": "最後一張幻燈片", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLinkTo": "連結至", + "textLinkType": "鏈接類型", + "textNextSlide": "下一張幻燈片", + "textOk": "確定", + "textOther": "其它", + "textPictureFromLibrary": "圖片來自圖書館", + "textPictureFromURL": "網址圖片", + "textPreviousSlide": "上一張幻燈片", + "textRows": "行列", + "textScreenTip": "屏幕提示", + "textShape": "形狀", + "textSlide": "幻燈片", + "textSlideInThisPresentation": "這個簡報中的投影片", + "textSlideNumber": "幻燈片頁碼", + "textTable": "表格", + "textTableSize": "表格大小", + "txtNotUrl": "此字段應為格式為“ http://www.example.com”的URL。" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textActualSize": "實際大小", + "textAddCustomColor": "新增客制化顏色", + "textAdditional": "額外", + "textAdditionalFormatting": "額外格式化方式", + "textAddress": "地址", + "textAfter": "之後", + "textAlign": "對齊", + "textAlignBottom": "底部對齊", + "textAlignCenter": "居中對齊", + "textAlignLeft": "對齊左側", + "textAlignMiddle": "中央對齊", + "textAlignRight": "對齊右側", + "textAlignTop": "上方對齊", + "textAllCaps": "全部大寫", + "textApplyAll": "應用於所有投影片", + "textAuto": "自動", + "textAutomatic": "自動", + "textBack": "返回", + "textBandedColumn": "分帶欄", + "textBandedRow": "分帶列", + "textBefore": "之前", + "textBlack": "通過黑", + "textBorder": "邊框", + "textBottom": "底部", + "textBottomLeft": "左下方", + "textBottomRight": "右下方", + "textBringToForeground": "移到前景執行", + "textBullets": "項目符號", + "textBulletsAndNumbers": "符號項目與編號", + "textCaseSensitive": "區分大小寫", + "textCellMargins": "儲存格邊距", + "textChart": "圖表", + "textClock": "時鐘", + "textClockwise": "順時針", + "textColor": "顏色", + "textCounterclockwise": "逆時針", + "textCover": "覆蓋", + "textCustomColor": "自訂顏色", + "textDefault": "所選文字", + "textDelay": "延遲", + "textDeleteSlide": "刪除幻燈片", + "textDesign": "設計", + "textDisplay": "顯示", + "textDistanceFromText": "與文字的距離", + "textDistributeHorizontally": "水平分佈", + "textDistributeVertically": "垂直分佈", + "textDone": "完成", + "textDoubleStrikethrough": "雙刪除線", + "textDuplicateSlide": "幻燈片複製", + "textDuration": "持續時間", + "textEditLink": "編輯連結", + "textEffect": "效果", + "textEffects": "作用", + "textEmptyImgUrl": "您需要指定影像的 URL。", + "textExternalLink": "外部連結", + "textFade": "褪", + "textFill": "填入", + "textFinalMessage": "幻燈片預覽的結尾。單擊退出。", + "textFind": "尋找", + "textFindAndReplace": "尋找與取代", + "textFirstColumn": "第一欄", + "textFirstSlide": "第一張幻燈片", + "textFontColor": "字體顏色", + "textFontColors": "字體顏色", + "textFonts": "字型", + "textFromLibrary": "圖片來自圖書館", + "textFromURL": "網址圖片", + "textHeaderRow": "頁首列", + "textHighlight": "強調結果", + "textHighlightColor": "強調顏色", + "textHorizontalIn": "水平輸入", + "textHorizontalOut": "水平輸出", + "textHyperlink": "超連結", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textLastColumn": "最後一欄", + "textLastSlide": "最後一張幻燈片", + "textLayout": "佈局", + "textLeft": "左", + "textLetterSpacing": "字母間距", + "textLineSpacing": "行間距", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLinkTo": "連結至", + "textLinkType": "鏈接類型", + "textMoveBackward": "向後移動", + "textMoveForward": "向前移動", + "textNextSlide": "下一張幻燈片", + "textNone": "無", + "textNoStyles": "此類型的圖表沒有樣式。", + "textNoTextFound": "找不到文字", + "textNotUrl": "此字段應為格式為\"http://www.example.com\"的URL。", + "textNumbers": "號碼", + "textOk": "確定", + "textOpacity": "透明度", + "textOptions": "選項", + "textPictureFromLibrary": "圖片來自圖書館", + "textPictureFromURL": "網址圖片", + "textPreviousSlide": "上一張幻燈片", + "textPt": "pt", + "textPush": "推", + "textRemoveChart": "刪除圖表", + "textRemoveImage": "移除圖片", + "textRemoveLink": "刪除連結", + "textRemoveShape": "去除形狀", + "textRemoveTable": "刪除表", + "textReorder": "重新排序", + "textReplace": "取代", + "textReplaceAll": "全部替換", + "textReplaceImage": "替換圖片", + "textRight": "右", + "textScreenTip": "屏幕提示", + "textSearch": "搜尋", + "textSec": "秒", + "textSelectObjectToEdit": "選擇要編輯的物件", + "textSendToBackground": "傳送到背景", + "textShape": "形狀", + "textSize": "大小", + "textSlide": "幻燈片", + "textSlideInThisPresentation": "這個簡報中的投影片", + "textSlideNumber": "幻燈片頁碼", + "textSmallCaps": "小大寫", + "textSmoothly": "順手", + "textSplit": "分裂", + "textStartOnClick": "點選後開始", + "textStrikethrough": "刪除線", + "textStyle": "樣式", + "textStyleOptions": "樣式選項", + "textSubscript": "下標", + "textSuperscript": "上標", + "textTable": "表格", + "textText": "文字", + "textTheme": "主題", + "textTop": "上方", + "textTopLeft": "左上方", + "textTopRight": "右上方", + "textTotalRow": "總行數", + "textTransitions": "過渡", + "textType": "類型", + "textUnCover": "揭露", + "textVerticalIn": "垂直輸入", + "textVerticalOut": "垂直輸出", + "textWedge": "楔", + "textWipe": "擦拭", + "textZoom": "放大", + "textZoomIn": "放大", + "textZoomOut": "縮小", + "textZoomRotate": "放大和旋轉" + }, + "Settings": { + "mniSlideStandard": "標準(4:3)", + "mniSlideWide": "寬銀幕(16:9)", + "textAbout": "關於", + "textAddress": "地址:", + "textApplication": "應用程式", + "textApplicationSettings": "應用程式設定", + "textAuthor": "作者", + "textBack": "返回", + "textCaseSensitive": "區分大小寫", + "textCentimeter": "公分", + "textCollaboration": "協作", + "textColorSchemes": "色盤", + "textComment": "評論", + "textCreated": "已建立", + "textDarkTheme": "暗色主題", + "textDisableAll": "全部停用", + "textDisableAllMacrosWithNotification": "停用所有帶通知的巨集", + "textDisableAllMacrosWithoutNotification": "停用所有不帶通知的巨集", + "textDone": "完成", + "textDownload": "下載", + "textDownloadAs": "下載為...", + "textEmail": "電子郵件:", + "textEnableAll": "全部啟用", + "textEnableAllMacrosWithoutNotification": "啟用所有不帶通知的巨集", + "textFind": "尋找", + "textFindAndReplace": "尋找與取代", + "textFindAndReplaceAll": "尋找與全部取代", + "textHelp": "輔助說明", + "textHighlight": "強調結果", + "textInch": "吋", + "textLastModified": "上一次更改", + "textLastModifiedBy": "最後修改者", + "textLoading": "載入中...", + "textLocation": "位置", + "textMacrosSettings": "巨集設定", + "textNoTextFound": "找不到文字", + "textOwner": "擁有者", + "textPoint": "點", + "textPoweredBy": "於支援", + "textPresentationInfo": "見報資訊", + "textPresentationSettings": "簡報設定", + "textPresentationTitle": "簡報標題", + "textPrint": "打印", + "textReplace": "取代", + "textReplaceAll": "全部替換", + "textSearch": "搜尋", + "textSettings": "設定", + "textShowNotification": "顯示通知", + "textSlideSize": "幻燈片大小", + "textSpellcheck": "拼字檢查", + "textSubject": "主旨", + "textTel": "電話", + "textTitle": "標題", + "textUnitOfMeasurement": "測量單位", + "textUploaded": "\n已上傳", + "textVersion": "版本", + "txtScheme1": "辦公室", + "txtScheme10": "中位數", + "txtScheme11": " 地鐵", + "txtScheme12": "模組", + "txtScheme13": "豐富的", + "txtScheme14": "凸窗", + "txtScheme15": "起源", + "txtScheme16": "紙", + "txtScheme17": "冬至", + "txtScheme18": "技術", + "txtScheme19": "跋涉", + "txtScheme2": "灰階", + "txtScheme20": "市區", + "txtScheme21": "感染力", + "txtScheme22": "新的Office", + "txtScheme3": "頂尖", + "txtScheme4": "方面", + "txtScheme5": "思域", + "txtScheme6": "大堂", + "txtScheme7": "產權", + "txtScheme8": "流程", + "txtScheme9": "鑄造廠", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/presentationeditor/mobile/locale/zh.json b/apps/presentationeditor/mobile/locale/zh.json index bb8cf7caa..23e5f5190 100644 --- a/apps/presentationeditor/mobile/locale/zh.json +++ b/apps/presentationeditor/mobile/locale/zh.json @@ -86,7 +86,7 @@ "Image": "图片", "Loading": "载入中", "Media": "媒体", - "None": "没有", + "None": "无", "Picture": "图片", "Series": "系列", "Slide number": "幻灯片编号", @@ -126,7 +126,8 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", - "warnProcessRightsChange": "你没有编辑文件的权限。" + "warnProcessRightsChange": "你没有编辑文件的权限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -255,10 +256,10 @@ "textAlignBottom": "底部对齐", "textAlignCenter": "居中对齐", "textAlignLeft": "左对齐", - "textAlignMiddle": "居中对齐", + "textAlignMiddle": "垂直居中", "textAlignRight": "右对齐", "textAlignTop": "顶端对齐", - "textAllCaps": "全部大写", + "textAllCaps": "全部大写字母", "textApplyAll": "应用于所有幻灯片", "textAuto": "自动", "textAutomatic": "自动", @@ -366,7 +367,7 @@ "textSlide": "幻灯片", "textSlideInThisPresentation": "本演示文件中的幻灯片", "textSlideNumber": "幻灯片编号", - "textSmallCaps": "小写", + "textSmallCaps": "小型大写字母", "textSmoothly": "顺利", "textSplit": "分开", "textStartOnClick": "点击时开始", diff --git a/apps/presentationeditor/mobile/src/app.js b/apps/presentationeditor/mobile/src/app.js index 49a9db3fb..f1b43f913 100644 --- a/apps/presentationeditor/mobile/src/app.js +++ b/apps/presentationeditor/mobile/src/app.js @@ -14,11 +14,14 @@ import jQuery from 'jquery'; window.jQuery = jQuery; window.$ = jQuery; -// Import Framework7 Styles -import 'framework7/framework7-bundle.css'; +// Import Framework7 or Framework7-RTL Styles +let direction = LocalStorage.getItem('mode-direction'); + +direction === 'rtl' ? $$('html').attr('dir', 'rtl') : $$('html').removeAttr('dir') +import(`framework7/framework7-bundle${direction === 'rtl' ? '-rtl' : ''}.css`) // Import App Custom Styles -import './less/app.less'; +import('./less/app.less'); // Import App Component import App from './page/app'; @@ -27,6 +30,7 @@ import i18n from './lib/i18n.js'; import { Provider } from 'mobx-react' import { stores } from './store/mainStore' +import { LocalStorage } from '../../../common/mobile/utils/LocalStorage'; // Init F7 React Plugin Framework7.use(Framework7React) diff --git a/apps/presentationeditor/mobile/src/controller/Main.jsx b/apps/presentationeditor/mobile/src/controller/Main.jsx index cd4bb85da..d37b60bfe 100644 --- a/apps/presentationeditor/mobile/src/controller/Main.jsx +++ b/apps/presentationeditor/mobile/src/controller/Main.jsx @@ -44,6 +44,7 @@ class MainController extends Component { }; this.defaultTitleText = __APP_TITLE_TEXT__; + this.stackMacrosRequests = []; const { t } = this.props; this._t = t('Controller.Main', {returnObjects:true}); @@ -73,7 +74,8 @@ class MainController extends Component { }; const loadConfig = data => { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); EditorUIController.isSupportEditFeature(); @@ -91,6 +93,9 @@ class MainController extends Component { value = parseInt(value); } this.props.storeApplicationSettings.changeMacrosSettings(value); + + value = localStorage.getItem("pe-mobile-allow-macros-request"); + this.props.storeApplicationSettings.changeMacrosRequest((value !== null) ? parseInt(value) : 0); }; const loadDocument = data => { @@ -102,7 +107,7 @@ class MainController extends Component { if (data.doc) { this.permissions = Object.assign(this.permissions, data.doc.permissions); - const _permissions = Object.assign({}, data.doc.permissions); + const _options = Object.assign({}, data.doc.options, this.editorConfig.actionLink || {}); const _user = new Asc.asc_CUserInfo(); const _userOptions = this.props.storeAppOptions.user; _user.put_Id(_userOptions.id); @@ -115,15 +120,20 @@ class MainController extends Component { docInfo.put_Title(data.doc.title); docInfo.put_Format(data.doc.fileType); docInfo.put_VKey(data.doc.vkey); - docInfo.put_Options(data.doc.options); + docInfo.put_Options(_options); docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(this.editorConfig.callbackUrl); docInfo.put_Token(data.doc.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(data.doc.permissions); docInfo.put_EncryptedInfo(this.editorConfig.encryptionKeys); docInfo.put_Lang(this.editorConfig.lang); docInfo.put_Mode(this.editorConfig.mode); + let coEditMode = !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object') ? 'fast' : // fast by default + this.editorConfig.mode === 'view' && this.editorConfig.coEditing.change!==false ? 'fast' : // if can change mode in viewer - set fast for using live viewer + this.editorConfig.coEditing.mode || 'fast'; + docInfo.put_CoEditingMode(coEditMode); + let enable = !this.editorConfig.customization || (this.editorConfig.customization.macros !== false); docInfo.asc_putIsEnabledMacroses(!!enable); enable = !this.editorConfig.customization || (this.editorConfig.customization.plugins !== false); @@ -132,6 +142,7 @@ class MainController extends Component { this.api.asc_registerCallback('asc_onGetEditorPermissions', onEditorPermissions); this.api.asc_registerCallback('asc_onLicenseChanged', this.onLicenseChanged.bind(this)); + this.api.asc_registerCallback('asc_onMacrosPermissionRequest', this.onMacrosPermissionRequest.bind(this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', this.onRunAutostartMacroses.bind(this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); @@ -284,7 +295,9 @@ class MainController extends Component { this.api.asc_continueSaving(); }, 500); - return this._t.leavePageText; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); + return _t.leavePageText; } } @@ -493,6 +506,10 @@ class MainController extends Component { (licType === Asc.c_oLicenseResult.Connections || licType === Asc.c_oLicenseResult.UsersCount || licType === Asc.c_oLicenseResult.ConnectionsOS || licType === Asc.c_oLicenseResult.UsersCountOS || licType === Asc.c_oLicenseResult.SuccessLimit && (appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; + + if (licType !== undefined && appOptions.canLiveView && (licType===Asc.c_oLicenseResult.ConnectionsLive || licType===Asc.c_oLicenseResult.ConnectionsLiveOS)) + this._state.licenseType = licType; + if (this._isDocReady && this._state.licenseType) this.applyLicense(); } @@ -524,7 +541,13 @@ class MainController extends Component { return; } - if (this._state.licenseType) { + if (appOptions.config.mode === 'view') { + if (appOptions.canLiveView && (this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLive || this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLiveOS)) { + appOptions.canLiveView = false; + this.api.asc_SetFastCollaborative(false); + } + Common.Notifications.trigger('toolbar:activatecontrols'); + } else if (this._state.licenseType) { let license = this._state.licenseType; let buttons = [{text: 'OK'}]; if ((appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0 && @@ -592,7 +615,8 @@ class MainController extends Component { } onUpdateVersion (callback) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); this.needToUpdateVersion = true; Common.Notifications.trigger('preloader:endAction', Asc.c_oAscAsyncActionType['BlockInteraction'], this.LoadingDocument); @@ -611,7 +635,8 @@ class MainController extends Component { onServerVersion (buildVersion) { if (this.changeServerVersion) return true; - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); if (About.appVersion() !== buildVersion && !window.compareVersions) { this.changeServerVersion = true; @@ -759,7 +784,8 @@ class MainController extends Component { if (value === 1) { this.api.asc_runAutostartMacroses(); } else if (value === 0) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.create({ title: _t.notcriticalErrorTitle, text: _t.textHasMacros, @@ -797,11 +823,76 @@ class MainController extends Component { } } + onMacrosPermissionRequest (url, callback) { + if (url && callback) { + this.stackMacrosRequests.push({url: url, callback: callback}); + if (this.stackMacrosRequests.length>1) { + return; + } + } else if (this.stackMacrosRequests.length>0) { + url = this.stackMacrosRequests[0].url; + callback = this.stackMacrosRequests[0].callback; + } else + return; + + const value = this.props.storeApplicationSettings.macrosRequest; + if (value>0) { + callback && callback(value === 1); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + } else { + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); + f7.dialog.create({ + title: _t.notcriticalErrorTitle, + text: _t.textRequestMacros.replace('%1', url), + cssClass: 'dlg-macros-request', + content: `
                              + + ${_t.textRemember} +
                              `, + buttons: [{ + text: _t.textYes, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(1); + LocalStorage.setItem("pe-mobile-allow-macros-request", 1); + } + setTimeout(() => { + if (callback) callback(true); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + }}, + { + text: _t.textNo, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(2); + LocalStorage.setItem("pe-mobile-allow-macros-request", 2); + } + setTimeout(() => { + if (callback) callback(false); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + } + }] + }).open(); + } + } + onProcessSaveResult (data) { this.api.asc_OnSaveEnd(data.result); if (data && data.result === false) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.alert( (!data.message) ? _t.errorProcessSaveResult : data.message, _t.criticalErrorTitle @@ -818,7 +909,8 @@ class MainController extends Component { Common.Notifications.trigger('api:disconnect'); if (!old_rights) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.alert( (!data.message) ? _t.warnProcessRightsChange : data.message, _t.notcriticalErrorTitle, diff --git a/apps/presentationeditor/mobile/src/controller/Search.jsx b/apps/presentationeditor/mobile/src/controller/Search.jsx index d6dc11a94..c3c254ac3 100644 --- a/apps/presentationeditor/mobile/src/controller/Search.jsx +++ b/apps/presentationeditor/mobile/src/controller/Search.jsx @@ -65,9 +65,9 @@ class PESearchView extends SearchView { return {...params, ...searchOptions}; } - onSearchbarShow(isshowed, bar) { - super.onSearchbarShow(isshowed, bar); - } + // onSearchbarShow(isshowed, bar) { + // super.onSearchbarShow(isshowed, bar); + // } } const Search = withTranslation()(props => { diff --git a/apps/presentationeditor/mobile/src/controller/add/AddOther.jsx b/apps/presentationeditor/mobile/src/controller/add/AddOther.jsx index 3b8edb68b..e6060381d 100644 --- a/apps/presentationeditor/mobile/src/controller/add/AddOther.jsx +++ b/apps/presentationeditor/mobile/src/controller/add/AddOther.jsx @@ -10,10 +10,7 @@ class AddOtherController extends Component { constructor (props) { super(props); this.onStyleClick = this.onStyleClick.bind(this); - this.initStyleTable = this.initStyleTable.bind(this); this.onGetTableStylesPreviews = this.onGetTableStylesPreviews.bind(this); - - this.initTable = false; } closeModal () { @@ -24,14 +21,6 @@ class AddOtherController extends Component { } } - initStyleTable () { - if (!this.initTable) { - const api = Common.EditorApi.get(); - api.asc_GetDefaultTableStyles(); - this.initTable = true; - } - } - onStyleClick (type) { const api = Common.EditorApi.get(); @@ -93,8 +82,10 @@ class AddOtherController extends Component { } onGetTableStylesPreviews = () => { - const api = Common.EditorApi.get(); - setTimeout(() => this.props.storeTableSettings.setStyles(api.asc_getTableStylesPreviews(true)), 1); + if(this.props.storeTableSettings.arrayStylesDefault.length == 0) { + const api = Common.EditorApi.get(); + setTimeout(() => this.props.storeTableSettings.setStyles(api.asc_getTableStylesPreviews(true), 'default'), 1); + } } hideAddComment () { @@ -127,7 +118,6 @@ class AddOtherController extends Component { return ( diff --git a/apps/presentationeditor/mobile/src/controller/edit/EditChart.jsx b/apps/presentationeditor/mobile/src/controller/edit/EditChart.jsx index 0771629dc..eb54d09f3 100644 --- a/apps/presentationeditor/mobile/src/controller/edit/EditChart.jsx +++ b/apps/presentationeditor/mobile/src/controller/edit/EditChart.jsx @@ -11,6 +11,7 @@ class EditChartController extends Component { this.onType = this.onType.bind(this); this.onBorderColor = this.onBorderColor.bind(this); this.onBorderSize = this.onBorderSize.bind(this); + this.onStyle = this.onStyle.bind(this); const type = props.storeFocusObjects.chartObject.getType(); if (type==Asc.c_oAscChartTypeSettings.comboBarLine || @@ -88,7 +89,7 @@ class EditChartController extends Component { onStyle (style) { const api = Common.EditorApi.get(); let chart = new Asc.CAscChartProp(); - const chartProps = this.storeFocusObjects.chartObject.get_ChartProperties(); + const chartProps = this.props.storeFocusObjects.chartObject.get_ChartProperties(); chartProps.putStyle(style); chart.put_ChartProperties(chartProps); api.ChartApply(chart); diff --git a/apps/presentationeditor/mobile/src/controller/edit/EditText.jsx b/apps/presentationeditor/mobile/src/controller/edit/EditText.jsx index e7fb78aa2..7d96bf4eb 100644 --- a/apps/presentationeditor/mobile/src/controller/edit/EditText.jsx +++ b/apps/presentationeditor/mobile/src/controller/edit/EditText.jsx @@ -235,6 +235,18 @@ class EditTextController extends Component { api.put_ListType(1, parseInt(type)); } + getIconsBulletsAndNumbers(arrayElements, type) { + const api = Common.EditorApi.get(); + const arr = []; + + arrayElements.forEach( item => { + let data = item.drawdata; + data['divId'] = item.id; + arr.push(data); + }); + if (api) api.SetDrawImagePreviewBulletForMenu(arr, type); + } + onLineSpacing(value) { const api = Common.EditorApi.get(); const LINERULE_AUTO = 1; @@ -263,6 +275,7 @@ class EditTextController extends Component { changeLetterSpacing={this.changeLetterSpacing} onBullet={this.onBullet} onNumber={this.onNumber} + getIconsBulletsAndNumbers={this.getIconsBulletsAndNumbers} onLineSpacing={this.onLineSpacing} /> ) diff --git a/apps/presentationeditor/mobile/src/controller/settings/PresentationSettings.jsx b/apps/presentationeditor/mobile/src/controller/settings/PresentationSettings.jsx index cb3c6803d..c18cdae00 100644 --- a/apps/presentationeditor/mobile/src/controller/settings/PresentationSettings.jsx +++ b/apps/presentationeditor/mobile/src/controller/settings/PresentationSettings.jsx @@ -7,6 +7,7 @@ class PresentationSettingsController extends Component { super(props); this.initSlideSize = this.initSlideSize.bind(this); this.onSlideSize = this.onSlideSize.bind(this); + this.onColorSchemeChange = this.onColorSchemeChange.bind(this); this.initSlideSize(); } @@ -47,6 +48,7 @@ class PresentationSettingsController extends Component { onColorSchemeChange(newScheme) { const api = Common.EditorApi.get(); api.asc_ChangeColorSchemeByIdx(newScheme); + this.props.storeTableSettings.setStyles([], 'default'); } @@ -62,4 +64,4 @@ class PresentationSettingsController extends Component { } } -export default inject("storePresentationSettings")(observer(PresentationSettingsController)); \ No newline at end of file +export default inject("storePresentationSettings", "storeTableSettings")(observer(PresentationSettingsController)); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/index_dev.html b/apps/presentationeditor/mobile/src/index_dev.html index 3488209c2..631114ced 100644 --- a/apps/presentationeditor/mobile/src/index_dev.html +++ b/apps/presentationeditor/mobile/src/index_dev.html @@ -2,15 +2,7 @@ - - + diff --git a/apps/presentationeditor/mobile/src/less/app-rtl.less b/apps/presentationeditor/mobile/src/less/app-rtl.less new file mode 100644 index 000000000..c6b088922 --- /dev/null +++ b/apps/presentationeditor/mobile/src/less/app-rtl.less @@ -0,0 +1,19 @@ +@import '../../../../common/mobile/resources/less/common-rtl.less'; +@import '../../../../common/mobile/\/resources/less/icons.rtl.less'; + +[dir="rtl"] { + .slide-theme .item-theme.active:before { + left: -5px; + right: unset; + } + + .slide-layout { + .item-inner:before { + left: 11px; + right: unset; + } + .row img { + transform: scaleX(-1); + } + } +} \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/less/app.less b/apps/presentationeditor/mobile/src/less/app.less index 960129624..52f98b332 100644 --- a/apps/presentationeditor/mobile/src/less/app.less +++ b/apps/presentationeditor/mobile/src/less/app.less @@ -2,6 +2,7 @@ @import '../../../../common/mobile/resources/less/_mixins.less'; @import '../../../../common/mobile/resources/less/colors-table.less'; @import '../../../../common/mobile/resources/less/colors-table-dark.less'; +@import './app-rtl.less'; @brandColor: var(--brand-slide); @@ -123,7 +124,7 @@ .table-styles .row div:not(:first-child) { margin: 2px auto 0px; } -.table-styles li, .table-styles .row div { +.table-styles .skeleton-list li, .table-styles .row div { padding: 0; } .table-styles .row .skeleton-list{ diff --git a/apps/presentationeditor/mobile/src/less/icons-material.less b/apps/presentationeditor/mobile/src/less/icons-material.less index 3fdb2bcff..71b95268b 100644 --- a/apps/presentationeditor/mobile/src/less/icons-material.less +++ b/apps/presentationeditor/mobile/src/less/icons-material.less @@ -448,7 +448,7 @@ &.icon-plus { width: 22px; height: 22px; - .encoded-svg-mask('', @toolbar-icons); + .encoded-svg-mask('', @fill-white); } } diff --git a/apps/presentationeditor/mobile/src/store/appOptions.js b/apps/presentationeditor/mobile/src/store/appOptions.js index 97b83a381..a79235abd 100644 --- a/apps/presentationeditor/mobile/src/store/appOptions.js +++ b/apps/presentationeditor/mobile/src/store/appOptions.js @@ -94,12 +94,17 @@ export class storeAppOptions { this.canComments = this.canLicense && (permissions.comment === undefined ? this.isEdit : permissions.comment) && (this.config.mode !== 'view'); this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); - this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canEditComments = this.isOffline || !permissions.editCommentAuthorOnly; this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; + if ((typeof (this.customization) == 'object') && this.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 (permissions.editCommentAuthorOnly===undefined && permissions.deleteCommentAuthorOnly===undefined) + this.canEditComments = this.canDeleteComments = this.isOffline; + } this.canChat = this.canLicense && !this.isOffline && (permissions.chat !== false); this.canEditStyles = this.canLicense && this.canEdit; this.canPrint = (permissions.print !== false); - this.isRestrictedEdit = !this.isEdit && this.canComments; + this.isRestrictedEdit = !this.isEdit && this.canComments && isSupportEditFeature; this.trialMode = params.asc_getLicenseMode(); const type = /^(?:(pdf|djvu|xps|oxps))$/.exec(document.fileType); @@ -116,5 +121,7 @@ export class storeAppOptions { this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); + + this.canLiveView = !!params.asc_getLiveViewerSupport() && (this.config.mode === 'view') && isSupportEditFeature; } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/store/applicationSettings.js b/apps/presentationeditor/mobile/src/store/applicationSettings.js index 46a9f1e8f..d1b2c85c1 100644 --- a/apps/presentationeditor/mobile/src/store/applicationSettings.js +++ b/apps/presentationeditor/mobile/src/store/applicationSettings.js @@ -6,15 +6,18 @@ export class storeApplicationSettings { unitMeasurement: observable, isSpellChecking: observable, macrosMode: observable, + macrosRequest: observable, changeUnitMeasurement: action, changeSpellCheck: action, - changeMacrosSettings: action + changeMacrosSettings: action, + changeMacrosRequest: action }); } unitMeasurement = 1; isSpellChecking = true; macrosMode = 0; + macrosRequest = 0; changeUnitMeasurement(value) { this.unitMeasurement = +value; @@ -27,4 +30,8 @@ export class storeApplicationSettings { changeMacrosSettings(value) { this.macrosMode = +value; } + + changeMacrosRequest(value) { + this.macrosRequest = value; + } } \ No newline at end of file diff --git a/apps/presentationeditor/mobile/src/store/tableSettings.js b/apps/presentationeditor/mobile/src/store/tableSettings.js index 7296cfc16..5e433263f 100644 --- a/apps/presentationeditor/mobile/src/store/tableSettings.js +++ b/apps/presentationeditor/mobile/src/store/tableSettings.js @@ -14,10 +14,12 @@ export class storeTableSettings { updateCellBorderColor: action, setAutoColor: action, colorAuto: observable, + arrayStylesDefault: observable, }); } arrayStyles = []; + arrayStylesDefault = []; colorAuto = 'auto'; setAutoColor(value) { @@ -28,7 +30,7 @@ export class storeTableSettings { this.arrayStyles = []; } - setStyles (arrStyles) { + setStyles (arrStyles, typeStyles) { let styles = []; for (let template of arrStyles) { styles.push({ @@ -36,6 +38,10 @@ export class storeTableSettings { templateId : template.asc_getId() }); } + + if(typeStyles === 'default') { + return this.arrayStylesDefault = styles; + } return this.arrayStyles = styles; } diff --git a/apps/presentationeditor/mobile/src/store/textSettings.js b/apps/presentationeditor/mobile/src/store/textSettings.js index 551c633ae..16c811a14 100644 --- a/apps/presentationeditor/mobile/src/store/textSettings.js +++ b/apps/presentationeditor/mobile/src/store/textSettings.js @@ -133,9 +133,10 @@ export class storeTextSettings { } loadSprite() { - this.spriteThumbs = new Image(); - this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; - this.spriteThumbs.src = this.thumbs[this.thumbIdx].path; + this.spriteThumbs = new Common.Utils.CThumbnailLoader(); + this.spriteThumbs.load(this.thumbs[this.thumbIdx].path, () => { + this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; + }); } resetFontName (font) { diff --git a/apps/presentationeditor/mobile/src/view/add/AddOther.jsx b/apps/presentationeditor/mobile/src/view/add/AddOther.jsx index e337874e9..2eb8d5f4a 100644 --- a/apps/presentationeditor/mobile/src/view/add/AddOther.jsx +++ b/apps/presentationeditor/mobile/src/view/add/AddOther.jsx @@ -5,11 +5,10 @@ import { useTranslation } from 'react-i18next'; import {Device} from "../../../../../common/mobile/utils/device"; const PageTable = props => { - props.initStyleTable(); const { t } = useTranslation(); const _t = t('View.Add', {returnObjects: true}); const storeTableSettings = props.storeTableSettings; - const styles = storeTableSettings.arrayStyles; + const styles = storeTableSettings.arrayStylesDefault; return ( @@ -50,7 +49,6 @@ const AddOther = props => { props.onGetTableStylesPreviews()} routeProps={{ onStyleClick: props.onStyleClick, - initStyleTable: props.initStyleTable }}> diff --git a/apps/presentationeditor/mobile/src/view/edit/EditChart.jsx b/apps/presentationeditor/mobile/src/view/edit/EditChart.jsx index 1857e4292..83d1bb389 100644 --- a/apps/presentationeditor/mobile/src/view/edit/EditChart.jsx +++ b/apps/presentationeditor/mobile/src/view/edit/EditChart.jsx @@ -285,7 +285,7 @@ const PageChartBorder = props => { onRangeChanged={(value) => {props.onBorderSize(borderSizeTransform.sizeByIndex(value))}} > -
                              +
                              {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
                              diff --git a/apps/presentationeditor/mobile/src/view/edit/EditShape.jsx b/apps/presentationeditor/mobile/src/view/edit/EditShape.jsx index d476f12cd..9190e8ce1 100644 --- a/apps/presentationeditor/mobile/src/view/edit/EditShape.jsx +++ b/apps/presentationeditor/mobile/src/view/edit/EditShape.jsx @@ -13,11 +13,13 @@ const EditShape = props => { const canFill = shapeObject && shapeObject.get_CanFill(); const shapeType = shapeObject.asc_getType(); - const hideChangeType = shapeObject.get_FromChart() || shapeType=='line' || shapeType=='bentConnector2' || shapeType=='bentConnector3' + const hideChangeType = shapeObject.get_FromChart() || shapeObject.get_FromSmartArt() + || shapeType=='line' || shapeType=='bentConnector2' || shapeType=='bentConnector3' || shapeType=='bentConnector4' || shapeType=='bentConnector5' || shapeType=='curvedConnector2' || shapeType=='curvedConnector3' || shapeType=='curvedConnector4' || shapeType=='curvedConnector5' || shapeType=='straightConnector1'; + const isSmartArtInternal = shapeObject.get_FromSmartArtInternal(); let disableRemove = !!props.storeFocusObjects.paragraphObject; return ( @@ -41,10 +43,11 @@ const EditShape = props => { onReplace: props.onReplace }}> } - - + { !isSmartArtInternal && + + } @@ -159,7 +162,7 @@ const PageStyle = props => { onRangeChanged={(value) => {props.onBorderSize(borderSizeTransform.sizeByIndex(value))}} >
                              -
                              +
                              {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
                              @@ -183,7 +186,7 @@ const PageStyle = props => { onRangeChanged={(value) => {props.onOpacity(value)}} >
                              -
                              +
                              {stateOpacity + ' %'}
                              @@ -278,7 +281,7 @@ const PageStyleNoFill = props => { onRangeChanged={(value) => {props.onBorderSize(borderSizeTransform.sizeByIndex(value))}} >
                              -
                              +
                              {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
                              diff --git a/apps/presentationeditor/mobile/src/view/edit/EditSlide.jsx b/apps/presentationeditor/mobile/src/view/edit/EditSlide.jsx index 6a0b6ca39..3f4c7b2cd 100644 --- a/apps/presentationeditor/mobile/src/view/edit/EditSlide.jsx +++ b/apps/presentationeditor/mobile/src/view/edit/EditSlide.jsx @@ -297,7 +297,7 @@ const PageTransition = props => { onRangeChanged={(value) => {props.onDelay(value)}} >
                              -
                              +
                              {stateRange + ' ' + _t.textSec}
                              diff --git a/apps/presentationeditor/mobile/src/view/edit/EditTable.jsx b/apps/presentationeditor/mobile/src/view/edit/EditTable.jsx index 8c0423fe4..cb73c5d26 100644 --- a/apps/presentationeditor/mobile/src/view/edit/EditTable.jsx +++ b/apps/presentationeditor/mobile/src/view/edit/EditTable.jsx @@ -66,11 +66,9 @@ const PageStyleOptions = props => { isBandVer = tableLook.get_BandVer(); } - const openIndicator = () => props.onGetTableStylesPreviews(); - return ( - + {Device.phone && @@ -282,7 +280,7 @@ const TabBorder = inject("storeFocusObjects", "storeTableSettings")(observer(pro onRangeChanged={(value) => {storeTableSettings.updateCellBorderWidth(borderSizeTransform.sizeByIndex(value));}} >
                              -
                              +
                              {stateTextBorderSize + ' ' + Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.pt)}
                              @@ -541,7 +539,7 @@ const EditTable = props => { onRangeChanged={(value) => {props.onOptionMargin(value)}} >
                              -
                              +
                              {stateDistance + ' ' + metricText}
                              diff --git a/apps/presentationeditor/mobile/src/view/edit/EditText.jsx b/apps/presentationeditor/mobile/src/view/edit/EditText.jsx index cb6baa7ff..778473eb0 100644 --- a/apps/presentationeditor/mobile/src/view/edit/EditText.jsx +++ b/apps/presentationeditor/mobile/src/view/edit/EditText.jsx @@ -143,6 +143,8 @@ const EditText = props => {
                              {previewList}
                              {!isAndroid && } @@ -209,47 +211,40 @@ const PageFonts = props => { const spriteThumbs = storeTextSettings.spriteThumbs; const arrayRecentFonts = storeTextSettings.arrayRecentFonts; - useEffect(() => { - setRecent(getImageUri(arrayRecentFonts)); - - return () => { - } - }, []); - const addRecentStorage = () => { - let arr = []; - arrayRecentFonts.forEach(item => arr.push(item)); setRecent(getImageUri(arrayRecentFonts)); - LocalStorage.setItem('ppe-settings-recent-fonts', JSON.stringify(arr)); - } + LocalStorage.setItem('ppe-settings-recent-fonts', JSON.stringify(arrayRecentFonts)); + }; - const [stateRecent, setRecent] = useState([]); + const getImageUri = fonts => { + return fonts.map(font => { + let index = Math.floor(font.imgidx/spriteCols); + return spriteThumbs.getImage(index, thumbCanvas, thumbContext).toDataURL(); + }); + }; + + const [stateRecent, setRecent] = useState(() => getImageUri(arrayRecentFonts)); const [vlFonts, setVlFonts] = useState({ vlData: { items: [], } }); - const getImageUri = fonts => { - return fonts.map(font => { - thumbContext.clearRect(0, 0, thumbs[thumbIdx].width, thumbs[thumbIdx].height); - thumbContext.drawImage(spriteThumbs, 0, -thumbs[thumbIdx].height * Math.floor(font.imgidx / spriteCols)); - - return thumbCanvas.toDataURL(); - }); - }; - const renderExternal = (vl, vlData) => { setVlFonts((prevState) => { - let fonts = [...prevState.vlData.items]; - fonts.splice(vlData.fromIndex, vlData.toIndex, ...vlData.items); - - let images = getImageUri(fonts); + let fonts = [...prevState.vlData.items], + drawFonts = [...vlData.items]; + let images = [], + drawImages = getImageUri(drawFonts); + for (let i = 0; i < drawFonts.length; i++) { + fonts[i + vlData.fromIndex] = drawFonts[i]; + images[i + vlData.fromIndex] = drawImages[i]; + } return {vlData: { - items: fonts, - images, - }}; + items: fonts, + images, + }} }); }; @@ -304,15 +299,19 @@ const PageFonts = props => { renderExternal: renderExternal }}>
                                - {vlFonts.vlData.items.map((item, index) => ( - { - props.changeFontFamily(item.name); - storeTextSettings.addFontToRecent(item); - addRecentStorage(); - }}> - - - ))} + {vlFonts.vlData.items.map((item, index) => { + const font = item || fonts[index]; + const fontName = font.name; + return ( + { + props.changeFontFamily(fontName); + storeTextSettings.addFontToRecent(font); + addRecentStorage(); + }}> + {vlFonts.vlData.images[index] && } + + ) + })}
                              @@ -499,25 +498,23 @@ const PageAdditionalFormatting = props => { ) }; -const PageBullets = props => { - const { t } = useTranslation(); - const _t = t('View.Edit', {returnObjects: true}); - const bulletArrays = [ - [ - {type: -1, thumb: ''}, - {type: 1, thumb: 'bullet-01.png'}, - {type: 2, thumb: 'bullet-02.png'}, - {type: 3, thumb: 'bullet-03.png'} - ], - [ - {type: 4, thumb: 'bullet-04.png'}, - {type: 5, thumb: 'bullet-05.png'}, - {type: 6, thumb: 'bullet-06.png'}, - {type: 7, thumb: 'bullet-07.png'} - ] - ]; +const PageBullets = observer(props => { const storeTextSettings = props.storeTextSettings; const typeBullets = storeTextSettings.typeBullets; + const bulletArrays = [ + {id: `id-markers-0`, type: 0, subtype: -1, drawdata: {type: Asc.asc_PreviewBulletType.text, text: 'None'} }, + {id: `id-markers-1`, type: 0, subtype: 1, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00B7), specialFont: 'Symbol'} }, + {id: `id-markers-2`, type: 0, subtype: 2, drawdata: {type: Asc.asc_PreviewBulletType.char, char: 'o', specialFont: 'Courier New'} }, + {id: `id-markers-3`, type: 0, subtype: 3, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A7), specialFont: 'Wingdings'} }, + {id: `id-markers-4`, type: 0, subtype: 4, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x0076), specialFont: 'Wingdings'} }, + {id: `id-markers-5`, type: 0, subtype: 5, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00D8), specialFont: 'Wingdings'} }, + {id: `id-markers-6`, type: 0, subtype: 6, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00FC), specialFont: 'Wingdings'} }, + {id: `id-markers-7`, type: 0, subtype: 7, drawdata: {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A8), specialFont: 'Symbol'} } + ]; + + useEffect(() => { + props.getIconsBulletsAndNumbers(bulletArrays, 0); + }, []); const paragraph = props.storeFocusObjects.paragraphObject; const shapeObj = props.storeFocusObjects.shapeObject; @@ -528,52 +525,41 @@ const PageBullets = props => { return( - {bulletArrays.map((bullets, index) => ( - - {bullets.map((bullet) => ( - { - if (bullet.type === -1) { - storeTextSettings.resetBullets(-1); - } - props.onBullet(bullet.type) - props.f7router.back(); - }}> - {bullet.thumb.length < 1 ? - - - : - - } - - ))} - - ))} + + {bulletArrays.map( bullet => ( + { + storeTextSettings.resetBullets(bullet.subtype); + props.onBullet(bullet.subtype); + }}> +
                              + +
                              +
                              + ))} +
                              ) -}; - -const PageNumbers = props => { - const { t } = useTranslation(); - const _t = t('View.Edit', {returnObjects: true}); - const numberArrays = [ - [ - {type: -1, thumb: ''}, - {type: 4, thumb: 'number-01.png'}, - {type: 5, thumb: 'number-02.png'}, - {type: 6, thumb: 'number-03.png'} - ], - [ - {type: 1, thumb: 'number-04.png'}, - {type: 2, thumb: 'number-05.png'}, - {type: 3, thumb: 'number-06.png'}, - {type: 7, thumb: 'number-07.png'} - ] - ]; +}); +const PageNumbers = observer(props => { const storeTextSettings = props.storeTextSettings; const typeNumbers = storeTextSettings.typeNumbers; + const numberArrays = [ + {id: `id-numbers-0`, type: 1, subtype: -1, drawdata: {type: Asc.asc_PreviewBulletType.text, text: 'None'}}, + {id: `id-numbers-4`, type: 1, subtype: 4, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperLetterDot_Left}}, + {id: `id-numbers-5`, type: 1, subtype: 5, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterBracket_Left}}, + {id: `id-numbers-6`, type: 1, subtype: 6, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterDot_Left}}, + {id: `id-numbers-1`, type: 1, subtype: 1, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalDot_Right}}, + {id: `id-numbers-2`, type: 1, subtype: 2, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalBracket_Right}}, + {id: `id-numbers-3`, type: 1, subtype: 3, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperRomanDot_Right}}, + {id: `id-numbers-7`, type: 1, subtype: 7, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerRomanDot_Right}} + ]; + + useEffect(() => { + props.getIconsBulletsAndNumbers(numberArrays, 1); + }, []); const paragraph = props.storeFocusObjects.paragraphObject; const shapeObj = props.storeFocusObjects.shapeObject; @@ -582,7 +568,7 @@ const PageNumbers = props => { return null; } - return( + return ( {numberArrays.map((numbers, index) => ( @@ -590,25 +576,22 @@ const PageNumbers = props => { { - if (number.type === -1) { - storeTextSettings.resetNumbers(-1); - } - props.onNumber(number.type) - props.f7router.back(); + storeTextSettings.resetNumbers(number.type); + props.onNumber(number.type); }}> {number.thumb.length < 1 ? : - + } ))} ))} - ) -}; + ); +}); const PageBulletsAndNumbers = props => { const { t } = useTranslation(); @@ -628,8 +611,24 @@ const PageBulletsAndNumbers = props => { } - - + + + + + + ) diff --git a/apps/presentationeditor/mobile/src/view/settings/ApplicationSettings.jsx b/apps/presentationeditor/mobile/src/view/settings/ApplicationSettings.jsx index 9a929743d..df847774b 100644 --- a/apps/presentationeditor/mobile/src/view/settings/ApplicationSettings.jsx +++ b/apps/presentationeditor/mobile/src/view/settings/ApplicationSettings.jsx @@ -1,8 +1,9 @@ import React, {Fragment, useState} from "react"; import { observer, inject } from "mobx-react"; -import { Page, Navbar, List, ListItem, BlockTitle, Toggle } from "framework7-react"; +import {f7, Page, Navbar, List, ListItem, BlockTitle, Toggle } from "framework7-react"; import { useTranslation } from "react-i18next"; import { Themes } from '../../../../../common/mobile/lib/controller/Themes.js'; +import { LocalStorage } from "../../../../../common/mobile/utils/LocalStorage.js"; const PageApplicationSettings = props => { const { t } = useTranslation(); @@ -37,8 +38,7 @@ const PageApplicationSettings = props => { onChange={() => changeMeasureSettings(2)}>
                              - - {_t.textSpellcheck} + { store.changeSpellCheck(!isSpellChecking); @@ -52,6 +52,7 @@ const PageApplicationSettings = props => { + } {/* {_isShowMacros && */} @@ -65,6 +66,38 @@ const PageApplicationSettings = props => { ); }; +const RTLSetting = () => { + const { t } = useTranslation(); + const _t = t("View.Settings", { returnObjects: true }); + + let direction = LocalStorage.getItem('mode-direction'); + const [isRTLMode, setRTLMode] = useState(direction === 'rtl' ? true : false); + + const switchRTLMode = rtl => { + LocalStorage.setItem("mode-direction", rtl ? 'rtl' : 'ltr'); + + f7.dialog.create({ + title: t('View.Settings.notcriticalErrorTitle'), + text: t('View.Settings.textRestartApplication'), + buttons: [ + { + text: t('View.Settings.textOk') + } + ] + }).open(); + } + + return ( + + + {switchRTLMode(!toggle), setRTLMode(!toggle)}}> + + + + ) +} + const PageMacrosSettings = props => { const { t } = useTranslation(); const _t = t("View.Settings", { returnObjects: true }); diff --git a/apps/presentationeditor/mobile/src/view/settings/Settings.jsx b/apps/presentationeditor/mobile/src/view/settings/Settings.jsx index 50bf74b60..dc83664a6 100644 --- a/apps/presentationeditor/mobile/src/view/settings/Settings.jsx +++ b/apps/presentationeditor/mobile/src/view/settings/Settings.jsx @@ -86,9 +86,12 @@ const SettingsList = inject("storeAppOptions", "storeToolbarSettings")(observer( } const onPrint = () => { - closeModal(); const api = Common.EditorApi.get(); - api.asc_Print(); + + closeModal(); + setTimeout(() => { + api.asc_Print(); + }, 400); }; const showHelp = () => { diff --git a/apps/spreadsheeteditor/embed/index.html b/apps/spreadsheeteditor/embed/index.html index 4ae0f8326..429992404 100644 --- a/apps/spreadsheeteditor/embed/index.html +++ b/apps/spreadsheeteditor/embed/index.html @@ -224,6 +224,7 @@
                              + @@ -282,6 +283,8 @@ + + diff --git a/apps/spreadsheeteditor/embed/index.html.deploy b/apps/spreadsheeteditor/embed/index.html.deploy index eb9dbabea..10f517490 100644 --- a/apps/spreadsheeteditor/embed/index.html.deploy +++ b/apps/spreadsheeteditor/embed/index.html.deploy @@ -216,6 +216,7 @@
                              + diff --git a/apps/spreadsheeteditor/embed/js/ApplicationController.js b/apps/spreadsheeteditor/embed/js/ApplicationController.js index ca6f42650..669e850ff 100644 --- a/apps/spreadsheeteditor/embed/js/ApplicationController.js +++ b/apps/spreadsheeteditor/embed/js/ApplicationController.js @@ -74,6 +74,7 @@ SSE.ApplicationController = new(function(){ embedConfig = $.extend(embedConfig, data.config.embedded); common.controller.modals.init(embedConfig); + common.controller.SearchBar.init(embedConfig); // Docked toolbar if (embedConfig.toolbarDocked === 'bottom') { @@ -103,8 +104,7 @@ SSE.ApplicationController = new(function(){ if (docConfig) { permissions = $.extend(permissions, docConfig.permissions); - var _permissions = $.extend({}, docConfig.permissions), - docInfo = new Asc.asc_CDocInfo(), + var docInfo = new Asc.asc_CDocInfo(), _user = new Asc.asc_CUserInfo(); var canRenameAnonymous = !((typeof (config.customization) == 'object') && (typeof (config.customization.anonymous) == 'object') && (config.customization.anonymous.request===false)), @@ -128,7 +128,7 @@ SSE.ApplicationController = new(function(){ docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(config.callbackUrl); docInfo.put_Token(docConfig.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(docConfig.permissions); docInfo.put_EncryptedInfo(config.encryptionKeys); docInfo.put_Lang(config.lang); docInfo.put_Mode(config.mode); @@ -239,6 +239,10 @@ SSE.ApplicationController = new(function(){ embed: '#idt-embed' }); + common.controller.SearchBar.attach({ + search: '#id-search' + }); + api.asc_registerCallback('asc_onMouseMove', onApiMouseMove); api.asc_registerCallback('asc_onHyperlinkClick', common.utils.openLink); api.asc_registerCallback('asc_onDownloadUrl', onDownloadUrl); @@ -673,6 +677,8 @@ SSE.ApplicationController = new(function(){ Common.Gateway.on('opendocument', loadDocument); Common.Gateway.on('showmessage', onExternalMessage); Common.Gateway.appReady(); + + common.controller.SearchBar.setApi(api); } return me; diff --git a/apps/spreadsheeteditor/embed/js/SearchBar.js b/apps/spreadsheeteditor/embed/js/SearchBar.js new file mode 100644 index 000000000..dfc5fe20b --- /dev/null +++ b/apps/spreadsheeteditor/embed/js/SearchBar.js @@ -0,0 +1,179 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2020 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * SearchBar.js + * + * Created by Julia Svinareva on 27.04.2022 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + ++function () { + !window.common && (window.common = {}); + !common.controller && (common.controller = {}); + + common.controller.SearchBar = new(function() { + var $searchBar, + $searchBtn, + $searchInput, + appConfig, + api, + _state = { + searchText: '' + }, + _lastInputChange, + _searchTimer; + + var setApi = function (appApi) { + api = appApi; + if (api) { + api.asc_registerCallback('asc_onSetSearchCurrent', onApiUpdateSearchCurrent); + } + }; + + var create = function () { + $searchBar = common.view.SearchBar.create(); + if (appConfig.toolbarDocked === 'bottom') { + $searchBar.css({'right': '45px', 'bottom': '31px'}); + } else { + $searchBar.css({'right': '45px', 'top': '31px'}); + } + + $searchInput = $searchBar.find('#search-bar-text'); + $searchInput.on('input', function(e){ + common.view.SearchBar.disableNavButtons(); + onInputSearchChange($searchInput.val()); + }).on('keydown', function (e) { + onSearchNext('keydown', $searchInput.val(), e); + }); + $searchBar.find('#search-bar-back').on('click', function(e){ + onSearchNext('back', $searchInput.val()); + }); + $searchBar.find('#search-bar-next').on('click', function(e){ + onSearchNext('next', $searchInput.val()); + }); + $searchBar.find('#search-bar-close').on('click', function(e){ + highlightResults(false); + $searchBar.hide(); + $searchBtn.find('button').button('toggle'); + }); + + common.view.SearchBar.disableNavButtons(); + }; + + var attachToView = function(config) { + if ( !$searchBar ) { + create(); + } + + $searchBtn = $(config.search); + $searchBtn.on('click', function(e){ + if ($searchBar.is(':visible')) { + highlightResults(false); + $searchBar.hide(); + } else { + highlightResults(true); + var text = (api && api.asc_GetSelectedText()) || _state.searchText; + $searchInput.val(text); + (text.length > 0) && onInputSearchChange(text); + + $searchBar.show(); + $searchInput.focus(); + $searchInput.select(); + } + $searchBtn.find('button').button('toggle'); + }); + }; + + var onInputSearchChange = function (text) { + if (_state.searchText !== text) { + _state.newSearchText = text; + _lastInputChange = (new Date()); + if (_searchTimer === undefined) { + _searchTimer = setInterval(function() { + if ((new Date()) - _lastInputChange < 400) return; + + _state.searchText = _state.newSearchText; + (_state.newSearchText !== '') && onQuerySearch(); + clearInterval(_searchTimer); + _searchTimer = undefined; + }, 10); + } + } + }; + + var onQuerySearch = function (d, w) { + var options = new Asc.asc_CFindOptions(); + options.asc_setFindWhat(_state.searchText); + options.asc_setScanForward(d != 'back'); + options.asc_setIsMatchCase(false); + options.asc_setIsWholeCell(false); + options.asc_setScanOnOnlySheet(Asc.c_oAscSearchBy.Sheet); + options.asc_setScanByRows(true); + options.asc_setLookIn(Asc.c_oAscFindLookIn.Formulas); + if (!api.asc_findText(options)) { + common.view.SearchBar.disableNavButtons(); + return false; + } + return true; + }; + + var onSearchNext = function (type, text, e) { + if (text && text.length > 0 && (type === 'keydown' && e.keyCode === 13 || type !== 'keydown')) { + _state.searchText = text; + if (onQuerySearch(type) && _searchTimer) { + clearInterval(_searchTimer); + _searchTimer = undefined; + } + } + }; + + var onApiUpdateSearchCurrent = function (current, all) { + common.view.SearchBar.disableNavButtons(current, all); + }; + + var highlightResults = function (val) { + if (_state.isHighlightedResults !== val) { + api.asc_selectSearchingResults(val); + _state.isHighlightedResults = val; + } + }; + + return { + init: function(config) { appConfig = config; }, + attach: attachToView, + setApi: setApi + }; + }); +}(); \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/locale/en.json b/apps/spreadsheeteditor/embed/locale/en.json index 3f9d3aae7..f8c5368b1 100644 --- a/apps/spreadsheeteditor/embed/locale/en.json +++ b/apps/spreadsheeteditor/embed/locale/en.json @@ -4,6 +4,7 @@ "common.view.modals.txtHeight": "Height", "common.view.modals.txtShare": "Share Link", "common.view.modals.txtWidth": "Width", + "common.view.SearchBar.textFind": "Find", "SSE.ApplicationController.convertationErrorText": "Conversion failed.", "SSE.ApplicationController.convertationTimeoutText": "Conversion timeout exceeded.", "SSE.ApplicationController.criticalErrorTitle": "Error", diff --git a/apps/spreadsheeteditor/embed/locale/id.json b/apps/spreadsheeteditor/embed/locale/id.json index 74414bda4..d2ba60a9a 100644 --- a/apps/spreadsheeteditor/embed/locale/id.json +++ b/apps/spreadsheeteditor/embed/locale/id.json @@ -13,10 +13,15 @@ "SSE.ApplicationController.errorDefaultMessage": "Kode kesalahan %1", "SSE.ApplicationController.errorFilePassProtect": "Dokumen dilindungi dengan kata sandi dan tidak dapat dibuka.", "SSE.ApplicationController.errorFileSizeExceed": "Dokumen melebihi ukuran ", + "SSE.ApplicationController.errorForceSave": "Ada kesalahan saat menyimpan file. Silakan gunakan opsi 'Download sebagai' untuk menyimpan file ke komputer Anda dan coba lagi.", + "SSE.ApplicationController.errorLoadingFont": "Font tidak bisa dimuat.
                              Silakan kontak admin Server Dokumen Anda.", + "SSE.ApplicationController.errorTokenExpire": "Token keamanan dokumen sudah kadaluwarsa.
                              Silakan hubungi admin Server Dokumen Anda.", "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Huhungan internet telah", "SSE.ApplicationController.errorUserDrop": "File tidak dapat di akses", "SSE.ApplicationController.notcriticalErrorTitle": "Peringatan", + "SSE.ApplicationController.openErrorText": "Eror ketika membuka file.", "SSE.ApplicationController.scriptLoadError": "Hubungan terlalu lambat", + "SSE.ApplicationController.textAnonymous": "Anonim", "SSE.ApplicationController.textGuest": "Tamu", "SSE.ApplicationController.textLoadingDocument": "Memuat spread sheet", "SSE.ApplicationController.textOf": "Dari", diff --git a/apps/spreadsheeteditor/embed/locale/lo.json b/apps/spreadsheeteditor/embed/locale/lo.json index 8d9769b51..6410eceb7 100644 --- a/apps/spreadsheeteditor/embed/locale/lo.json +++ b/apps/spreadsheeteditor/embed/locale/lo.json @@ -13,10 +13,16 @@ "SSE.ApplicationController.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", "SSE.ApplicationController.errorFilePassProtect": "ມີລະຫັດປົກປ້ອງຟາຍນີ້ຈຶ່ງບໍ່ສາມາດເປີດໄດ້", "SSE.ApplicationController.errorFileSizeExceed": "ຂະໜາດຂອງຟາຍໃຫຍ່ກວ່າທີ່ກຳນົດໄວ້ໃນລະບົບ.
                              ກະລຸນະຕິດຕໍ່ຜູ້ຄຸ້ມຄອງລົບຂອງທ່ານ", + "SSE.ApplicationController.errorForceSave": "ເກີດຂໍ້ຜິດພາດໃນລະຫວ່າງການເບັນທຶກຝາຍ. ກະລຸນາໃຊ້ຕົວເລືອກ 'ດາວໂຫລດເປັນ' ເພື່ອບັນທຶກເອກະສານໄວ້ໃນຮາດໄດຄອມພິວເຕີຂອງທ່ານຫຼືລອງໃໝ່ພາຍຫຼັງ.", + "SSE.ApplicationController.errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
                              ກະລຸນາແອດມີນຂອງທ່ານ.", + "SSE.ApplicationController.errorTokenExpire": "ເຄື່ອງໝາຍຄວາມປອດໄພຂອງເອກະສານໄດ້ໝົດອາຍຸແລ້ວ.
                              ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບເອກະສານຂອງທ່ານ.", "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "ການເຊື່ອຕໍ່ອິນເຕີເນັດຫາກໍ່ກັບມາ, ແລະຟາຍເອກະສານໄດ້ມີການປ່ຽນແປງແລ້ວ. ກ່ອນທີ່ທ່ານຈະດຳເນີການຕໍ່ໄປ, ທ່ານຕ້ອງໄດ້ດາວໂຫຼດຟາຍ ຫຼືສຳເນົາເນື້ອຫາ ເພື່ອປ້ອງການການສູນເສຍ, ແລະກໍ່ທຳການໂຫຼດໜ້າຄືນອີກຄັ້ງ.", "SSE.ApplicationController.errorUserDrop": "ບໍ່ສາມາດເຂົ້າເຖິງຟາຍໄດ້", "SSE.ApplicationController.notcriticalErrorTitle": "ເຕືອນ", + "SSE.ApplicationController.openErrorText": "ມີຂໍ້ຜິດພາດເກີດຂື້ນໃນຂະນະເປີດເອກະສານ.", "SSE.ApplicationController.scriptLoadError": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາໂຫຼດໜ້ານີ້ຄືນໃໝ່", + "SSE.ApplicationController.textAnonymous": "ບໍ່ລະບຸຊື່", + "SSE.ApplicationController.textGuest": " ແຂກ", "SSE.ApplicationController.textLoadingDocument": "ກຳລັງໂຫຼດ", "SSE.ApplicationController.textOf": "ຂອງ", "SSE.ApplicationController.txtClose": "ປິດ", diff --git a/apps/spreadsheeteditor/embed/locale/pt-PT.json b/apps/spreadsheeteditor/embed/locale/pt-PT.json new file mode 100644 index 000000000..6bf55600d --- /dev/null +++ b/apps/spreadsheeteditor/embed/locale/pt-PT.json @@ -0,0 +1,38 @@ +{ + "common.view.modals.txtCopy": "Copiar para a área de transferência", + "common.view.modals.txtEmbed": "Incorporar", + "common.view.modals.txtHeight": "Altura", + "common.view.modals.txtShare": "Partilhar ligação", + "common.view.modals.txtWidth": "Largura", + "SSE.ApplicationController.convertationErrorText": "Falha na conversão.", + "SSE.ApplicationController.convertationTimeoutText": "Excedeu o tempo limite de conversão.", + "SSE.ApplicationController.criticalErrorTitle": "Erro", + "SSE.ApplicationController.downloadErrorText": "Falha ao descarregar.", + "SSE.ApplicationController.downloadTextText": "A descarregar folha de cálculo...", + "SSE.ApplicationController.errorAccessDeny": "Está a tentar executar uma ação para a qual não tem permissão.
                              Contacte o administrador do servidor de documentos.", + "SSE.ApplicationController.errorDefaultMessage": "Código de erro: %1", + "SSE.ApplicationController.errorFilePassProtect": "O documento está protegido por palavra-passe e não pode ser aberto.", + "SSE.ApplicationController.errorFileSizeExceed": "O tamanho do documento excede o limite do servidor.
                              Contacte o administrador do servidor de documentos para mais detalhes.", + "SSE.ApplicationController.errorForceSave": "Ocorreu um erro ao guardar o ficheiro. Utilize a opção 'Descarregar como' para guardar o ficheiro no computador ou tente novamente mais tarde.", + "SSE.ApplicationController.errorLoadingFont": "Tipos de letra não carregados.
                              Por favor contacte o administrador do servidor de documentos.", + "SSE.ApplicationController.errorTokenExpire": "O token de segurança do documento expirou.
                              Entre em contacto com o administrador do Servidor de Documentos.", + "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro foi alterada.
                              Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e depois recarregue esta página.", + "SSE.ApplicationController.errorUserDrop": "De momento, não é possível aceder ao ficheiro.", + "SSE.ApplicationController.notcriticalErrorTitle": "Aviso", + "SSE.ApplicationController.openErrorText": "Ocorreu um erro ao abrir o ficheiro.", + "SSE.ApplicationController.scriptLoadError": "A ligação está muito lenta e alguns dos componentes não foram carregados. Recarregue a página.", + "SSE.ApplicationController.textAnonymous": "Anónimo", + "SSE.ApplicationController.textGuest": "Convidado", + "SSE.ApplicationController.textLoadingDocument": "A carregar folha de cálculo", + "SSE.ApplicationController.textOf": "de", + "SSE.ApplicationController.txtClose": "Fechar", + "SSE.ApplicationController.unknownErrorText": "Erro desconhecido.", + "SSE.ApplicationController.unsupportedBrowserErrorText": "O seu navegador não é suportado.", + "SSE.ApplicationController.waitText": "Aguarde…", + "SSE.ApplicationView.txtDownload": "Descarregar", + "SSE.ApplicationView.txtEmbed": "Incorporar", + "SSE.ApplicationView.txtFileLocation": "Abrir localização do ficheiro", + "SSE.ApplicationView.txtFullScreen": "Ecrã inteiro", + "SSE.ApplicationView.txtPrint": "Imprimir", + "SSE.ApplicationView.txtShare": "Partilhar" +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/locale/sk.json b/apps/spreadsheeteditor/embed/locale/sk.json index 52d3bc24e..767c7af8f 100644 --- a/apps/spreadsheeteditor/embed/locale/sk.json +++ b/apps/spreadsheeteditor/embed/locale/sk.json @@ -15,9 +15,11 @@ "SSE.ApplicationController.errorFileSizeExceed": "Veľkosť súboru prekračuje limity vášho servera.
                              Kontaktujte prosím vášho správcu dokumentového servera o ďalšie podrobnosti.", "SSE.ApplicationController.errorForceSave": "Pri ukladaní súboru sa vyskytla chyba. Ak chcete súbor uložiť na pevný disk počítača, použite možnosť 'Prevziať ako' alebo to skúste znova neskôr.", "SSE.ApplicationController.errorLoadingFont": "Fonty sa nenahrali.
                              Kontaktujte prosím svojho administrátora Servera dokumentov.", + "SSE.ApplicationController.errorTokenExpire": "Rámec platnosti zabezpečenia dokumentu vypršal.
                              Prosím, kontaktujte svojho správcu dokumentového servera. ", "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Internetové spojenie bolo obnovené a verzia súboru bola zmenená.
                              Predtým, než budete pokračovať v práci, potrebujete si stiahnuť súbor alebo kópiu jeho obsahu, aby sa nič nestratilo. Potom znovu načítajte stránku.", "SSE.ApplicationController.errorUserDrop": "K súboru teraz nie je možné získať prístup.", "SSE.ApplicationController.notcriticalErrorTitle": "Upozornenie", + "SSE.ApplicationController.openErrorText": "Pri otváraní súboru sa vyskytla chyba.", "SSE.ApplicationController.scriptLoadError": "Spojenie je príliš pomalé, niektoré komponenty nemožno nahrať. Obnovte prosím stránku.", "SSE.ApplicationController.textAnonymous": "Anonymný", "SSE.ApplicationController.textGuest": "Hosť", diff --git a/apps/spreadsheeteditor/embed/locale/zh-TW.json b/apps/spreadsheeteditor/embed/locale/zh-TW.json new file mode 100644 index 000000000..2da2ddbfa --- /dev/null +++ b/apps/spreadsheeteditor/embed/locale/zh-TW.json @@ -0,0 +1,38 @@ +{ + "common.view.modals.txtCopy": "複製到剪貼板", + "common.view.modals.txtEmbed": "嵌入", + "common.view.modals.txtHeight": "\n高度", + "common.view.modals.txtShare": "分享連結", + "common.view.modals.txtWidth": "寬度", + "SSE.ApplicationController.convertationErrorText": "轉換失敗。", + "SSE.ApplicationController.convertationTimeoutText": "轉換逾時。", + "SSE.ApplicationController.criticalErrorTitle": "錯誤", + "SSE.ApplicationController.downloadErrorText": "下載失敗", + "SSE.ApplicationController.downloadTextText": "下載電子表格中...", + "SSE.ApplicationController.errorAccessDeny": "您嘗試進行未被授權的動作
                              請聯繫您的文件伺服器主機的管理者。", + "SSE.ApplicationController.errorDefaultMessage": "錯誤編號:%1", + "SSE.ApplicationController.errorFilePassProtect": "該文件受密碼保護,無法打開。", + "SSE.ApplicationController.errorFileSizeExceed": "此檔案超過這一主機限制的大小
                              進一步資訊,請聯絡您的文件服務主機的管理者。", + "SSE.ApplicationController.errorForceSave": "保存文件時發生錯誤。請使用“下載為”選項將文件保存到電腦機硬碟中,或稍後再試。", + "SSE.ApplicationController.errorLoadingFont": "字體未加載。
                              請聯繫文件服務器管理員。", + "SSE.ApplicationController.errorTokenExpire": "此文件安全憑證(Security Token)已過期。
                              請與您的Document Server管理員聯繫。", + "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "Internet連接已恢復,文件版本已更改。
                              在繼續工作之前,您需要下載文件或複制其內容以確保沒有丟失,然後重新加載此頁面。", + "SSE.ApplicationController.errorUserDrop": "目前無法存取該文件。", + "SSE.ApplicationController.notcriticalErrorTitle": "警告", + "SSE.ApplicationController.openErrorText": "開啟檔案時發生錯誤", + "SSE.ApplicationController.scriptLoadError": "連接速度太慢,某些組件無法加載。請重新加載頁面。", + "SSE.ApplicationController.textAnonymous": "匿名", + "SSE.ApplicationController.textGuest": "來賓帳戶", + "SSE.ApplicationController.textLoadingDocument": "加載電子表格", + "SSE.ApplicationController.textOf": "於", + "SSE.ApplicationController.txtClose": "關閉", + "SSE.ApplicationController.unknownErrorText": "未知錯誤。", + "SSE.ApplicationController.unsupportedBrowserErrorText": "不支援您的瀏覽器", + "SSE.ApplicationController.waitText": "請耐心等待...", + "SSE.ApplicationView.txtDownload": "下載", + "SSE.ApplicationView.txtEmbed": "嵌入", + "SSE.ApplicationView.txtFileLocation": "打開文件所在位置", + "SSE.ApplicationView.txtFullScreen": "全螢幕", + "SSE.ApplicationView.txtPrint": "列印", + "SSE.ApplicationView.txtShare": "分享" +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app.js b/apps/spreadsheeteditor/main/app.js index a9cf9cc1b..8fea0368f 100644 --- a/apps/spreadsheeteditor/main/app.js +++ b/apps/spreadsheeteditor/main/app.js @@ -159,12 +159,14 @@ require([ 'PivotTable', 'DataTab', 'ViewTab', + 'Search', 'WBProtection', 'Common.Controllers.Fonts', 'Common.Controllers.History', 'Common.Controllers.Chat', 'Common.Controllers.Comments', 'Common.Controllers.Plugins' + ,'Common.Controllers.ExternalOleEditor' ,'Common.Controllers.ReviewChanges' ,'Common.Controllers.Protection' ] @@ -172,6 +174,9 @@ require([ Common.Locale.apply(function(){ require([ + 'common/main/lib/util/LocalStorage', + 'common/main/lib/controller/Themes', + 'common/main/lib/controller/Desktop', 'spreadsheeteditor/main/app/controller/Viewport', 'spreadsheeteditor/main/app/controller/DocumentHolder', 'spreadsheeteditor/main/app/controller/CellEditor', @@ -185,6 +190,7 @@ require([ 'spreadsheeteditor/main/app/controller/PivotTable', 'spreadsheeteditor/main/app/controller/DataTab', 'spreadsheeteditor/main/app/controller/ViewTab', + 'spreadsheeteditor/main/app/controller/Search', 'spreadsheeteditor/main/app/controller/WBProtection', 'spreadsheeteditor/main/app/view/FileMenuPanels', 'spreadsheeteditor/main/app/view/ParagraphSettings', @@ -197,16 +203,14 @@ require([ 'spreadsheeteditor/main/app/view/ValueFieldSettingsDialog', 'spreadsheeteditor/main/app/view/SignatureSettings', 'common/main/lib/util/utils', - 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Fonts', 'common/main/lib/controller/History', 'common/main/lib/controller/Comments', 'common/main/lib/controller/Chat', 'common/main/lib/controller/Plugins' + ,'common/main/lib/controller/ExternalOleEditor' ,'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 7462d143d..b79e41345 100644 --- a/apps/spreadsheeteditor/main/app/controller/CellEditor.js +++ b/apps/spreadsheeteditor/main/app/controller/CellEditor.js @@ -97,7 +97,7 @@ define([ this.mode = mode; this.editor.$btnfunc[this.mode.isEdit?'removeClass':'addClass']('disabled'); - this.editor.btnNamedRanges.setVisible(this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge); + this.editor.btnNamedRanges.setVisible(this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge && !this.mode.isEditOle); if ( this.mode.isEdit ) { this.api.asc_registerCallback('asc_onSelectionChanged', _.bind(this.onApiSelectionChanged, this)); @@ -156,7 +156,7 @@ define([ if (this.viewmode) return; // signed file var seltype = info.asc_getSelectionType(), - coauth_disable = (!this.mode.isEditMailMerge && !this.mode.isEditDiagram) ? (info.asc_getLocked() === true || info.asc_getLockedTable() === true || info.asc_getLockedPivotTable()===true) : false; + coauth_disable = (!this.mode.isEditMailMerge && !this.mode.isEditDiagram && !this.mode.isEditOle) ? (info.asc_getLocked() === true || info.asc_getLockedTable() === true || info.asc_getLockedPivotTable()===true) : false; var is_chart_text = seltype == Asc.c_oAscSelectionType.RangeChartText, is_chart = seltype == Asc.c_oAscSelectionType.RangeChart, @@ -326,14 +326,14 @@ define([ SetDisabled: function(disabled) { this.editor.$btnfunc[!disabled && this.mode.isEdit ?'removeClass':'addClass']('disabled'); - this.editor.btnNamedRanges.setVisible(!disabled && this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge); + this.editor.btnNamedRanges.setVisible(!disabled && this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge && !this.mode.isEditOle); }, setPreviewMode: function(mode) { if (this.viewmode === mode) return; this.viewmode = mode; this.editor.$btnfunc[!mode && this.mode.isEdit?'removeClass':'addClass']('disabled'); - this.editor.cellNameDisabled(mode && !(this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge)); + this.editor.cellNameDisabled(mode && !(this.mode.isEdit && !this.mode.isEditDiagram && !this.mode.isEditMailMerge && !this.mode.isEditOle)); } }); }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/controller/DataTab.js b/apps/spreadsheeteditor/main/app/controller/DataTab.js index dd21ed81c..de94aa22f 100644 --- a/apps/spreadsheeteditor/main/app/controller/DataTab.js +++ b/apps/spreadsheeteditor/main/app/controller/DataTab.js @@ -440,7 +440,7 @@ define([ }, onApiSheetChanged: function() { - if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge) return; + if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge || this.toolbar.mode.isEditOle) return; var currentSheet = this.api.asc_getActiveWorksheetIndex(); this.onWorksheetLocked(currentSheet, this.api.asc_isWorksheetLockedOrDeleted(currentSheet)); diff --git a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js index ff6f867fe..e02a0297d 100644 --- a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js @@ -172,6 +172,9 @@ define([ me.hideCoAuthTips(); me.hideForeignSelectTips(); me.onDocumentResize(); + if (me.api && !me.tooltips.input_msg.isHidden && me.tooltips.input_msg.text) { + me.changeInputMessagePosition(me.tooltips.input_msg); + } }, 'cells:range': function(status){ me.onCellsRange(status); @@ -233,7 +236,7 @@ define([ view.menuParagraphVAlign.menu.on('item:click', _.bind(me.onParagraphVAlign, me)); view.menuParagraphDirection.menu.on('item:click', _.bind(me.onParagraphDirection, me)); view.menuParagraphBullets.menu.on('item:click', _.bind(me.onSelectBulletMenu, me)); - view.menuParagraphBullets.menu.on('render:after', _.bind(me.onBulletMenuShowAfter, me)); + // view.menuParagraphBullets.menu.on('render:after', _.bind(me.onBulletMenuShowAfter, me)); view.menuParagraphBullets.menu.on('show:after', _.bind(me.onBulletMenuShowAfter, me)); view.menuAddHyperlinkShape.on('click', _.bind(me.onInsHyperlink, me)); view.menuEditHyperlinkShape.on('click', _.bind(me.onInsHyperlink, me)); @@ -241,6 +244,8 @@ define([ view.pmiTextAdvanced.on('click', _.bind(me.onTextAdvanced, me)); view.mnuShapeAdvanced.on('click', _.bind(me.onShapeAdvanced, me)); view.mnuChartEdit.on('click', _.bind(me.onChartEdit, me)); + view.mnuChartData.on('click', _.bind(me.onChartData, me)); + view.mnuChartType.on('click', _.bind(me.onChartType, me)); view.mnuImgAdvanced.on('click', _.bind(me.onImgAdvanced, me)); view.mnuSlicerAdvanced.on('click', _.bind(me.onSlicerAdvanced, me)); view.textInShapeMenu.on('render:after', _.bind(me.onTextInShapeAfterRender, me)); @@ -254,6 +259,28 @@ define([ view.tableTotalMenu.on('item:click', _.bind(me.onTotalMenuClick, me)); view.menuImgMacro.on('click', _.bind(me.onImgMacro, me)); view.menuImgEditPoints.on('click', _.bind(me.onImgEditPoints, me)); + + if (!me.permissions.isEditMailMerge && !me.permissions.isEditDiagram && !me.permissions.isEditOle) { + var oleEditor = me.getApplication().getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor'); + if (oleEditor) { + oleEditor.on('internalmessage', _.bind(function(cmp, message) { + var command = message.data.command; + var data = message.data.data; + if (me.api) { + if (oleEditor.isEditMode()) + me.api.asc_editTableOleObject(data); + } + }, me)); + oleEditor.on('hide', _.bind(function(cmp, message) { + if (me.api) { + me.api.asc_enableKeyEvents(true); + } + setTimeout(function(){ + view.fireEvent('editcomplete', view); + }, 10); + }, me)); + } + } } else { view.menuViewCopy.on('click', _.bind(me.onCopyPaste, me)); view.menuViewUndo.on('click', _.bind(me.onUndo, me)); @@ -340,6 +367,8 @@ define([ this.api.asc_registerCallback('asc_onInputMessage', _.bind(this.onInputMessage, this)); this.api.asc_registerCallback('asc_onTableTotalMenu', _.bind(this.onTableTotalMenu, this)); this.api.asc_registerCallback('asc_onShowPivotGroupDialog', _.bind(this.onShowPivotGroupDialog, this)); + if (!this.permissions.isEditMailMerge && !this.permissions.isEditDiagram && !this.permissions.isEditOle) + this.api.asc_registerCallback('asc_doubleClickOnTableOleObject', _.bind(this.onDoubleClickOnTableOleObject, this)); } this.api.asc_registerCallback('asc_onShowForeignCursorLabel', _.bind(this.onShowForeignCursorLabel, this)); this.api.asc_registerCallback('asc_onHideForeignCursorLabel', _.bind(this.onHideForeignCursorLabel, this)); @@ -889,6 +918,7 @@ define([ api: me.api, props: props, type: 0, + storage: me.permissions.canRequestInsertImage || me.permissions.fileChoiceUrl && me.permissions.fileChoiceUrl.indexOf("{documentType}")>-1, interfaceLang: me.permissions.lang, handler: function(result, value) { if (result == 'ok') { @@ -920,7 +950,25 @@ define([ rawData = record; } - if (this.api) + if (rawData.type===0 && rawData.subtype===0x1000) {// custom bullet + var bullet = new Asc.asc_CBullet(); + if (rawData.drawdata.type===Asc.asc_PreviewBulletType.char) { + bullet.asc_putSymbol(rawData.drawdata.char); + bullet.asc_putFont(rawData.drawdata.specialFont); + } else if (rawData.drawdata.type===Asc.asc_PreviewBulletType.image) + bullet.asc_fillBulletImage(rawData.drawdata.imageId); + + var props; + var selectedObjects = this.api.asc_getGraphicObjectProps(); + for (var i = 0; i < selectedObjects.length; i++) { + if (selectedObjects[i].asc_getObjectType() == Asc.c_oAscTypeSelectElement.Paragraph) { + props = selectedObjects[i].asc_getObjectValue(); + props.asc_putBullet(bullet); + this.api.asc_setGraphicObjectProps(props); + break; + } + } + } else this.api.asc_setListType(rawData.type, rawData.subtype); if (e.type !== 'click') @@ -1034,6 +1082,60 @@ define([ } }, + onChartData: function(btn) { + var me = this; + var props; + if (me.api){ + props = me.api.asc_getChartObject(); + if (props) { + me._isEditRanges = true; + props.startEdit(); + var win = new SSE.Views.ChartDataDialog({ + chartSettings: props, + api: me.api, + handler: function(result, value) { + if (result == 'ok') { + props.endEdit(); + me._isEditRanges = false; + } + Common.NotificationCenter.trigger('edit:complete', me); + } + }).on('close', function() { + me._isEditRanges && props.cancelEdit(); + me._isEditRanges = false; + }); + win.show(); + } + } + }, + + onChartType: function(btn) { + var me = this; + var props; + if (me.api){ + props = me.api.asc_getChartObject(); + if (props) { + me._isEditType = true; + props.startEdit(); + var win = new SSE.Views.ChartTypeDialog({ + chartSettings: props, + api: me.api, + handler: function(result, value) { + if (result == 'ok') { + props.endEdit(); + me._isEditType = false; + } + Common.NotificationCenter.trigger('edit:complete', me); + } + }).on('close', function() { + me._isEditType && props.cancelEdit(); + me._isEditType = false; + }); + win.show(); + } + } + }, + onImgMacro: function(item) { var me = this; @@ -1719,7 +1821,7 @@ define([ delta = e.deltaY; } - if ((e.ctrlKey || e.metaKey) && !e.altKey) { + if (e.ctrlKey && !e.altKey) { var factor = this.api.asc_getZoom(); if (delta < 0) { factor = Math.ceil(factor * 10)/10; @@ -1783,6 +1885,8 @@ define([ event.preventDefault(); event.stopPropagation(); return false; + } else if (key == Common.UI.Keys.ESC && !this.tooltips.input_msg.isHidden && this.tooltips.input_msg.text) { + this.onInputMessage(); } } }, @@ -1832,7 +1936,8 @@ define([ isPivotLocked = cellinfo.asc_getLockedPivotTable()===true, isObjLocked = false, commentsController = this.getApplication().getController('Common.Controllers.Comments'), - internaleditor = this.permissions.isEditMailMerge || this.permissions.isEditDiagram, + internaleditor = this.permissions.isEditMailMerge || this.permissions.isEditDiagram || this.permissions.isEditOle, + diagramOrMergeEditor = this.permissions.isEditMailMerge || this.permissions.isEditDiagram, xfs = cellinfo.asc_getXfs(), isSmartArt = false, isSmartArtInternal = false; @@ -1843,11 +1948,11 @@ define([ case Asc.c_oAscSelectionType.RangeCol: iscolmenu = true; break; case Asc.c_oAscSelectionType.RangeMax: isallmenu = true; break; case Asc.c_oAscSelectionType.RangeSlicer: - case Asc.c_oAscSelectionType.RangeImage: isimagemenu = !internaleditor; break; - case Asc.c_oAscSelectionType.RangeShape: isshapemenu = !internaleditor; break; - case Asc.c_oAscSelectionType.RangeChart: ischartmenu = !internaleditor; break; - case Asc.c_oAscSelectionType.RangeChartText:istextchartmenu = !internaleditor; break; - case Asc.c_oAscSelectionType.RangeShapeText: istextshapemenu = !internaleditor; break; + case Asc.c_oAscSelectionType.RangeImage: isimagemenu = !(this.permissions.isEditMailMerge || this.permissions.isEditDiagram); break; + case Asc.c_oAscSelectionType.RangeShape: isshapemenu = !(this.permissions.isEditMailMerge || this.permissions.isEditDiagram); break; + case Asc.c_oAscSelectionType.RangeChart: ischartmenu = !(this.permissions.isEditMailMerge || this.permissions.isEditDiagram); break; + case Asc.c_oAscSelectionType.RangeChartText:istextchartmenu = !(this.permissions.isEditMailMerge || this.permissions.isEditDiagram); break; + case Asc.c_oAscSelectionType.RangeShapeText: istextshapemenu = !(this.permissions.isEditMailMerge || this.permissions.isEditDiagram); break; } if (this.api.asc_getHeaderFooterMode()) { @@ -1918,6 +2023,10 @@ define([ documentHolder.mnuShapeAdvanced.setDisabled(isObjLocked); documentHolder.mnuChartEdit.setVisible(ischartmenu && !isimagemenu && !isshapemenu && has_chartprops); documentHolder.mnuChartEdit.setDisabled(isObjLocked); + documentHolder.mnuChartData.setVisible(this.permissions.isEditOle && ischartmenu && !isimagemenu && !isshapemenu && has_chartprops); + documentHolder.mnuChartData.setDisabled(isObjLocked); + documentHolder.mnuChartType.setVisible(this.permissions.isEditOle && ischartmenu && !isimagemenu && !isshapemenu && has_chartprops); + documentHolder.mnuChartType.setDisabled(isObjLocked); documentHolder.pmiImgCut.setDisabled(isObjLocked); documentHolder.pmiImgPaste.setDisabled(isObjLocked); documentHolder.mnuImgAdvanced.setVisible(isimagemenu && (!isshapemenu || isimageonly) && !ischartmenu); @@ -1937,6 +2046,8 @@ define([ documentHolder.menuImgRotate.setVisible(!ischartmenu && (pluginGuid===null || pluginGuid===undefined) && !isslicermenu); documentHolder.menuImgRotate.setDisabled(isObjLocked || isSmartArt); + documentHolder.menuImgRotate.menu.items[3].setDisabled(isSmartArtInternal); + documentHolder.menuImgRotate.menu.items[4].setDisabled(isSmartArtInternal); documentHolder.menuImgCrop.setVisible(this.api.asc_canEditCrop()); documentHolder.menuImgCrop.setDisabled(isObjLocked); @@ -1946,6 +2057,7 @@ define([ documentHolder.menuSignatureEditSetup.setVisible(isInSign); documentHolder.menuEditSignSeparator.setVisible(isInSign); + documentHolder.menuImgMacro.setVisible(!internaleditor); documentHolder.menuImgMacro.setDisabled(isObjLocked); var canEditPoints = this.api && this.api.asc_canEditGeometry(); @@ -2018,9 +2130,48 @@ define([ documentHolder.menuParagraphDirect270.setChecked(direct == Asc.c_oAscVertDrawingText.vert270); documentHolder.menuParagraphBulletNone.setChecked(listtype.get_ListType() == -1); - // documentHolder.mnuListSettings.setDisabled(listtype.get_ListType() == -1); - var rec = documentHolder.paraBulletsPicker.store.findWhere({ type: listtype.get_ListType(), subtype: listtype.get_ListSubType() }); + var type = listtype.get_ListType(), + subtype = listtype.get_ListSubType(), + rec, + defrec = documentHolder.paraBulletsPicker.store.at(7), + drawDefBullet = (defrec.get('subtype')===0x1000) && (type===1 || subtype!==0x1000); + if (type===1 || subtype!==0x1000) { + rec = documentHolder.paraBulletsPicker.store.findWhere({ type: type, subtype: subtype }); + } else { + var bullet = listtype.asc_getListCustom(); + if (bullet) { + var bullettype = bullet.asc_getType(); + if (bullettype === Asc.asc_PreviewBulletType.char) { + var symbol = bullet.asc_getChar(); + if (symbol) { + rec = defrec; + rec.set('subtype', 0x1000); + rec.set('drawdata', {type: bullettype, char: symbol, specialFont: bullet.asc_getSpecialFont()}); + rec.set('tip', ''); + documentHolder.paraBulletsPicker.dataViewItems && this.updateBulletTip(documentHolder.paraBulletsPicker.dataViewItems[7], ''); + drawDefBullet = false; + + } + } else if (bullettype === Asc.asc_PreviewBulletType.image) { + var id = bullet.asc_getImageId(); + if (id) { + rec = defrec; + rec.set('subtype', 0x1000); + rec.set('drawdata', {type: bullettype, imageId: id}); + rec.set('tip', ''); + documentHolder.paraBulletsPicker.dataViewItems && this.updateBulletTip(documentHolder.paraBulletsPicker.dataViewItems[7], ''); + drawDefBullet = false; + } + } + } + } documentHolder.paraBulletsPicker.selectRecord(rec, true); + if (drawDefBullet) { + defrec.set('subtype', 8); + defrec.set('drawdata', documentHolder._markersArr[7]); + defrec.set('tip', documentHolder.tipMarkersDash); + documentHolder.paraBulletsPicker.dataViewItems && this.updateBulletTip(documentHolder.paraBulletsPicker.dataViewItems[7], documentHolder.tipMarkersDash); + } } else if (elType == Asc.c_oAscTypeSelectElement.Paragraph) { documentHolder.pmiTextAdvanced.textInfo = selectedObjects[i].asc_getObjectValue(); isObjLocked = isObjLocked || documentHolder.pmiTextAdvanced.textInfo.asc_getLocked(); @@ -2059,8 +2210,10 @@ define([ if (showMenu) this.showPopupMenu(documentHolder.textInShapeMenu, {}, event); documentHolder.menuParagraphBullets.setDisabled(isSmartArt || isSmartArtInternal); - } else if (!this.permissions.isEditMailMerge && !this.permissions.isEditDiagram || (seltype !== Asc.c_oAscSelectionType.RangeImage && seltype !== Asc.c_oAscSelectionType.RangeShape && - seltype !== Asc.c_oAscSelectionType.RangeChart && seltype !== Asc.c_oAscSelectionType.RangeChartText && seltype !== Asc.c_oAscSelectionType.RangeShapeText && seltype !== Asc.c_oAscSelectionType.RangeSlicer)) { + } else if (!this.permissions.isEditMailMerge && !this.permissions.isEditDiagram && !this.permissions.isEditOle || + (seltype !== Asc.c_oAscSelectionType.RangeImage && seltype !== Asc.c_oAscSelectionType.RangeShape && + seltype !== Asc.c_oAscSelectionType.RangeChart && seltype !== Asc.c_oAscSelectionType.RangeChartText && + seltype !== Asc.c_oAscSelectionType.RangeShapeText && seltype !== Asc.c_oAscSelectionType.RangeSlicer)) { if (!documentHolder.ssMenu || !showMenu && !documentHolder.ssMenu.isVisible()) return; var iscelledit = this.api.isCellEdited, @@ -2083,14 +2236,14 @@ define([ documentHolder.pmiDeleteTable.setVisible(iscellmenu && !iscelledit && isintable); documentHolder.pmiSparklines.setVisible(isinsparkline); documentHolder.pmiSortCells.setVisible((iscellmenu||isallmenu) && !iscelledit && !inPivot); - documentHolder.pmiSortCells.menu.items[2].setVisible(!internaleditor); - documentHolder.pmiSortCells.menu.items[3].setVisible(!internaleditor); + documentHolder.pmiSortCells.menu.items[2].setVisible(!diagramOrMergeEditor); + documentHolder.pmiSortCells.menu.items[3].setVisible(!diagramOrMergeEditor); documentHolder.pmiSortCells.menu.items[4].setVisible(!internaleditor); - documentHolder.pmiFilterCells.setVisible(iscellmenu && !iscelledit && !internaleditor && !inPivot); - documentHolder.pmiReapply.setVisible((iscellmenu||isallmenu) && !iscelledit && !internaleditor && !inPivot); - documentHolder.pmiCondFormat.setVisible(!iscelledit && !internaleditor); - documentHolder.mnuGroupPivot.setVisible(iscellmenu && !iscelledit && !internaleditor && inPivot); - documentHolder.mnuUnGroupPivot.setVisible(iscellmenu && !iscelledit && !internaleditor && inPivot); + documentHolder.pmiFilterCells.setVisible(iscellmenu && !iscelledit && !diagramOrMergeEditor && !inPivot); + documentHolder.pmiReapply.setVisible((iscellmenu||isallmenu) && !iscelledit && !diagramOrMergeEditor && !inPivot); + documentHolder.pmiCondFormat.setVisible(!iscelledit && !diagramOrMergeEditor); + documentHolder.mnuGroupPivot.setVisible(iscellmenu && !iscelledit && !diagramOrMergeEditor && inPivot); + documentHolder.mnuUnGroupPivot.setVisible(iscellmenu && !iscelledit && !diagramOrMergeEditor && inPivot); documentHolder.ssMenu.items[12].setVisible((iscellmenu||isallmenu||isinsparkline) && !iscelledit); documentHolder.pmiInsFunction.setVisible(iscellmenu && !iscelledit && !inPivot); documentHolder.pmiAddNamedRange.setVisible(iscellmenu && !iscelledit && !internaleditor); @@ -2108,8 +2261,8 @@ define([ } var hyperinfo = cellinfo.asc_getHyperlink(); - documentHolder.menuHyperlink.setVisible(iscellmenu && hyperinfo && !iscelledit && !ismultiselect && !internaleditor && !inPivot); - documentHolder.menuAddHyperlink.setVisible(iscellmenu && !hyperinfo && !iscelledit && !ismultiselect && !internaleditor && !inPivot); + documentHolder.menuHyperlink.setVisible(iscellmenu && hyperinfo && !iscelledit && !ismultiselect && !diagramOrMergeEditor && !inPivot); + documentHolder.menuAddHyperlink.setVisible(iscellmenu && !hyperinfo && !iscelledit && !ismultiselect && !diagramOrMergeEditor && !inPivot); documentHolder.pmiRowHeight.setVisible(isrowmenu||isallmenu); documentHolder.pmiColumnWidth.setVisible(iscolmenu||isallmenu); @@ -2213,9 +2366,9 @@ define([ isCellLocked = cellinfo.asc_getLocked(), isTableLocked = cellinfo.asc_getLockedTable()===true, commentsController = this.getApplication().getController('Common.Controllers.Comments'), - iscellmenu = (seltype==Asc.c_oAscSelectionType.RangeCells) && !this.permissions.isEditMailMerge && !this.permissions.isEditDiagram, + iscellmenu = (seltype==Asc.c_oAscSelectionType.RangeCells) && !this.permissions.isEditMailMerge && !this.permissions.isEditDiagram && !this.permissions.isEditOle, iscelledit = this.api.isCellEdited, - isimagemenu = (seltype==Asc.c_oAscSelectionType.RangeShape || seltype==Asc.c_oAscSelectionType.RangeImage) && !this.permissions.isEditMailMerge && !this.permissions.isEditDiagram, + isimagemenu = (seltype==Asc.c_oAscSelectionType.RangeShape || seltype==Asc.c_oAscSelectionType.RangeImage) && !this.permissions.isEditMailMerge && !this.permissions.isEditDiagram && !this.permissions.isEditOle, signGuid; if (!documentHolder.viewModeMenu) @@ -2237,7 +2390,7 @@ define([ canComment = iscellmenu && !iscelledit && this.permissions.canCoAuthoring && this.permissions.canComments && !this._isDisabled && cellinfo.asc_getComments() && cellinfo.asc_getComments().length < 1; documentHolder.menuViewUndo.setVisible(this.permissions.canCoAuthoring && this.permissions.canComments && !this._isDisabled); - documentHolder.menuViewUndo.setDisabled(!this.api.asc_getCanUndo() && !this._isDisabled); + documentHolder.menuViewUndo.setDisabled(!this.api.asc_getCanUndo()); documentHolder.menuViewCopySeparator.setVisible(isInSign); var isRequested = (signProps) ? signProps.asc_getRequested() : false; @@ -2347,10 +2500,12 @@ define([ menu.cmpEl.attr({tabindex: "-1"}); } - var coord = me.api.asc_getActiveCellCoord(), + var coord = me.api.asc_getActiveCellCoord(validation), // get merged cell for validation offset = {left:0,top:0}, - showPoint = [coord.asc_getX() + offset.left, (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; + showPoint = [coord.asc_getX() + offset.left + (validation ? coord.asc_getWidth() : 0), (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; + menuContainer.css({left: showPoint[0], top : showPoint[1]}); + menu.menuAlign = validation ? 'tr-br' : 'tl-bl'; me._preventClick = validation; validation && menuContainer.attr('data-value', 'prevent-canvas-click'); @@ -2405,7 +2560,7 @@ define([ var coord = me.api.asc_getActiveCellCoord(), offset = {left:0,top:0}, - showPoint = [coord.asc_getX() + offset.left, (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; + showPoint = [coord.asc_getX() + offset.left + coord.asc_getWidth(), (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; menuContainer.css({left: showPoint[0], top : showPoint[1]}); me._preventClick = true; @@ -2449,13 +2604,15 @@ define([ } funcarr.sort(function (a,b) { var atype = a.asc_getType(), - btype = b.asc_getType(), - aname = a.asc_getName(true).toLocaleUpperCase(), - bname = b.asc_getName(true).toLocaleUpperCase(); + btype = b.asc_getType(); + if (atype===btype && (atype === Asc.c_oAscPopUpSelectorType.TableColumnName)) + return 0; if (atype === Asc.c_oAscPopUpSelectorType.TableThisRow) return -1; if (btype === Asc.c_oAscPopUpSelectorType.TableThisRow) return 1; if ((atype === Asc.c_oAscPopUpSelectorType.TableColumnName || btype === Asc.c_oAscPopUpSelectorType.TableColumnName) && atype !== btype) return atype === Asc.c_oAscPopUpSelectorType.TableColumnName ? -1 : 1; + var aname = a.asc_getName(true).toLocaleUpperCase(), + bname = b.asc_getName(true).toLocaleUpperCase(); if (aname < bname) return -1; if (aname > bname) return 1; return 0; @@ -2674,6 +2831,26 @@ define([ } }, + changeInputMessagePosition: function (inputTip) { + var pos = [ + this.documentHolder.cmpEl.offset().left - $(window).scrollLeft(), + this.documentHolder.cmpEl.offset().top - $(window).scrollTop() + ], + coord = this.api.asc_getActiveCellCoord(), + showPoint = [coord.asc_getX() + pos[0] - 3, coord.asc_getY() + pos[1] - inputTip.ref.getBSTip().$tip.height() - 5]; + var tipwidth = inputTip.ref.getBSTip().$tip.width(); + if (showPoint[0] + tipwidth > this.tooltips.coauth.bodyWidth ) + showPoint[0] = this.tooltips.coauth.bodyWidth - tipwidth; + if (showPoint[1] < pos[1]) + showPoint[1] = pos[1] + coord.asc_getY() + coord.asc_getHeight() + 5; + + inputTip.ref.getBSTip().$tip.css({ + top : showPoint[1] + 'px', + left: showPoint[0] + 'px', + 'z-index': 900 + }); + }, + onInputMessage: function(title, message) { var inputtip = this.tooltips.input_msg; @@ -2700,28 +2877,24 @@ define([ inputtip.ref = new Common.UI.Tooltip({ owner : inputtip.parentEl, html : true, - title : hint + title : hint, + keepvisible: true }); inputtip.ref.show([-10000, -10000]); + + var $tip = inputtip.ref.getBSTip().$tip; + $tip.on('click', function () { + inputtip.ref.hide(); + inputtip.ref = undefined; + inputtip.text = ''; + inputtip.isHidden = true; + }); + inputtip.isHidden = false; } - var pos = [ - this.documentHolder.cmpEl.offset().left - $(window).scrollLeft(), - this.documentHolder.cmpEl.offset().top - $(window).scrollTop() - ], - coord = this.api.asc_getActiveCellCoord(), - showPoint = [coord.asc_getX() + pos[0] - 3, coord.asc_getY() + pos[1] - inputtip.ref.getBSTip().$tip.height() - 5]; - var tipwidth = inputtip.ref.getBSTip().$tip.width(); - if (showPoint[0] + tipwidth > this.tooltips.coauth.bodyWidth ) - showPoint[0] = this.tooltips.coauth.bodyWidth - tipwidth; - - inputtip.ref.getBSTip().$tip.css({ - top : showPoint[1] + 'px', - left: showPoint[0] + 'px', - 'z-index': 900 - }); + this.changeInputMessagePosition(inputtip); } else { if (!inputtip.isHidden && inputtip.ref) { inputtip.ref.hide(); @@ -3649,6 +3822,7 @@ define([ outerMenu: {menu: view.menuParagraphBullets.menu, index: 0}, groups : view.paraBulletsPicker.groups, store : view.paraBulletsPicker.store, + delayRenderTips: true, itemTemplate: _.template('<% if (type==0) { %>' + '
                              ' + '<% } else if (type==1) { %>' + @@ -3664,17 +3838,30 @@ define([ var store = this.documentHolder.paraBulletsPicker.store; var arrNum = [], arrMarker = []; store.each(function(item){ - if (item.get('group')=='menu-list-bullet-group') - arrMarker.push(item.get('id')); + var data = item.get('drawdata'); + data['divId'] = item.get('id'); + if (item.get('group')==='menu-list-bullet-group') + arrMarker.push(data); else - arrNum.push(item.get('id')); + arrNum.push(data); }); + if (this.api && this.api.SetDrawImagePreviewBulletForMenu) { this.api.SetDrawImagePreviewBulletForMenu(arrMarker, 0); this.api.SetDrawImagePreviewBulletForMenu(arrNum, 1); } }, + updateBulletTip: function(view, title) { + if (view) { + var tip = $(view.el).data('bs.tooltip'); + if (tip) { + tip.options.title = title; + tip.$tip.find('.tooltip-inner').text(title); + } + } + }, + onSignatureClick: function(item) { var datavalue = item.cmpEl.attr('data-value'); switch (item.value) { @@ -3884,6 +4071,17 @@ define([ } }, + onDoubleClickOnTableOleObject: function(obj) { + if (this.permissions.isEdit && !this._isDisabled) { + var oleEditor = SSE.getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor'); + if (oleEditor && obj) { + oleEditor.setEditMode(true); + oleEditor.show(); + oleEditor.setOleData(Asc.asc_putBinaryDataToFrameFromTableOleObject(obj)); + } + } + }, + getUserName: function(id){ var usersStore = SSE.getCollection('Common.Collections.Users'); if (usersStore){ diff --git a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js index 6c691cf16..4554ae76a 100644 --- a/apps/spreadsheeteditor/main/app/controller/LeftMenu.js +++ b/apps/spreadsheeteditor/main/app/controller/LeftMenu.js @@ -88,16 +88,11 @@ define([ 'file:close': this.clickToolbarTab.bind(this, 'other'), 'save:disabled' : this.changeToolbarSaveState.bind(this) }, - 'SearchDialog': { - 'hide': _.bind(this.onSearchDlgHide, this), - 'search:back': _.bind(this.onQuerySearch, this, 'back'), - 'search:next': _.bind(this.onQuerySearch, this, 'next'), - 'search:replace': _.bind(this.onQueryReplace, this), - 'search:replaceall': _.bind(this.onQueryReplaceAll, this), - 'search:highlight': _.bind(this.onSearchHighlight, this) - }, 'Common.Views.ReviewChanges': { 'collaboration:chat': _.bind(this.onShowHideChat, this) + }, + 'SearchBar': { + 'search:show': _.bind(this.onShowHideSearch, this) } }); Common.NotificationCenter.on('app:comment:add', _.bind(this.onAppAddComment, this)); @@ -111,7 +106,7 @@ define([ onLaunch: function() { this.leftMenu = this.createView('LeftMenu').render(); - this.leftMenu.btnSearch.on('toggle', _.bind(this.onMenuSearch, this)); + this.leftMenu.btnSearchBar.on('toggle', _.bind(this.onMenuSearchBar, this)); Common.util.Shortcuts.delegateShortcuts({ shortcuts: { @@ -149,7 +144,6 @@ define([ setApi: function(api) { this.api = api; - this.api.asc_registerCallback('asc_onRenameCellTextEnd', _.bind(this.onRenameText, this)); this.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(this.onApiServerDisconnect, this)); Common.NotificationCenter.on('api:disconnect', _.bind(this.onApiServerDisconnect, this)); this.api.asc_registerCallback('asc_onDownloadUrl', _.bind(this.onDownloadUrl, this)); @@ -176,11 +170,13 @@ define([ } } /** coauthoring end **/ - if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram) + if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram && !this.mode.isEditOle) this.api.asc_registerCallback('asc_onEditCell', _.bind(this.onApiEditCell, this)); this.leftMenu.getMenu('file').setApi(api); if (this.mode.canUseHistory) this.getApplication().getController('Common.Controllers.History').setApi(this.api).setMode(this.mode); + this.getApplication().getController('Search').setApi(this.api).setMode(this.mode); + this.leftMenu.setOptionsPanel('advancedsearch', this.getApplication().getController('Search').getView('Common.Views.SearchPanel')); return this; }, @@ -249,7 +245,7 @@ define([ (this.mode.trialMode || this.mode.isBeta) && this.leftMenu.setDeveloperMode(this.mode.trialMode, this.mode.isBeta, this.mode.buildVersion); /** coauthoring end **/ Common.util.Shortcuts.resumeEvents(); - if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram) + if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram && !this.mode.isEditOle) Common.NotificationCenter.on('cells:range', _.bind(this.onCellsRange, this)); return this; }, @@ -449,6 +445,10 @@ define([ Common.Utils.InternalSettings.set("sse-settings-coauthmode", fast_coauth); this.api.asc_SetFastCollaborative(fast_coauth); } + } else if (this.mode.canLiveView && !this.mode.isOffline && this.mode.canChangeCoAuthoring) { // viewer + fast_coauth = Common.localStorage.getBool("sse-settings-view-coauthmode", false); + Common.Utils.InternalSettings.set("sse-settings-coauthmode", fast_coauth); + this.api.asc_SetFastCollaborative(fast_coauth); } /** coauthoring end **/ @@ -554,201 +554,11 @@ define([ }, /** coauthoring end **/ - onQuerySearch: function(d, w, opts) { - // if (opts.textsearch && opts.textsearch.length) { - var options = this.dlgSearch.findOptions; - options.asc_setFindWhat(opts.textsearch); - options.asc_setScanForward(d != 'back'); - options.asc_setIsMatchCase(opts.matchcase); - options.asc_setIsWholeCell(opts.matchword); - options.asc_setScanOnOnlySheet(this.dlgSearch.menuWithin.menu.items[0].checked); - options.asc_setScanByRows(this.dlgSearch.menuSearch.menu.items[0].checked); - options.asc_setLookIn(this.dlgSearch.menuLookin.menu.items[0].checked?Asc.c_oAscFindLookIn.Formulas:Asc.c_oAscFindLookIn.Value); - - var me = this; - this.api.asc_findText(options, function(resultCount) { - !resultCount && Common.UI.info({ - msg: me.textNoTextFound, - callback: function() { - me.dlgSearch.focus(); - } - }); - }); - // } - }, - - onQueryReplace: function(w, opts) { - // if (!_.isEmpty(opts.textsearch)) { - this.api.isReplaceAll = false; - - var options = this.dlgSearch.findOptions; - options.asc_setFindWhat(opts.textsearch); - options.asc_setReplaceWith(opts.textreplace); - options.asc_setIsMatchCase(opts.matchcase); - options.asc_setIsWholeCell(opts.matchword); - options.asc_setScanOnOnlySheet(this.dlgSearch.menuWithin.menu.items[0].checked); - options.asc_setScanByRows(this.dlgSearch.menuSearch.menu.items[0].checked); - options.asc_setLookIn(this.dlgSearch.menuLookin.menu.items[0].checked?Asc.c_oAscFindLookIn.Formulas:Asc.c_oAscFindLookIn.Value); - options.asc_setIsReplaceAll(false); - - this.api.asc_replaceText(options); - // } - }, - - onQueryReplaceAll: function(w, opts) { - // if (!_.isEmpty(opts.textsearch)) { - this.api.isReplaceAll = true; - - var options = this.dlgSearch.findOptions; - options.asc_setFindWhat(opts.textsearch); - options.asc_setReplaceWith(opts.textreplace); - options.asc_setIsMatchCase(opts.matchcase); - options.asc_setIsWholeCell(opts.matchword); - options.asc_setScanOnOnlySheet(this.dlgSearch.menuWithin.menu.items[0].checked); - options.asc_setScanByRows(this.dlgSearch.menuSearch.menu.items[0].checked); - options.asc_setLookIn(this.dlgSearch.menuLookin.menu.items[0].checked?Asc.c_oAscFindLookIn.Formulas:Asc.c_oAscFindLookIn.Value); - options.asc_setIsReplaceAll(true); - - this.api.asc_replaceText(options); - // } - }, - - onSearchHighlight: function(w, highlight) { - this.api.asc_selectSearchingResults(highlight); - }, - - showSearchDlg: function(show,action) { - if ( !this.dlgSearch ) { - var menuWithin = new Common.UI.MenuItem({ - caption : this.textWithin, - menu : new Common.UI.Menu({ - menuAlign : 'tl-tr', - items : [{ - caption : this.textSheet, - toggleGroup : 'searchWithih', - checkable : true, - checked : true - },{ - caption : this.textWorkbook, - toggleGroup : 'searchWithih', - checkable : true, - checked : false - }] - }) - }); - - var menuSearch = new Common.UI.MenuItem({ - caption : this.textSearch, - menu : new Common.UI.Menu({ - menuAlign : 'tl-tr', - items : [{ - caption : this.textByRows, - toggleGroup : 'searchByrows', - checkable : true, - checked : true - },{ - caption : this.textByColumns, - toggleGroup : 'searchByrows', - checkable : true, - checked : false - }] - }) - }); - - var menuLookin = new Common.UI.MenuItem({ - caption : this.textLookin, - menu : new Common.UI.Menu({ - menuAlign : 'tl-tr', - items : [{ - caption : this.textFormulas, - toggleGroup : 'searchLookin', - checkable : true, - checked : true - },{ - caption : this.textValues, - toggleGroup : 'searchLookin', - checkable : true, - checked : false - }] - }) - }); - - this.dlgSearch = (new Common.UI.SearchDialog({ - matchcase: true, - matchword: true, - matchwordstr: this.textItemEntireCell, - markresult: {applied: true}, - extraoptions : [menuWithin,menuSearch,menuLookin] - })); - - this.dlgSearch.menuWithin = menuWithin; - this.dlgSearch.menuSearch = menuSearch; - this.dlgSearch.menuLookin = menuLookin; - this.dlgSearch.findOptions = new Asc.asc_CFindOptions(); - } - - if (show) { - var mode = this.mode.isEdit && !this.viewmode ? (action || undefined) : 'no-replace'; - - if (this.dlgSearch.isVisible()) { - this.dlgSearch.setMode(mode); - this.dlgSearch.focus(); - } else { - this.dlgSearch.show(mode); - } - - this.api.asc_closeCellEditor(); - } else this.dlgSearch['hide'](); - }, - - onMenuSearch: function(obj, show) { - this.showSearchDlg(show); - }, - - onSearchDlgHide: function() { - this.leftMenu.btnSearch.toggle(false, true); - this.api.asc_selectSearchingResults(false); - $(this.leftMenu.btnSearch.el).blur(); - this.api.asc_enableKeyEvents(true); - }, - - onRenameText: function(found, replaced) { - var me = this; - if (this.api.isReplaceAll) { - Common.UI.info({ - msg: (found) ? ((!found-replaced) ? Common.Utils.String.format(this.textReplaceSuccess,replaced) : Common.Utils.String.format(this.textReplaceSkipped,found-replaced)) : this.textNoTextFound, - callback: function() { - me.dlgSearch.focus(); - } - }); - } else { - var sett = this.dlgSearch.getSettings(); - var options = this.dlgSearch.findOptions; - options.asc_setFindWhat(sett.textsearch); - options.asc_setScanForward(true); - options.asc_setIsMatchCase(sett.matchcase); - options.asc_setIsWholeCell(sett.matchword); - options.asc_setScanOnOnlySheet(this.dlgSearch.menuWithin.menu.items[0].checked); - options.asc_setScanByRows(this.dlgSearch.menuSearch.menu.items[0].checked); - options.asc_setLookIn(this.dlgSearch.menuLookin.menu.items[0].checked?Asc.c_oAscFindLookIn.Formulas:Asc.c_oAscFindLookIn.Value); - - - if (!me.api.asc_findText(options)) { - Common.UI.info({ - msg: this.textNoTextFound, - callback: function() { - me.dlgSearch.focus(); - } - }); - } - } - }, - setPreviewMode: function(mode) { if (this.viewmode === mode) return; this.viewmode = mode; - this.dlgSearch && this.dlgSearch.setMode(this.viewmode ? 'no-replace' : 'search'); + this.leftMenu.panelSearch && this.leftMenu.panelSearch.setSearchMode(this.viewmode ? 'no-replace' : 'search'); }, onApiServerDisconnect: function(enableDownload) { @@ -763,10 +573,6 @@ define([ this.leftMenu.btnSpellcheck.setDisabled(true); this.leftMenu.getMenu('file').setMode({isDisconnected: true, enableDownload: !!enableDownload}); - if ( this.dlgSearch ) { - this.leftMenu.btnSearch.toggle(false, true); - this.dlgSearch['hide'](); - } }, /** coauthoring begin **/ @@ -867,17 +673,41 @@ define([ if (this.mode.isEditDiagram && s!='escape') return false; if (this.mode.isEditMailMerge && s!='escape' && s!='search') return false; + if (this.mode.isEditOle && s!='escape' && s!='search') return false; switch (s) { case 'replace': case 'search': - if (!this.leftMenu.btnSearch.isDisabled()) { + if (!this.leftMenu.btnSearchBar.isDisabled()) { Common.UI.Menu.Manager.hideAll(); - this.showSearchDlg(true,s); - this.leftMenu.btnSearch.toggle(true,true); this.leftMenu.btnAbout.toggle(false); + if ( this.leftMenu.menuFile.isVisible() ) + this.leftMenu.menuFile.hide(); - this.leftMenu.menuFile.hide(); + var selectedText = this.api.asc_GetSelectedText(); + if (this.isSearchPanelVisible()) { + selectedText && this.leftMenu.panelSearch.setFindText(selectedText); + this.leftMenu.panelSearch.focus(selectedText !== '' ? s : 'search'); + this.leftMenu.fireEvent('search:aftershow', [selectedText]); + return false; + } else if (this.getApplication().getController('Viewport').isSearchBarVisible()) { + var viewport = this.getApplication().getController('Viewport'); + if (s === 'replace') { + viewport.header.btnSearch.toggle(false); + this.onShowHideSearch(true, viewport.searchBar.inputSearch.val()); + } else { + selectedText && viewport.searchBar.setText(selectedText); + viewport.searchBar.focus(); + return false; + } + } else if (s === 'search') { + Common.NotificationCenter.trigger('search:show'); + return false; + } else { + this.onShowHideSearch(true, selectedText); + } + this.leftMenu.btnSearchBar.toggle(true,true); + this.leftMenu.panelSearch.focus(selectedText !== '' ? s : 'search'); } return false; case 'save': @@ -904,6 +734,10 @@ define([ return false; case 'escape': + var btnSearch = this.getApplication().getController('Viewport').header.btnSearch; + btnSearch.pressed && btnSearch.toggle(false); + this.leftMenu._state.isSearchOpen && (this.leftMenu._state.isSearchOpen = false); + if ( this.leftMenu.menuFile.isVisible() ) { if (Common.UI.HintManager.needCloseFileMenu()) this.leftMenu.menuFile.hide(); @@ -931,7 +765,7 @@ define([ } return false; } - if (this.mode.isEditDiagram || this.mode.isEditMailMerge) { + if (this.mode.isEditDiagram || this.mode.isEditMailMerge || this.mode.isEditOle) { menu_opened = $(document.body).find('.open > .dropdown-menu'); if (!this.api.isCellEdited && !menu_opened.length) { Common.Gateway.internalMessage('shortcut', {key:'escape'}); @@ -961,7 +795,7 @@ define([ var isRangeSelection = (status != Asc.c_oAscSelectionDialogType.None); this.leftMenu.btnAbout.setDisabled(isRangeSelection); - this.leftMenu.btnSearch.setDisabled(isRangeSelection); + this.leftMenu.btnSearchBar.setDisabled(isRangeSelection); this.leftMenu.btnSpellcheck.setDisabled(isRangeSelection); if (this.mode.canPlugins && this.leftMenu.panelPlugins) { this.leftMenu.panelPlugins.setLocked(isRangeSelection); @@ -973,7 +807,7 @@ define([ var isEditFormula = (state == Asc.c_oAscCellEditorState.editFormula); this.leftMenu.btnAbout.setDisabled(isEditFormula); - this.leftMenu.btnSearch.setDisabled(isEditFormula); + this.leftMenu.btnSearchBar.setDisabled(isEditFormula); this.leftMenu.btnSpellcheck.setDisabled(isEditFormula); if (this.mode.canPlugins && this.leftMenu.panelPlugins) { this.leftMenu.panelPlugins.setLocked(isEditFormula); @@ -1007,6 +841,29 @@ define([ } }, + onShowHideSearch: function (state, findText) { + if (state) { + Common.UI.Menu.Manager.hideAll(); + this.leftMenu.showMenu('advancedsearch'); + this.leftMenu.fireEvent('search:aftershow', [findText]); + } else { + this.leftMenu.btnSearchBar.toggle(false, true); + this.leftMenu.onBtnMenuClick(this.leftMenu.btnSearchBar); + } + }, + + onMenuSearchBar: function(obj, show) { + if (show) { + var mode = this.mode.isEdit && !this.viewmode ? undefined : 'no-replace'; + this.leftMenu.panelSearch.setSearchMode(mode); + } + this.leftMenu._state.isSearchOpen = show; + }, + + isSearchPanelVisible: function () { + return this.leftMenu._state.isSearchOpen; + }, + onMenuChange: function (value) { if ('hide' === value) { if (this.leftMenu.btnComments.isActive() && this.api) { @@ -1015,6 +872,9 @@ define([ // focus to sdk this.api.asc_enableKeyEvents(true); + } else if (this.leftMenu.btnSearchBar.isActive() && this.api) { + this.leftMenu.btnSearchBar.toggle(false); + this.leftMenu.onBtnMenuClick(this.leftMenu.btnSearchBar); } } }, @@ -1038,8 +898,6 @@ define([ newDocumentTitle : 'Unnamed document', textItemEntireCell : 'Entire cell contents', requestEditRightsText : 'Requesting editing rights...', - textReplaceSuccess : 'Search has been done. {0} occurrences have been replaced', - textReplaceSkipped : 'The replacement has been made. {0} occurrences were skipped.', warnDownloadAs : 'If you continue saving in this format all features except the text will be lost.
                              Are you sure you want to continue?' , textWarning: 'Warning', textSheet: 'Sheet', diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index 6a093031b..ebae7b0e8 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -230,7 +230,7 @@ define([ strongCompare : this._compareActionWeak, weakCompare : this._compareActionWeak }); - + this.stackMacrosRequests = []; this.isShowOpenDialog = false; // Initialize api gateway @@ -264,7 +264,7 @@ define([ if ((!Common.Utils.ModalWindow.isVisible() || $('.asc-window.enable-key-events:visible').length>0) && !(me.loadMask && me.loadMask.isVisible())) { if (/form-control/.test(e.target.className)) me.inFormControl = false; - if (me.getApplication().getController('LeftMenu').getView('LeftMenu').getMenu('file').isVisible()) + if (me.getApplication().getController('LeftMenu').getView('LeftMenu').getMenu('file').isVisible() && $('.asc-window.enable-key-events:visible').length === 0) return; if (!e.relatedTarget || !/area_id/.test(e.target.id) @@ -381,7 +381,7 @@ define([ Common.localStorage.getItem("guest-id") || ('uid-' + Date.now())); this.appOptions.user.anonymous && Common.localStorage.setItem("guest-id", this.appOptions.user.id); - this.appOptions.isDesktopApp = this.editorConfig.targetApp == 'desktop'; + this.appOptions.isDesktopApp = this.editorConfig.targetApp == 'desktop' || Common.Controllers.Desktop.isActive(); this.appOptions.canCreateNew = this.editorConfig.canRequestCreateNew || !_.isEmpty(this.editorConfig.createUrl) || this.editorConfig.templates && this.editorConfig.templates.length; this.appOptions.canOpenRecent = this.editorConfig.recent !== undefined && !this.appOptions.isDesktopApp; this.appOptions.templates = this.editorConfig.templates; @@ -398,6 +398,7 @@ define([ this.appOptions.fileChoiceUrl = this.editorConfig.fileChoiceUrl; this.appOptions.isEditDiagram = this.editorConfig.mode == 'editdiagram'; this.appOptions.isEditMailMerge = this.editorConfig.mode == 'editmerge'; + this.appOptions.isEditOle = this.editorConfig.mode == 'editole'; this.appOptions.canRequestClose = this.editorConfig.canRequestClose; this.appOptions.canBackToFolder = (this.editorConfig.canBackToFolder!==false) && (typeof (this.editorConfig.customization) == 'object') && (typeof (this.editorConfig.customization.goback) == 'object') && (!_.isEmpty(this.editorConfig.customization.goback.url) || this.editorConfig.customization.goback.requestClose && this.appOptions.canRequestClose); @@ -414,7 +415,7 @@ define([ this.appOptions.canFeaturePivot = true; this.appOptions.canFeatureViews = true; - if (this.appOptions.user.guest && this.appOptions.canRenameAnonymous && !this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge) + if (this.appOptions.user.guest && this.appOptions.canRenameAnonymous && !this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge && !this.appOptions.isEditOle) Common.NotificationCenter.on('user:rename', _.bind(this.showRenameUserDialog, this)); this.headerView = this.getApplication().getController('Viewport').getView('Common.Views.Header'); @@ -462,12 +463,15 @@ define([ value = parseInt(value); Common.Utils.InternalSettings.set("sse-macros-mode", value); + value = Common.localStorage.getItem("sse-allow-macros-request"); + Common.Utils.InternalSettings.set("sse-allow-macros-request", (value !== null) ? parseInt(value) : 0); + this.appOptions.wopi = this.editorConfig.wopi; - this.isFrameClosed = (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge); + this.isFrameClosed = (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle); Common.Controllers.Desktop.init(this.appOptions); - if (this.appOptions.isEditDiagram) { + if (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) { Common.UI.HintManager.setMode(this.appOptions); } }, @@ -480,8 +484,7 @@ define([ if (data.doc) { this.permissions = _.extend(this.permissions, data.doc.permissions); - var _permissions = $.extend({}, data.doc.permissions), - _options = $.extend({}, data.doc.options, this.editorConfig.actionLink || {}); + var _options = $.extend({}, data.doc.options, this.editorConfig.actionLink || {}); var _user = new Asc.asc_CUserInfo(); _user.put_Id(this.appOptions.user.id); @@ -498,11 +501,16 @@ define([ docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(this.editorConfig.callbackUrl); docInfo.put_Token(data.doc.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(data.doc.permissions); docInfo.put_EncryptedInfo(this.editorConfig.encryptionKeys); docInfo.put_Lang(this.editorConfig.lang); docInfo.put_Mode(this.editorConfig.mode); + var coEditMode = !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object') ? 'fast' : // fast by default + this.editorConfig.mode === 'view' && this.editorConfig.coEditing.change!==false ? 'fast' : // if can change mode in viewer - set fast for using live viewer + this.editorConfig.coEditing.mode || 'fast'; + docInfo.put_CoEditingMode(coEditMode); + var enable = !this.editorConfig.customization || (this.editorConfig.customization.macros!==false); docInfo.asc_putIsEnabledMacroses(!!enable); enable = !this.editorConfig.customization || (this.editorConfig.customization.plugins!==false); @@ -514,6 +522,7 @@ define([ this.api.asc_registerCallback('asc_onGetEditorPermissions', _.bind(this.onEditorPermissions, this)); this.api.asc_registerCallback('asc_onLicenseChanged', _.bind(this.onLicenseChanged, this)); + this.api.asc_registerCallback('asc_onMacrosPermissionRequest', _.bind(this.onMacrosPermissionRequest, this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', _.bind(this.onRunAutostartMacroses, this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); @@ -714,6 +723,7 @@ define([ this.onEditComplete(this.loadMask, {restorefocus:true}); } if ( id == Asc.c_oAscAsyncAction['Disconnect']) { + this._state.timerDisconnect && clearTimeout(this._state.timerDisconnect); this.disableEditing(false, true); this.getApplication().getController('Statusbar').hideDisconnectTip(); this.getApplication().getController('Statusbar').setStatusCaption(this.textReconnect); @@ -800,7 +810,9 @@ define([ this.disableEditing(true, true); var me = this; statusCallback = function() { - me.getApplication().getController('Statusbar').showDisconnectTip(); + me._state.timerDisconnect = setTimeout(function(){ + me.getApplication().getController('Statusbar').showDisconnectTip(); + }, me._state.unloadTimer || 0); }; break; @@ -852,11 +864,14 @@ define([ me.hidePreloader(); me.onLongActionEnd(Asc.c_oAscAsyncActionType['BlockInteraction'], LoadingDocument); - value = (this.appOptions.isEditMailMerge || this.appOptions.isEditDiagram) ? 100 : Common.localStorage.getItem("sse-settings-zoom"); + value = (this.appOptions.isEditMailMerge || this.appOptions.isEditDiagram || this.appOptions.isEditOle) ? 100 : Common.localStorage.getItem("sse-settings-zoom"); Common.Utils.InternalSettings.set("sse-settings-zoom", value); var zf = (value!==null) ? parseInt(value)/100 : (this.appOptions.customization && this.appOptions.customization.zoom ? parseInt(this.appOptions.customization.zoom)/100 : 1); this.api.asc_setZoom(zf>0 ? zf : 1); + value = Common.localStorage.getBool("sse-settings-use-alt-key", true); + Common.Utils.InternalSettings.set("sse-settings-use-alt-key", value); + /** coauthoring begin **/ this.isLiveCommenting = Common.localStorage.getBool("sse-settings-livecomment", true); Common.Utils.InternalSettings.set("sse-settings-livecomment", this.isLiveCommenting); @@ -908,14 +923,15 @@ define([ leftMenuView.getMenu('file').loadDocument({doc:me.appOptions.spreadsheet}); leftmenuController.setMode(me.appOptions).createDelayedElements().setApi(me.api); - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram) { + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle) { pluginsController.setApi(me.api); this.api && this.api.asc_setFrozenPaneBorderType(Common.localStorage.getBool('sse-freeze-shadow', true) ? Asc.c_oAscFrozenPaneBorderType.shadow : Asc.c_oAscFrozenPaneBorderType.line); + application.getController('Common.Controllers.ExternalOleEditor').setApi(this.api).loadConfig({config:this.editorConfig, customization: this.editorConfig.customization}); } leftMenuView.disableMenu('all',false); - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && me.appOptions.canBranding) { + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle && me.appOptions.canBranding) { me.getApplication().getController('LeftMenu').leftMenu.getMenu('about').setLicInfo(me.editorConfig.customization); } @@ -952,7 +968,7 @@ define([ } var timer_sl = setInterval(function(){ - if (window.styles_loaded || me.appOptions.isEditDiagram || me.appOptions.isEditMailMerge) { + if (window.styles_loaded || me.appOptions.isEditDiagram || me.appOptions.isEditMailMerge || me.appOptions.isEditOle) { clearInterval(timer_sl); Common.NotificationCenter.trigger('comments:updatefilter', ['doc', 'sheet' + me.api.asc_getActiveWorksheetId()]); @@ -961,13 +977,15 @@ define([ toolbarController.createDelayedElements(); me.setLanguages(); - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram) { + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle) { var shapes = me.api.asc_getPropertyEditorShapes(); if (shapes) me.fillAutoShapes(shapes[0], shapes[1]); me.updateThemeColors(); toolbarController.activateControls(); + } else if (me.appOptions.isEditOle) { + me.updateThemeColors(); } rightmenuController.createDelayedElements(); @@ -990,11 +1008,10 @@ define([ } else { documentHolderView.createDelayedElementsViewer(); Common.NotificationCenter.trigger('document:ready', 'main'); - if (me.editorConfig.mode !== 'view') // if want to open editor, but viewer is loaded - me.applyLicense(); + me.applyLicense(); } // TODO bug 43960 - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram) { + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle) { var dummyClass = ~~(1e6*Math.random()); $('.toolbar').prepend(Common.Utils.String.format('
                              ', dummyClass)); setTimeout(function() { $(Common.Utils.String.format('.toolbar .lazy-{0}', dummyClass)).remove(); }, 10); @@ -1031,12 +1048,12 @@ define([ } else checkWarns(); Common.Gateway.documentReady(); - if (this.appOptions.user.guest && this.appOptions.canRenameAnonymous && !this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge && (Common.Utils.InternalSettings.get("guest-username")===null)) + if (this.appOptions.user.guest && this.appOptions.canRenameAnonymous && !this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge && !this.appOptions.isEditOle && (Common.Utils.InternalSettings.get("guest-username")===null)) this.showRenameUserDialog(); }, onLicenseChanged: function(params) { - if (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) return; + if (this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) return; var licType = params.asc_getLicenseType(); if (licType !== undefined && (this.appOptions.canEdit || this.appOptions.isRestrictedEdit) && this.editorConfig.mode !== 'view' && @@ -1044,12 +1061,20 @@ define([ || licType===Asc.c_oLicenseResult.SuccessLimit && (this.appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; + if (licType !== undefined && this.appOptions.canLiveView && (licType===Asc.c_oLicenseResult.ConnectionsLive || licType===Asc.c_oLicenseResult.ConnectionsLiveOS)) + this._state.licenseType = licType; + if (this._isDocReady) this.applyLicense(); }, applyLicense: function() { - if (this._state.licenseType) { + if (this.editorConfig.mode === 'view') { + if (this.appOptions.canLiveView && (this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLive || this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLiveOS)) { + // show warning or write to log if Common.Utils.InternalSettings.get("sse-settings-coauthmode") was true ??? + this.disableLiveViewing(true); + } + } else if (this._state.licenseType) { var license = this._state.licenseType, buttons = ['ok'], primary = 'ok'; @@ -1089,7 +1114,7 @@ define([ } }); } - } else if (!this.appOptions.isDesktopApp && !this.appOptions.canBrandingExt && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) && + } else if (!this.appOptions.isDesktopApp && !this.appOptions.canBrandingExt && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) && this.editorConfig && this.editorConfig.customization && (this.editorConfig.customization.loaderName || this.editorConfig.customization.loaderLogo)) { Common.UI.warning({ title: this.textPaidFeature, @@ -1176,6 +1201,12 @@ define([ } }, + disableLiveViewing: function(disable) { + this.appOptions.canLiveView = !disable; + this.api.asc_SetFastCollaborative(!disable); + Common.Utils.InternalSettings.set("sse-settings-coauthmode", !disable); + }, + onOpenDocument: function(progress) { var elem = document.getElementById('loadmask-text'); var proc = (progress.asc_getCurrentFont() + progress.asc_getCurrentImage())/(progress.asc_getFontsCount() + progress.asc_getImagesCount()); @@ -1185,7 +1216,7 @@ define([ onEditorPermissions: function(params) { var licType = params ? params.asc_getLicenseType() : Asc.c_oLicenseResult.Error; - if ( params && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge)) { + if ( params && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle)) { if (Asc.c_oLicenseResult.Expired === licType || Asc.c_oLicenseResult.Error === licType || Asc.c_oLicenseResult.ExpiredTrial === licType) { Common.UI.warning({ title: this.titleLicenseExp, @@ -1251,10 +1282,10 @@ define([ this.appOptions.canRequestEditRights = this.editorConfig.canRequestEditRights; this.appOptions.canEdit = this.permissions.edit !== false && // can edit (this.editorConfig.canRequestEditRights || this.editorConfig.mode !== 'view'); // if mode=="view" -> canRequestEditRights must be defined - this.appOptions.isEdit = (this.appOptions.canLicense || this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) && this.permissions.edit !== false && this.editorConfig.mode !== 'view'; + this.appOptions.isEdit = (this.appOptions.canLicense || this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) && this.permissions.edit !== false && this.editorConfig.mode !== 'view'; this.appOptions.canDownload = (this.permissions.download !== false); this.appOptions.canPrint = (this.permissions.print !== false); - this.appOptions.canForcesave = this.appOptions.isEdit && !this.appOptions.isOffline && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) && + this.appOptions.canForcesave = this.appOptions.isEdit && !this.appOptions.isOffline && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) && (typeof (this.editorConfig.customization) == 'object' && !!this.editorConfig.customization.forcesave); this.appOptions.forcesave = this.appOptions.canForcesave; this.appOptions.canEditComments= this.appOptions.isOffline || !this.permissions.editCommentAuthorOnly; @@ -1265,17 +1296,20 @@ define([ 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.permissions.protect!==false) - && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge); + && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle); this.appOptions.isPasswordSupport = this.appOptions.isEdit && this.api.asc_isProtectionSupport() && (this.permissions.protect!==false) - && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge); + && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle); this.appOptions.canProtect = (this.appOptions.isSignatureSupport || this.appOptions.isPasswordSupport); this.appOptions.canHelp = !((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.help===false); this.appOptions.isRestrictedEdit = !this.appOptions.isEdit && this.appOptions.canComments; - this.appOptions.canChangeCoAuthoring = this.appOptions.isEdit && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) && this.appOptions.canCoAuthoring && - !(typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false); + // change = true by default in editor + this.appOptions.canLiveView = !!params.asc_getLiveViewerSupport() && (this.editorConfig.mode === 'view'); // viewer: change=false when no flag canLiveViewer (i.g. old license), change=true by default when canLiveViewer==true + this.appOptions.canChangeCoAuthoring = this.appOptions.isEdit && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge || this.appOptions.isEditOle) && this.appOptions.canCoAuthoring && + !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false) || + this.appOptions.canLiveView && !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object' && this.editorConfig.coEditing.change===false); - if (!this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge) { + if (!this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge && !this.appOptions.isEditOle) { this.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof this.editorConfig.customization == 'object' || this.editorConfig.plugins); this.getApplication().getController('Common.Controllers.Plugins').setMode(this.appOptions); this.appOptions.canBrandingExt && this.editorConfig.customization && Common.UI.LayoutManager.init(this.editorConfig.customization.layout); @@ -1330,6 +1364,12 @@ define([ fastCoauth = (value===null || parseInt(value) == 1); } else if (!this.appOptions.isEdit && this.appOptions.isRestrictedEdit) { fastCoauth = true; + } else if (this.appOptions.canLiveView && !this.appOptions.isOffline) { // viewer + value = Common.localStorage.getItem("sse-settings-view-coauthmode"); + if (!this.appOptions.canChangeCoAuthoring || value===null) { // Use coEditing.mode or 'fast' by default + value = this.editorConfig.coEditing && this.editorConfig.coEditing.mode==='strict' ? 0 : 1; + } + fastCoauth = (parseInt(value) == 1); } else { fastCoauth = false; autosave = 0; @@ -1354,7 +1394,7 @@ define([ statusbarView = app.getController('Statusbar').getView('Statusbar'); if (this.headerView) { - this.headerView.setVisible(!this.appOptions.isEditMailMerge && !this.appOptions.isDesktopApp && !this.appOptions.isEditDiagram); + this.headerView.setVisible(!this.appOptions.isEditMailMerge && !this.appOptions.isDesktopApp && !this.appOptions.isEditDiagram && !this.appOptions.isEditOle); } viewport && viewport.setMode(this.appOptions, true); @@ -1366,6 +1406,8 @@ define([ if (this.appOptions.isEditMailMerge || this.appOptions.isEditDiagram) { statusbarView.hide(); + } + if (this.appOptions.isEditMailMerge || this.appOptions.isEditDiagram || this.appOptions.isEditOle) { app.getController('LeftMenu').getView('LeftMenu').hide(); $(window) @@ -1379,15 +1421,15 @@ define([ },this)); } - if (!this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram) { + if (!this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram && !this.appOptions.isEditOle) { this.api.asc_registerCallback('asc_onSendThemeColors', _.bind(this.onSendThemeColors, this)); this.api.asc_registerCallback('asc_onDownloadUrl', _.bind(this.onDownloadUrl, this)); this.api.asc_registerCallback('asc_onDocumentModifiedChanged', _.bind(this.onDocumentModifiedChanged, this)); var printController = app.getController('Print'); printController && this.api && printController.setApi(this.api); - - } + } else if (this.appOptions.isEditOle) + this.api.asc_registerCallback('asc_onSendThemeColors', _.bind(this.onSendThemeColors, this)); var celleditorController = this.getApplication().getController('CellEditor'); celleditorController && celleditorController.setApi(this.api).setMode(this.appOptions); @@ -1434,10 +1476,11 @@ define([ application.getController('WBProtection').setMode(me.appOptions).setConfig({config: me.editorConfig}, me.api); if (statusbarController) { - statusbarController.getView('Statusbar').changeViewMode(true); + statusbarController.getView('Statusbar').changeViewMode(me.appOptions); + me.appOptions.isEditOle && statusbarController.onChangeViewMode(null, true, true); // set compact status bar for ole editing mode } - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && me.appOptions.canFeaturePivot) + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle && me.appOptions.canFeaturePivot) application.getController('PivotTable').setMode(me.appOptions); var viewport = this.getApplication().getController('Viewport').getView('Viewport'); @@ -1446,7 +1489,7 @@ define([ this.toolbarView = toolbarController.getView('Toolbar'); - if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram) { + if (!me.appOptions.isEditMailMerge && !me.appOptions.isEditDiagram && !me.appOptions.isEditOle) { var options = {}; JSON.parse(Common.localStorage.getItem('sse-hidden-formula')) && (options.formula = true); application.getController('Toolbar').hideElements(options); @@ -2063,16 +2106,19 @@ define([ onBeforeUnload: function() { Common.localStorage.save(); - var isEdit = this.permissions.edit !== false && this.editorConfig.mode !== 'view' && this.editorConfig.mode !== 'editdiagram' && this.editorConfig.mode !== 'editmerge'; + var isEdit = this.permissions.edit !== false && this.editorConfig.mode !== 'view' && this.editorConfig.mode !== 'editdiagram' && this.editorConfig.mode !== 'editmerge' && this.editorConfig.mode !== 'editole'; if (isEdit && this.api.asc_isDocumentModified()) { var me = this; this.api.asc_stopSaving(); + this._state.unloadTimer = 1000; this.continueSavingTimer = window.setTimeout(function() { me.api.asc_continueSaving(); + me._state.unloadTimer = 0; }, 500); return this.leavePageText; - } + } else + this._state.unloadTimer = 10000; }, onUnload: function() { @@ -2228,7 +2274,7 @@ define([ if (!this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram && window.editor_elements_prepared) { this.application.getController('Statusbar').selectTab(index); - if (this.appOptions.canViewComments && !this.dontCloseDummyComment) { + if (!this.appOptions.isEditOle && this.appOptions.canViewComments && !this.dontCloseDummyComment) { Common.NotificationCenter.trigger('comments:updatefilter', ['doc', 'sheet' + this.api.asc_getWorksheetId(index)], false ); // hide popover } } @@ -2450,11 +2496,11 @@ define([ updateThemeColors: function() { var me = this; - setTimeout(function(){ + !me.appOptions.isEditOle && setTimeout(function(){ me.getApplication().getController('RightMenu').UpdateThemeColors(); }, 50); - setTimeout(function(){ + !me.appOptions.isEditOle && setTimeout(function(){ me.getApplication().getController('Toolbar').updateThemeColors(); }, 50); @@ -2465,12 +2511,16 @@ define([ onSendThemeColors: function(colors, standart_colors) { Common.Utils.ThemeColor.setColors(colors, standart_colors); - if (window.styles_loaded && !this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram) { - this.updateThemeColors(); - var me = this; - setTimeout(function(){ - me.fillTextArt(); - }, 1); + if (window.styles_loaded) { + if (!this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram) + this.updateThemeColors(); + + if (!this.appOptions.isEditMailMerge && !this.appOptions.isEditDiagram && !this.appOptions.isEditOle) { + var me = this; + setTimeout(function(){ + me.fillTextArt(); + }, 1); + } } }, @@ -2491,6 +2541,8 @@ define([ case 'clearChartData': this.clearChartData(); break; case 'setMergeData': this.setMergeData(data.data); break; case 'getMergeData': this.getMergeData(); break; + case 'setOleData': this.setOleData(data.data); break; + case 'getOleData': this.getOleData(); break; case 'setAppDisabled': if (this.isAppDisabled===undefined && !data.data) { // first editor opening Common.NotificationCenter.trigger('layout:changed', 'main'); @@ -2545,6 +2597,24 @@ define([ this.api && this.api.asc_closeCellEditor(); }, + setOleData: function(obj) { + if (typeof obj === 'object' && this.api) { + this.api.asc_addTableOleObjectInOleEditor(obj); + this.isFrameClosed = false; + } + }, + + getOleData: function() { + if (this.api) { + var oleData = this.api.asc_getBinaryInfoOleObject(); + if (typeof oleData === 'object') { + Common.Gateway.internalMessage('oleData', { + data: oleData + }); + } + } + }, + setMergeData: function(merge) { if (typeof merge === 'object' && this.api) { this.api.asc_setData(merge); @@ -2774,6 +2844,47 @@ define([ } }, + onMacrosPermissionRequest: function(url, callback) { + if (url && callback) { + this.stackMacrosRequests.push({url: url, callback: callback}); + if (this.stackMacrosRequests.length>1) { + return; + } + } else if (this.stackMacrosRequests.length>0) { + url = this.stackMacrosRequests[0].url; + callback = this.stackMacrosRequests[0].callback; + } else + return; + + var me = this; + var value = Common.Utils.InternalSettings.get("sse-allow-macros-request"); + if (value>0) { + callback && callback(value === 1); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + } else { + Common.UI.warning({ + msg: this.textRequestMacros.replace('%1', url), + buttons: ['yes', 'no'], + primary: 'yes', + dontshow: true, + textDontShow: this.textRememberMacros, + maxwidth: 600, + callback: function(btn, dontshow){ + if (dontshow) { + Common.Utils.InternalSettings.set("sse-allow-macros-request", (btn == 'yes') ? 1 : 2); + Common.localStorage.setItem("sse-allow-macros-request", (btn == 'yes') ? 1 : 2); + } + setTimeout(function() { + if (callback) callback(btn == 'yes'); + me.stackMacrosRequests.shift(); + me.onMacrosPermissionRequest(); + }, 1); + } + }); + } + }, + loadAutoCorrectSettings: function() { // autocorrection var me = this; @@ -3470,7 +3581,9 @@ define([ textFormulaFilledFirstRowsOtherIsEmpty: 'Formula filled only first {0} rows by memory save reason. Other rows in this sheet don\'t have data.', textFormulaFilledFirstRowsOtherHaveData: 'Formula filled only first {0} rows have data by memory save reason. There are other {1} rows have data in this sheet. You can fill them manually.', textReconnect: 'Connection is restored', - errorCannotUseCommandProtectedSheet: 'You cannot use this command on a protected sheet. To use this command, unprotect the sheet.
                              You might be requested to enter a password.' + errorCannotUseCommandProtectedSheet: 'You cannot use this command on a protected sheet. To use this command, unprotect the sheet.
                              You might be requested to enter a password.', + textRequestMacros: 'A macro makes a request to URL. Do you want to allow the request to the %1?', + textRememberMacros: 'Remember my choice for all macros' } })(), SSE.Controllers.Main || {})) }); diff --git a/apps/spreadsheeteditor/main/app/controller/Print.js b/apps/spreadsheeteditor/main/app/controller/Print.js index e8af354c4..4bbaaedf4 100644 --- a/apps/spreadsheeteditor/main/app/controller/Print.js +++ b/apps/spreadsheeteditor/main/app/controller/Print.js @@ -65,7 +65,8 @@ define([ 'PrintWithPreview': { 'show': _.bind(this.onShowMainSettingsPrint, this), 'render:after': _.bind(this.onAfterRender, this), - 'changerange': _.bind(this.onChangeRange, this, false) + 'changerange': _.bind(this.onChangeRange, this, false), + 'openheader': _.bind(this.onOpenHeaderSettings, this), }, 'PrintSettings': { 'changerange': _.bind(this.onChangeRange, this, true) @@ -82,7 +83,13 @@ define([ onAfterRender: function(view) { var me = this; this.printSettings.menu.on('menu:hide', _.bind(this.onHidePrintMenu, this)); - this.printSettings.cmbSheet.on('selected', _.bind(this.comboSheetsChange, this, this.printSettings)); + this.printSettings.cmbSheet.on('selected', _.bind(function (combo, record) { + this.comboSheetsChange(this.printSettings, combo, record); + if (this._isPreviewVisible) { + this.notUpdateSheetSettings = true; + this.api.asc_drawPrintPreview(undefined, record.value); + } + }, this)); this.printSettings.btnsSave.forEach(function (btn) { btn.on('click', _.bind(me.querySavePrintSettings, me, false)); }); @@ -96,13 +103,14 @@ define([ 'keyup:after': _.bind(this.onKeyupPageNumber, this) }); this.printSettings.txtNumberPage.cmpEl.find('input').on('blur', _.bind(this.onBlurPageNumber, this)); - this.printSettings.chIgnorePrintArea.on('change', _.bind(this.updatePreview, this)); + this.printSettings.chIgnorePrintArea.on('change', _.bind(this.updatePreview, this, true)); this.fillComponents(this.printSettings); this.registerControlEvents(this.printSettings); Common.NotificationCenter.on('window:resize', _.bind(function () { if (this._isPreviewVisible) { + this.notUpdateSheetSettings = true; this.api.asc_drawPrintPreview(this._navigationPreview.currentPage); } }, this)); @@ -115,11 +123,19 @@ define([ this.api = o; this.api.asc_registerCallback('asc_onSheetsChanged', _.bind(this.updateSheetsInfo, this)); this.api.asc_registerCallback('asc_onPrintPreviewSheetChanged', _.bind(this.onApiChangePreviewSheet, this)); + this.api.asc_registerCallback('asc_onPrintPreviewPageChanged', _.bind(this.onApiChangePreviewPage, this)); + this.api.asc_registerCallback('asc_onPrintPreviewSheetDataChanged', _.bind(this.onApiPreviewSheetDataChanged, this)); }, updateSheetsInfo: function() { if (this.printSettings.isVisible()) { this.updateSettings(this.printSettings); + this.printSettings.cmbSheet.store.each(function (item) { + var sheetIndex = item.get('value'); + if (!this._changedProps[sheetIndex]) { + this._changedProps[sheetIndex] = this.api.asc_getPageOptions(sheetIndex, true, true); + } + }, this); } else { this.isFillSheets = false; } @@ -143,11 +159,13 @@ define([ panel.cmbSheet.store.findWhere({value: this.api.asc_getActiveWorksheetIndex()}); if (item) { panel.cmbSheet.setValue(item.get('value')); + panel.updateActiveSheet && panel.updateActiveSheet(item.get('displayValue')); } }, comboSheetsChange: function(panel, combo, record) { - this.fillPageOptions(panel, this._changedProps[record.value] ? this._changedProps[record.value] : this.api.asc_getPageOptions(record.value, true), record.value); + var currentSheet = record.value; + this.fillPageOptions(panel, this._changedProps[currentSheet] ? this._changedProps[currentSheet] : this.api.asc_getPageOptions(currentSheet, true), currentSheet); }, fillPageOptions: function(panel, props, sheet) { @@ -243,16 +261,16 @@ define([ menu.chIgnorePrintArea.setDisabled(printtype == Asc.c_oAscPrintType.Selection); if (!isDlg) { - this.updatePreview(); + this.updatePreview(true); } }, - getPageOptions: function(panel) { - var props = new Asc.asc_CPageOptions(); + getPageOptions: function(panel, sheet) { + var props = this._changedProps[sheet] ? this._changedProps[sheet] : new Asc.asc_CPageOptions(); props.asc_setGridLines(panel.chPrintGrid.getValue()==='checked'); props.asc_setHeadings(panel.chPrintRows.getValue()==='checked'); - var opt = new Asc.asc_CPageSetup(); + var opt = this._changedProps[sheet] ? this._changedProps[sheet].asc_getPageSetup() : new Asc.asc_CPageSetup(); opt.asc_setOrientation(panel.cmbPaperOrientation.getValue() == '-' ? undefined : panel.cmbPaperOrientation.getValue()); var pagew = /^\d{3}\.?\d*/.exec(panel.cmbPaperSize.getValue()); @@ -274,15 +292,19 @@ define([ opt.asc_setFitToHeight(this.fitHeight); opt.asc_setScale(this.fitScale); } - props.asc_setPageSetup(opt); + if (!this._changedProps[sheet]) { + props.asc_setPageSetup(opt); + } - opt = new Asc.asc_CPageMargins(); + opt = this._changedProps[sheet] ? this._changedProps[sheet].asc_getPageMargins() : new Asc.asc_CPageMargins(); opt.asc_setLeft(panel.spnMarginLeft.getValue() == '-' ? undefined : Common.Utils.Metric.fnRecalcToMM(panel.spnMarginLeft.getNumberValue())); // because 1.91*10=19.0999999... opt.asc_setTop(panel.spnMarginTop.getValue() == '-' ? undefined : Common.Utils.Metric.fnRecalcToMM(panel.spnMarginTop.getNumberValue())); opt.asc_setRight(panel.spnMarginRight.getValue() == '-' ? undefined : Common.Utils.Metric.fnRecalcToMM(panel.spnMarginRight.getNumberValue())); opt.asc_setBottom(panel.spnMarginBottom.getValue() == '-' ? undefined : Common.Utils.Metric.fnRecalcToMM(panel.spnMarginBottom.getNumberValue())); - props.asc_setPageMargins(opt); + if (!this._changedProps[sheet]) { + props.asc_setPageMargins(opt); + } var check = this.api.asc_checkDataRange(Asc.c_oAscSelectionDialogType.PrintTitles, panel.txtRangeTop.getValue(), false) !== Asc.c_oAscError.ID.DataRangeError; props.asc_setPrintTitlesHeight(check ? panel.txtRangeTop.getValue() : panel.dataRangeTop); @@ -299,6 +321,7 @@ define([ }, onShowMainSettingsPrint: function() { + var me = this; this._changedProps = []; this.printSettings.$previewBox.removeClass('hidden'); @@ -306,10 +329,15 @@ define([ this.isFillSheets = true; this.updateSettings(this.printSettings); } + this.printSettings.cmbSheet.store.each(function (item) { + var sheetIndex = item.get('value'); + me._changedProps[sheetIndex] = me.api.asc_getPageOptions(sheetIndex, true, true); + }, this); + this.adjPrintParams.asc_setPageOptionsMap(this._changedProps); this.fillPrintOptions(this.adjPrintParams, false); - var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); + var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); opts.asc_setAdvancedOptions(this.adjPrintParams); var pageCount = this.api.asc_initPrintPreview('print-preview', opts); @@ -320,6 +348,7 @@ define([ this.printSettings.txtNumberPage.checkValidate(); } this._isPreviewVisible = true; + !!pageCount && this.updatePreview(); }, openPrintSettings: function(type, cmp, format, asUrl) { @@ -394,7 +423,7 @@ define([ this.adjPrintParams.asc_setIgnorePrintArea(this.printSettings.getIgnorePrintArea()); Common.localStorage.setItem("sse-print-settings-range", printType); - var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); + var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); opts.asc_setAdvancedOptions(this.adjPrintParams); this.api.asc_Print(opts); Common.NotificationCenter.trigger('edit:complete', view); @@ -456,8 +485,8 @@ define([ panel.spnMarginRight.on('change', _.bind(this.propertyChange, this, panel)); panel.chPrintGrid.on('change', _.bind(this.propertyChange, this, panel)); panel.chPrintRows.on('change', _.bind(this.propertyChange, this, panel)); - panel.txtRangeTop.on('changing', _.bind(this.propertyChange, this, panel)); - panel.txtRangeLeft.on('changing', _.bind(this.propertyChange, this, panel)); + panel.txtRangeTop.on('changed:after', _.bind(this.propertyChange, this, panel)); + panel.txtRangeLeft.on('changed:after', _.bind(this.propertyChange, this, panel)); panel.txtRangeTop.on('button:click', _.bind(this.onPresetSelect, this, panel, 'top', panel.btnPresetsTop.menu, {value: 'select'})); panel.txtRangeLeft.on('button:click', _.bind(this.onPresetSelect, this, panel, 'left', panel.btnPresetsLeft.menu, {value: 'select'})); panel.btnPresetsTop.menu.on('item:click', _.bind(this.onPresetSelect, this, panel, 'top')); @@ -479,7 +508,8 @@ define([ me.fitScale = result.scale; me.setScaling(panel, me.fitWidth, me.fitHeight, me.fitScale); if (me._changedProps) { - me._changedProps[panel.cmbSheet.getValue()] = me.getPageOptions(panel); + var currentSheet = panel.cmbSheet.getValue(); + me._changedProps[currentSheet] = me.getPageOptions(panel, currentSheet); me.updatePreview(); } } @@ -497,7 +527,8 @@ define([ Common.NotificationCenter.trigger('edit:complete', this.toolbar); } else { if (this._changedProps) { - this._changedProps[panel.cmbSheet.getValue()] = this.getPageOptions(panel); + var currentSheet = panel.cmbSheet.getValue(); + this._changedProps[currentSheet] = this.getPageOptions(panel, currentSheet); this.updatePreview(); } } @@ -521,7 +552,6 @@ define([ fillComponents: function(panel, selectdata) { var me = this; panel.txtRangeTop.validation = function(value) { - !me._noApply && me.propertyChange(panel); if (_.isEmpty(value)) { return true; } @@ -531,7 +561,6 @@ define([ selectdata && panel.txtRangeTop.updateBtnHint(this.textSelectRange); panel.txtRangeLeft.validation = function(value) { - !me._noApply && me.propertyChange(panel); if (_.isEmpty(value)) { return true; } @@ -644,6 +673,12 @@ define([ }, onPreviewWheel: function (e) { + if (e.ctrlKey) { + e.preventDefault(); + e.stopImmediatePropagation(); + } + this.printSettings.txtRangeTop.cmpEl.find('input:focus').blur(); + this.printSettings.txtRangeLeft.cmpEl.find('input:focus').blur(); var forward = (e.deltaY || (e.detail && -e.detail) || e.wheelDelta) < 0; this.onChangePreviewPage(forward); }, @@ -685,29 +720,34 @@ define([ } }, - updatePreview: function () { + updatePreview: function (needUpdate) { if (this._isPreviewVisible) { + this.printSettings.$previewBox.removeClass('hidden'); + var adjPrintParams = new Asc.asc_CAdjustPrint(), printType = this.printSettings.getRange(); adjPrintParams.asc_setPrintType(printType); adjPrintParams.asc_setPageOptionsMap(this._changedProps); adjPrintParams.asc_setIgnorePrintArea(this.printSettings.getIgnorePrintArea()); - var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); + var opts = new Asc.asc_CDownloadOptions(null, Common.Utils.isChrome || Common.Utils.isOpera || Common.Utils.isGecko && Common.Utils.firefoxVersion>86); opts.asc_setAdvancedOptions(adjPrintParams); var pageCount = this.api.asc_updatePrintPreview(opts); + this.printSettings.$previewBox.toggleClass('hidden', !pageCount); + this.printSettings.$previewEmpty.toggleClass('hidden', !!pageCount); var newPage; if (this._currentPrintType !== printType) { newPage = 0; this._currentPrintType = printType; } else if (this._navigationPreview.currentPage > pageCount - 1) { - newPage = pageCount - 1; + newPage = Math.max(0, pageCount - 1); } else { newPage = this._navigationPreview.currentPage; } + this.notUpdateSheetSettings = !needUpdate; this.api.asc_drawPrintPreview(newPage); this.updateNavigationButtons(newPage, pageCount); @@ -716,11 +756,13 @@ define([ onApiChangePreviewSheet: function (index) { var item = this.printSettings.cmbSheet.store.findWhere({value: index}); - if (item) { + this.printSettings.updateActiveSheet(item.get('displayValue')); + + if (this.notUpdateSheetSettings) { + this.notUpdateSheetSettings = false; + } else if (item) { this.printSettings.cmbSheet.setValue(item.get('value')); this.comboSheetsChange(this.printSettings, this.printSettings.cmbSheet, item.toJSON()); - var sheetName = this.api.asc_getWorksheetName(index); - this.printSettings.updateActiveSheet(sheetName); } }, @@ -744,6 +786,29 @@ define([ this.printSettings.btnNextPage.setDisabled(curPage > pageCount - 2); }, + onOpenHeaderSettings: function () { + var pageSetup = this._changedProps[this.printSettings.cmbSheet.getValue()].asc_getPageSetup(); + SSE.getController('Toolbar').onEditHeaderClick(pageSetup); + }, + + onApiChangePreviewPage: function (page) { + if (this._navigationPreview.currentPage !== page) { + this._navigationPreview.currentPage = page; + this.updateNavigationButtons(page, this._navigationPreview.pageCount); + this.disableNavButtons(); + } + }, + + onApiPreviewSheetDataChanged: function (needUpdate) { + if (needUpdate) { + this.updatePreview(); + } else { + this.notUpdateSheetSettings = true; + this.api.asc_drawPrintPreview(this._navigationPreview.currentPage); + this.updateNavigationButtons(this._navigationPreview.currentPage, this._navigationPreview.pageCount); + } + }, + warnCheckMargings: 'Margins are incorrect', strAllSheets: 'All Sheets', textWarning: 'Warning', diff --git a/apps/spreadsheeteditor/main/app/controller/Search.js b/apps/spreadsheeteditor/main/app/controller/Search.js new file mode 100644 index 000000000..76192db40 --- /dev/null +++ b/apps/spreadsheeteditor/main/app/controller/Search.js @@ -0,0 +1,552 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2020 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * ViewTab.js + * + * Created by Julia Svinareva on 22.02.2022 + * Copyright (c) 2022 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'core', + 'common/main/lib/view/SearchPanel' +], function () { + 'use strict'; + + SSE.Controllers.Search = Backbone.Controller.extend(_.extend({ + sdkViewName : '#id_main', + + views: [ + 'Common.Views.SearchPanel' + ], + + initialize: function () { + this.addListeners({ + 'SearchBar': { + 'search:back': _.bind(this.onSearchNext, this, 'back'), + 'search:next': _.bind(this.onSearchNext, this, 'next'), + 'search:input': _.bind(this.onInputSearchChange, this), + 'search:keydown': _.bind(this.onSearchNext, this, 'keydown'), + 'show': _.bind(this.onSelectSearchingResults, this, true), + 'hide': _.bind(this.onSelectSearchingResults, this, false) + }, + 'Common.Views.SearchPanel': { + 'search:back': _.bind(this.onSearchNext, this, 'back'), + 'search:next': _.bind(this.onSearchNext, this, 'next'), + 'search:replace': _.bind(this.onQueryReplace, this), + 'search:replaceall': _.bind(this.onQueryReplaceAll, this), + 'search:input': _.bind(this.onInputSearchChange, this), + 'search:options': _.bind(this.onChangeSearchOption, this), + 'search:keydown': _.bind(this.onSearchNext, this, 'keydown'), + 'show': _.bind(this.onShowPanel, this), + 'hide': _.bind(this.onHidePanel, this) + }, + 'LeftMenu': { // TO DO + 'search:aftershow': _.bind(this.onShowAfterSearch, this) + } + }); + }, + onLaunch: function () { + this._state = { + searchText: '', + matchCase: false, + matchWord: false, + useRegExp: false, + withinSheet: Asc.c_oAscSearchBy.Sheet, + searchByRows: true, + lookInFormulas: true, + isValidSelectedRange: true + }; + }, + + setMode: function (mode) { + this.view = this.createView('Common.Views.SearchPanel', { mode: mode }); + this.view.on('render:after', _.bind(this.onAfterRender, this)); + }, + + setApi: function (api) { + if (api) { + this.api = api; + this.api.asc_registerCallback('asc_onRenameCellTextEnd', _.bind(this.onRenameText, this)); + this.api.asc_registerCallback('asc_onSetSearchCurrent', _.bind(this.onUpdateSearchCurrent, this)); + this.api.asc_registerCallback('asc_onStartTextAroundSearch', _.bind(this.onStartTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onEndTextAroundSearch', _.bind(this.onEndTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onGetTextAroundSearchPack', _.bind(this.onApiGetTextAroundSearch, this)); + this.api.asc_registerCallback('asc_onRemoveTextAroundSearch', _.bind(this.onApiRemoveTextAroundSearch, this)); + } + return this; + }, + + getView: function(name) { + return !name && this.view ? + this.view : Backbone.Controller.prototype.getView.call(this, name); + }, + + onAfterRender: function () { + var me = this; + this.view.inputSelectRange.validation = function(value) { + if (_.isEmpty(value)) { + return true; + } + var isvalid = me.api.asc_checkDataRange(undefined, value); + me._state.isValidSelectedRange = isvalid !== Asc.c_oAscError.ID.DataRangeError; + return (isvalid === Asc.c_oAscError.ID.DataRangeError) ? me.textInvalidRange : true; + }; + this.view.inputSelectRange.on('button:click', _.bind(this.onRangeSelect, this)); + }, + + onChangeSearchOption: function (option, value, noSearch) { + var runSearch = true; + switch (option) { + case 'case-sensitive': + this._state.matchCase = value; + break; + case 'match-word': + this._state.matchWord = value; + break; + case 'regexp': + this._state.useRegExp = value; + break; + case 'within': + this._state.withinSheet = value === 0 ? Asc.c_oAscSearchBy.Sheet : (value === 1 ? Asc.c_oAscSearchBy.Workbook : Asc.c_oAscSearchBy.Range); + this.view.inputSelectRange.setDisabled(value !== Asc.c_oAscSearchBy.Range); + if (value === Asc.c_oAscSearchBy.Range) { + runSearch = false; + } + break; + case 'range': + this._state.selectedRange = value; + runSearch = !noSearch; + break; + case 'search': + this._state.searchByRows = value; + break; + case 'lookIn': + this._state.lookInFormulas = value; + break; + } + if (runSearch && this._state.searchText !== '') { + this.hideResults(); + if (this.onQuerySearch()) { + this.searchTimer && clearInterval(this.searchTimer); + this.searchTimer = undefined; + this.api.asc_StartTextAroundSearch(); + } + } + }, + + onRangeSelect: function () { + var me = this; + var handlerDlg = function(dlg, result) { + if (result == 'ok') { + var valid = dlg.getSettings(); + me.view.inputSelectRange.setValue(valid); + me.view.inputSelectRange.checkValidate(); + me.onChangeSearchOption('range', valid); + } + }; + + var win = new SSE.Views.CellRangeDialog({ + handler: handlerDlg + }).on('close', function() { + _.delay(function(){ + me.view.inputSelectRange.focus(); + },1); + }); + win.show(); + win.setSettings({ + api: me.api, + range: (!_.isEmpty(me.view.inputSelectRange.getValue()) && (me.view.inputSelectRange.checkValidate()==true)) ? me.view.inputSelectRange.getValue() : me._state.selectedRange, + type: Asc.c_oAscSelectionDialogType.PrintTitles + }); + }, + + onSearchNext: function (type, text, e) { + var isReturnKey = type === 'keydown' && e.keyCode === Common.UI.Keys.RETURN; + if (text && text.length > 0 && (isReturnKey || type !== 'keydown')) { + this._state.searchText = text; + if (this.onQuerySearch(type) && (this.searchTimer || isReturnKey)) { + this.hideResults(); + if (this.searchTimer) { + clearInterval(this.searchTimer); + this.searchTimer = undefined; + } + if (this.view.$el.is(':visible')) { + this.api.asc_StartTextAroundSearch(); + } + } + } + }, + + onInputSearchChange: function (text) { + var me = this; + if (this._state.searchText !== text) { + this._state.newSearchText = text; + this._lastInputChange = (new Date()); + if (this.searchTimer === undefined) { + this.searchTimer = setInterval(function(){ + if ((new Date()) - me._lastInputChange < 400) return; + + me.hideResults(); + me._state.searchText = me._state.newSearchText; + if (me._state.newSearchText !== '' && me.onQuerySearch()) { + if (me.view.$el.is(':visible')) { + me.api.asc_StartTextAroundSearch(); + } + me.view.disableReplaceButtons(false); + } else if (me._state.newSearchText === '') { + me.view.updateResultsNumber('no-results'); + me.view.disableReplaceButtons(true); + } + clearInterval(me.searchTimer); + me.searchTimer = undefined; + }, 10); + } + } + }, + + onQuerySearch: function (d, w, opts, fromPanel) { + var me = this; + if (this._state.withinSheet === Asc.c_oAscSearchBy.Range && !this._state.isValidSelectedRange) { + Common.UI.warning({ + title: this.notcriticalErrorTitle, + msg: this.textInvalidRange, + buttons: ['ok'], + callback: function () { + me.view.focus('range'); + } + }); + return; + } + + var options = new Asc.asc_CFindOptions(); + options.asc_setFindWhat(this._state.searchText); + options.asc_setScanForward(d != 'back'); + options.asc_setIsMatchCase(this._state.matchCase); + options.asc_setIsWholeCell(this._state.matchWord); + options.asc_setScanOnOnlySheet(this._state.withinSheet); + if (this._state.withinSheet === Asc.c_oAscSearchBy.Range) { + options.asc_setSpecificRange(this._state.selectedRange); + } + options.asc_setScanByRows(this._state.searchByRows); + options.asc_setLookIn(this._state.lookInFormulas ? Asc.c_oAscFindLookIn.Formulas : Asc.c_oAscFindLookIn.Value); + if (!this.api.asc_findText(options)) { + this.resultItems = []; + this.view.updateResultsNumber(undefined, 0); + this.view.disableReplaceButtons(true); + this._state.currentResult = 0; + this._state.resultsNumber = 0; + this.view.disableNavButtons(); + return false; + } + return true; + }, + + onQueryReplace: function(textSearch, textReplace) { + if (textSearch !== '') { + this.api.isReplaceAll = false; + var options = new Asc.asc_CFindOptions(); + options.asc_setFindWhat(textSearch); + options.asc_setReplaceWith(textReplace); + options.asc_setIsMatchCase(this._state.matchCase); + options.asc_setIsWholeCell(this._state.matchWord); + options.asc_setScanOnOnlySheet(this._state.withinSheet); + if (this._state.withinSheet === Asc.c_oAscSearchBy.Range) { + options.asc_setSpecificRange(this._state.selectedRange); + } + options.asc_setScanByRows(this._state.searchByRows); + options.asc_setLookIn(this._state.lookIn ? Asc.c_oAscFindLookIn.Formulas : Asc.c_oAscFindLookIn.Value); + options.asc_setIsReplaceAll(false); + + this.api.asc_replaceText(options); + } + }, + + onQueryReplaceAll: function(textSearch, textReplace) { + this.api.isReplaceAll = true; + var options = new Asc.asc_CFindOptions(); + options.asc_setFindWhat(textSearch); + options.asc_setReplaceWith(textReplace); + options.asc_setIsMatchCase(this._state.matchCase); + options.asc_setIsWholeCell(this._state.matchWord); + options.asc_setScanOnOnlySheet(this._state.withinSheet); + if (this._state.withinSheet === Asc.c_oAscSearchBy.Range) { + options.asc_setSpecificRange(this._state.selectedRange); + } + options.asc_setScanByRows(this._state.searchByRows); + options.asc_setLookIn(this._state.lookIn ? Asc.c_oAscFindLookIn.Formulas : Asc.c_oAscFindLookIn.Value); + options.asc_setIsReplaceAll(true); + + this.api.asc_replaceText(options); + }, + + onRenameText: function (found, replaced) { + var me = this; + if (this.api.isReplaceAll) { + if (!found) { + this.allResultsWasRemoved(); + } else { + !(found-replaced) && this.allResultsWasRemoved(); + Common.UI.info({ + msg: !(found-replaced) ? Common.Utils.String.format(this.textReplaceSuccess,replaced) : Common.Utils.String.format(this.textReplaceSkipped,found-replaced), + callback: function() { + me.view.focus(); + } + }); + } + } else { + var options = new Asc.asc_CFindOptions(); + options.asc_setFindWhat(this._state.searchText); + options.asc_setScanForward(true); + options.asc_setIsMatchCase(this._state.matchCase); + options.asc_setIsWholeCell(this._state.matchWord); + options.asc_setScanOnOnlySheet(this._state.withinSheet); + if (this._state.withinSheet === Asc.c_oAscSearchBy.Range) { + options.asc_setSpecificRange(this._state.selectedRange); + } + options.asc_setScanByRows(this._state.searchByRows); + options.asc_setLookIn(this._state.lookInFormulas ? Asc.c_oAscFindLookIn.Formulas : Asc.c_oAscFindLookIn.Value); + if (!this.api.asc_findText(options)) { + this.allResultsWasRemoved(); + } + } + }, + + allResultsWasRemoved: function () { + this.resultItems = []; + this.hideResults(); + this.view.updateResultsNumber(undefined, 0); + this.view.disableReplaceButtons(true); + this._state.currentResult = 0; + this._state.resultsNumber = 0; + this.view.disableNavButtons(); + }, + + onApiRemoveTextAroundSearch: function (arr) { + var me = this; + arr.forEach(function (id) { + var ind = _.findIndex(me.resultItems, {id: id}); + if (ind !== -1) { + me.resultItems[ind].$el.remove(); + me.resultItems.splice(ind, 1); + } + }); + }, + + onUpdateSearchCurrent: function (current, all) { + if (current === -1) return; + this._state.currentResult = current; + this._state.resultsNumber = all; + if (this.view) { + this.view.updateResultsNumber(current, all); + this.view.disableNavButtons(current, all); + if (this.resultItems && this.resultItems.length > 0) { + this.resultItems.forEach(function (item) { + item.selected = false; + }); + if (this.resultItems[current]) { + this.resultItems[current].selected = true; + $('#search-results').find('.item').removeClass('selected'); + this.resultItems[current].$el.addClass('selected'); + this.scrollToSelectedResult(current); + } + } + } + Common.NotificationCenter.trigger('search:updateresults', current, all); + }, + + scrollToSelectedResult: function (ind) { + var index = ind !== undefined ? ind : _.findIndex(this.resultItems, {selected: true}); + if (index !== -1) { + var item = this.resultItems[index].$el, + itemHeight = item.outerHeight(), + itemTop = item.position().top, + container = this.view.$resultsContainer.find('.search-items'), + containerHeight = container.outerHeight(), + containerTop = container.scrollTop(); + if (itemTop < 0 || (containerTop === 0 && itemTop > containerHeight)) { + this.view.$resultsContainer.scroller.scrollTop(containerTop + itemTop - 12); + } else if (itemTop + itemHeight > containerHeight) { + this.view.$resultsContainer.scroller.scrollTop(containerTop + itemHeight); + } + } + }, + + onStartTextAroundSearch: function () { + if (this.view) { + this._state.isStartedAddingResults = true; + } + }, + + onEndTextAroundSearch: function () { + if (this.view) { + this._state.isStartedAddingResults = false; + this.view.$resultsContainer.scroller.update({alwaysVisibleY: true}); + } + }, + + onApiGetTextAroundSearch: function (data) { // [id, sheet, name, cell, value, formula] + if (this.view && this._state.isStartedAddingResults) { + if (data.length > 300 || !data.length) return; + var me = this, + $innerResults = me.view.$resultsContainer.find('.search-items'); + me.resultItems = []; + data.forEach(function (item, ind) { + var isSelected = ind === me._state.currentResult; + var tr = '
                              ' + + '
                              ' + (item[1] ? item[1] : '') + '
                              ' + + '
                              ' + (item[2] ? item[2] : '') + '
                              ' + + '
                              ' + (item[3] ? item[3] : '') + '
                              ' + + '
                              ' + (item[4] ? item[4] : '') + '
                              ' + + '
                              ' + (item[5] ? item[5] : '') + '
                              ' + + '
                              '; + var $item = $(tr).appendTo($innerResults); + if (isSelected) { + $item.addClass('selected'); + } + var resultItem = {id: item[0], $el: $item, el: tr, selected: isSelected, data: data}; + me.resultItems.push(resultItem); + $item.on('click', _.bind(function (el) { + var id = item[0]; + me.api.asc_SelectSearchElement(id); + }, me)); + me.addTooltips($item, item); + }); + this.view.$resultsContainer.show(); + } + }, + + addTooltips: function (item, data) { + var cells = [item.find('.sheet'), item.find('.name'), item.find('.cell'), item.find('.value'), item.find('.formula')], + tips = [data[1], data[2], data[3], data[4], data[5]]; + cells.forEach(function (el, ind) { + var tip = tips[ind]; + if (tip) { + el.one('mouseenter', function () { + el.attr('data-toggle', 'tooltip'); + el.tooltip({ + title: tip, + placement: 'cursor', + zIndex: 1000 + }); + el.mouseenter(); + }); + } + }); + }, + + hideResults: function () { + if (this.view) { + this.view.$resultsContainer.hide(); + this.view.$resultsContainer.find('.search-items').empty(); + } + }, + + onShowAfterSearch: function (findText) { + var viewport = this.getApplication().getController('Viewport'); + if (viewport.isSearchBarVisible()) { + viewport.searchBar.hide(); + } + + var text = typeof findText === 'string' ? findText : (this.api.asc_GetSelectedText() || this._state.searchText); + if (this.resultItems && this.resultItems.length > 0 && + (!this._state.matchCase && text.toLowerCase() === this.view.inputText.getValue().toLowerCase() || + this._state.matchCase && text === this.view.inputText.getValue())) { // show old results + return; + } + if (text) { + this.view.setFindText(text); + } else if (text !== undefined) { // panel was opened from empty searchbar, clear to start new search + this.view.setFindText(''); + this._state.searchText = undefined; + } + + this.hideResults(); + if (text !== '' && text === this._state.searchText) { // search was made + this.view.disableReplaceButtons(false); + this.api.asc_StartTextAroundSearch(); + } else if (text !== '') { // search wasn't made + this.onInputSearchChange(text); + } else { + this.resultItems = []; + this.view.disableReplaceButtons(true); + this.view.clearResultsNumber(); + } + this.view.disableNavButtons(this._state.currentResult, this._state.resultsNumber); + }, + + onShowPanel: function () { + this.onSelectSearchingResults(true); + if (this.resultItems && this.resultItems.length > 0 && !this._state.isStartedAddingResults) { + var me = this, + $tableBody = this.view.$resultsContainer.find('.search-items'); + this.view.$resultsContainer.show(); + this.resultItems.forEach(function (item) { + var $item = $(item.el).appendTo($tableBody); + if (item.selected) { + $item.addClass('selected'); + } + $item.on('click', function (el) { + me.api.asc_SelectSearchElement(item.id); + $('#search-results').find('.item').removeClass('selected'); + $(el.currentTarget).addClass('selected'); + }); + me.addTooltips($item, item.data); + }); + this.scrollToSelectedResult(); + } + }, + + onHidePanel: function () { + this.hideResults(); + this.onSelectSearchingResults(false); + }, + + onSelectSearchingResults: function (val) { + if (!val && this.getApplication().getController('LeftMenu').isSearchPanelVisible()) return; + + if (this._state.isHighlightedResults !== val) { + this.api.asc_selectSearchingResults(val); + this._state.isHighlightedResults = val; + } + }, + + textNoTextFound: 'The data you have been searching for could not be found. Please adjust your search options.', + textReplaceSuccess: 'Search has been done. {0} occurrences have been replaced', + textReplaceSkipped: 'The replacement has been made. {0} occurrences were skipped.', + textInvalidRange: 'ERROR! Invalid cells range' + + }, SSE.Controllers.Search || {})); +}); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/controller/Statusbar.js b/apps/spreadsheeteditor/main/app/controller/Statusbar.js index 4ab02c01e..1e12a7b68 100644 --- a/apps/spreadsheeteditor/main/app/controller/Statusbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Statusbar.js @@ -86,6 +86,7 @@ define([ this.statusbar = this.createView('Statusbar').render(); this.statusbar.$el.css('z-index', 10); this.statusbar.labelZoom.css('min-width', 80); + this.statusbar.labelZoom.text(Common.Utils.String.format(this.zoomText, 100)); this.statusbar.zoomMenu.on('item:click', _.bind(this.menuZoomClick, this)); this.bindViewEvents(this.statusbar, this.events); @@ -255,7 +256,7 @@ define([ this.statusbar.$el.css('z-index', ''); this.statusbar.tabMenu.on('item:click', _.bind(this.onTabMenu, this)); this.statusbar.btnAddWorksheet.on('click', _.bind(this.onAddWorksheetClick, this)); - if (!Common.UI.LayoutManager.isElementVisible('statusBar-actionStatus')) { + if (!Common.UI.LayoutManager.isElementVisible('statusBar-actionStatus') || this.statusbar.mode.isEditOle) { this.statusbar.customizeStatusBarMenu.items[0].setVisible(false); this.statusbar.customizeStatusBarMenu.items[1].setVisible(false); this.statusbar.boxAction.addClass('hide'); @@ -779,9 +780,9 @@ define([ this._sheetViewTip.hide(); }, - onChangeViewMode: function(item, compact) { + onChangeViewMode: function(item, compact, suppressEvent) { this.statusbar.fireEvent('view:compact', [this.statusbar, compact]); - Common.localStorage.setBool('sse-compact-statusbar', compact); + !suppressEvent && Common.localStorage.setBool('sse-compact-statusbar', compact); Common.NotificationCenter.trigger('layout:changed', 'status'); this.statusbar.onChangeCompact(compact); diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js index f2d4bf681..5bd64d2cd 100644 --- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js @@ -301,6 +301,25 @@ define([ toolbar.btnSortUp.on('click', _.bind(this.onSortType, this, Asc.c_oAscSortOptions.Descending)); toolbar.btnSetAutofilter.on('click', _.bind(this.onAutoFilter, this)); toolbar.btnClearAutofilter.on('click', _.bind(this.onClearFilter, this)); + } else + if ( me.appConfig.isEditOle ) { + toolbar.btnUndo.on('click', _.bind(this.onUndo, this)); + toolbar.btnRedo.on('click', _.bind(this.onRedo, this)); + toolbar.btnCopy.on('click', _.bind(this.onCopyPaste, this, true)); + toolbar.btnPaste.on('click', _.bind(this.onCopyPaste, this, false)); + toolbar.btnSearch.on('click', _.bind(this.onSearch, this)); + toolbar.btnSortDown.on('click', _.bind(this.onSortType, this, Asc.c_oAscSortOptions.Ascending)); + toolbar.btnSortUp.on('click', _.bind(this.onSortType, this, Asc.c_oAscSortOptions.Descending)); + toolbar.btnSetAutofilter.on('click', _.bind(this.onAutoFilter, this)); + toolbar.btnClearAutofilter.on('click', _.bind(this.onClearFilter, this)); + toolbar.btnInsertFormula.on('click', _.bind(this.onInsertFormulaMenu, this)); + toolbar.btnInsertFormula.menu.on('item:click', _.bind(this.onInsertFormulaMenu, this)); + toolbar.btnDecDecimal.on('click', _.bind(this.onDecrement, this)); + toolbar.btnIncDecimal.on('click', _.bind(this.onIncrement, this)); + toolbar.cmbNumberFormat.on('selected', _.bind(this.onNumberFormatSelect, this)); + toolbar.cmbNumberFormat.on('show:before', _.bind(this.onNumberFormatOpenBefore, this, true)); + if (toolbar.cmbNumberFormat.cmpEl) + toolbar.cmbNumberFormat.cmpEl.on('click', '#id-toolbar-mnu-item-more-formats a', _.bind(this.onNumberFormatSelect, this)); } else { toolbar.btnPrint.on('click', _.bind(this.onPrint, this)); toolbar.btnPrint.on('disabled', _.bind(this.onBtnChangeState, this, 'print:disabled')); @@ -400,7 +419,7 @@ define([ toolbar.btnImgForward.on('click', this.onImgArrangeSelect.bind(this, 'forward')); toolbar.btnImgBackward.on('click', this.onImgArrangeSelect.bind(this, 'backward')); toolbar.btnsEditHeader.forEach(function(button) { - button.on('click', _.bind(me.onEditHeaderClick, me)); + button.on('click', _.bind(me.onEditHeaderClick, me, undefined)); }); toolbar.btnPrintTitles.on('click', _.bind(this.onPrintTitlesClick, this)); toolbar.chPrintGridlines.on('change', _.bind(this.onPrintGridlinesChange, this)); @@ -419,7 +438,7 @@ define([ var config = SSE.getController('Main').appOptions; if (config.isEdit) { - if ( !config.isEditDiagram && !config.isEditMailMerge ) { + if ( !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle ) { this.api.asc_registerCallback('asc_onSendThemeColors', _.bind(this.onSendThemeColors, this)); this.api.asc_registerCallback('asc_onMathTypes', _.bind(this.onApiMathTypes, this)); this.api.asc_registerCallback('asc_onContextMenu', _.bind(this.onContextMenu, this)); @@ -1846,7 +1865,7 @@ define([ this.toolbar.createDelayedElements(); this.attachUIEvents(this.toolbar); - if ( !this.appConfig.isEditDiagram && !this.appConfig.isEditMailMerge ) { + if ( !this.appConfig.isEditDiagram && !this.appConfig.isEditMailMerge && !this.appConfig.isEditOle ) { this.api.asc_registerCallback('asc_onSheetsChanged', _.bind(this.onApiSheetChanged, this)); this.api.asc_registerCallback('asc_onUpdateSheetViewSettings', _.bind(this.onApiSheetChanged, this)); this.api.asc_registerCallback('asc_onEndAddShape', _.bind(this.onApiEndAddShape, this)); @@ -1901,7 +1920,7 @@ define([ e.stopPropagation(); }, 'command+k,ctrl+k': function (e) { - if (me.editMode && !me.toolbar.mode.isEditMailMerge && !me.toolbar.mode.isEditDiagram && !me.api.isCellEdited && !me._state.multiselect && !me._state.inpivot && + if (me.editMode && !me.toolbar.mode.isEditMailMerge && !me.toolbar.mode.isEditDiagram && !me.toolbar.mode.isEditOle && !me.api.isCellEdited && !me._state.multiselect && !me._state.inpivot && !me.getApplication().getController('LeftMenu').leftMenu.menuFile.isVisible() && !me._state.wsProps['InsertHyperlinks']) { var cellinfo = me.api.asc_getCellInfo(), selectionType = cellinfo.asc_getSelectionType(); @@ -1911,7 +1930,7 @@ define([ e.preventDefault(); }, 'command+1,ctrl+1': function(e) { - if (me.editMode && !me.toolbar.mode.isEditMailMerge && !me.api.isCellEdited && !me.toolbar.cmbNumberFormat.isDisabled()) { + if (me.editMode && !me.toolbar.mode.isEditMailMerge && !me.toolbar.mode.isEditOle && !me.api.isCellEdited && !me.toolbar.cmbNumberFormat.isDisabled()) { me.onCustomNumberFormat(); } @@ -2192,7 +2211,7 @@ define([ if ($('.asc-window.enable-key-events:visible').length>0) return; var toolbar = this.toolbar; - if (toolbar.mode.isEditDiagram || toolbar.mode.isEditMailMerge) { + if (toolbar.mode.isEditDiagram || toolbar.mode.isEditMailMerge || toolbar.mode.isEditOle) { is_cell_edited = (state == Asc.c_oAscCellEditorState.editStart); toolbar.lockToolbar(Common.enumLock.editCell, state == Asc.c_oAscCellEditorState.editStart, {array: [toolbar.btnDecDecimal,toolbar.btnIncDecimal,toolbar.cmbNumberFormat, toolbar.btnEditChartData, toolbar.btnEditChartType]}); } else @@ -2243,7 +2262,7 @@ define([ onApiSheetChanged: function() { - if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge) return; + if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge || this.toolbar.mode.isEditOle) return; var currentSheet = this.api.asc_getActiveWorksheetIndex(), props = this.api.asc_getPageOptions(currentSheet), @@ -2401,7 +2420,7 @@ define([ Common.NotificationCenter.trigger('fonts:change', fontobj); /* read font params */ - if (!toolbar.mode.isEditMailMerge && !toolbar.mode.isEditDiagram) { + if (!toolbar.mode.isEditMailMerge && !toolbar.mode.isEditDiagram && !toolbar.mode.isEditOle) { val = fontobj.asc_getFontBold(); if (this._state.bold !== val) { toolbar.btnBold.toggle(val === true, true); @@ -2508,10 +2527,12 @@ define([ if ( this.toolbar.mode.isEditDiagram ) return this.onApiSelectionChanged_DiagramEditor(info); else if ( this.toolbar.mode.isEditMailMerge ) - return this.onApiSelectionChanged_MailMergeEditor(info); + return this.onApiSelectionChanged_MailMergeEditor(info); else + if ( this.toolbar.mode.isEditOle ) + return this.onApiSelectionChanged_OleEditor(info); var selectionType = info.asc_getSelectionType(), - coauth_disable = (!this.toolbar.mode.isEditMailMerge && !this.toolbar.mode.isEditDiagram) ? (info.asc_getLocked()===true || info.asc_getLockedTable()===true || info.asc_getLockedPivotTable()===true) : false, + coauth_disable = (!this.toolbar.mode.isEditMailMerge && !this.toolbar.mode.isEditDiagram && !this.toolbar.mode.isEditOle) ? (info.asc_getLocked()===true || info.asc_getLockedTable()===true || info.asc_getLockedPivotTable()===true) : false, editOptionsDisabled = this._disableEditOptions(selectionType, coauth_disable), me = this, toolbar = this.toolbar, @@ -2570,7 +2591,7 @@ define([ if (editOptionsDisabled) return; /* read font params */ - if (!toolbar.mode.isEditMailMerge && !toolbar.mode.isEditDiagram) { + if (!toolbar.mode.isEditMailMerge && !toolbar.mode.isEditDiagram && !toolbar.mode.isEditOle) { val = xfs.asc_getFontBold(); if (this._state.bold !== val) { toolbar.btnBold.toggle(val === true, true); @@ -3067,6 +3088,90 @@ define([ } }, + onApiSelectionChanged_OleEditor: function(info) { + if ( !this.editMode || this.api.isCellEdited || this.api.isRangeSelection) return; + + var me = this; + var _disableEditOptions = function(seltype, coauth_disable) { + var is_chart_text = seltype == Asc.c_oAscSelectionType.RangeChartText, + is_chart = seltype == Asc.c_oAscSelectionType.RangeChart, + is_shape_text = seltype == Asc.c_oAscSelectionType.RangeShapeText, + is_shape = seltype == Asc.c_oAscSelectionType.RangeShape, + is_image = seltype == Asc.c_oAscSelectionType.RangeImage || seltype == Asc.c_oAscSelectionType.RangeSlicer, + is_mode_2 = is_shape_text || is_shape || is_chart_text || is_chart, + is_objLocked = false; + + if (!(is_mode_2 || is_image) && + me._state.selection_type === seltype && + me._state.coauthdisable === coauth_disable) + return seltype === Asc.c_oAscSelectionType.RangeImage; + + if ( is_mode_2 ) { + var selectedObjects = me.api.asc_getGraphicObjectProps(); + is_objLocked = selectedObjects.some(function (object) { + return object.asc_getObjectType() == Asc.c_oAscTypeSelectElement.Image && object.asc_getObjectValue().asc_getLocked(); + }); + } + + var _set = Common.enumLock; + var type = seltype; + switch ( seltype ) { + case Asc.c_oAscSelectionType.RangeSlicer: + case Asc.c_oAscSelectionType.RangeImage: type = _set.selImage; break; + case Asc.c_oAscSelectionType.RangeShape: type = _set.selShape; break; + case Asc.c_oAscSelectionType.RangeShapeText: type = _set.selShapeText; break; + case Asc.c_oAscSelectionType.RangeChart: type = _set.selChart; break; + case Asc.c_oAscSelectionType.RangeChartText: type = _set.selChartText; break; + } + + me.toolbar.lockToolbar(type, type != seltype, { + clear: [_set.selImage, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.coAuth] + }); + + me.toolbar.lockToolbar(Common.enumLock.coAuthText, is_objLocked); + + return is_image; + }; + + var selectionType = info.asc_getSelectionType(), + xfs = info.asc_getXfs(), + coauth_disable = false, + editOptionsDisabled = _disableEditOptions(selectionType, coauth_disable), + val, need_disable = false; + + if (editOptionsDisabled) return; + if (selectionType == Asc.c_oAscSelectionType.RangeChart || selectionType == Asc.c_oAscSelectionType.RangeChartText) + return; + + if ( !me.toolbar.mode.isEditDiagram ) { + var filterInfo = info.asc_getAutoFilterInfo(); + + val = filterInfo ? filterInfo.asc_getIsAutoFilter() : null; + if ( this._state.filter !== val ) { + me.toolbar.btnSetAutofilter.toggle(val===true, true); + this._state.filter = val; + } + + need_disable = this._state.controlsdisabled.filters || (val===null); + me.toolbar.lockToolbar(Common.enumLock.ruleFilter, need_disable, + { array: [me.toolbar.btnSetAutofilter, me.toolbar.btnSortDown, me.toolbar.btnSortUp] }); + + need_disable = this._state.controlsdisabled.filters || !filterInfo || (filterInfo.asc_getIsApplyAutoFilter()!==true); + me.toolbar.lockToolbar(Common.enumLock.ruleDelFilter, need_disable, {array: [me.toolbar.btnClearAutofilter]}); + } + + var val = xfs.asc_getNumFormatInfo(); + if ( val ) { + this._state.numformat = xfs.asc_getNumFormat(); + this._state.numformatinfo = val; + val = val.asc_getType(); + if (this._state.numformattype !== val) { + me.toolbar.cmbNumberFormat.setValue(val, me.toolbar.txtCustom); + this._state.numformattype = val; + } + } + }, + onApiStyleChange: function() { this.toolbar.btnCopyStyle.toggle(false, true); this.modeAlwaysSetStyle = false; @@ -3511,7 +3616,7 @@ define([ case Asc.c_oAscSelectionType.RangeSlicer: type = _set.selSlicer; break; } - if ( !this.appConfig.isEditDiagram && !this.appConfig.isEditMailMerge ) + if ( !this.appConfig.isEditDiagram && !this.appConfig.isEditMailMerge && !this.appConfig.isEditOle ) toolbar.lockToolbar(type, type != seltype, { array: [ toolbar.btnClearStyle.menu.items[1], @@ -3724,7 +3829,7 @@ define([ me.appConfig = config; var compactview = !config.isEdit; - if ( config.isEdit && !config.isEditDiagram && !config.isEditMailMerge ) { + if ( config.isEdit && !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle ) { if ( Common.localStorage.itemExists("sse-compact-toolbar") ) { compactview = Common.localStorage.getBool("sse-compact-toolbar"); } else @@ -3734,7 +3839,7 @@ define([ me.toolbar.render(_.extend({isCompactView: compactview}, config)); - if ( !config.isEditDiagram && !config.isEditMailMerge ) { + if ( !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle ) { var tab = {action: 'review', caption: me.toolbar.textTabCollaboration, layoutname: 'toolbar-collaboration', dataHintTitle: 'U'}; var $panel = me.getApplication().getController('Common.Controllers.ReviewChanges').createToolbarPanel(); if ($panel) { @@ -3752,7 +3857,7 @@ define([ me.toolbar.btnPrint && me.toolbar.btnPrint.on('disabled', _.bind(me.onBtnChangeState, me, 'print:disabled')); me.toolbar.setApi(me.api); - if ( !config.isEditDiagram && !config.isEditMailMerge ) { + if ( !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle ) { var datatab = me.getApplication().getController('DataTab'); datatab.setApi(me.api).setConfig({toolbar: me}); @@ -3806,11 +3911,12 @@ define([ var wbtab = me.getApplication().getController('WBProtection'); $panel.append(wbtab.createToolbarPanel()); me.toolbar.addTab(tab, $panel, 7); + me.toolbar.setVisible('protect', Common.UI.LayoutManager.isElementVisible('toolbar-protect')); Array.prototype.push.apply(me.toolbar.lockControls, wbtab.getView('WBProtection').getButtons()); } } } - if ( !config.isEditDiagram && !config.isEditMailMerge ) { + if ( !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle ) { tab = {caption: me.toolbar.textTabView, action: 'view', extcls: config.isEdit ? 'canedit' : '', layoutname: 'toolbar-view', dataHintTitle: 'W'}; var viewtab = me.getApplication().getController('ViewTab'); viewtab.setApi(me.api).setConfig({toolbar: me, mode: config}); @@ -3971,7 +4077,7 @@ define([ this.toolbar.btnPrintArea.menu.items[2].setVisible(this.api.asc_CanAddPrintArea()); }, - onEditHeaderClick: function(btn) { + onEditHeaderClick: function(pageSetup, btn) { var me = this; if (_.isUndefined(me.fontStore)) { me.fontStore = new Common.Collections.Fonts(); @@ -3988,6 +4094,7 @@ define([ var win = new SSE.Views.HeaderFooterDialog({ api: me.api, fontStore: me.fontStore, + pageSetup: pageSetup, handler: function(dlg, result) { if (result === 'ok') { me.getApplication().getController('Print').updatePreview(); diff --git a/apps/spreadsheeteditor/main/app/controller/ViewTab.js b/apps/spreadsheeteditor/main/app/controller/ViewTab.js index a620e84cd..1260ac14e 100644 --- a/apps/spreadsheeteditor/main/app/controller/ViewTab.js +++ b/apps/spreadsheeteditor/main/app/controller/ViewTab.js @@ -84,7 +84,6 @@ define([ mode: mode, compactToolbar: this.toolbar.toolbar.isCompactView }); - this.addListeners({ 'ViewTab': { 'zoom:selected': _.bind(this.onSelectedZoomValue, this), @@ -251,7 +250,7 @@ define([ }, onApiSheetChanged: function() { - if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge) return; + if (!this.toolbar.mode || !this.toolbar.mode.isEdit || this.toolbar.mode.isEditDiagram || this.toolbar.mode.isEditMailMerge || this.toolbar.mode.isEditOle) return; var params = this.api.asc_getSheetViewSettings(); this.view.chHeadings.setValue(!!params.asc_getShowRowColHeaders(), true); @@ -276,7 +275,7 @@ define([ }, onThemeChanged: function () { - if (this.view) { + if (this.view && Common.UI.Themes.available()) { var current_theme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(), menu_item = _.findWhere(this.view.btnInterfaceTheme.menu.items, {value: current_theme}); if ( !!menu_item ) { diff --git a/apps/spreadsheeteditor/main/app/controller/Viewport.js b/apps/spreadsheeteditor/main/app/controller/Viewport.js index caf8cf4e6..4cc8a1103 100644 --- a/apps/spreadsheeteditor/main/app/controller/Viewport.js +++ b/apps/spreadsheeteditor/main/app/controller/Viewport.js @@ -43,6 +43,7 @@ define([ 'core', 'common/main/lib/view/Header', + 'common/main/lib/view/SearchBar', 'spreadsheeteditor/main/app/view/Viewport' // ,'spreadsheeteditor/main/app/view/LeftMenu' ], function (Viewport) { @@ -79,7 +80,7 @@ define([ 'Toolbar': { 'render:before' : function (toolbar) { var config = SSE.getController('Main').appOptions; - if (!config.isEditDiagram && !config.isEditMailMerge) + if (!config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle) toolbar.setExtra('right', me.header.getPanel('right', config)); if (!config.isEdit || config.customization && !!config.customization.compactHeader) @@ -148,11 +149,11 @@ define([ { me.viewport.vlayout.getItem('toolbar').height = _intvars.get('toolbar-height-compact'); } else - if ( config.isEditDiagram || config.isEditMailMerge ) { + if ( config.isEditDiagram || config.isEditMailMerge || config.isEditOle ) { me.viewport.vlayout.getItem('toolbar').height = 41; } - if ( config.isEdit && !config.isEditDiagram && !config.isEditMailMerge && !(config.customization && config.customization.compactHeader)) { + if ( config.isEdit && !config.isEditDiagram && !config.isEditMailMerge && !config.isEditOle && !(config.customization && config.customization.compactHeader)) { var $title = me.viewport.vlayout.getItem('title').el; $title.html(me.header.getPanel('title', config)).show(); $title.find('.extra').html(me.header.getPanel('left', config)); @@ -217,6 +218,8 @@ define([ this.boxFormula = $('#cell-editing-box'); this.boxSdk.css('border-left', 'none'); this.boxFormula.css('border-left', 'none'); + + Common.NotificationCenter.on('search:show', _.bind(this.onSearchShow, this)); }, onLayoutChanged: function(area) { @@ -294,6 +297,34 @@ define([ SetDisabled: function (disabled) { }, + onSearchShow: function () { + this.header.btnSearch && this.header.btnSearch.toggle(true); + }, + + onSearchToggle: function () { + var leftMenu = this.getApplication().getController('LeftMenu'); + if (leftMenu.isSearchPanelVisible()) { + this.header.btnSearch.toggle(false, true); + leftMenu.getView('LeftMenu').panelSearch.focus(); + return; + } + if (!this.searchBar) { + this.searchBar = new Common.UI.SearchBar({}); + this.searchBar.on('hide', _.bind(function () { + this.header.btnSearch.toggle(false, true); + }, this)); + } + if (this.header.btnSearch.pressed) { + this.searchBar.show(this.api.asc_GetSelectedText()); + } else { + this.searchBar.hide(); + } + }, + + isSearchBarVisible: function () { + return this.searchBar && this.searchBar.isVisible(); + }, + textHideFBar: 'Hide Formula Bar', textHideHeadings: 'Hide Headings', textHideGridlines: 'Hide Gridlines', diff --git a/apps/spreadsheeteditor/main/app/template/LeftMenu.template b/apps/spreadsheeteditor/main/app/template/LeftMenu.template index 303051908..75a59f43d 100644 --- a/apps/spreadsheeteditor/main/app/template/LeftMenu.template +++ b/apps/spreadsheeteditor/main/app/template/LeftMenu.template @@ -1,6 +1,6 @@
                              - + @@ -11,6 +11,7 @@
                              + diff --git a/apps/spreadsheeteditor/main/app/template/StatusBar.template b/apps/spreadsheeteditor/main/app/template/StatusBar.template index 780145617..68367459b 100644 --- a/apps/spreadsheeteditor/main/app/template/StatusBar.template +++ b/apps/spreadsheeteditor/main/app/template/StatusBar.template @@ -1,10 +1,8 @@
                              - -
                              diff --git a/apps/spreadsheeteditor/main/app/template/Toolbar.template b/apps/spreadsheeteditor/main/app/template/Toolbar.template index 5e8545da9..5b9a230d8 100644 --- a/apps/spreadsheeteditor/main/app/template/Toolbar.template +++ b/apps/spreadsheeteditor/main/app/template/Toolbar.template @@ -172,10 +172,10 @@
                              - - + +
                              diff --git a/apps/spreadsheeteditor/main/app/template/ToolbarAnother.template b/apps/spreadsheeteditor/main/app/template/ToolbarAnother.template index cc642b5ad..878aa4f2f 100644 --- a/apps/spreadsheeteditor/main/app/template/ToolbarAnother.template +++ b/apps/spreadsheeteditor/main/app/template/ToolbarAnother.template @@ -71,5 +71,54 @@
                              + <% } else if ( isEditOle ) { %> + + + +
                              +
                              +
                              + + + + +
                              +
                              +
                              +
                              +
                              + +
                              +
                              +
                              +
                              +
                              + + +
                              +
                              +
                              +
                              +
                              + + +
                              +
                              +
                              +
                              +
                              + + + +
                              +
                              +
                              +
                              +
                              + +
                              +
                              +
                              +
                              <% } %>
                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js index c1102f49d..58e7b7463 100644 --- a/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js +++ b/apps/spreadsheeteditor/main/app/view/AutoFilterDialog.js @@ -1356,7 +1356,7 @@ define([ if(Common.Utils.InternalSettings.get('sse-settings-size-filter-window')) { this.$window.find('.combo-values').css({'height': Common.Utils.InternalSettings.get('sse-settings-size-filter-window')[1] - 103 + 'px'}); - this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.cellsList.scroller.update({minScrollbarLength : this.cellsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, @@ -1684,7 +1684,7 @@ define([ this.configTo.asc_getFilterObj().asc_setType(Asc.c_oAscAutoFilterTypes.Filters); // listView.isSuspendEvents = false; - listView.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + listView.scroller.update({minScrollbarLength : listView.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, @@ -1943,7 +1943,7 @@ define([ this.checkCellTrigerBlock = undefined; } this.btnOk.setDisabled(this.cells.length<1); - this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.cellsList.scroller.update({minScrollbarLength : this.cellsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); this.cellsList.cmpEl.toggleClass('scroll-padding', this.cellsList.scroller.isVisible()); }, @@ -2027,7 +2027,7 @@ define([ else if (this.curSize.resize) { var size = this.getSize(); this.$window.find('.combo-values').css({'height': size[1] - 100 + 'px'}); - this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.cellsList.scroller.update({minScrollbarLength : this.cellsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, @@ -2038,7 +2038,7 @@ define([ if (size[1] !== this.curSize.height) { if (!this.curSize.resize) { this.curSize.resize = true; - this.cellsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: false, suppressScrollX: true}); + this.cellsList.scroller.update({minScrollbarLength : this.cellsList.minScrollbarLength, alwaysVisibleY: false, suppressScrollX: true}); } this.$window.find('.combo-values').css({'height': size[1] - 100 + 'px'}); this.curSize.height = size[1]; diff --git a/apps/spreadsheeteditor/main/app/view/ChartSettings.js b/apps/spreadsheeteditor/main/app/view/ChartSettings.js index f16ce0bf7..797194841 100644 --- a/apps/spreadsheeteditor/main/app/view/ChartSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ChartSettings.js @@ -1011,7 +1011,7 @@ define([ }, onAddChartStylesPreview: function(styles){ - if (this._isEditType) return; + if (this._isEditType || !this.cmbChartStyle) return; if (styles && styles.length>0){ var stylesStore = this.cmbChartStyle.menuPicker.store; diff --git a/apps/spreadsheeteditor/main/app/view/DocumentHolder.js b/apps/spreadsheeteditor/main/app/view/DocumentHolder.js index ee6847814..bcf77715e 100644 --- a/apps/spreadsheeteditor/main/app/view/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/view/DocumentHolder.js @@ -634,6 +634,15 @@ define([ caption : me.chartText }); + me.mnuChartData = new Common.UI.MenuItem({ + iconCls : 'menu__icon btn-select-range', + caption : me.chartDataText + }); + + me.mnuChartType = new Common.UI.MenuItem({ + caption : me.chartTypeText + }); + me.pmiImgCut = new Common.UI.MenuItem({ iconCls: 'menu__icon btn-cut', caption : me.txtCut, @@ -849,6 +858,8 @@ define([ me.menuImgMacro, me.mnuShapeSeparator, me.menuImgCrop, + me.mnuChartData, + me.mnuChartType, me.mnuChartEdit, me.mnuShapeAdvanced, me.menuImgOriginalSize, @@ -955,25 +966,35 @@ define([ }) }); + me._markersArr = [ + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00B7), specialFont: 'Symbol'}, + {type: Asc.asc_PreviewBulletType.char, char: 'o', specialFont: 'Courier New'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A7), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x0076), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00D8), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00FC), specialFont: 'Wingdings'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x00A8), specialFont: 'Symbol'}, + {type: Asc.asc_PreviewBulletType.char, char: String.fromCharCode(0x2013), specialFont: 'Arial'} + ]; me.paraBulletsPicker = { conf: {rec: null}, delayRenderTips: true, store : new Common.UI.DataViewStore([ - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 1, skipRenderOnChange: true, tip: this.tipMarkersFRound}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 2, skipRenderOnChange: true, tip: this.tipMarkersHRound}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 3, skipRenderOnChange: true, tip: this.tipMarkersFSquare}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 4, skipRenderOnChange: true, tip: this.tipMarkersStar}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 5, skipRenderOnChange: true, tip: this.tipMarkersArrow}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 6, skipRenderOnChange: true, tip: this.tipMarkersCheckmark}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 7, skipRenderOnChange: true, tip: this.tipMarkersFRhombus}, - {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 8, skipRenderOnChange: true, tip: this.tipMarkersDash}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 4, skipRenderOnChange: true, tip: this.tipNumCapitalLetters}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 5, skipRenderOnChange: true, tip: this.tipNumLettersParentheses}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 6, skipRenderOnChange: true, tip: this.tipNumLettersPoints}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 1, skipRenderOnChange: true, tip: this.tipNumNumbersPoint}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 2, skipRenderOnChange: true, tip: this.tipNumNumbersParentheses}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 3, skipRenderOnChange: true, tip: this.tipNumRoman}, - {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 7, skipRenderOnChange: true, tip: this.tipNumRomanSmall} + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 1, drawdata: me._markersArr[0], skipRenderOnChange: true, tip: this.tipMarkersFRound}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 2, drawdata: me._markersArr[1], skipRenderOnChange: true, tip: this.tipMarkersHRound}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 3, drawdata: me._markersArr[2], skipRenderOnChange: true, tip: this.tipMarkersFSquare}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 4, drawdata: me._markersArr[3], skipRenderOnChange: true, tip: this.tipMarkersStar}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 5, drawdata: me._markersArr[4], skipRenderOnChange: true, tip: this.tipMarkersArrow}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 6, drawdata: me._markersArr[5], skipRenderOnChange: true, tip: this.tipMarkersCheckmark}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 7, drawdata: me._markersArr[6], skipRenderOnChange: true, tip: this.tipMarkersFRhombus}, + {group: 'menu-list-bullet-group', id: 'id-markers-' + Common.UI.getId(), type: 0, subtype: 8, drawdata: me._markersArr[7], skipRenderOnChange: true, tip: this.tipMarkersDash}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 4, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperLetterDot_Left}, skipRenderOnChange: true, tip: this.tipNumCapitalLetters}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 5, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterBracket_Left}, skipRenderOnChange: true, tip: this.tipNumLettersParentheses}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 6, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerLetterDot_Left}, skipRenderOnChange: true, tip: this.tipNumLettersPoints}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 1, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalDot_Right}, skipRenderOnChange: true, tip: this.tipNumNumbersPoint}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 2, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.DecimalBracket_Right}, skipRenderOnChange: true, tip: this.tipNumNumbersParentheses}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 3, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.UpperRomanDot_Right}, skipRenderOnChange: true, tip: this.tipNumRoman}, + {group: 'menu-list-number-group', id: 'id-numbers-' + Common.UI.getId(), type: 1, subtype: 7, drawdata: {type: Asc.asc_PreviewBulletType.number, numberingType: Asc.asc_oAscNumberingLevel.LowerRomanDot_Right}, skipRenderOnChange: true, tip: this.tipNumRomanSmall} ]), groups: new Common.UI.DataViewGroupStore([ {id: 'menu-list-bullet-group', caption: this.textBullets}, @@ -1103,6 +1124,7 @@ define([ this.tableTotalMenu = new Common.UI.Menu({ maxHeight: 160, + menuAlign: 'tr-br', cyclic: false, cls: 'lang-menu', items: [ @@ -1279,7 +1301,9 @@ define([ tipMarkersArrow: 'Arrow bullets', tipMarkersCheckmark: 'Checkmark bullets', tipMarkersFRhombus: 'Filled rhombus bullets', - tipMarkersDash: 'Dash bullets' + tipMarkersDash: 'Dash bullets', + chartDataText: 'Select Chart Data', + chartTypeText: 'Change Chart Type' }, SSE.Views.DocumentHolder || {})); }); \ 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 eb5b6b202..aae5722aa 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -65,9 +65,9 @@ define([ '', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.XLSM || fileType=="xlsm") { %>', - '
                              ', - '', - '
                              ', + '
                              ', + '
                              ', + '
                              ', '<% } %>', '<% }) %>', '', @@ -136,9 +136,9 @@ define([ '', '<% _.each(row, function(item) { %>', '<% if (item.type!==Asc.c_oAscFileType.XLSM || fileType=="xlsm") { %>', - '
                              ', - '', - '
                              ', + '
                              ', + '
                              ', + '
                              ', '<% } %>', '<% }) %>', '', @@ -189,7 +189,7 @@ define([ template: _.template([ '
                              ', '
                              ', - '', + '
                              ', '', '', '', @@ -206,7 +206,7 @@ define([ '', '', '', - '', + '', '', '', '', @@ -224,6 +224,10 @@ define([ '', '', '', + '', + '', + '', + '', '', '', '', @@ -238,6 +242,9 @@ define([ //'', '', '', + '', + '', + '', '', '', '', @@ -296,7 +303,6 @@ define([ '', '', '', - '', '', '', @@ -360,6 +366,14 @@ define([ dataHintOffset: 'small' }); + this.chUseAltKey = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-use-alt-key'), + labelText: Common.Utils.isMac ? this.txtUseOptionKey : this.txtUseAltKey, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + this.rbCoAuthModeFast = new Common.UI.RadioBox({ el : $markup.findById('#fms-rb-coauth-mode-fast'), name : 'coauth-mode', @@ -381,6 +395,14 @@ define([ this.rbCoAuthModeStrict.$el.parent().on('click', function (){me.rbCoAuthModeStrict.setValue(true);}); /** coauthoring end **/ + this.chLiveViewer = new Common.UI.CheckBox({ + el: $markup.findById('#fms-chb-live-viewer'), + labelText: this.strShowOthersChanges, + dataHint: '2', + dataHintDirection: 'left', + dataHintOffset: 'small' + }); + this.cmbZoom = new Common.UI.ComboBox({ el : $markup.findById('#fms-cmb-zoom'), style : 'width: 160px;', @@ -745,6 +767,7 @@ define([ $('tr.forcesave', this.el)[mode.canForcesave ? 'show' : 'hide'](); $('tr.comments', this.el)[mode.canCoAuthoring ? 'show' : 'hide'](); $('tr.coauth.changes', this.el)[mode.isEdit && !mode.isOffline && mode.canCoAuthoring && mode.canChangeCoAuthoring ? 'show' : 'hide'](); + $('tr.live-viewer', this.el)[mode.canLiveView && !mode.isOffline && mode.canChangeCoAuthoring ? 'show' : 'hide'](); $('tr.macros', this.el)[(mode.customization && mode.customization.macros===false) ? 'hide' : 'show'](); if ( !Common.UI.Themes.available() ) { @@ -762,6 +785,7 @@ define([ value = (value!==null) ? parseInt(value) : (this.mode.customization && this.mode.customization.zoom ? parseInt(this.mode.customization.zoom) : 100); var item = this.cmbZoom.store.findWhere({value: value}); this.cmbZoom.setValue(item ? parseInt(item.get('value')) : (value>0 ? value+'%' : 100)); + this.chUseAltKey.setValue(Common.Utils.InternalSettings.get("sse-settings-use-alt-key")); /** coauthoring begin **/ this.chLiveComment.setValue(Common.Utils.InternalSettings.get("sse-settings-livecomment")); @@ -772,6 +796,7 @@ define([ this.rbCoAuthModeFast.setValue(fast_coauth); this.rbCoAuthModeStrict.setValue(!fast_coauth); /** coauthoring end **/ + this.chLiveViewer.setValue(Common.Utils.InternalSettings.get("sse-settings-coauthmode")); value = Common.Utils.InternalSettings.get("sse-settings-fontrender"); item = this.cmbFontRender.store.findWhere({value: parseInt(value)}); @@ -891,6 +916,8 @@ define([ applySettings: function() { Common.UI.Themes.setTheme(this.cmbTheme.getValue()); + Common.localStorage.setItem("sse-settings-use-alt-key", this.chUseAltKey.isChecked() ? 1 : 0); + Common.Utils.InternalSettings.set("sse-settings-use-alt-key", Common.localStorage.getBool("sse-settings-use-alt-key")); Common.localStorage.setItem("sse-settings-zoom", this.cmbZoom.getValue()); Common.Utils.InternalSettings.set("sse-settings-zoom", Common.localStorage.getItem("sse-settings-zoom")); /** coauthoring begin **/ @@ -898,13 +925,16 @@ define([ Common.localStorage.setItem("sse-settings-resolvedcomment", this.chResolvedComment.isChecked() ? 1 : 0); if (this.mode.isEdit && !this.mode.isOffline && this.mode.canCoAuthoring && this.mode.canChangeCoAuthoring) Common.localStorage.setItem("sse-settings-coauthmode", this.rbCoAuthModeFast.getValue()? 1 : 0); + else if (this.mode.canLiveView && !this.mode.isOffline && this.mode.canChangeCoAuthoring) { // viewer + Common.localStorage.setItem("sse-settings-view-coauthmode", this.chLiveViewer.isChecked() ? 1 : 0); + } /** coauthoring end **/ Common.localStorage.setItem("sse-settings-r1c1", this.chR1C1Style.isChecked() ? 1 : 0); Common.localStorage.setItem("sse-settings-fontrender", this.cmbFontRender.getValue()); var item = this.cmbFontRender.store.findWhere({value: 'custom'}); Common.localStorage.setItem("sse-settings-cachemode", item && !item.get('checked') ? 0 : 1); Common.localStorage.setItem("sse-settings-unit", this.cmbUnit.getValue()); - if (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("sse-settings-coauthmode")) + if (this.mode.isEdit && (this.mode.canChangeCoAuthoring || !Common.Utils.InternalSettings.get("sse-settings-coauthmode"))) Common.localStorage.setItem("sse-settings-autosave", this.chAutosave.isChecked() ? 1 : 0); if (this.mode.canForcesave) Common.localStorage.setItem("sse-settings-forcesave", this.chForcesave.isChecked() ? 1 : 0); @@ -1113,6 +1143,8 @@ define([ strShowResolvedComments: 'Show resolved comments', txtWorkspace: 'Workspace', strReferenceStyle: 'R1C1 reference style', + txtUseAltKey: 'Use Alt key to navigate the user interface using the keyboard', + txtUseOptionKey: 'Use Option key to navigate the user interface using the keyboard', txtRegion: 'Region', txtProofing: 'Proofing', strDictionaryLanguage: 'Dictionary language', @@ -1120,11 +1152,12 @@ define([ strIgnoreWordsWithNumbers: 'Ignore words with numbers', txtAutoCorrect: 'AutoCorrect options...', txtFastTip: 'Real-time co-editing. All changes are saved automatically', - txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make' + txtStrictTip: 'Use the \'Save\' button to sync the changes you and others make', + strShowOthersChanges: 'Show changes from other users' }, SSE.Views.FileMenuPanels.MainSettingsGeneral || {})); - SSE.Views.FileMenuPanels.RecentFiles = Common.UI.BaseView.extend({ +SSE.Views.FileMenuPanels.RecentFiles = Common.UI.BaseView.extend({ el: '#panel-recentfiles', menu: undefined, @@ -1148,9 +1181,9 @@ define([ itemTemplate: _.template([ '
                              ', '
                              ', - '', - '', - '', + '
                              ', + '
                              ', + '
                              ', '
                              ', '
                              <% if (typeof title !== "undefined") {%><%= Common.Utils.String.htmlEncode(title || "") %><% } %>
                              ', '
                              <% if (typeof folder !== "undefined") {%><%= Common.Utils.String.htmlEncode(folder || "") %><% } %>
                              ', @@ -1199,7 +1232,7 @@ define([ '<% if (blank) { %> ', '
                              ', '
                              ', - '', + '
                              ', '
                              ', '
                              <%= scope.txtBlank %>
                              ', '
                              ', @@ -1210,7 +1243,7 @@ define([ '<% if (!_.isEmpty(item.image)) {%> ', ' style="background-image: url(<%= item.image %>);">', ' <%} else {' + - 'print(\">\")' + + 'print(\">
                              \")' + ' } %>', '
                              ', '
                              <%= Common.Utils.String.htmlEncode(item.title || item.name || "") %>
                              ', @@ -2664,7 +2697,7 @@ define([ }, openHeaderSettings: function() { - SSE.getController('Toolbar').onEditHeaderClick(); + this.fireEvent('openheader', this); }, updateCountOfPages: function (count) { diff --git a/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js b/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js index bab9b24b5..1b55567ce 100644 --- a/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js +++ b/apps/spreadsheeteditor/main/app/view/FormatRulesEditDlg.js @@ -531,8 +531,13 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', menu : new Common.UI.Menu({ menuAlign : 'tl-tr', items : [ - { template: _.template('
                              '), stopPropagation: true }, - { template: _.template('' + this.textNewColor + ''), stopPropagation: true } + { template: _.template('
                              '), stopPropagation: true }, + {caption: '--'}, + { + id: "format-rules-borders-menu-new-bordercolor", + template: _.template('' + this.textNewColor + ''), + stopPropagation: true + } ] }) }) @@ -542,8 +547,10 @@ define([ 'text!spreadsheeteditor/main/app/template/FormatRulesEditDlg.template', this.btnBorders.menu.on('item:click', _.bind(this.onBordersMenu, this)); this.btnBorders.on('click', _.bind(this.onBorders, this)); this.mnuBorderColorPicker = new Common.UI.ThemeColorPalette({ - el: $('#format-rules-borders-menu-bordercolor') + el: $('#format-rules-borders-menu-bordercolor'), + outerMenu: {menu: this.mnuBorderColor.menu, index: 0, focusOnShow: true} }); + this.mnuBorderColor.menu.setInnerMenu([{menu: this.mnuBorderColorPicker, index: 0}]); this.mnuBorderColorPicker.on('select', _.bind(this.onBordersColor, this)); $('#format-rules-borders-menu-new-bordercolor').on('click', _.bind(function() { me.mnuBorderColorPicker.addNewColor(); diff --git a/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js b/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js index 8fd8290e4..711839b95 100644 --- a/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js +++ b/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js @@ -63,6 +63,7 @@ define([ this.api = this.options.api; this.props = this.options.props; this.fontStore = this.options.fontStore; + this.pageSetup = this.options.pageSetup; this.isFooter = false; this.currentCanvas = null; this.headerControls = []; @@ -619,7 +620,7 @@ define([ Common.UI.Window.prototype.close.apply(this, arguments); if (this.HFObject) - this.HFObject.destroy(); + this.HFObject.destroy(false, this.pageSetup); }, afterRender: function () { @@ -631,7 +632,7 @@ define([ this.cmbFonts[1].fillFonts(this.fontStore); this.updateThemeColors(); - this.HFObject = new Asc.asc_CHeaderFooterEditor(['header-left-img', 'header-center-img', 'header-right-img', 'footer-left-img', 'footer-center-img', 'footer-right-img'], 205); + this.HFObject = new Asc.asc_CHeaderFooterEditor(['header-left-img', 'header-center-img', 'header-right-img', 'footer-left-img', 'footer-center-img', 'footer-right-img'], 205, undefined, this.pageSetup); this._setDefaults(this.props); this.editorCanvas = this.$window.find('#ce-canvas-menu'); var me = this; @@ -697,7 +698,7 @@ define([ _handleInput: function(state) { if (this.HFObject) { - var id = this.HFObject.destroy(state=='ok'); + var id = this.HFObject.destroy(state=='ok', this.pageSetup); if (id) { var me = this; this.showError(function() { diff --git a/apps/spreadsheeteditor/main/app/view/ImageSettings.js b/apps/spreadsheeteditor/main/app/view/ImageSettings.js index e8d6404d8..65a3bbf86 100644 --- a/apps/spreadsheeteditor/main/app/view/ImageSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ImageSettings.js @@ -215,7 +215,18 @@ define([ this.spnHeight.on('inputleave', function(){ Common.NotificationCenter.trigger('edit:complete', me);}); this.btnOriginalSize.on('click', _.bind(this.setOriginalSize, this)); this.btnEditObject.on('click', _.bind(function(btn){ - if (this.api) this.api.asc_startEditCurrentOleObject(); + if (this.api) { + var oleobj = this.api.asc_canEditTableOleObject(true); + if (oleobj) { + var oleEditor = SSE.getController('Common.Controllers.ExternalOleEditor').getView('Common.Views.ExternalOleEditor'); + if (oleEditor) { + oleEditor.setEditMode(true); + oleEditor.show(); + oleEditor.setOleData(Asc.asc_putBinaryDataToFrameFromTableOleObject(oleobj)); + } + } else + this.api.asc_startEditCurrentOleObject(); + } Common.NotificationCenter.trigger('edit:complete', this); }, this)); @@ -448,7 +459,7 @@ define([ if (this._state.isOleObject) { var plugin = SSE.getCollection('Common.Collections.Plugins').findWhere({guid: pluginGuid}); - this.btnEditObject.setDisabled(plugin===null || plugin ===undefined || this._locked); + this.btnEditObject.setDisabled(!this.api.asc_canEditTableOleObject() && (plugin===null || plugin ===undefined) || this._locked); } else { this.btnSelectImage.setDisabled(pluginGuid===null || this._locked); } diff --git a/apps/spreadsheeteditor/main/app/view/LeftMenu.js b/apps/spreadsheeteditor/main/app/view/LeftMenu.js index 72e602521..cbcc13535 100644 --- a/apps/spreadsheeteditor/main/app/view/LeftMenu.js +++ b/apps/spreadsheeteditor/main/app/view/LeftMenu.js @@ -65,6 +65,7 @@ define([ /** coauthoring end **/ 'click #left-btn-plugins': _.bind(this.onCoauthOptions, this), 'click #left-btn-spellcheck': _.bind(this.onCoauthOptions, this), + 'click #left-btn-searchbar': _.bind(this.onCoauthOptions, this), 'click #left-btn-support': function() { var config = this.mode.customization; config && !!config.feedback && !!config.feedback.url ? @@ -82,12 +83,13 @@ define([ render: function () { var $markup = $(this.template({})); - this.btnSearch = new Common.UI.Button({ - action: 'search', - el: $markup.elementById('#left-btn-search'), - hint: this.tipSearch + Common.Utils.String.platformKey('Ctrl+F'), + this.btnSearchBar = new Common.UI.Button({ + action: 'advancedsearch', + el: $markup.elementById('#left-btn-searchbar'), + hint: this.tipSearch, disabled: true, - enableToggle: true + enableToggle: true, + toggleGroup: 'leftMenuGroup' }); this.btnAbout = new Common.UI.Button({ @@ -151,7 +153,7 @@ define([ this.btnSpellcheck.hide(); this.btnSpellcheck.on('click', _.bind(this.onBtnMenuClick, this)); - this.btnSearch.on('click', _.bind(this.onBtnMenuClick, this)); + this.btnSearchBar.on('click', _.bind(this.onBtnMenuClick, this)); this.btnAbout.on('toggle', _.bind(this.onBtnMenuToggle, this)); this.menuFile = new SSE.Views.FileMenu({}); @@ -166,9 +168,6 @@ define([ btn.panel['show'](); if (!this._state.pluginIsRunning) this.$el.width(SCALE_MIN); - - if (this.btnSearch.isActive()) - this.btnSearch.toggle(false); } else { btn.panel['hide'](); } @@ -226,6 +225,14 @@ define([ } else this.panelSpellcheck['hide'](); } + if (this.panelSearch) { + if (this.btnSearchBar.pressed) { + this.panelSearch.show(); + this.fireEvent('search:aftershow', this); + } else { + this.panelSearch.hide(); + } + } // if (this.mode.canPlugins && this.panelPlugins) { // if (this.btnPlugins.pressed) { // this.panelPlugins.show(); @@ -247,6 +254,9 @@ define([ this.panelSpellcheck = panel.render('#left-panel-spellcheck'); } else if (name == 'history') { this.panelHistory = panel.render('#left-panel-history'); + } else + if (name == 'advancedsearch') { + this.panelSearch = panel.render('#left-panel-search'); } }, @@ -288,10 +298,14 @@ define([ this.panelSpellcheck['hide'](); this.btnSpellcheck.toggle(false, true); } + if (this.panelSearch) { + this.panelSearch['hide'](); + this.btnSearchBar.toggle(false, true); + } }, isOpened: function() { - var isopened = this.btnSearch.pressed; + var isopened = this.btnSearchBar.pressed; /** coauthoring begin **/ !isopened && (isopened = this.btnComments.pressed || this.btnChat.pressed); /** coauthoring end **/ @@ -301,7 +315,7 @@ define([ disableMenu: function(menu, disable) { this.btnAbout.setDisabled(false); this.btnSupport.setDisabled(false); - this.btnSearch.setDisabled(false); + this.btnSearchBar.setDisabled(false); /** coauthoring begin **/ this.btnComments.setDisabled(false); this.btnChat.setDisabled(false); @@ -333,6 +347,13 @@ define([ this.onCoauthOptions(); this.btnComments.$el.focus(); } + } else if (menu == 'advancedsearch') { + if (this.btnSearchBar.isVisible() && + !this.btnSearchBar.isDisabled() && !this.btnSearchBar.pressed) { + this.btnSearchBar.toggle(true); + this.onBtnMenuClick(this.btnSearchBar); + this.onCoauthOptions(); + } } /** coauthoring end **/ } diff --git a/apps/spreadsheeteditor/main/app/view/PivotSettings.js b/apps/spreadsheeteditor/main/app/view/PivotSettings.js index a83eda146..1a288750e 100644 --- a/apps/spreadsheeteditor/main/app/view/PivotSettings.js +++ b/apps/spreadsheeteditor/main/app/view/PivotSettings.js @@ -431,7 +431,7 @@ define([ }); if (!equalArr) { list.store.reset(arr); - list.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + list.scroller.update({minScrollbarLength : list.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); list.dataViewItems.forEach(function (item, index) { item.$el.attr('draggable', true); item.$el.on('dragstart', _.bind(me.onItemsDragStart, me, eventIndex, list, item, index)); @@ -500,7 +500,7 @@ define([ }); if (!equalArr) { this.fieldsList.store.reset(arr); - this.fieldsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.fieldsList.scroller.update({minScrollbarLength : this.fieldsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); this.fieldsList.dataViewItems.forEach(function (item, index) { item.$el.attr('draggable', true); item.$el.on('dragstart', _.bind(me.onFieldsDragStart, me, item, index)); @@ -633,7 +633,7 @@ define([ } // listView.isSuspendEvents = false; - listView.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + listView.scroller.update({minScrollbarLength : listView.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, diff --git a/apps/spreadsheeteditor/main/app/view/ProtectDialog.js b/apps/spreadsheeteditor/main/app/view/ProtectDialog.js index 9f10aecdf..433b5e9e2 100644 --- a/apps/spreadsheeteditor/main/app/view/ProtectDialog.js +++ b/apps/spreadsheeteditor/main/app/view/ProtectDialog.js @@ -368,7 +368,7 @@ define([ }); this.optionsList.store.reset(arr); - this.optionsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.optionsList.scroller.update({minScrollbarLength : this.optionsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); }, getSettings: function() { diff --git a/apps/spreadsheeteditor/main/app/view/RemoveDuplicatesDialog.js b/apps/spreadsheeteditor/main/app/view/RemoveDuplicatesDialog.js index 7a8b07727..af8a37c64 100644 --- a/apps/spreadsheeteditor/main/app/view/RemoveDuplicatesDialog.js +++ b/apps/spreadsheeteditor/main/app/view/RemoveDuplicatesDialog.js @@ -160,7 +160,7 @@ define([ throughIndex : 0 })); this.columnsList.store.reset(arr); - this.columnsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.columnsList.scroller.update({minScrollbarLength : this.columnsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } else { this.props.asc_getColumnList().forEach(function (item, index) { store.at(index+1).set('value', item.asc_getVal()); @@ -246,7 +246,7 @@ define([ this.checkCellTrigerBlock = undefined; } - listView.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + listView.scroller.update({minScrollbarLength : listView.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, diff --git a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js index 50ee3dfea..fe17489b1 100644 --- a/apps/spreadsheeteditor/main/app/view/ShapeSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ShapeSettings.js @@ -764,6 +764,8 @@ define([ this._originalProps = shapeprops; this._noApply = true; + this._state.isFromImage = !!shapeprops.get_FromImage(); + this._state.isFromSmartArtInternal = !!shapeprops.asc_getFromSmartArtInternal(); this.disableControls(this._locked, !shapeprops.asc_getCanFill()); this.hideShapeOnlySettings(shapeprops.asc_getFromChart() || !!shapeprops.asc_getFromImage()); @@ -774,10 +776,8 @@ define([ || shapetype=='curvedConnector3' || shapetype=='curvedConnector4' || shapetype=='curvedConnector5' || shapetype=='straightConnector1'; this.hideChangeTypeSettings(hidechangetype); - this._state.isFromImage = !!shapeprops.get_FromImage(); - this._state.isFromSmartArtInternal = !!shapeprops.asc_getFromSmartArtInternal(); if (!hidechangetype && this.btnChangeShape.menu.items.length) { - this.btnChangeShape.shapePicker.hideTextRect(shapeprops.get_FromImage() || shapeprops.asc_getFromSmartArtInternal()); + this.btnChangeShape.shapePicker.hideTextRect(shapeprops.get_FromImage() || this._state.isFromSmartArtInternal); } // background colors @@ -1868,6 +1868,8 @@ define([ }); this.linkAdvanced.toggleClass('disabled', disable); } + this.btnFlipV.setDisabled(disable || this._state.isFromSmartArtInternal); + this.btnFlipH.setDisabled(disable || this._state.isFromSmartArtInternal); }, hideShapeOnlySettings: function(value) { diff --git a/apps/spreadsheeteditor/main/app/view/ShapeSettingsAdvanced.js b/apps/spreadsheeteditor/main/app/view/ShapeSettingsAdvanced.js index ddb8ffd01..510be9f0b 100644 --- a/apps/spreadsheeteditor/main/app/view/ShapeSettingsAdvanced.js +++ b/apps/spreadsheeteditor/main/app/view/ShapeSettingsAdvanced.js @@ -635,6 +635,9 @@ define([ 'text!spreadsheeteditor/main/app/template/ShapeSettingsAdvanced.temp if (shapeprops.asc_getFromSmartArtInternal()) { this.chAutofit.setDisabled(true); this.chOverflow.setDisabled(true); + this.chFlipHor.setDisabled(true); + this.chFlipVert.setDisabled(true); + this.btnsCategory[0].setDisabled(true); } this.spnWidth.setValue(Common.Utils.Metric.fnRecalcFromMM(props.asc_getWidth()).toFixed(2), true); @@ -644,7 +647,8 @@ define([ 'text!spreadsheeteditor/main/app/template/ShapeSettingsAdvanced.temp this._nRatio = props.asc_getWidth()/props.asc_getHeight(); var value = props.asc_getLockAspect(); - this.btnRatio.toggle(value); + this.btnRatio.toggle(value || shapeprops.asc_getFromSmartArt()); + this.btnRatio.setDisabled(!!shapeprops.asc_getFromSmartArt()); // can resize smart art only proportionately this._setShapeDefaults(shapeprops); diff --git a/apps/spreadsheeteditor/main/app/view/SlicerAddDialog.js b/apps/spreadsheeteditor/main/app/view/SlicerAddDialog.js index b7a15ed44..b995eec6b 100644 --- a/apps/spreadsheeteditor/main/app/view/SlicerAddDialog.js +++ b/apps/spreadsheeteditor/main/app/view/SlicerAddDialog.js @@ -119,7 +119,7 @@ define([ }); this.columnsList.store.reset(arr); - this.columnsList.scroller.update({minScrollbarLength : 40, alwaysVisibleY: true, suppressScrollX: true}); + this.columnsList.scroller.update({minScrollbarLength : this.columnsList.minScrollbarLength, alwaysVisibleY: true, suppressScrollX: true}); } }, diff --git a/apps/spreadsheeteditor/main/app/view/Statusbar.js b/apps/spreadsheeteditor/main/app/view/Statusbar.js index ff64e3b6e..431bb844c 100644 --- a/apps/spreadsheeteditor/main/app/view/Statusbar.js +++ b/apps/spreadsheeteditor/main/app/view/Statusbar.js @@ -60,10 +60,8 @@ define([ events: function() { return { - 'click #status-btn-tabfirst': _.bind(this.onBtnTabScroll, this, 'first'), 'click #status-btn-tabback': _.bind(this.onBtnTabScroll, this, 'backward'), - 'click #status-btn-tabnext': _.bind(this.onBtnTabScroll, this, 'forward'), - 'click #status-btn-tablast': _.bind(this.onBtnTabScroll, this, 'last') + 'click #status-btn-tabnext': _.bind(this.onBtnTabScroll, this, 'forward') }; }, @@ -100,13 +98,6 @@ define([ hintAnchor: 'top-right' }); - this.btnScrollFirst = new Common.UI.Button({ - el: $('#status-btn-tabfirst',this.el), - hint: this.tipFirst, - disabled: true, - hintAnchor: 'top' - }); - this.btnScrollBack = new Common.UI.Button({ el: $('#status-btn-tabback',this.el), hint: this.tipPrev, @@ -121,13 +112,6 @@ define([ hintAnchor: 'top' }); - this.btnScrollLast = new Common.UI.Button({ - el: $('#status-btn-tablast',this.el), - hint: this.tipLast, - disabled: true, - hintAnchor: 'top' - }); - this.btnAddWorksheet = new Common.UI.Button({ el: $('#status-btn-addtab',this.el), hint: this.tipAddTab, @@ -335,8 +319,12 @@ define([ menuAlign: 'tl-tr', cls: 'color-tab', items: [ - { template: _.template('
                              ') }, - { template: _.template('' + me.textNewColor + '') } + { template: _.template('
                              ') }, + {caption: '--'}, + { + id: "id-tab-menu-new-color", + template: _.template('' + me.textNewColor + '') + } ] }); @@ -373,11 +361,15 @@ define([ }).on('render:after', function(btn) { me.mnuTabColor = new Common.UI.ThemeColorPalette({ el: $('#id-tab-menu-color'), + outerMenu: {menu: menuColorItems, index: 0, focusOnShow: true}, transparent: true }); - + menuColorItems.setInnerMenu([{menu: me.mnuTabColor, index: 0}]); me.mnuTabColor.on('select', function(picker, color) { me.fireEvent('sheet:setcolor', [color]); + setTimeout(function(){ + me.tabMenu.hide(); + }, 1); }); }); @@ -516,8 +508,16 @@ define([ this.mode = _.extend({}, this.mode, mode); // this.$el.find('.el-edit')[mode.isEdit?'show':'hide'](); //this.btnAddWorksheet.setVisible(this.mode.isEdit); - $('#status-addtabs-box')[this.mode.isEdit ? 'show' : 'hide'](); + $('#status-addtabs-box')[(this.mode.isEdit) ? 'show' : 'hide'](); this.btnAddWorksheet.setDisabled(this.mode.isDisconnected || this.api && (this.api.asc_isWorkbookLocked() || this.api.isCellEdited) || this.rangeSelectionMode!=Asc.c_oAscSelectionDialogType.None); + if (this.mode.isEditOle) { // change hints order + this.btnAddWorksheet.$el.find('button').addBack().filter('button').attr('data-hint', '1'); + this.btnScrollBack.$el.find('button').addBack().filter('button').attr('data-hint', '1'); + this.btnScrollNext.$el.find('button').addBack().filter('button').attr('data-hint', '1'); + this.cntSheetList.$el.find('button').attr('data-hint', '1'); + this.cntSheetList.$el.find('button').removeAttr('data-hint-title'); // 'v' hint is used for paste + this.cntZoom.$el.find('.dropdown-toggle').attr('data-hint', '1'); + } this.updateTabbarBorders(); }, @@ -610,7 +610,7 @@ define([ if (this.mode.isEdit) { this.tabbar.addDataHint(_.findIndex(items, function (item) { return item.sheetindex === sindex; - })); + }), this.mode.isEditOle ? '1' : '0'); } $('#status-label-zoom').text(Common.Utils.String.format(this.zoomText, Math.floor((this.api.asc_getZoom() +.005)*100))); @@ -699,7 +699,7 @@ define([ } if (this.mode.isEdit) { - this.tabbar.addDataHint(index); + this.tabbar.addDataHint(index, this.mode.isEditOle ? '1' : '0'); } this.fireEvent('sheet:changed', [this, tab.sheetindex]); @@ -710,7 +710,7 @@ define([ onTabMenu: function (o, index, tab, select) { var me = this; - if (this.mode.isEdit && !this.isEditFormula && (this.rangeSelectionMode !== Asc.c_oAscSelectionDialogType.Chart) && + if (this.mode.isEdit && !this.isEditFormula && (this.rangeSelectionMode !== Asc.c_oAscSelectionDialogType.Chart) && (this.rangeSelectionMode !== Asc.c_oAscSelectionDialogType.FormatTable) && (this.rangeSelectionMode !== Asc.c_oAscSelectionDialogType.PrintTitles) && !this.mode.isDisconnected ) { @@ -745,6 +745,7 @@ define([ this.tabMenu.items[7].setDisabled(select.length>1); this.tabMenu.items[8].setDisabled(issheetlocked || isdocprotected); + this.tabMenu.items[7].setVisible(!this.mode.isEditOle); this.tabMenu.items[7].setCaption(this.api.asc_isProtectedSheet() ? this.itemUnProtect : this.itemProtect); if (select.length === 1) { @@ -806,13 +807,11 @@ define([ }, onTabInvisible: function(obj, opts) { - if (this.btnScrollFirst.isDisabled() !== (!opts.first)) { - this.btnScrollFirst.setDisabled(!opts.first); + if (this.btnScrollBack.isDisabled() !== (!opts.first)) { this.btnScrollBack.setDisabled(!opts.first); } if (this.btnScrollNext.isDisabled() !== (!opts.last)) { this.btnScrollNext.setDisabled(!opts.last); - this.btnScrollLast.setDisabled(!opts.last); } this.hasTabInvisible = opts.first || opts.last; }, @@ -839,8 +838,8 @@ define([ if (this.boxAction.is(':visible')) { var tabsWidth = this.tabbar.getWidth(); var actionWidth = this.actionWidth || 140; - if (Common.Utils.innerWidth() - right - 175 - actionWidth - tabsWidth > 0) { // docWidth - right - left - this.boxAction.width - var left = tabsWidth + 175; + if (Common.Utils.innerWidth() - right - 129 - actionWidth - tabsWidth > 0) { // docWidth - right - left - this.boxAction.width + var left = tabsWidth + 129; this.boxAction.css({'right': right + 'px', 'left': left + 'px', 'width': 'auto'}); this.boxAction.find('.separator').css('border-left-color', 'transparent'); } else { @@ -890,11 +889,12 @@ define([ } }, - changeViewMode: function (edit) { + changeViewMode: function (mode) { + var edit = mode.isEdit; if (edit) { - this.tabBarBox.css('left', '175px'); + this.tabBarBox.css('left', '129px'); } else { - this.tabBarBox.css('left', ''); + this.tabBarBox.css('left', ''); } this.tabbar.options.draggable = edit; @@ -968,7 +968,7 @@ define([ //this.boxAction.show(); } this.updateTabbarBorders(); - this.onTabInvisible(undefined, this.tabbar.checkInvisible(true)); + (this.tabbar.getCount()>0) && this.onTabInvisible(undefined, this.tabbar.checkInvisible(true)); }, updateNumberOfSheet: function (active, count) { @@ -1023,8 +1023,6 @@ define([ tipZoomIn : 'Zoom In', tipZoomOut : 'Zoom Out', tipZoomFactor : 'Magnification', - tipFirst : 'First Sheet', - tipLast : 'Last Sheet', tipPrev : 'Previous Sheet', tipNext : 'Next Sheet', tipAddTab : 'Add Worksheet', diff --git a/apps/spreadsheeteditor/main/app/view/Toolbar.js b/apps/spreadsheeteditor/main/app/view/Toolbar.js index 4e87d1e0e..26cc63ec1 100644 --- a/apps/spreadsheeteditor/main/app/view/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/view/Toolbar.js @@ -197,7 +197,7 @@ define([ cls : 'btn-toolbar', iconCls : 'toolbar__icon btn-copy', dataHint: '1', - dataHintDirection: config.isEditDiagram ? 'bottom' : 'top', + dataHintDirection: (config.isEditDiagram || config.isEditMailMerge || config.isEditOle) ? 'bottom' : 'top', dataHintTitle: 'C' }); @@ -207,7 +207,7 @@ define([ iconCls : 'toolbar__icon btn-paste', lock : [/*_set.editCell,*/ _set.coAuth, _set.lostConnect], dataHint : '1', - dataHintDirection: config.isEditDiagram ? 'bottom' : 'top', + dataHintDirection: (config.isEditDiagram || config.isEditMailMerge || config.isEditOle) ? 'bottom' : 'top', dataHintTitle: 'V' }); @@ -235,153 +235,162 @@ define([ dataHintTitle: 'Y' }); - if ( config.isEditDiagram ) { + if (config.isEditDiagram || config.isEditMailMerge || config.isEditOle ) { me.$layout = $(_.template(simple)(config)); + if ( config.isEditDiagram || config.isEditOle ) { + me.btnInsertFormula = new Common.UI.Button({ + id : 'id-toolbar-btn-insertformula', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-formula', + split : true, + lock : [_set.editText, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selRangeEdit, _set.lostConnect, _set.coAuth], + menu : new Common.UI.Menu({ + style : 'min-width: 110px', + items : [ + {caption: 'SUM', value: 'SUM'}, + {caption: 'AVERAGE', value: 'AVERAGE'}, + {caption: 'MIN', value: 'MIN'}, + {caption: 'MAX', value: 'MAX'}, + {caption: 'COUNT', value: 'COUNT'}, + {caption: '--'}, + { + caption: me.txtAdditional, + value: 'more', + hint: me.txtFormula + Common.Utils.String.platformKey('Shift+F3') + } + ] + }), + dataHint: '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }); - me.btnInsertFormula = new Common.UI.Button({ - id : 'id-toolbar-btn-insertformula', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-formula', - split : true, - lock : [_set.editText, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selRangeEdit, _set.lostConnect, _set.coAuth], - menu : new Common.UI.Menu({ - style : 'min-width: 110px', - items : [ - {caption: 'SUM', value: 'SUM'}, - {caption: 'AVERAGE', value: 'AVERAGE'}, - {caption: 'MIN', value: 'MIN'}, - {caption: 'MAX', value: 'MAX'}, - {caption: 'COUNT', value: 'COUNT'}, - {caption: '--'}, - { - caption: me.txtAdditional, - value: 'more', - hint: me.txtFormula + Common.Utils.String.platformKey('Shift+F3') - } - ] - }), - dataHint: '1', - dataHintDirection: 'bottom', - dataHintOffset: 'big' - }); + me.btnDecDecimal = new Common.UI.Button({ + id : 'id-toolbar-btn-decdecimal', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-decdecimal', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth], + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnDecDecimal = new Common.UI.Button({ - id : 'id-toolbar-btn-decdecimal', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-decdecimal', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth], - dataHint : '1', - dataHintDirection: 'bottom' - }); + me.btnIncDecimal = new Common.UI.Button({ + id : 'id-toolbar-btn-incdecimal', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-incdecimal', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth], + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnIncDecimal = new Common.UI.Button({ - id : 'id-toolbar-btn-incdecimal', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-incdecimal', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth], - dataHint : '1', - dataHintDirection: 'bottom' - }); + var formatTemplate = + _.template([ + '<% _.each(items, function(item) { %>', + '
                            • ', + '
                              <%= scope.getDisplayValue(item) %>
                              ', + '
                              <%= item.exampleval ? item.exampleval : "" %>
                              ', + '
                            • ', + '<% }); %>', + '
                            • ', + '
                            • ' + me.textMoreFormats + '
                            • ' + ].join('')); - var formatTemplate = - _.template([ - '<% _.each(items, function(item) { %>', - '
                            • ', - '
                              <%= scope.getDisplayValue(item) %>
                              ', - '
                              <%= item.exampleval ? item.exampleval : "" %>
                              ', - '
                            • ', - '<% }); %>', - '
                            • ', - '
                            • ' + me.textMoreFormats + '
                            • ' - ].join('')); + me.cmbNumberFormat = new Common.UI.ComboBox({ + cls : 'input-group-nr', + menuStyle : 'min-width: 180px;', + hint : me.tipNumFormat, + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selRangeEdit, _set.lostConnect, _set.coAuth], + itemsTemplate: formatTemplate, + editable : false, + data : me.numFormatData, + dataHint : '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }); + } + if ( config.isEditDiagram ) { + me.btnEditChart = new Common.UI.Button({ + id : 'id-toolbar-rtn-edit-chart', + cls : 'btn-toolbar btn-text-default auto', + caption : me.tipEditChart, + lock : [_set.lostConnect], + style : 'min-width: 120px;', + dataHint : '1', + dataHintDirection: 'bottom', + dataHintOffset: 'big' + }); - me.cmbNumberFormat = new Common.UI.ComboBox({ - cls : 'input-group-nr', - menuStyle : 'min-width: 180px;', - hint : me.tipNumFormat, - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.selRangeEdit, _set.lostConnect, _set.coAuth], - itemsTemplate: formatTemplate, - editable : false, - data : me.numFormatData, - dataHint : '1', - dataHintDirection: config.isEditDiagram ? 'bottom' : 'top', - dataHintOffset: config.isEditDiagram ? 'big' : undefined - }); + me.btnEditChartData = new Common.UI.Button({ + id : 'id-toolbar-rtn-edit-chart-data', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-select-range', + caption : me.tipEditChartData, + lock : [_set.editCell, _set.selRange, _set.selRangeEdit, _set.lostConnect], + dataHint : '1', + dataHintDirection: 'left', + dataHintOffset: 'medium' + }); - me.btnEditChart = new Common.UI.Button({ - id : 'id-toolbar-rtn-edit-chart', - cls : 'btn-toolbar btn-text-default auto', - caption : me.tipEditChart, - lock : [_set.lostConnect], - style : 'min-width: 120px;', - dataHint : '1', - dataHintDirection: 'bottom', - dataHintOffset: 'big' - }); + me.btnEditChartType = new Common.UI.Button({ + id : 'id-toolbar-rtn-edit-chart-type', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-menu-chart', + caption : me.tipEditChartType, + lock : [_set.editCell, _set.selRange, _set.selRangeEdit, _set.lostConnect], + style : 'min-width: 120px;', + dataHint : '1', + dataHintDirection: 'left', + dataHintOffset: 'medium' + }); + } + if ( config.isEditMailMerge || config.isEditOle ) { + me.btnSearch = new Common.UI.Button({ + id : 'id-toolbar-btn-search', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-menu-search', + lock : [_set.lostConnect], + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnEditChartData = new Common.UI.Button({ - id : 'id-toolbar-rtn-edit-chart-data', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-select-range', - caption : me.tipEditChartData, - lock : [_set.editCell, _set.selRange, _set.selRangeEdit, _set.lostConnect], - dataHint : '1', - dataHintDirection: 'left', - dataHintOffset: 'medium' - }); + me.btnSortDown = new Common.UI.Button({ + id : 'id-toolbar-btn-sort-down', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-sort-down', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot], + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnEditChartType = new Common.UI.Button({ - id : 'id-toolbar-rtn-edit-chart-type', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-menu-chart', - caption : me.tipEditChartType, - lock : [_set.editCell, _set.selRange, _set.selRangeEdit, _set.lostConnect], - style : 'min-width: 120px;', - dataHint : '1', - dataHintDirection: 'left', - dataHintOffset: 'medium' - }); - } else - if ( config.isEditMailMerge ) { - me.$layout = $(_.template(simple)(config)); + me.btnSortUp = new Common.UI.Button({ + id : 'id-toolbar-btn-sort-up', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-sort-up', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot], + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnSearch = new Common.UI.Button({ - id : 'id-toolbar-btn-search', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-menu-search', - lock : [_set.lostConnect] - }); + me.btnSetAutofilter = new Common.UI.Button({ + id : 'id-toolbar-btn-setautofilter', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-autofilter', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot], + enableToggle: true, + dataHint : '1', + dataHintDirection: 'bottom' + }); - me.btnSortDown = new Common.UI.Button({ - id : 'id-toolbar-btn-sort-down', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-sort-down', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot] - }); - - me.btnSortUp = new Common.UI.Button({ - id : 'id-toolbar-btn-sort-up', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-sort-up', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot] - }); - - me.btnSetAutofilter = new Common.UI.Button({ - id : 'id-toolbar-btn-setautofilter', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-autofilter', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleFilter, _set.editPivot], - enableToggle: true - }); - - me.btnClearAutofilter = new Common.UI.Button({ - id : 'id-toolbar-btn-clearfilter', - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-clear-filter', - lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleDelFilter, _set.editPivot] - }); - } else - if ( config.isEdit ) { + me.btnClearAutofilter = new Common.UI.Button({ + id : 'id-toolbar-btn-clearfilter', + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-clear-filter', + lock : [_set.editCell, _set.selChart, _set.selChartText, _set.selShape, _set.selShapeText, _set.selImage, _set.lostConnect, _set.coAuth, _set.ruleDelFilter, _set.editPivot], + dataHint : '1', + dataHintDirection: 'bottom' + }); + } + } else if ( config.isEdit ) { Common.UI.Mixtbar.prototype.initialize.call(this, { template: _.template(template), tabs: [ @@ -1781,7 +1790,7 @@ define([ }); if ( mode.isEdit ) { - if (!mode.isEditDiagram && !mode.isEditMailMerge) { + if (!mode.isEditDiagram && !mode.isEditMailMerge && !mode.isEditOle) { var top = Common.localStorage.getItem("sse-pgmargins-top"), left = Common.localStorage.getItem("sse-pgmargins-left"), bottom = Common.localStorage.getItem("sse-pgmargins-bottom"), @@ -2111,16 +2120,23 @@ define([ stopPropagation: true }, {caption: '--'}, - { template: _.template('
                              '), stopPropagation: true }, - { template: _.template('' + this.textNewColor + ''), stopPropagation: true } + { template: _.template('
                              '), stopPropagation: true }, + {caption: '--'}, + { + id: "id-toolbar-menu-new-bordercolor", + template: _.template('' + this.textNewColor + ''), + stopPropagation: true + } ] }) }) ] })); this.mnuBorderColorPicker = new Common.UI.ThemeColorPalette({ - el: $('#id-toolbar-menu-bordercolor') + el: $('#id-toolbar-menu-bordercolor'), + outerMenu: {menu: this.mnuBorderColor.menu, index: 2} }); + this.mnuBorderColor.menu.setInnerMenu([{menu: this.mnuBorderColorPicker, index: 2}]); } if ( this.btnInsertChart ) { @@ -2361,7 +2377,7 @@ define([ })); } - if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram) + if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram && !this.mode.isEditOle) this.updateMetricUnit(); }, @@ -2412,7 +2428,7 @@ define([ setApi: function(api) { this.api = api; - if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram) { + if (!this.mode.isEditMailMerge && !this.mode.isEditDiagram && !this.mode.isEditOle) { this.api.asc_registerCallback('asc_onCollaborativeChanges', _.bind(this.onApiCollaborativeChanges, this)); this.api.asc_registerCallback('asc_onSendThemeColorSchemes', _.bind(this.onApiSendThemeColorSchemes, this)); this.api.asc_registerCallback('asc_onAuthParticipantsChanged', _.bind(this.onApiUsersChanged, this)); @@ -2572,7 +2588,7 @@ define([ }, onAppReady: function (config) { - if (!this.mode.isEdit || this.mode.isEditMailMerge || this.mode.isEditDiagram) return; + if (!this.mode.isEdit || this.mode.isEditMailMerge || this.mode.isEditDiagram || this.mode.isEditOle) return; var me = this; var _holder_view = SSE.getController('DocumentHolder').getView('DocumentHolder'); diff --git a/apps/spreadsheeteditor/main/app/view/ViewTab.js b/apps/spreadsheeteditor/main/app/view/ViewTab.js index 768cba77c..b095bf02c 100644 --- a/apps/spreadsheeteditor/main/app/view/ViewTab.js +++ b/apps/spreadsheeteditor/main/app/view/ViewTab.js @@ -71,7 +71,7 @@ define([ '
                              ' + '' + '
                              ' + - '
                              ' + + '
                              ' + '
                              ' + '' + '
                              ' + @@ -307,7 +307,6 @@ define([ dataHintOffset: 'small' }); this.lockedControls.push(this.chToolbar); - Common.NotificationCenter.on('app:ready', this.onAppReady.bind(this)); }, @@ -385,6 +384,11 @@ define([ me.toolbar && me.toolbar.$el.find('.group.sheet-gridlines').hide(); } + if (!Common.UI.Themes.available()) { + me.btnInterfaceTheme.$el.closest('.group').remove(); + me.$el.find('.separator-theme').remove(); + } + if (config.canBrandingExt && config.customization && config.customization.statusBar === false || !Common.UI.LayoutManager.isElementVisible('statusBar')) { me.chStatusbar.$el.remove(); if (!config.isEdit) { @@ -396,26 +400,26 @@ define([ me.$el.find('.separator-formula').remove(); } } - var menuItems = [], - currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(); - for (var t in Common.UI.Themes.map()) { - menuItems.push({ - value: t, - caption: Common.UI.Themes.get(t).text, - checked: t === currentTheme, - checkable: true, - toggleGroup: 'interface-theme' - }); + if (Common.UI.Themes.available()) { + var menuItems = [], + currentTheme = Common.UI.Themes.currentThemeId() || Common.UI.Themes.defaultThemeId(); + for (var t in Common.UI.Themes.map()) { + menuItems.push({ + value: t, + caption: Common.UI.Themes.get(t).text, + checked: t === currentTheme, + checkable: true, + toggleGroup: 'interface-theme' + }); + } + if (menuItems.length) { + me.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems})); + me.btnInterfaceTheme.menu.on('item:click', _.bind(function (menu, item) { + var value = item.value; + Common.UI.Themes.setTheme(value); + }, me)); + } } - - if (menuItems.length) { - me.btnInterfaceTheme.setMenu(new Common.UI.Menu({items: menuItems})); - me.btnInterfaceTheme.menu.on('item:click', _.bind(function (menu, item) { - var value = item.value; - Common.UI.Themes.setTheme(value); - }, me)); - } - setEvents.call(me); }); }, diff --git a/apps/spreadsheeteditor/main/app_dev.js b/apps/spreadsheeteditor/main/app_dev.js index 746539606..d634c7aa0 100644 --- a/apps/spreadsheeteditor/main/app_dev.js +++ b/apps/spreadsheeteditor/main/app_dev.js @@ -149,12 +149,14 @@ require([ 'PivotTable', 'DataTab', 'ViewTab', + 'Search', 'WBProtection', 'Common.Controllers.Fonts', 'Common.Controllers.History', 'Common.Controllers.Chat', 'Common.Controllers.Comments', 'Common.Controllers.Plugins' + ,'Common.Controllers.ExternalOleEditor' ,'Common.Controllers.ReviewChanges' ,'Common.Controllers.Protection' ] @@ -162,6 +164,9 @@ require([ Common.Locale.apply(function(){ require([ + 'common/main/lib/util/LocalStorage', + 'common/main/lib/controller/Themes', + 'common/main/lib/controller/Desktop', 'spreadsheeteditor/main/app/controller/Viewport', 'spreadsheeteditor/main/app/controller/DocumentHolder', 'spreadsheeteditor/main/app/controller/CellEditor', @@ -175,6 +180,7 @@ require([ 'spreadsheeteditor/main/app/controller/PivotTable', 'spreadsheeteditor/main/app/controller/DataTab', 'spreadsheeteditor/main/app/controller/ViewTab', + 'spreadsheeteditor/main/app/controller/Search', 'spreadsheeteditor/main/app/controller/WBProtection', 'spreadsheeteditor/main/app/view/FileMenuPanels', 'spreadsheeteditor/main/app/view/ParagraphSettings', @@ -187,16 +193,14 @@ require([ 'spreadsheeteditor/main/app/view/ValueFieldSettingsDialog', 'spreadsheeteditor/main/app/view/SignatureSettings', 'common/main/lib/util/utils', - 'common/main/lib/util/LocalStorage', 'common/main/lib/controller/Fonts', 'common/main/lib/controller/History', 'common/main/lib/controller/Comments', 'common/main/lib/controller/Chat', 'common/main/lib/controller/Plugins' + ,'common/main/lib/controller/ExternalOleEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' - ,'common/main/lib/controller/Themes' - ,'common/main/lib/controller/Desktop' ], function() { window.compareVersions = true; app.start(); diff --git a/apps/spreadsheeteditor/main/index.html b/apps/spreadsheeteditor/main/index.html index 15e5334a7..f5a3aeb1d 100644 --- a/apps/spreadsheeteditor/main/index.html +++ b/apps/spreadsheeteditor/main/index.html @@ -278,8 +278,10 @@ window.frameEditorId = params["frameEditorId"]; window.parentOrigin = params["parentOrigin"]; - if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) + if(/MSIE \d|Trident.*rv:/.test(navigator.userAgent)) { document.write(' @@ -352,20 +354,9 @@ - - - - - - - - - - + - - - - - - - - - - - - + - - diff --git a/apps/spreadsheeteditor/main/index_loader.html b/apps/spreadsheeteditor/main/index_loader.html index c38785e84..f7403d86e 100644 --- a/apps/spreadsheeteditor/main/index_loader.html +++ b/apps/spreadsheeteditor/main/index_loader.html @@ -259,20 +259,9 @@
                              - - - - - - - - - - + - - - - - - - - - - - - + - -
                              diff --git a/apps/spreadsheeteditor/main/locale/az.json b/apps/spreadsheeteditor/main/locale/az.json index 77e4894d7..192a2c7f1 100644 --- a/apps/spreadsheeteditor/main/locale/az.json +++ b/apps/spreadsheeteditor/main/locale/az.json @@ -2032,26 +2032,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Giriş hüquqlarını dəyiş", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Hüquqları olan şəxslər", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Tətbiq edin", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Avtomatik bərpanı aktivləşdirin", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Avtomatik Saxla funksiyasını aktivləşdirin", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Birgə redaktə Rejimi", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Digər istifadəçilər dəyişikliklərinizi dərhal görəcəklər", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Dəyişiklikləri görməzdən əvvəl onları qəbul etməlisiniz", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Onluq ayırıcısı", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Sürətli", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Şrift Hamarlaşdırma", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Yadda saxla və ya Ctrl+S düyməsinə kliklədikdən sonra versiyanı yaddaşa əlavə edin", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Düstur Dili", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Nümunə: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Şərhlərin ekranını yandırın", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makros Parametrləri", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Kəs, kopyala və yapışdır", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Məzmun yapışdırıldıqda Yapışdırma Seçimləri düyməsini göstərin", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "R1C1 üslubunu aktivləşdirin", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Parametrlər", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Nümunə:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Həll edilmiş şərhlərin ekranını yandırın", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Ayırıcı", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Məhdudlaşdır", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "İnterfeys mövzusu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Minlərlə ayırıcı", @@ -2087,7 +2079,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "İtalyan", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Yapon", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Koreya", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Şərh Ekranı", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Latviya", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OS X kimi", @@ -2114,12 +2105,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Bütün makroları bildirişlə deaktiv edin", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windows kimi", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Çinli", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Tətbiq edin", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Lüğət dili", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "BÖYÜK HƏRFLƏRLƏ olan sözlərə əhəmiyyət vermə", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Rəqəmlərlə olan sözlərə əhəmiyyət vermə", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "AvtoDüzəliş seçimləri...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Yoxlama", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Xəbərdarlıq", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Parol ilə", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Elektron cədvəli Qoruyun", @@ -2131,9 +2116,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Etibarlı imzalar elektron cədvələ əlavə edildi. Elektron cədvəl redaktədən qorunur.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Cədvəldəki bəzi rəqəmsal imzalar etibarsızdır və ya təsdiq edilə bilməz. Cədvəl redaktədən qorunur.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzalara baxın", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Ümumi", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Səhifə Parametrləri", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Orfoqrafiyanın Yoxlanması", "SSE.Views.FormatRulesEditDlg.fillColor": "Rəngi doldurun", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Xəbərdarlıq", "SSE.Views.FormatRulesEditDlg.text2Scales": "2-Rəngli Şkala", diff --git a/apps/spreadsheeteditor/main/locale/be.json b/apps/spreadsheeteditor/main/locale/be.json index 80a167977..2bd88dc8d 100644 --- a/apps/spreadsheeteditor/main/locale/be.json +++ b/apps/spreadsheeteditor/main/locale/be.json @@ -36,7 +36,7 @@ "Common.define.conditionalData.textLessEq": "Менш альбо роўна", "Common.Translation.warnFileLocked": "Дакумент выкарыстоўваецца іншай праграмай. Вы можаце працягнуць рэдагаванне і захаваць яго як копію.", "Common.UI.ButtonColored.textAutoColor": "Аўтаматычна", - "Common.UI.ButtonColored.textNewColor": "Дадаць новы адвольны колер", + "Common.UI.ButtonColored.textNewColor": "Адвольны колер", "Common.UI.ComboBorderSize.txtNoBorders": "Без межаў", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Без межаў", "Common.UI.ComboDataView.emptyComboText": "Без стыляў", @@ -1664,6 +1664,7 @@ "SSE.Views.DocumentHolder.textUndo": "Адрабіць", "SSE.Views.DocumentHolder.textUnFreezePanes": "Адмацаваць вобласці", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Маркеры-стрэлкі", "SSE.Views.DocumentHolder.topCellText": "Выраўнаваць па верхняму краю", "SSE.Views.DocumentHolder.txtAccounting": "Фінансавы", "SSE.Views.DocumentHolder.txtAddComment": "Дадаць каментар", @@ -1794,26 +1795,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Змяніць правы на доступ", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Асобы, што маюць правы", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Ужыць", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Уключыць аўтааднаўленне", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Уключыць аўтазахаванне", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Рэжым сумеснага рэдагавання", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Іншыя карыстальнікі адразу будуць бачыць вашыя змены.", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Перш чым убачыць змены іх патрэбна ухваліць", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Дзесятковы падзяляльнік", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Хуткі", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Хінтынг шрыфтоў", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": " Дадаваць версію ў сховішча пасля націскання кнопкі \"Захаваць\" або \"Ctrl+S\"", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Мова формул", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Прыклад: СУМ; МІН; МАКС; ПАДЛІК", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Уключыць адлюстраванне каментароў у тэксце", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Налады макрасаў", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Выразаць, капіяваць і ўставіць", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Паказваць кнопку параметраў устаўкі падчас устаўкі", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Уключыць стыль R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Рэгіянальныя налады", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Прыклад:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Уключыць адлюстраванне вырашаных каментароў", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Падзяляльнік", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Строгі", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Падзяляльнік разрадаў тысяч", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Адзінкі вымярэння", @@ -1837,7 +1830,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Французская", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Цаля", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Італьянская", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Адлюстраванне каментароў", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "як OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Уласны", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Польская", @@ -1850,12 +1842,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Паказваць апавяшчэнне", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Адключыць усе макрасы з апавяшчэннем", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "як Windows", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Ужыць", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Мова слоўніка", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Мінаць словы ВЯЛІКІМІ ЛІТАРАМІ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Мінаць словы з лічбамі", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Параметры аўтазамены…", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Правапіс", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Увага", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Пры дапамозе пароля", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Абараніць табліцу", @@ -1867,9 +1853,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "У табліцу былі дададзеныя дзейныя подпісы. Табліца абароненая ад рэдагавання.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Некаторыя з лічбавых подпісаў электроннай табліцы хібныя альбо іх немагчыма праверыць. Табліца абароненая ад рэдагавання.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Прагляд подпісаў", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Агульныя", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Налады старонкі", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Праверка правапісу", "SSE.Views.FormatRulesEditDlg.fillColor": "Колер запаўнення", "SSE.Views.FormatRulesEditDlg.textAllBorders": "Усе межы", "SSE.Views.FormatRulesEditDlg.textAutomatic": "Аўтаматычна", @@ -1889,7 +1872,7 @@ "SSE.Views.FormatRulesEditDlg.textItem": "Элемент", "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Левыя межы", "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Унутраныя гарызантальныя межы", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Дадаць новы адвольны колер", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Адвольны колер", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Без межаў", "SSE.Views.FormatRulesEditDlg.textNone": "Няма", "SSE.Views.FormatRulesEditDlg.tipBorders": "Межы", @@ -1981,7 +1964,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Курсіў", "SSE.Views.HeaderFooterDialog.textLeft": "Злева", "SSE.Views.HeaderFooterDialog.textMaxError": "Уведзены занадта доўгі тэкставы радок. Паменшыце колькасць знакаў.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Дадаць новы адвольны колер", + "SSE.Views.HeaderFooterDialog.textNewColor": "Адвольны колер", "SSE.Views.HeaderFooterDialog.textOdd": "Няцотная старонка", "SSE.Views.HeaderFooterDialog.textPageCount": "Колькасць старонак", "SSE.Views.HeaderFooterDialog.textPageNum": "Нумар старонкі", @@ -2659,7 +2642,7 @@ "SSE.Views.Statusbar.textCount": "Колькасць", "SSE.Views.Statusbar.textMax": "Макс", "SSE.Views.Statusbar.textMin": "Мін", - "SSE.Views.Statusbar.textNewColor": "Дадаць новы адвольны колер", + "SSE.Views.Statusbar.textNewColor": "Адвольны колер", "SSE.Views.Statusbar.textNoColor": "Без колеру", "SSE.Views.Statusbar.textSum": "Сума", "SSE.Views.Statusbar.tipAddTab": "Дадаць аркуш", @@ -2840,7 +2823,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Унутраныя гарызантальныя межы", "SSE.Views.Toolbar.textMoreFormats": "Іншыя фарматы", "SSE.Views.Toolbar.textMorePages": "Іншыя старонкі", - "SSE.Views.Toolbar.textNewColor": "Дадаць новы адвольны колер", + "SSE.Views.Toolbar.textNewColor": "Адвольны колер", "SSE.Views.Toolbar.textNoBorders": "Без межаў", "SSE.Views.Toolbar.textOnePage": "Старонка", "SSE.Views.Toolbar.textOutBorders": "Вонкавыя межы", diff --git a/apps/spreadsheeteditor/main/locale/bg.json b/apps/spreadsheeteditor/main/locale/bg.json index f6510a7d2..00863dcb4 100644 --- a/apps/spreadsheeteditor/main/locale/bg.json +++ b/apps/spreadsheeteditor/main/locale/bg.json @@ -15,6 +15,10 @@ "Common.define.chartData.textStock": "Борсова", "Common.define.chartData.textSurface": "Повърхност", "Common.define.chartData.textWinLossSpark": "Печалба/Загуба", + "Common.define.conditionalData.textError": "Грешка", + "Common.define.conditionalData.textFormula": "Формула", + "Common.UI.ButtonColored.textAutoColor": "Автоматичен", + "Common.UI.ButtonColored.textNewColor": "Нов Потребителски Цвят", "Common.UI.ComboBorderSize.txtNoBorders": "Няма граници", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Няма граници", "Common.UI.ComboDataView.emptyComboText": "Няма стилове", @@ -57,6 +61,8 @@ "Common.Views.About.txtPoweredBy": "Задвижвани от", "Common.Views.About.txtTel": "тел.: ", "Common.Views.About.txtVersion": "Версия", + "Common.Views.AutoCorrectDialog.textDelete": "Изтрий", + "Common.Views.AutoCorrectDialog.textRestore": "Възстанови", "Common.Views.Chat.textSend": "Изпращам", "Common.Views.Comments.textAdd": "Добави", "Common.Views.Comments.textAddComment": "Добави коментар ", @@ -103,10 +109,13 @@ "Common.Views.Header.tipViewUsers": "Преглеждайте потребителите и управлявайте правата за достъп до документи", "Common.Views.Header.txtAccessRights": "Промяна на правата за достъп", "Common.Views.Header.txtRename": "Преименувам", + "Common.Views.History.textRestore": "Възстанови", + "Common.Views.History.textShow": "Разширете", "Common.Views.ImageFromUrlDialog.textUrl": "Поставете URL адрес на изображение:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Това поле е задължително", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Това поле трябва да е URL адрес във формат \"http://www.example.com\"", "Common.Views.OpenDialog.closeButtonText": "Затвори файла", + "Common.Views.OpenDialog.txtAdvanced": "Допълнително", "Common.Views.OpenDialog.txtColon": "Дебело черво", "Common.Views.OpenDialog.txtComma": "Запетая", "Common.Views.OpenDialog.txtDelimiter": "Разделител", @@ -194,6 +203,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "Отвори отново", "Common.Views.ReviewPopover.textReply": "Отговор", "Common.Views.ReviewPopover.textResolve": "Решение", + "Common.Views.ReviewPopover.txtDeleteTip": "Изтрий", "Common.Views.SaveAsDlg.textLoading": "Зареждане", "Common.Views.SaveAsDlg.textTitle": "Папка за запис", "Common.Views.SelectFileDlg.textLoading": "Зареждане", @@ -221,6 +231,7 @@ "Common.Views.SignSettingsDialog.textShowDate": "Покажете датата на знака в реда за подпис", "Common.Views.SignSettingsDialog.textTitle": "Настройка на подпис", "Common.Views.SignSettingsDialog.txtEmpty": "Това поле е задължително", + "SSE.Controllers.DataTab.txtExpand": "Разширете", "SSE.Controllers.DocumentHolder.alignmentText": "Подравняване", "SSE.Controllers.DocumentHolder.centerText": "Център", "SSE.Controllers.DocumentHolder.deleteColumnText": "Изтриване на колона", @@ -477,11 +488,13 @@ "SSE.Controllers.Main.scriptLoadError": "Връзката е твърде бавна, някои от компонентите не могат да бъдат заредени. Моля, презаредете страницата.", "SSE.Controllers.Main.textAnonymous": "Анонимен", "SSE.Controllers.Main.textBuyNow": "Посетете уебсайта", + "SSE.Controllers.Main.textChangesSaved": "Всички промени са запазени", "SSE.Controllers.Main.textClose": "Затвори", "SSE.Controllers.Main.textCloseTip": "Кликнете, за да затворите върха", "SSE.Controllers.Main.textConfirm": "Потвърждаване", "SSE.Controllers.Main.textContactUs": "Свържете се с продажбите", "SSE.Controllers.Main.textCustomLoader": "Моля, имайте предвид, че според условията на лиценза нямате право да сменяте товарача.
                              Моля, свържете се с нашия отдел Продажби, за да получите оферта.", + "SSE.Controllers.Main.textGuest": "Гост", "SSE.Controllers.Main.textLoadingDocument": "Електронната таблица се зарежда", "SSE.Controllers.Main.textNo": "Не", "SSE.Controllers.Main.textNoLicenseTitle": "Ограничение за връзка ONLYOFFICE", @@ -502,6 +515,7 @@ "SSE.Controllers.Main.txtDiagramTitle": "Заглавие на диаграмата", "SSE.Controllers.Main.txtEditingMode": "Задаване на режим на редактиране ...", "SSE.Controllers.Main.txtFiguredArrows": "Фигурни стрели", + "SSE.Controllers.Main.txtGroup": "Група", "SSE.Controllers.Main.txtLines": "Линии", "SSE.Controllers.Main.txtMath": "Математик", "SSE.Controllers.Main.txtPrintArea": "Печат_зона", @@ -736,6 +750,7 @@ "SSE.Controllers.Toolbar.textFontSizeErr": "Въведената стойност е неправилна.
                              Въведете числова стойност между 1 и 409", "SSE.Controllers.Toolbar.textFraction": "Фракции", "SSE.Controllers.Toolbar.textFunction": "Функция", + "SSE.Controllers.Toolbar.textInsert": "Вмъкни", "SSE.Controllers.Toolbar.textIntegral": "Интеграли", "SSE.Controllers.Toolbar.textLargeOperator": "Големи оператори", "SSE.Controllers.Toolbar.textLimitAndLog": "Граници и логаритми", @@ -1074,6 +1089,7 @@ "SSE.Controllers.Viewport.textHideFBar": "Скриване на лентата за формули", "SSE.Controllers.Viewport.textHideGridlines": "Скриване на решетки", "SSE.Controllers.Viewport.textHideHeadings": "Скриване на заглавията", + "SSE.Views.AdvancedSeparatorDialog.textTitle": "Разширени настройки", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Персонализиран филтър", "SSE.Views.AutoFilterDialog.textAddSelection": "Добавяне на текуща селекция за филтриране", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Заготовки}", @@ -1121,6 +1137,7 @@ "SSE.Views.CellSettings.textBorderColor": "Цвят", "SSE.Views.CellSettings.textBorders": "Стил на границите", "SSE.Views.CellSettings.textOrientation": "Ориентация на текста", + "SSE.Views.CellSettings.textPosition": "Позиция", "SSE.Views.CellSettings.textSelectBorders": "Изберете граници, които искате да промените, като използвате избрания по-горе стил", "SSE.Views.CellSettings.tipAll": "Задайте външната граница и всички вътрешни линии", "SSE.Views.CellSettings.tipBottom": "Задайте само външната долна граница", @@ -1270,6 +1287,9 @@ "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Заглавие на ос", "SSE.Views.ChartSettingsDlg.textZero": "Нула", "SSE.Views.ChartSettingsDlg.txtEmpty": "Това поле е задължително", + "SSE.Views.DataTab.capBtnGroup": "Група", + "SSE.Views.DataValidationDialog.textAllow": "Позволява", + "SSE.Views.DataValidationDialog.textFormula": "Формула", "SSE.Views.DigitalFilterDialog.capAnd": "И", "SSE.Views.DigitalFilterDialog.capCondition1": "равно на", "SSE.Views.DigitalFilterDialog.capCondition10": "не завършва с", @@ -1429,6 +1449,8 @@ "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Запазване на копието като ...", "SSE.Views.FileMenu.btnSettingsCaption": "Разширени настройки ...", "SSE.Views.FileMenu.btnToEditCaption": "Редактиране на електронна таблица", + "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Приложи", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Добави автор", "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Приложение", "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Автор", "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Промяна на правата за достъп", @@ -1438,21 +1460,14 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Промяна на правата за достъп", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Лица, които имат права", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Приложи", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Включете функцията за автоматично откриване", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Включете автоматичното запазване", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Режим на съвместно редактиране", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Други потребители ще виждат промените Ви наведнъж", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Трябва да приемете промените, преди да можете да ги видите", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Бърз", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Подказване на шрифт", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Винаги да се съхранява в сървъра (в противен случай да се запази на сървър на документ затворен)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Език на формулата", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Пример: SUM; MIN; MAX; БРОЯ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Включете показването на коментарите", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Включете R1C1 стила", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Регионални настройки", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Пример: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Включете показването на разрешените коментари", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Стриктен", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Единица за измерване", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Стойност на мащаба по подразбиране", @@ -1473,7 +1488,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Френски", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Инч", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Италиански", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Коментиране на дисплея", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "като OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Местен", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Полски", @@ -1491,8 +1505,16 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "В електронната таблица са добавени валидни подписи. Електронната таблица е защитена от редактиране.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Някои от цифровите подписи в електронната таблица са невалидни или не можаха да бъдат потвърдени. Електронната таблица е защитена от редактиране.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Преглед на подписи", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Общ", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Настройки на страницата", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Всички граници", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Автоматичен", + "SSE.Views.FormatRulesEditDlg.textFormat": "Формат", + "SSE.Views.FormatRulesEditDlg.textFormula": "Формула", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Нов Потребителски Цвят", + "SSE.Views.FormatRulesEditDlg.textPosition": "Позиция", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Фракция", + "SSE.Views.FormatRulesManagerDlg.guestText": "Гост", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Изтрий", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Формат", "SSE.Views.FormatSettingsDialog.textCategory": "Категория", "SSE.Views.FormatSettingsDialog.textDecimal": "Десетичен", "SSE.Views.FormatSettingsDialog.textFormat": "Формат", @@ -1525,6 +1547,14 @@ "SSE.Views.FormulaDialog.textGroupDescription": "Изберете функционална група", "SSE.Views.FormulaDialog.textListDescription": "Изберете функция", "SSE.Views.FormulaDialog.txtTitle": "Вмъкване на функция", + "SSE.Views.FormulaTab.textAutomatic": "Автоматичен", + "SSE.Views.FormulaTab.txtAdditional": "Допълнителен", + "SSE.Views.FormulaTab.txtFormula": "Функция", + "SSE.Views.FormulaWizard.textFunction": "Функция", + "SSE.Views.HeaderFooterDialog.textEven": "Дори страница", + "SSE.Views.HeaderFooterDialog.textInsert": "Вмъкни", + "SSE.Views.HeaderFooterDialog.textNewColor": "Нов Потребителски Цвят", + "SSE.Views.HeaderFooterDialog.tipFontSize": "Размер на шрифта", "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Показ", "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Връзка към", "SSE.Views.HyperlinkSettingsDialog.strRange": "Диапазон", @@ -1667,6 +1697,7 @@ "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Разстояние между знаците", "SSE.Views.ParagraphSettingsAdvanced.textDefault": "Разделът по подразбиране", "SSE.Views.ParagraphSettingsAdvanced.textEffects": "Ефекти", + "SSE.Views.ParagraphSettingsAdvanced.textExact": "Точно", "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Премахване", "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Премахнете всички", "SSE.Views.ParagraphSettingsAdvanced.textSet": "Посочете", @@ -1675,6 +1706,8 @@ "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Позиция на раздела", "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Прав", "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Параграф - Разширени настройки", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Автоматичен", + "SSE.Views.PivotGroupDialog.textAuto": "Автоматичен", "SSE.Views.PivotSettings.textAdvanced": "Показване на разширените настройки", "SSE.Views.PivotSettings.textColumns": "Колони", "SSE.Views.PivotSettings.textFields": "Изберете полета", @@ -1759,6 +1792,10 @@ "SSE.Views.PrintSettings.textShowHeadings": "Показване на заглавията на редове и колони", "SSE.Views.PrintSettings.textTitle": "Настройки за печат", "SSE.Views.PrintSettings.textTitlePDF": "Настройки на PDF", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Ориентация на страницата", + "SSE.Views.PrintWithPreview.txtPageSize": "Размер на страницата", + "SSE.Views.ProtectRangesDlg.guestText": "Гост", + "SSE.Views.ProtectRangesDlg.textDelete": "Изтрий", "SSE.Views.RightMenu.txtCellSettings": "Настройки на клетката", "SSE.Views.RightMenu.txtChartSettings": "Настройки на диаграмата", "SSE.Views.RightMenu.txtImageSettings": "Настройки на изображението", @@ -1770,6 +1807,8 @@ "SSE.Views.RightMenu.txtSparklineSettings": "Настройки за спарклайн", "SSE.Views.RightMenu.txtTableSettings": "Настройки на таблицата", "SSE.Views.RightMenu.txtTextArtSettings": "Настройки за текстово изкуство", + "SSE.Views.ScaleDialog.textAuto": "Автоматичен", + "SSE.Views.ScaleDialog.textHeight": "Височина", "SSE.Views.SetValueDialog.txtMaxText": "Максималната стойност за това поле е {0}", "SSE.Views.SetValueDialog.txtMinText": "Минималната стойност за това поле е {0}", "SSE.Views.ShapeSettings.strBackground": "Цвят на фона", @@ -1783,6 +1822,7 @@ "SSE.Views.ShapeSettings.strTransparency": "Непрозрачност", "SSE.Views.ShapeSettings.strType": "Тип", "SSE.Views.ShapeSettings.textAdvanced": "Показване на разширените настройки", + "SSE.Views.ShapeSettings.textAngle": "Ъгъл", "SSE.Views.ShapeSettings.textBorderSizeErr": "Въведената стойност е неправилна.
                              Въведете стойност между 0 pt и 1584 pt.", "SSE.Views.ShapeSettings.textColor": "Цветово пълнене", "SSE.Views.ShapeSettings.textDirection": "Посока", @@ -1801,6 +1841,7 @@ "SSE.Views.ShapeSettings.textNoFill": "Без попълване", "SSE.Views.ShapeSettings.textOriginalSize": "Оригинален размер", "SSE.Views.ShapeSettings.textPatternFill": "Модел", + "SSE.Views.ShapeSettings.textPosition": "Позиция", "SSE.Views.ShapeSettings.textRadial": "Радиален", "SSE.Views.ShapeSettings.textRotate90": "Завъртане на 90 °", "SSE.Views.ShapeSettings.textRotation": "Завъртане", @@ -1872,6 +1913,16 @@ "SSE.Views.SignatureSettings.txtRequestedSignatures": "Тази електронна таблица трябва да бъде подписана.", "SSE.Views.SignatureSettings.txtSigned": "В електронната таблица са добавени валидни подписи. Електронната таблица е защитена от редактиране.", "SSE.Views.SignatureSettings.txtSignedInvalid": "Някои от цифровите подписи в електронната таблица са невалидни или не можаха да бъдат потвърдени. Електронната таблица е защитена от редактиране.", + "SSE.Views.SlicerSettings.textAsc": "Възходящ", + "SSE.Views.SlicerSettings.textHeight": "Височина", + "SSE.Views.SlicerSettings.textPosition": "Позиция", + "SSE.Views.SlicerSettingsAdvanced.strHeight": "Височина", + "SSE.Views.SlicerSettingsAdvanced.textAsc": "Възходящ", + "SSE.Views.SortDialog.textAsc": "Възходящ", + "SSE.Views.SortDialog.textAuto": "Автоматичен", + "SSE.Views.SortDialog.textFontColor": "Цвят на шрифта", + "SSE.Views.SpecialPasteDialog.textFormats": "Формати", + "SSE.Views.SpecialPasteDialog.textFormulas": "Формули", "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Копиране до края)", "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Преместване в края)", "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Копиране преди лист", @@ -1961,6 +2012,7 @@ "SSE.Views.TextArtSettings.strStroke": "Удар", "SSE.Views.TextArtSettings.strTransparency": "Непрозрачност", "SSE.Views.TextArtSettings.strType": "Тип", + "SSE.Views.TextArtSettings.textAngle": "Ъгъл", "SSE.Views.TextArtSettings.textBorderSizeErr": "Въведената стойност е неправилна.
                              Въведете стойност между 0 pt и 1584 pt.", "SSE.Views.TextArtSettings.textColor": "Цветово пълнене", "SSE.Views.TextArtSettings.textDirection": "Посока", @@ -1973,6 +2025,7 @@ "SSE.Views.TextArtSettings.textLinear": "Линеен", "SSE.Views.TextArtSettings.textNoFill": "Без попълване", "SSE.Views.TextArtSettings.textPatternFill": "Модел", + "SSE.Views.TextArtSettings.textPosition": "Позиция", "SSE.Views.TextArtSettings.textRadial": "Радиален", "SSE.Views.TextArtSettings.textSelectTexture": "Изберете", "SSE.Views.TextArtSettings.textStretch": "Разтягане", @@ -1993,6 +2046,7 @@ "SSE.Views.TextArtSettings.txtNoBorders": "Няма линия", "SSE.Views.TextArtSettings.txtPapyrus": "Папирус", "SSE.Views.TextArtSettings.txtWood": "Дърво", + "SSE.Views.Toolbar.capBtnAddComment": "Добави коментар", "SSE.Views.Toolbar.capBtnComment": "Коментар", "SSE.Views.Toolbar.capBtnMargins": "Полета", "SSE.Views.Toolbar.capBtnPageOrient": "Ориентация", @@ -2021,6 +2075,8 @@ "SSE.Views.Toolbar.textAlignRight": "Подравняване надясно", "SSE.Views.Toolbar.textAlignTop": "Подравняване отгоре", "SSE.Views.Toolbar.textAllBorders": "Всички граници", + "SSE.Views.Toolbar.textAuto": "Автоматичен", + "SSE.Views.Toolbar.textAutoColor": "Автоматичен", "SSE.Views.Toolbar.textBold": "Получер", "SSE.Views.Toolbar.textBordersColor": "Цвят на границата", "SSE.Views.Toolbar.textBordersStyle": "Стил на границата", @@ -2036,6 +2092,7 @@ "SSE.Views.Toolbar.textDiagUpBorder": "Диагонална граница нагоре", "SSE.Views.Toolbar.textEntireCol": "Цяла колона", "SSE.Views.Toolbar.textEntireRow": "Цял ред", + "SSE.Views.Toolbar.textHeight": "Височина", "SSE.Views.Toolbar.textHorizontal": "Хоризонтален текст", "SSE.Views.Toolbar.textInsDown": "Преместете клетките надолу", "SSE.Views.Toolbar.textInsideBorders": "Вътрешни граници", @@ -2068,6 +2125,7 @@ "SSE.Views.Toolbar.textSuperscript": "Горен индекс", "SSE.Views.Toolbar.textTabCollaboration": "Сътрудничество", "SSE.Views.Toolbar.textTabFile": "досие", + "SSE.Views.Toolbar.textTabFormula": "Формула", "SSE.Views.Toolbar.textTabHome": "У дома", "SSE.Views.Toolbar.textTabInsert": "Вмъкни", "SSE.Views.Toolbar.textTabLayout": "Оформление", @@ -2206,5 +2264,8 @@ "SSE.Views.Top10FilterDialog.txtItems": "Вещ", "SSE.Views.Top10FilterDialog.txtPercent": "На сто", "SSE.Views.Top10FilterDialog.txtTitle": "Топ 10 на автофилтъра", - "SSE.Views.Top10FilterDialog.txtTop": "Отгоре" + "SSE.Views.Top10FilterDialog.txtTop": "Отгоре", + "SSE.Views.ViewManagerDlg.guestText": "Гост", + "SSE.Views.ViewManagerDlg.textDelete": "Изтрий", + "SSE.Views.ViewTab.textGridlines": "Мрежови линии" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/ca.json b/apps/spreadsheeteditor/main/locale/ca.json index 8e9b82dc2..dde55e54d 100644 --- a/apps/spreadsheeteditor/main/locale/ca.json +++ b/apps/spreadsheeteditor/main/locale/ca.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea una còpia", "Common.Translation.warnFileLockedBtnView": "Obre per a la seva visualització", "Common.UI.ButtonColored.textAutoColor": "Automàtic", - "Common.UI.ButtonColored.textNewColor": "Afegeix un color personalitzat nou ", + "Common.UI.ButtonColored.textNewColor": "Color personalitzat nou ", "Common.UI.ComboBorderSize.txtNoBorders": "Sense vores", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sense vores", "Common.UI.ComboDataView.emptyComboText": "Sense estils", @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "S'ha resolt", "Common.Views.Comments.textSort": "Ordena els comentaris", "Common.Views.Comments.textViewResolved": "No teniu permís per tornar a obrir el comentari", + "Common.Views.Comments.txtEmpty": "No hi ha cap comentari al full", "Common.Views.CopyWarningDialog.textDontShow": "No tornis a mostrar aquest missatge", "Common.Views.CopyWarningDialog.textMsg": "Les accions de copia, talla i enganxa mitjançant els botons de la barra d’eines de l’editor i les accions del menú contextual només es realitzaran dins d’aquesta pestanya editor.

                              Per copiar o enganxar a o des d’aplicacions fora de la pestanya de l'editor, utilitza les combinacions de teclat següents:", "Common.Views.CopyWarningDialog.textTitle": "Accions de copia, talla i enganxa ", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Desfés", "SSE.Views.DocumentHolder.textUnFreezePanes": "Mobilitza subfinestres", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Pics de fletxa", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Pics de marca de selecció", + "SSE.Views.DocumentHolder.tipMarkersDash": "Pics de guió", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Pics de rombes plens", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Pics rodons plens", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Pics quadrats plens", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Pics rodons buits", + "SSE.Views.DocumentHolder.tipMarkersStar": "Pics d'estrella", "SSE.Views.DocumentHolder.topCellText": "Alineació a dalt", "SSE.Views.DocumentHolder.txtAccounting": "Comptabilitat", "SSE.Views.DocumentHolder.txtAddComment": "Afegeix un comentari", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Tanca el menú", "SSE.Views.FileMenu.btnCreateNewCaption": "Crea'n un de nou", "SSE.Views.FileMenu.btnDownloadCaption": "Baixa-ho com a...", - "SSE.Views.FileMenu.btnExitCaption": "Surt", + "SSE.Views.FileMenu.btnExitCaption": "Tancar", "SSE.Views.FileMenu.btnFileOpenCaption": "Obre...", "SSE.Views.FileMenu.btnHelpCaption": "Ajuda...", "SSE.Views.FileMenu.btnHistoryCaption": "Historial de versions", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Canvia els drets d’accés", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Persones que tenen drets", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplica", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Activa la recuperació automàtica", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Activa el desament automàtic", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Mode de coedició", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Els altres usuaris veuran els teus canvis immediatament", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Cal acceptar els canvis abans de poder-los veure", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separador de decimals", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Ràpid", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Tipus de lletra suggerides", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Afegeix la versió a l'emmagatzematge després de fer clic a Desa o Ctrl + S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Llenguatge de la fórmula", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemple: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activa la visualització dels comentaris", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Configuració de les macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Talla, copia i enganxa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Mostra el botó d'opcions d’enganxar quan s’enganxa contingut", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Activa l'estil R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Configuració regional", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Exemple:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activa la visualització dels comentaris resolts", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separador", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Estricte", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema de la interfície", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separador de milers", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italià", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonès", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreà", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Visualització dels comentaris", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laosià", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letó", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "com a OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Inhabilita totes les macros amb una notificació", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "com a Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Xinès", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplica", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Idioma del diccionari", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignora les paraules en MAJÚSCULA", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignora les paraules amb números", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opcions de correcció automàtica ...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Correcció", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Advertiment", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Amb contrasenya", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Protegeix el full de càlcul", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "S'han afegit signatures vàlides al full de càlcul. El full de càlcul està protegit contra l’edició.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunes de les signatures digitals del full de càlcul no són vàlides o no es van poder verificar. El full de càlcul està protegit contra l’edició.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra les signatures", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configuració de la pàgina", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Revisió ortogràfica", "SSE.Views.FormatRulesEditDlg.fillColor": "Color d'emplenament", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Advertiment", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 colors", @@ -2211,7 +2202,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínim", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punt mínim", "SSE.Views.FormatRulesEditDlg.textNegative": "Negatiu", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Afegeix un color personalitzat nou ", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Color personalitzat nou ", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sense vores", "SSE.Views.FormatRulesEditDlg.textNone": "Cap", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Un o més dels valors especificats no són un percentatge vàlid.", @@ -2380,7 +2371,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Cursiva", "SSE.Views.HeaderFooterDialog.textLeft": "Esquerra", "SSE.Views.HeaderFooterDialog.textMaxError": "La cadena de text que heu introduït és massa llarga. Redueix el nombre de caràcters utilitzats.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Afegeix un color personalitzat nou ", + "SSE.Views.HeaderFooterDialog.textNewColor": "Color personalitzat nou ", "SSE.Views.HeaderFooterDialog.textOdd": "Pàgina senar", "SSE.Views.HeaderFooterDialog.textPageCount": "Recompte de pàgines", "SSE.Views.HeaderFooterDialog.textPageNum": "Número de pàgina", @@ -3154,7 +3145,7 @@ "SSE.Views.Statusbar.textCount": "Recompte", "SSE.Views.Statusbar.textMax": "Màx", "SSE.Views.Statusbar.textMin": "Mín", - "SSE.Views.Statusbar.textNewColor": "Afegeix un color personalitzat nou ", + "SSE.Views.Statusbar.textNewColor": "Color personalitzat nou ", "SSE.Views.Statusbar.textNoColor": "Cap color", "SSE.Views.Statusbar.textSum": "Suma", "SSE.Views.Statusbar.tipAddTab": "Afegeix un full de càlcul", @@ -3341,7 +3332,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Vores interiors horitzontals", "SSE.Views.Toolbar.textMoreFormats": "Més formats", "SSE.Views.Toolbar.textMorePages": "Més pàgines", - "SSE.Views.Toolbar.textNewColor": "Afegeix un color personalitzat nou ", + "SSE.Views.Toolbar.textNewColor": "Color personalitzat nou ", "SSE.Views.Toolbar.textNewRule": "Crea una norma", "SSE.Views.Toolbar.textNoBorders": "Sense vores", "SSE.Views.Toolbar.textOnePage": "pàgina", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Insereix una taula", "SSE.Views.Toolbar.tipInsertText": "Insereix un quadre de text", "SSE.Views.Toolbar.tipInsertTextart": "Insereix Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Pics de fletxa", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Pics de marca de selecció", - "SSE.Views.Toolbar.tipMarkersDash": "Pics de guió", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Pics de rombes plens", - "SSE.Views.Toolbar.tipMarkersFRound": "Pics rodons plens", - "SSE.Views.Toolbar.tipMarkersFSquare": "Pics quadrats plens", - "SSE.Views.Toolbar.tipMarkersHRound": "Pics rodons buits", - "SSE.Views.Toolbar.tipMarkersStar": "Pics d'estrella", "SSE.Views.Toolbar.tipMerge": "Combina i centra", "SSE.Views.Toolbar.tipNone": "cap", "SSE.Views.Toolbar.tipNumFormat": "Format de número", diff --git a/apps/spreadsheeteditor/main/locale/cs.json b/apps/spreadsheeteditor/main/locale/cs.json index 8a1194bc3..70246ac5a 100644 --- a/apps/spreadsheeteditor/main/locale/cs.json +++ b/apps/spreadsheeteditor/main/locale/cs.json @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Vyřešeno", "Common.Views.Comments.textSort": "Řadit komentáře", "Common.Views.Comments.textViewResolved": "Nemáte oprávnění pro opětovné otevírání komentářů", + "Common.Views.Comments.txtEmpty": "Tento list neobsahuje komentáře.", "Common.Views.CopyWarningDialog.textDontShow": "Tuto zprávu už nezobrazovat", "Common.Views.CopyWarningDialog.textMsg": "Akce kopírovat, vyjmout a vložit použitím lišty nástrojů editoru a kontextové nabídky budou prováděny pouze v tomto okně editoru.

                              Pro kopírování do nebo vkládání z aplikací mimo okno editoru použijte následující klávesové zkratky:", "Common.Views.CopyWarningDialog.textTitle": "Akce kopírovat, vyjmout a vložit", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Vrátit zpět", "SSE.Views.DocumentHolder.textUnFreezePanes": "Zrušit ukotvení příček", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Šipkové odrážky", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Zatržítkové odrážky", + "SSE.Views.DocumentHolder.tipMarkersDash": "Pomlčkové odrážky", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Vyplněné kulaté odrážky", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Plné čtvercové odrážky", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Duté kulaté odrážky", + "SSE.Views.DocumentHolder.tipMarkersStar": "Hvězdičkové odrážky", "SSE.Views.DocumentHolder.topCellText": "Zarovnat nahoru", "SSE.Views.DocumentHolder.txtAccounting": "Účetnictví", "SSE.Views.DocumentHolder.txtAddComment": "Přidat komentář", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Zavřít nabídku", "SSE.Views.FileMenu.btnCreateNewCaption": "Vytvořit nový", "SSE.Views.FileMenu.btnDownloadCaption": "Stáhnout jako…", - "SSE.Views.FileMenu.btnExitCaption": "Konec", + "SSE.Views.FileMenu.btnExitCaption": "Zavřít", "SSE.Views.FileMenu.btnFileOpenCaption": "Otevřít...", "SSE.Views.FileMenu.btnHelpCaption": "Nápověda…", "SSE.Views.FileMenu.btnHistoryCaption": "Historie verzí", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Změnit přístupová práva", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby, které mají oprávnění", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Použít", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Zapnout automatickou obnovu", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Zapnout automatické ukládání", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Režim spolupráce na úpravách", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Ostatní uživatelé okamžitě uvidí vámi prováděné změny", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Abyste změny uviděli, je třeba je nejprve přijmout", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Oddělovač desetinných míst", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Automatický", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Vyhlazování hran znaků", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Přidejte verzi do úložiště kliknutím na Uložit nebo Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Jazyk vzorce", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Příklad: SUMA; MIN; MAX; POČET", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Zobrazovat komentáře", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Nastavení maker", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Vyjmout, kopírovat, vložit", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Při vkládání obsahu zobrazit tlačítko možností vložení", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Zapnout R1C1 styl", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Místní nastavení", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Příklad:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Zobrazovat i už vyřešené komentáře", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Oddělovač", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Statický", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Vzhled uživatelského rozhraní", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Oddělovač tisíců", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "italština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "japonština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "korejština", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Zobrazování komentářů", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "laoština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "lotyština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "jako macOS", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Vypnout všechna makra s oznámením", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "jako Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "čínština", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Použít", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Jazyk slovníku", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorovat slova psaná pouze VELKÝMI PÍSMENY", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignorovat slova obsahující čísla", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Autokorekce možnosti...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Kontrola pravopisu", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Varování", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Heslem", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Zabezpečit sešit", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Do sešitu byly přidány platné podpisy. List je zabezpečen před úpravami.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Některé z digitálních podpisů v listu nejsou platné nebo je není možné ověřit. List je zabezpečen před úpravami.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobrazit podpisy", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Obecný", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Nastavení stránky", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Kontrola pravopisu", "SSE.Views.FormatRulesEditDlg.fillColor": "Barva výplně", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Varování", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Barevná škála", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Vložit tabulku", "SSE.Views.Toolbar.tipInsertText": "Vložit textové pole", "SSE.Views.Toolbar.tipInsertTextart": "Vložit Text art", - "SSE.Views.Toolbar.tipMarkersArrow": "Šipkové odrážky", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Zatržítkové odrážky", - "SSE.Views.Toolbar.tipMarkersDash": "Pomlčkové odrážky", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Kosočtvercové odrážky s výplní", - "SSE.Views.Toolbar.tipMarkersFRound": "Vyplněné kulaté odrážky", - "SSE.Views.Toolbar.tipMarkersFSquare": "Plné čtvercové odrážky", - "SSE.Views.Toolbar.tipMarkersHRound": "Duté kulaté odrážky", - "SSE.Views.Toolbar.tipMarkersStar": "Hvězdičkové odrážky", "SSE.Views.Toolbar.tipMerge": "Sloučit a vystředit", "SSE.Views.Toolbar.tipNone": "Žádné", "SSE.Views.Toolbar.tipNumFormat": "Formát čísla", diff --git a/apps/spreadsheeteditor/main/locale/da.json b/apps/spreadsheeteditor/main/locale/da.json index b5882e216..21750337d 100644 --- a/apps/spreadsheeteditor/main/locale/da.json +++ b/apps/spreadsheeteditor/main/locale/da.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Opret en kopi", "Common.Translation.warnFileLockedBtnView": "Åben for visning", "Common.UI.ButtonColored.textAutoColor": "Automatisk", - "Common.UI.ButtonColored.textNewColor": "Tilføj ny brugerdefineret farve", + "Common.UI.ButtonColored.textNewColor": "Brugerdefineret farve", "Common.UI.ComboBorderSize.txtNoBorders": "Ingen rammer", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ingen rammer", "Common.UI.ComboDataView.emptyComboText": "Ingen stilarter", @@ -2037,26 +2037,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Skift adgangsrettigheder", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personer der har rettigheder", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Anvend", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Slå automatisk genoprettelse til", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Slå gem automatisk til", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Fællesredigeringstilstand", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Andre brugere vil se dine ændringer på en gang", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Du skal acceptere ændringer før du kan se dem", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Decimal-adskiller", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Hurtig", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Skrifttype hentydning", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Gem altid til serveren (ellers gem til serveren når dokumentet lukkes)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formelsprog", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Eksempel: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Slå visning af kommentarer til ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makroindstillinger", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Klip, kopier og indsæt", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Vis knappen for Indsæt-optioner når indhold indsættes", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Slå R1C1 stil til", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regionale indstillinger", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Eksempel:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Slå visning af de løste kommentarer til", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Opdeler", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Striks", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Interface tema", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Tusinder separator", @@ -2092,7 +2084,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiensk", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "japansk", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "koreansk", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Kommenteringsvisning", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "lettisk", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "som OS X", @@ -2119,12 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Deaktivér alle makroer med", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "som Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "kinesisk", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Anvend", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Sprogvalg for ordbog", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorer ord med STORE BOGSTAVER", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignorer ord med tal", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Autokorrektur optioner", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Korrektur", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Advarsel", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Med adgangskode", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Beskyt regneark", @@ -2136,9 +2121,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Gyldige underskrifter er blevet tilføjet til arket. Arket er beskytter for redigering.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Nogle af de digitale underskrifter i regnearket er ugyldige eller kunne ikke verificeres. Regnearket er beskyttet for redigering.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Se underskrifter", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General ", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Sideindstillinger", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Stavekontrol", "SSE.Views.FormatRulesEditDlg.fillColor": "Udfyldningsfarve", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Advarsel", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Farveskala", @@ -2193,7 +2175,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Minpunkt", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativ", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Tilføj ny brugerdefineret farve", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Brugerdefineret farve", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Ingen rammer", "SSE.Views.FormatRulesEditDlg.textNone": "ingen", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "En eller flere af de angivne værdier er ikke en gyldig procentdel.", @@ -2361,7 +2343,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Kursiv", "SSE.Views.HeaderFooterDialog.textLeft": "Venstre", "SSE.Views.HeaderFooterDialog.textMaxError": "Den indtastede tekststreng er for lang. Reducer antallet af anvendte tegn.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Tilføj ny brugerdefineret farve", + "SSE.Views.HeaderFooterDialog.textNewColor": "Brugerdefineret farve", "SSE.Views.HeaderFooterDialog.textOdd": "Ulige side", "SSE.Views.HeaderFooterDialog.textPageCount": "Side antal", "SSE.Views.HeaderFooterDialog.textPageNum": "Sidetal", @@ -3092,7 +3074,7 @@ "SSE.Views.Statusbar.textCount": "Tæl", "SSE.Views.Statusbar.textMax": "Max", "SSE.Views.Statusbar.textMin": "Min", - "SSE.Views.Statusbar.textNewColor": "Tilføj ny brugerdefineret farve", + "SSE.Views.Statusbar.textNewColor": "Brugerdefineret farve", "SSE.Views.Statusbar.textNoColor": "Ingen farve", "SSE.Views.Statusbar.textSum": "SUM", "SSE.Views.Statusbar.tipAddTab": "Tilføj regneark", @@ -3278,7 +3260,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Indsæt vandrette rammer", "SSE.Views.Toolbar.textMoreFormats": "Flere formatter", "SSE.Views.Toolbar.textMorePages": "Flere sider", - "SSE.Views.Toolbar.textNewColor": "Tilføj ny brugerdefineret farve", + "SSE.Views.Toolbar.textNewColor": "Brugerdefineret farve", "SSE.Views.Toolbar.textNewRule": "Ny regel", "SSE.Views.Toolbar.textNoBorders": "Ingen rammer", "SSE.Views.Toolbar.textOnePage": "Side", diff --git a/apps/spreadsheeteditor/main/locale/de.json b/apps/spreadsheeteditor/main/locale/de.json index e8703bcbf..19c45ea82 100644 --- a/apps/spreadsheeteditor/main/locale/de.json +++ b/apps/spreadsheeteditor/main/locale/de.json @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Rückgängig machen", "SSE.Views.DocumentHolder.textUnFreezePanes": "Fixierung aufheben", "SSE.Views.DocumentHolder.textVar": "VARIANZ", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Häkchenaufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersDash": "Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Leere runde Aufzählungszeichen", + "SSE.Views.DocumentHolder.tipMarkersStar": "Sternförmige Aufzählungszeichen", "SSE.Views.DocumentHolder.topCellText": "Oben ausrichten", "SSE.Views.DocumentHolder.txtAccounting": "Rechnungswesen", "SSE.Views.DocumentHolder.txtAddComment": "Kommentar hinzufügen", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zugriffsrechte ändern", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personen mit Berechtigungen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Anwenden", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "AutoWiederherstellen einschalten ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "AutoSpeichern einschalten", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modus \"Gemeinsame Bearbeitung\"", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Andere Benutzer werden sofort Ihre Änderungen sehen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Sie müssen die Änderungen annehmen, bevor Sie diese sehen können", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Dezimaltrennzeichen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Schnell", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Schriftglättung", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Immer auf dem Server speichern (ansonsten auf dem Server beim Schließen des Dokuments speichern)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formelsprache ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Beispiel: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Live-Kommentare einschalten", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makro-Einstellungen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Ausschneiden, Kopieren und Einfügen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Aktivieren Sie den R1C1-Stil", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regionale Einstellungen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Beispiel:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Die Anzeige der aufgelösten Kommentare einschalten", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Trennzeichen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Formal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Thema der Benutzeroberfläche", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Tausendertrennzeichen", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italienisch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japanisch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Koreanisch", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Live-Kommentare", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laotisch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Lettisch", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "wie OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Alle Makros mit einer Benachrichtigung deaktivieren", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "wie Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinesisch ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Anwenden", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Sprache des Wörterbuchs", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Wörter in GROSSBUCHSTABEN ignorieren", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Wörter mit Zahlen ignorieren", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Optionen von Autokorrektur", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Produkt", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Warnung", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Mit Kennwort", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Präsentation schützen", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Gültige Signaturen wurden der Tabelle hinzugefügt. Die Tabelle ist vor der Bearbeitung geschützt.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Einige der digitalen Signaturen in der Tabelle sind ungültig oder konnten nicht verifiziert werden. Die Tabelle ist vor der Bearbeitung geschützt.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Signaturen anzeigen", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Allgemein", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Seiten-Einstellungen", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Rechtschreibprüfung", "SSE.Views.FormatRulesEditDlg.fillColor": "Füllfarbe", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Warnung", "SSE.Views.FormatRulesEditDlg.text2Scales": "2-Farben-Skala", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Minimaler Wert", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativ", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Neue benutzerdefinierte Farbe hinzufügen", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Benutzerdefinierte Farbe", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Keine Rahmen", "SSE.Views.FormatRulesEditDlg.textNone": "Kein(e)", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Mindestens einer der angegebenen Werte ist kein gültiger Prozentwert.", @@ -3429,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Tabelle einfügen", "SSE.Views.Toolbar.tipInsertText": "Textfeld einfügen", "SSE.Views.Toolbar.tipInsertTextart": "TextArt einfügen", - "SSE.Views.Toolbar.tipMarkersArrow": "Pfeilförmige Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Häkchenaufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersDash": "Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Ausgefüllte karoförmige Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersFRound": "Ausgefüllte runde Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersFSquare": "Ausgefüllte quadratische Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersHRound": "Leere runde Aufzählungszeichen", - "SSE.Views.Toolbar.tipMarkersStar": "Sternförmige Aufzählungszeichen", "SSE.Views.Toolbar.tipMerge": "Verbinden und zentrieren", "SSE.Views.Toolbar.tipNone": "Keine", "SSE.Views.Toolbar.tipNumFormat": "Zahlenformat", diff --git a/apps/spreadsheeteditor/main/locale/el.json b/apps/spreadsheeteditor/main/locale/el.json index 9bf4c5be0..6b9181758 100644 --- a/apps/spreadsheeteditor/main/locale/el.json +++ b/apps/spreadsheeteditor/main/locale/el.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Δημιουργία αντιγράφου", "Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή", "Common.UI.ButtonColored.textAutoColor": "Αυτόματα", - "Common.UI.ButtonColored.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "Common.UI.ButtonColored.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "Common.UI.ComboBorderSize.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboDataView.emptyComboText": "Χωρίς τεχνοτροπίες", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Αναίρεση", "SSE.Views.DocumentHolder.textUnFreezePanes": "Απελευθέρωση Παραθύρων", "SSE.Views.DocumentHolder.textVar": "Διαφορά", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Κουκίδες βέλη", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Κουκίδες τσεκαρίσματος", + "SSE.Views.DocumentHolder.tipMarkersDash": "Κουκίδες παύλας", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Κουκίδες πλήρεις στρογγυλές", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Κουκίδες πλήρεις τετράγωνες", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Κουκίδες κούφιες στρογγυλές", + "SSE.Views.DocumentHolder.tipMarkersStar": "Κουκίδες αστέρια", "SSE.Views.DocumentHolder.topCellText": "Στοίχιση Πάνω", "SSE.Views.DocumentHolder.txtAccounting": "Λογιστική", "SSE.Views.DocumentHolder.txtAddComment": "Προσθήκη Σχολίου", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Αλλαγή δικαιωμάτων πρόσβασης", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Άτομα που έχουν δικαιώματα", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Εφαρμογή", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Ενεργοποίηση αυτόματης αποκατάστασης", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Ενεργοποίηση αυτόματης αποθήκευσης", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Κατάσταση Συν-επεξεργασίας", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Οι άλλοι χρήστες θα δουν αμέσως τις αλλαγές σας", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Θα χρειαστεί να αποδεχτείτε αλλαγές πριν να τις δείτε", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Διαχωριστικό δεκαδικού", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Γρήγορη", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Βελτιστοποίηση Γραμματοσειράς", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Προσθήκη έκδοσης στο χώρο αποθήκευσης μετά την Αποθήκευση ή Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Γλώσσα Τύπων", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Παράδειγμα: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Ενεργοποίηση προβολής σχολίων", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Ρυθμίσεις Mακροεντολών", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Αποκοπή, αντιγραφή και επικόλληση", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Εμφάνιση κουμπιού Επιλογών Επικόλλησης κατά την επικόλληση περιεχομένου", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Ενεργοποίηση τεχνοτροπίας R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Τοπικές Ρυθμίσεις", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Παράδειγμα:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Ενεργοποίηση εμφάνισης επιλυμένων σχολίων", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Διαχωριστής", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Αυστηρή", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Θέμα", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Διαχωριστικό χιλιάδων", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Ιταλικά", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Ιαπωνικά", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Κορεάτικα", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Εμφάνιση Σχολίων", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Λαοϊκά", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Λετονικά", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ως OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Απενεργοποίηση όλων των μακροεντολών με μια ειδοποίηση", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ως Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Κινέζικα", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Εφαρμογή", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Γλώσσα λεξικού", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Αγνόηση λέξεων με ΚΕΦΑΛΑΙΑ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Αγνόηση λέξεων με αριθμούς", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Επιλογής αυτόματης διόρθωσης...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Διόρθωση Κειμένου", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Προειδοποίηση", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Με συνθηματικό", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Προστασία Υπολογιστικού Φύλλου", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Προστέθηκαν έγκυρες υπογραφές στο λογιστικό φύλλο. Το φύλλο προστατεύεται από επεξεργασία.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Κάποιες από τις ψηφιακές υπογραφές στο υπολογιστικό φύλλο δεν είναι έγκυρες ή δεν ήταν δυνατό να επιβεβαιωθούν. Το υπολογιστικό φύλλο προστατεύεται από επεξεργασία.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Προβολή υπογραφών", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Γενικά", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Ρυθμίσεις Σελίδας", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Έλεγχος ορθογραφίας", "SSE.Views.FormatRulesEditDlg.fillColor": "Χρώμα γεμίσματος", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Προειδοποίηση", "SSE.Views.FormatRulesEditDlg.text2Scales": "Δίχρωμη κλίμακα", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Ελάχιστο", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Ελάχιστο σημείο", "SSE.Views.FormatRulesEditDlg.textNegative": "Αρνητική", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Χωρίς Περιγράμματα", "SSE.Views.FormatRulesEditDlg.textNone": "Κανένα", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Μία ή περισσότερες από τις καθορισμένες τιμές δεν είναι έγκυρο ποσοστό.", @@ -2380,7 +2370,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Πλάγια", "SSE.Views.HeaderFooterDialog.textLeft": "Αριστερά", "SSE.Views.HeaderFooterDialog.textMaxError": "Η συμβολοσειρά που εισαγάγατε είναι πολύ μεγάλη. Μειώστε τον αριθμό των χαρακτήρων.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "SSE.Views.HeaderFooterDialog.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "SSE.Views.HeaderFooterDialog.textOdd": "Μονή σελίδα", "SSE.Views.HeaderFooterDialog.textPageCount": "Αρίθμηση σελίδων", "SSE.Views.HeaderFooterDialog.textPageNum": "Αριθμός σελίδας", @@ -3154,7 +3144,7 @@ "SSE.Views.Statusbar.textCount": "Μέτρηση", "SSE.Views.Statusbar.textMax": "Μέγιστο", "SSE.Views.Statusbar.textMin": "Ελάχιστο", - "SSE.Views.Statusbar.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "SSE.Views.Statusbar.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "SSE.Views.Statusbar.textNoColor": "Χωρίς Χρώμα", "SSE.Views.Statusbar.textSum": "Άθροισμα", "SSE.Views.Statusbar.tipAddTab": "Προσθήκη φύλλου εργασίας", @@ -3341,7 +3331,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Εσωτερικά Οριζόντια Περιγράμματα", "SSE.Views.Toolbar.textMoreFormats": "Περισσότερες μορφές", "SSE.Views.Toolbar.textMorePages": "Περισσότερες σελίδες", - "SSE.Views.Toolbar.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "SSE.Views.Toolbar.textNewColor": "Νέου Προσαρμοσμένου Χρώματος", "SSE.Views.Toolbar.textNewRule": "Νέος Κανόνας", "SSE.Views.Toolbar.textNoBorders": "Χωρίς Περιγράμματα", "SSE.Views.Toolbar.textOnePage": "σελίδα", @@ -3429,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Εισαγωγή πίνακα", "SSE.Views.Toolbar.tipInsertText": "Εισαγωγή πλαισίου κειμένου", "SSE.Views.Toolbar.tipInsertTextart": "Εισαγωγή Τεχνοκειμένου", - "SSE.Views.Toolbar.tipMarkersArrow": "Βέλη", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Τικ", - "SSE.Views.Toolbar.tipMarkersDash": "Παύλες", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Κουκίδες πλήρους ρόμβου", - "SSE.Views.Toolbar.tipMarkersFRound": "Κουκίδες", - "SSE.Views.Toolbar.tipMarkersFSquare": "Τετράγωνα", - "SSE.Views.Toolbar.tipMarkersHRound": "Κουκίδες άδειες", - "SSE.Views.Toolbar.tipMarkersStar": "Αστέρια", "SSE.Views.Toolbar.tipMerge": "Συγχώνευση και κεντράρισμα", "SSE.Views.Toolbar.tipNone": "Κανένα", "SSE.Views.Toolbar.tipNumFormat": "Μορφή αριθμού", diff --git a/apps/spreadsheeteditor/main/locale/en.json b/apps/spreadsheeteditor/main/locale/en.json index 47ea91186..31cf01560 100644 --- a/apps/spreadsheeteditor/main/locale/en.json +++ b/apps/spreadsheeteditor/main/locale/en.json @@ -128,11 +128,13 @@ "Common.UI.SearchDialog.txtBtnReplaceAll": "Replace All", "Common.UI.SynchronizeTip.textDontShow": "Don't show this message again", "Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.
                              Please click to save your changes and reload the updates.", + "Common.UI.ThemeColorPalette.textRecentColors": "Recent Colors", "Common.UI.ThemeColorPalette.textStandartColors": "Standard Colors", "Common.UI.ThemeColorPalette.textThemeColors": "Theme Colors", "Common.UI.Themes.txtThemeClassicLight": "Classic Light", "Common.UI.Themes.txtThemeDark": "Dark", "Common.UI.Themes.txtThemeLight": "Light", + "Common.UI.Themes.txtThemeSystem": "Same as system", "Common.UI.Window.cancelButtonText": "Cancel", "Common.UI.Window.closeButtonText": "Close", "Common.UI.Window.noButtonText": "No", @@ -143,6 +145,11 @@ "Common.UI.Window.textInformation": "Information", "Common.UI.Window.textWarning": "Warning", "Common.UI.Window.yesButtonText": "Yes", + "Common.UI.SearchBar.textFind": "Find", + "Common.UI.SearchBar.tipPreviousResult": "Previous result", + "Common.UI.SearchBar.tipNextResult": "Next result", + "Common.UI.SearchBar.tipOpenAdvancedSettings": "Open advanced settings", + "Common.UI.SearchBar.tipCloseSearch": "Close search", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", "Common.Views.About.txtAddress": "address: ", @@ -202,6 +209,7 @@ "Common.Views.Comments.textResolved": "Resolved", "Common.Views.Comments.textSort": "Sort comments", "Common.Views.Comments.textViewResolved": "You have no permission to reopen the comment", + "Common.Views.Comments.txtEmpty": "There are no comments in the sheet.", "Common.Views.CopyWarningDialog.textDontShow": "Don't show this message again", "Common.Views.CopyWarningDialog.textMsg": "Copy, cut and paste actions using the editor toolbar buttons and context menu actions will be performed within this editor tab only.

                              To copy or paste to or from applications outside the editor tab use the following keyboard combinations:", "Common.Views.CopyWarningDialog.textTitle": "Copy, Cut and Paste Actions", @@ -224,6 +232,7 @@ "Common.Views.Header.textSaveChanged": "Modified", "Common.Views.Header.textSaveEnd": "All changes saved", "Common.Views.Header.textSaveExpander": "All changes saved", + "Common.Views.Header.textShare": "Share", "Common.Views.Header.textZoom": "Zoom", "Common.Views.Header.tipAccessRights": "Manage document access rights", "Common.Views.Header.tipDownload": "Download file", @@ -233,12 +242,12 @@ "Common.Views.Header.tipSave": "Save", "Common.Views.Header.tipUndo": "Undo", "Common.Views.Header.tipUndock": "Undock into separate window", + "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.tipViewSettings": "View settings", "Common.Views.Header.tipViewUsers": "View users and manage document access rights", - "Common.Views.Header.tipUsers": "View users", "Common.Views.Header.txtAccessRights": "Change access rights", "Common.Views.Header.txtRename": "Rename", - "Common.Views.Header.textShare": "Share", + "Common.Views.Header.tipSearch": "Search", "Common.Views.History.textCloseHistory": "Close History", "Common.Views.History.textHide": "Collapse", "Common.Views.History.textHideAll": "Hide detailed changes", @@ -432,6 +441,38 @@ "Common.Views.UserNameDialog.textDontShow": "Don't ask me again", "Common.Views.UserNameDialog.textLabel": "Label:", "Common.Views.UserNameDialog.textLabelError": "Label must not be empty.", + "Common.Views.SearchPanel.textFind": "Find", + "Common.Views.SearchPanel.textFindAndReplace": "Find and replace", + "Common.Views.SearchPanel.textCloseSearch": "Close search", + "Common.Views.SearchPanel.textReplace": "Replace", + "Common.Views.SearchPanel.textReplaceAll": "Replace All", + "Common.Views.SearchPanel.textSearchResults": "Search results: {0}/{1}", + "Common.Views.SearchPanel.textReplaceWith": "Replace with", + "Common.Views.SearchPanel.textCaseSensitive": "Case sensitive", + "Common.Views.SearchPanel.textMatchUsingRegExp": "Match using regular expressions", + "Common.Views.SearchPanel.textWholeWords": "Whole words only", + "Common.Views.SearchPanel.textWithin": "Within", + "Common.Views.SearchPanel.textSelectDataRange": "Select Data range", + "Common.Views.SearchPanel.textSearch": "Search", + "Common.Views.SearchPanel.textLookIn": "Look in", + "Common.Views.SearchPanel.textSheet": "Sheet", + "Common.Views.SearchPanel.textWorkbook": "Workbook", + "Common.Views.SearchPanel.textSpecificRange": "Specific range", + "Common.Views.SearchPanel.textByRows": "By rows", + "Common.Views.SearchPanel.textByColumns": "By columns", + "Common.Views.SearchPanel.textFormulas": "Formulas", + "Common.Views.SearchPanel.textValues": "Values", + "Common.Views.SearchPanel.textSearchOptions": "Search options", + "Common.Views.SearchPanel.textNoMatches": "No matches", + "Common.Views.SearchPanel.textNoSearchResults": "No search results", + "Common.Views.SearchPanel.textItemEntireCell": "Entire cell contents", + "Common.Views.SearchPanel.textTooManyResults": "There are too many results to show here", + "Common.Views.SearchPanel.tipPreviousResult": "Previous result", + "Common.Views.SearchPanel.tipNextResult": "Next result", + "Common.Views.SearchPanel.textName": "Name", + "Common.Views.SearchPanel.textCell": "Cell", + "Common.Views.SearchPanel.textValue": "Value", + "Common.Views.SearchPanel.textFormula": "Formula", "SSE.Controllers.DataTab.textColumns": "Columns", "SSE.Controllers.DataTab.textEmptyUrl": "You need to specify URL.", "SSE.Controllers.DataTab.textRows": "Rows", @@ -785,6 +826,7 @@ "SSE.Controllers.Main.textPleaseWait": "The operation might take more time than expected. Please wait...", "SSE.Controllers.Main.textReconnect": "Connection is restored", "SSE.Controllers.Main.textRemember": "Remember my choice for all files", + "SSE.Controllers.Main.textRememberMacros": "Remember my choice for all macros", "SSE.Controllers.Main.textRenameError": "User name must not be empty.", "SSE.Controllers.Main.textRenameLabel": "Enter a name to be used for collaboration", "SSE.Controllers.Main.textShape": "Shape", @@ -1060,6 +1102,7 @@ "SSE.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.", "SSE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", "SSE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", + "SSE.Controllers.Main.textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?", "SSE.Controllers.Print.strAllSheets": "All Sheets", "SSE.Controllers.Print.textFirstCol": "First column", "SSE.Controllers.Print.textFirstRow": "First row", @@ -1440,6 +1483,10 @@ "SSE.Controllers.Viewport.textHideFBar": "Hide Formula Bar", "SSE.Controllers.Viewport.textHideGridlines": "Hide Gridlines", "SSE.Controllers.Viewport.textHideHeadings": "Hide Headings", + "SSE.Controllers.Search.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.", + "SSE.Controllers.Search.textReplaceSuccess": "Search has been done. {0} occurrences have been replaced", + "SSE.Controllers.Search.textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", + "SSE.Controllers.Search.textInvalidRange": "ERROR! Invalid cells range", "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Decimal separator", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Thousands separator", "SSE.Views.AdvancedSeparatorDialog.textLabel": "Settings used to recognize numeric data", @@ -1578,6 +1625,7 @@ "SSE.Views.ChartDataRangeDialog.txtValues": "Values", "SSE.Views.ChartDataRangeDialog.txtXValues": "X Values", "SSE.Views.ChartDataRangeDialog.txtYValues": "Y Values", + "SSE.Views.ChartSettings.errorMaxRows": "The maximum number of data series per chart is 255.", "SSE.Views.ChartSettings.strLineWeight": "Line Weight", "SSE.Views.ChartSettings.strSparkColor": "Color", "SSE.Views.ChartSettings.strTemplate": "Template", @@ -1599,10 +1647,9 @@ "SSE.Views.ChartSettings.textShow": "Show", "SSE.Views.ChartSettings.textSize": "Size", "SSE.Views.ChartSettings.textStyle": "Style", + "SSE.Views.ChartSettings.textSwitch": "Switch Row/Column", "SSE.Views.ChartSettings.textType": "Type", "SSE.Views.ChartSettings.textWidth": "Width", - "SSE.Views.ChartSettings.textSwitch": "Switch Row/Column", - "SSE.Views.ChartSettings.errorMaxRows": "The maximum number of data series per chart is 255.", "SSE.Views.ChartSettingsDlg.errorMaxPoints": "ERROR! The maximum number of points in series per chart is 4096.", "SSE.Views.ChartSettingsDlg.errorMaxRows": "ERROR! The maximum number of data series per chart is 255", "SSE.Views.ChartSettingsDlg.errorStockChart": "Incorrect row order. To build a stock chart place the data on the sheet in the following order:
                              opening price, max price, min price, closing price.", @@ -1618,6 +1665,7 @@ "SSE.Views.ChartSettingsDlg.textAxisPos": "Axis Position", "SSE.Views.ChartSettingsDlg.textAxisSettings": "Axis Settings", "SSE.Views.ChartSettingsDlg.textAxisTitle": "Title", + "SSE.Views.ChartSettingsDlg.textBase": "Base", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Between Tick Marks", "SSE.Views.ChartSettingsDlg.textBillions": "Billions", "SSE.Views.ChartSettingsDlg.textBottom": "Bottom", @@ -1666,6 +1714,7 @@ "SSE.Views.ChartSettingsDlg.textLegendTop": "Top", "SSE.Views.ChartSettingsDlg.textLines": "Lines ", "SSE.Views.ChartSettingsDlg.textLocationRange": "Location Range", + "SSE.Views.ChartSettingsDlg.textLogScale": "Logarithmic Scale", "SSE.Views.ChartSettingsDlg.textLow": "Low", "SSE.Views.ChartSettingsDlg.textMajor": "Major", "SSE.Views.ChartSettingsDlg.textMajorMinor": "Major and Minor", @@ -1726,8 +1775,6 @@ "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Y Axis Title", "SSE.Views.ChartSettingsDlg.textZero": "Zero", "SSE.Views.ChartSettingsDlg.txtEmpty": "This field is required", - "SSE.Views.ChartSettingsDlg.textBase": "Base", - "SSE.Views.ChartSettingsDlg.textLogScale": "Logarithmic Scale", "SSE.Views.ChartTypeDialog.errorComboSeries": "To create a combination chart, select at least two series of data.", "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "The selected chart type requires the secondary axis that an existing chart is using. Select another chart type.", "SSE.Views.ChartTypeDialog.textSecondary": "Secondary Axis", @@ -1859,7 +1906,9 @@ "SSE.Views.DocumentHolder.bottomCellText": "Align Bottom", "SSE.Views.DocumentHolder.bulletsText": "Bullets and Numbering", "SSE.Views.DocumentHolder.centerCellText": "Align Middle", + "SSE.Views.DocumentHolder.chartDataText": "Select Chart Data", "SSE.Views.DocumentHolder.chartText": "Chart Advanced Settings", + "SSE.Views.DocumentHolder.chartTypeText": "Change Chart Type", "SSE.Views.DocumentHolder.deleteColumnText": "Column", "SSE.Views.DocumentHolder.deleteRowText": "Row", "SSE.Views.DocumentHolder.deleteTableText": "Table", @@ -1926,6 +1975,14 @@ "SSE.Views.DocumentHolder.textUndo": "Undo", "SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Arrow bullets", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Checkmark bullets", + "SSE.Views.DocumentHolder.tipMarkersDash": "Dash bullets", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Filled rhombus bullets", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Filled round bullets", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Filled square bullets", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Hollow round bullets", + "SSE.Views.DocumentHolder.tipMarkersStar": "Star bullets", "SSE.Views.DocumentHolder.topCellText": "Align Top", "SSE.Views.DocumentHolder.txtAccounting": "Accounting", "SSE.Views.DocumentHolder.txtAddComment": "Add Comment", @@ -2024,7 +2081,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Close Menu", "SSE.Views.FileMenu.btnCreateNewCaption": "Create New", "SSE.Views.FileMenu.btnDownloadCaption": "Download as...", - "SSE.Views.FileMenu.btnExitCaption": "Exit", + "SSE.Views.FileMenu.btnExitCaption": "Close", "SSE.Views.FileMenu.btnFileOpenCaption": "Open...", "SSE.Views.FileMenu.btnHelpCaption": "Help...", "SSE.Views.FileMenu.btnHistoryCaption": "Version History", @@ -2081,6 +2138,8 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Show the Paste Options button when the content is pasted", "del_SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Turn on R1C1 style", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strReferenceStyle": "R1C1 reference style", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUseAltKey": "Use Alt key to navigate the user interface using the keyboard", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUseOptionKey": "Use Option key to navigate the user interface using the keyboard", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", "del_SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Turn on display of the resolved comments", @@ -2112,8 +2171,8 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCollaboration": "Collaboration", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Czech", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Danish", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEditingSaving": "Editing and saving", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "German", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEditingSaving": "Editing and saving", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Greek", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Spanish", @@ -3449,14 +3508,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Insert table", "SSE.Views.Toolbar.tipInsertText": "Insert text box", "SSE.Views.Toolbar.tipInsertTextart": "Insert Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Arrow bullets", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Checkmark bullets", - "SSE.Views.Toolbar.tipMarkersDash": "Dash bullets", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Filled rhombus bullets", - "SSE.Views.Toolbar.tipMarkersFRound": "Filled round bullets", - "SSE.Views.Toolbar.tipMarkersFSquare": "Filled square bullets", - "SSE.Views.Toolbar.tipMarkersHRound": "Hollow round bullets", - "SSE.Views.Toolbar.tipMarkersStar": "Star bullets", "SSE.Views.Toolbar.tipMerge": "Merge and center", "SSE.Views.Toolbar.tipNone": "None", "SSE.Views.Toolbar.tipNumFormat": "Number format", diff --git a/apps/spreadsheeteditor/main/locale/es.json b/apps/spreadsheeteditor/main/locale/es.json index 2e6194d34..94221324a 100644 --- a/apps/spreadsheeteditor/main/locale/es.json +++ b/apps/spreadsheeteditor/main/locale/es.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Agregar nuevo color personalizado", + "Common.UI.ButtonColored.textNewColor": "Color personalizado", "Common.UI.ComboBorderSize.txtNoBorders": "Sin bordes", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sin bordes", "Common.UI.ComboDataView.emptyComboText": "Sin estilo", @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Resuelto", "Common.Views.Comments.textSort": "Ordenar comentarios", "Common.Views.Comments.textViewResolved": "No tiene permiso para volver a abrir el comentario", + "Common.Views.Comments.txtEmpty": "Sin comentarios en la hoja.", "Common.Views.CopyWarningDialog.textDontShow": "No volver a mostrar este mensaje", "Common.Views.CopyWarningDialog.textMsg": "Se puede realizar las acciones de copiar, cortar y pegar usando los botones en la barra de herramientas y el menú contextual sólo en esta pestaña del editor.

                              Si quiere copiar o pegar algo fuera de esta pestaña, use las combinaciones de teclas siguientes:", "Common.Views.CopyWarningDialog.textTitle": "Funciones de Copiar, Cortar y Pegar", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Deshacer", "SSE.Views.DocumentHolder.textUnFreezePanes": "Descongelar Paneles", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Viñetas de flecha", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Viñetas de marca de verificación", + "SSE.Views.DocumentHolder.tipMarkersDash": "Viñetas guión", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Rombos rellenos", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Viñetas redondas rellenas", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Viñetas cuadradas rellenas", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Viñetas redondas huecas", + "SSE.Views.DocumentHolder.tipMarkersStar": "Viñetas de estrella", "SSE.Views.DocumentHolder.topCellText": "Alinear en la parte superior", "SSE.Views.DocumentHolder.txtAccounting": "Contabilidad", "SSE.Views.DocumentHolder.txtAddComment": "Agregar comentario", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Cerrar menú", "SSE.Views.FileMenu.btnCreateNewCaption": "Crear nueva", "SSE.Views.FileMenu.btnDownloadCaption": "Descargar como...", - "SSE.Views.FileMenu.btnExitCaption": "Salir", + "SSE.Views.FileMenu.btnExitCaption": "Cerrar", "SSE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "SSE.Views.FileMenu.btnHelpCaption": "Ayuda...", "SSE.Views.FileMenu.btnHistoryCaption": "Historial de versiones", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Cambiar derechos de acceso", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personas que tienen derechos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Activar autorecuperación", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Activar autoguardado", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modo de co-edición", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Otros usuarios verán los cambios a la vez", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Usted tendrá que aceptar los cambios antes de poder verlos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separador decimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "rápido", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Hinting", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Agregar la versión al almacenamiento después de hacer clic en Guardar o Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Idioma de fórmulas", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Ejemplo: SUMA; MIN; MAX; CONTAR", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activar la visualización de comentarios", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Ajustes de macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Cortar, copiar y pegar", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Mostrar el botón Opciones de pegado cuando se pegue contenido", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Activar estilo R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Ajustes regionales", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Ejemplo:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activar la visualización de los comentarios resueltos", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separador", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Estricto", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema de interfaz", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separador de miles", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonés", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreano", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Visualización de los comentarios", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letón", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "como OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Deshabilitar todas las macros con notificación", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "como Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chino", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Idioma del diccionario", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Omitir palabras en MAYÚSCULAS", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Omitir palabras con números", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opciones de autocorrección", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Revisión", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Con contraseña", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteger hoja de cálculo", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Se han agregado firmas válidas a la hoja de cálculo. La hoja de cálculo está protegida contra la edición.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunas de las firmas digitales en la hoja de cálculo son inválidas o no se pudieron verificar. La hoja de cálculo está protegida y no se puede editar.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver firmas", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Ajustes de la Página", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Сorrección ortográfica", "SSE.Views.FormatRulesEditDlg.fillColor": "Color de relleno", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Advertencia", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 colores", @@ -2211,7 +2202,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínimo", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto mínimo", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Agregar nuevo color personalizado", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Color personalizado", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sin bordes", "SSE.Views.FormatRulesEditDlg.textNone": "Ningún", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Uno o varios valores especificados no son un porcentaje válido.", @@ -2380,7 +2371,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Cursiva", "SSE.Views.HeaderFooterDialog.textLeft": "A la izquierda", "SSE.Views.HeaderFooterDialog.textMaxError": "El texto es demasiado largo. Reduzca el número de caracteres usados.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Agregar nuevo color personalizado", + "SSE.Views.HeaderFooterDialog.textNewColor": "Color personalizado", "SSE.Views.HeaderFooterDialog.textOdd": "Página impar", "SSE.Views.HeaderFooterDialog.textPageCount": "Número de páginas", "SSE.Views.HeaderFooterDialog.textPageNum": "Número de página", @@ -3154,7 +3145,7 @@ "SSE.Views.Statusbar.textCount": "Contar", "SSE.Views.Statusbar.textMax": "Máx.", "SSE.Views.Statusbar.textMin": "Mín.", - "SSE.Views.Statusbar.textNewColor": "Agregar nuevo color personalizado", + "SSE.Views.Statusbar.textNewColor": "Color personalizado", "SSE.Views.Statusbar.textNoColor": "Sin color", "SSE.Views.Statusbar.textSum": "Suma", "SSE.Views.Statusbar.tipAddTab": "Agregar hoja de cálculo", @@ -3341,7 +3332,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Bordes horizontales internos", "SSE.Views.Toolbar.textMoreFormats": "Otros formatos", "SSE.Views.Toolbar.textMorePages": "Más páginas", - "SSE.Views.Toolbar.textNewColor": "Agregar nuevo color personalizado", + "SSE.Views.Toolbar.textNewColor": "Color personalizado", "SSE.Views.Toolbar.textNewRule": "Nueva regla", "SSE.Views.Toolbar.textNoBorders": "Sin bordes", "SSE.Views.Toolbar.textOnePage": "página", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Insertar tabla", "SSE.Views.Toolbar.tipInsertText": "Insertar cuadro de texto", "SSE.Views.Toolbar.tipInsertTextart": "Inserta Texto Arte", - "SSE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", - "SSE.Views.Toolbar.tipMarkersDash": "Viñetas guión", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Rombos rellenos", - "SSE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas rellenas", - "SSE.Views.Toolbar.tipMarkersFSquare": "Viñetas cuadradas rellenas", - "SSE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas huecas", - "SSE.Views.Toolbar.tipMarkersStar": "Viñetas de estrella", "SSE.Views.Toolbar.tipMerge": "Combinar y centrar", "SSE.Views.Toolbar.tipNone": "Ninguno", "SSE.Views.Toolbar.tipNumFormat": "Formato de número", diff --git a/apps/spreadsheeteditor/main/locale/fi.json b/apps/spreadsheeteditor/main/locale/fi.json index f16b46878..4c7c9015e 100644 --- a/apps/spreadsheeteditor/main/locale/fi.json +++ b/apps/spreadsheeteditor/main/locale/fi.json @@ -2,6 +2,7 @@ "cancelButtonText": "Peruuta", "Common.Controllers.Chat.notcriticalErrorTitle": "Varoitus", "Common.Controllers.Chat.textEnterMessage": "Syötä viestisi tässä", + "Common.UI.ButtonColored.textNewColor": "Lisää uusi mukautettu väri", "Common.UI.ComboBorderSize.txtNoBorders": "Ei reunuksia", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ei reunuksia", "Common.UI.ComboDataView.emptyComboText": "Ei tyylejä", @@ -975,16 +976,11 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Muuta käyttöoikeuksia", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Henkilöt, joilla ovat oikeudet", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Käytä", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Aseta päälle automaattinen palautus", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Aseta päälle automaattinen talletus", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Yhteismuokkauksen tila", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Muut käyttäjät näkevät muutoksesi välittömästi", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Sinun tulee hyväksyä muutokset ennenkuin näet ne", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Pika", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Fontin ehdotukset", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Kaavan kieli", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Esimerkki: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Ota käyttöön kommenttien näkymä", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Alueelliset asetukset", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Esimerkki:", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Ehdoton", @@ -1002,19 +998,18 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Saksa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Englannikielinen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Tuumaa", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Kommentoinnin näkymä", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "kuten OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Syntyperäinen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Piste", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Venäjän kieli", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "kuten Windows", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Yleistä", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Sivun asetukset", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Lisää uusi mukautettu väri", "SSE.Views.FormatSettingsDialog.txtAccounting": "Kirjanpito", "SSE.Views.FormulaDialog.sDescription": "Kuvaus", "SSE.Views.FormulaDialog.textGroupDescription": "Valitse funktioryhmä", "SSE.Views.FormulaDialog.textListDescription": "Valitse funktio", "SSE.Views.FormulaDialog.txtTitle": "Lisää funktio", + "SSE.Views.HeaderFooterDialog.textNewColor": "Lisää uusi mukautettu väri", "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Näyttö", "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Linkitä:", "SSE.Views.HyperlinkSettingsDialog.strRange": "Tietoalue", diff --git a/apps/spreadsheeteditor/main/locale/fr.json b/apps/spreadsheeteditor/main/locale/fr.json index a484271d7..c64724887 100644 --- a/apps/spreadsheeteditor/main/locale/fr.json +++ b/apps/spreadsheeteditor/main/locale/fr.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Créer une copie", "Common.Translation.warnFileLockedBtnView": "Ouvrir pour visualisation", "Common.UI.ButtonColored.textAutoColor": "Automatique", - "Common.UI.ButtonColored.textNewColor": "Ajouter une nouvelle couleur personnalisée", + "Common.UI.ButtonColored.textNewColor": "Couleur personnalisée", "Common.UI.ComboBorderSize.txtNoBorders": "Pas de bordures", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Pas de bordures", "Common.UI.ComboDataView.emptyComboText": "Aucun style", @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Résolu", "Common.Views.Comments.textSort": "Trier les commentaires", "Common.Views.Comments.textViewResolved": "Vous n'avez pas la permission de rouvrir le commentaire", + "Common.Views.Comments.txtEmpty": "Il n'y a pas de commentaires dans la feuille.", "Common.Views.CopyWarningDialog.textDontShow": "Ne plus afficher ce message", "Common.Views.CopyWarningDialog.textMsg": "Vous pouvez réaliser les actions de copier, couper et coller en utilisant les boutons de la barre d'outils et à l'aide du menu contextuel à partir de cet onglet uniquement.

                              Pour copier ou coller de / vers les applications en dehors de l'onglet de l'éditeur, utilisez les combinaisons de touches suivantes :", "Common.Views.CopyWarningDialog.textTitle": "Fonctions de Copier, Couper et Coller", @@ -218,7 +219,7 @@ "Common.Views.Header.textBack": "Ouvrir l'emplacement du fichier", "Common.Views.Header.textCompactView": "Masquer la barre d'outils", "Common.Views.Header.textHideLines": "Masquer les règles", - "Common.Views.Header.textHideStatusBar": "Combiner la feuille et les barres d'état", + "Common.Views.Header.textHideStatusBar": "Combiner la barre de la feuille et la barre d'état", "Common.Views.Header.textRemoveFavorite": "Enlever des favoris", "Common.Views.Header.textSaveBegin": "Enregistrement en cours...", "Common.Views.Header.textSaveChanged": "Modifié", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Annuler", "SSE.Views.DocumentHolder.textUnFreezePanes": "Libérer les volets", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Puces fléchées", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Puces coches", + "SSE.Views.DocumentHolder.tipMarkersDash": "Tirets", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Losanges remplis", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Puces arrondies remplies", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Puces carrées remplies", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Puces rondes vides", + "SSE.Views.DocumentHolder.tipMarkersStar": "Puces en étoile", "SSE.Views.DocumentHolder.topCellText": "Aligner en haut", "SSE.Views.DocumentHolder.txtAccounting": "Comptabilité", "SSE.Views.DocumentHolder.txtAddComment": "Ajouter un commentaire", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Fermer le menu", "SSE.Views.FileMenu.btnCreateNewCaption": "Nouveau classeur", "SSE.Views.FileMenu.btnDownloadCaption": "Télécharger comme...", - "SSE.Views.FileMenu.btnExitCaption": "Quitter", + "SSE.Views.FileMenu.btnExitCaption": "Fermer", "SSE.Views.FileMenu.btnFileOpenCaption": "Ouvrir...", "SSE.Views.FileMenu.btnHelpCaption": "Aide...", "SSE.Views.FileMenu.btnHistoryCaption": "Historique des versions", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Changer les droits d'accès", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personnes qui ont des droits", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Appliquer", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Activer la récupération automatique", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Activer l'enregistrement automatique", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Mode de co-édition ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Les autres utilisateurs pourront voir immédiatement vos modifications ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Avant de pouvoir afficher les modifications, vous avez besoin de les accépter ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Séparateur décimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapide", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Hinting de la police", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Ajouter une version dans l'espace de stockage en cliquant Enregistrer ou Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Langage de formule", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activer l'affichage des commentaires", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Réglages macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Couper, copier et coller", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Afficher le bouton \"Options de collage\" lorsque le contenu est collé ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Activer R1C1 style", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Paramètres régionaux", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Exemple: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activer l'affichage des commentaires résolus", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Séparateur", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Thème d’interface", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Séparateur de milliers", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italien", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonais", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coréen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Affichage des commentaires ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laotien", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letton", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "comme OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Désactiver tous les macros avec notification", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "comme Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinois", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Appliquer", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Langue du dictionnaire", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorer les mots en MAJUSCULES", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignorer les mots contenant des chiffres", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Options de correction automatique", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Vérification", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Attention", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Avec mot de passe", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Protéger le classeur", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Des signatures valides ont été ajoutées au classeur. Le classeur est protégé des modifications.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Certaines signatures électriques sont invalides ou n'ont pu être vérifiées. Le classeur est protégé contre la modification. ", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Voir les signatures", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Général", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Paramètres de la page", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Vérification de l'orthographe", "SSE.Views.FormatRulesEditDlg.fillColor": "Couleur de remplissage", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avertissement", "SSE.Views.FormatRulesEditDlg.text2Scales": "Échelle à deux couleurs", @@ -2211,7 +2202,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Valeur minimum", "SSE.Views.FormatRulesEditDlg.textNegative": "Négatif", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Ajouter une nouvelle couleur personnalisée", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Couleur personnalisée", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Pas de bordures", "SSE.Views.FormatRulesEditDlg.textNone": "Rien", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Une ou plusieurs valeurs spécifiées ne correspondent pas à un pourcentage valide.", @@ -2773,7 +2764,7 @@ "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimer le quadrillage", "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimer les titres des lignes et des colonnes", "SSE.Views.PrintWithPreview.txtPrintRange": "Zone d'impression", - "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimer les titres", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Titres à imprimer", "SSE.Views.PrintWithPreview.txtRepeat": "Répéter...", "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Répéter les colonnes à gauche", "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Répéter les lignes en haut", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Insérer un tableau", "SSE.Views.Toolbar.tipInsertText": "Insérez zone de texte", "SSE.Views.Toolbar.tipInsertTextart": "Insérer Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Puces fléchées", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Puces coches", - "SSE.Views.Toolbar.tipMarkersDash": "Tirets", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Losanges remplis", - "SSE.Views.Toolbar.tipMarkersFRound": "Puces arrondies remplies", - "SSE.Views.Toolbar.tipMarkersFSquare": "Puces carrées remplies", - "SSE.Views.Toolbar.tipMarkersHRound": "Puces rondes vides", - "SSE.Views.Toolbar.tipMarkersStar": "Puces en étoile", "SSE.Views.Toolbar.tipMerge": "Fusionner et centrer", "SSE.Views.Toolbar.tipNone": "Aucun", "SSE.Views.Toolbar.tipNumFormat": "Format de nombre", @@ -3585,7 +3568,7 @@ "SSE.Views.ViewTab.capBtnSheetView": "Afficher une feuille", "SSE.Views.ViewTab.textAlwaysShowToolbar": "Toujours afficher la barre d'outils", "SSE.Views.ViewTab.textClose": "Fermer", - "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combiner les barres des feuilles et d'état", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combiner la barre de la feuille et la barre d'état", "SSE.Views.ViewTab.textCreate": "Nouveau", "SSE.Views.ViewTab.textDefault": "Par défaut", "SSE.Views.ViewTab.textFormula": "Barre de formule", diff --git a/apps/spreadsheeteditor/main/locale/gl.json b/apps/spreadsheeteditor/main/locale/gl.json index 5ce47c8cc..3a532f35d 100644 --- a/apps/spreadsheeteditor/main/locale/gl.json +++ b/apps/spreadsheeteditor/main/locale/gl.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crear unha copia", "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Engadir nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.ComboBorderSize.txtNoBorders": "Sen bordos", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sen bordos", "Common.UI.ComboDataView.emptyComboText": "Sen estilo", @@ -218,7 +218,7 @@ "Common.Views.Header.textBack": "Abrir ubicación do ficheiro", "Common.Views.Header.textCompactView": "Agochar barra de ferramentas", "Common.Views.Header.textHideLines": "Agochar regras", - "Common.Views.Header.textHideStatusBar": "COmbinar as barras de folla e de estado", + "Common.Views.Header.textHideStatusBar": "Combinar as barras de folla e de estado", "Common.Views.Header.textRemoveFavorite": "Eliminar dos Favoritos", "Common.Views.Header.textSaveBegin": "Gardando...", "Common.Views.Header.textSaveChanged": "Modificado", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Desfacer", "SSE.Views.DocumentHolder.textUnFreezePanes": "Mobilizar paneis", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Viñetas de flecha", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Viñetas de marca de verificación", + "SSE.Views.DocumentHolder.tipMarkersDash": "Viñetas guión", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Rombos recheos", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Viñetas redondas recheas", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Viñetas cadradas recheas", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Viñetas redondas ocas", + "SSE.Views.DocumentHolder.tipMarkersStar": "Viñetas de estrela", "SSE.Views.DocumentHolder.topCellText": "Aliñar á parte superior", "SSE.Views.DocumentHolder.txtAccounting": "Contabilidade", "SSE.Views.DocumentHolder.txtAddComment": "Engadir comentario", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Cambiar dereitos de acceso", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Persoas que teñen dereitos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Activar autorecuperación", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Activar autogardado", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "O modo Co-edición", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Outras persoas usuarias verán os cambios á vez", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Terá que aceptar os cambios antes de poder velos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separador decimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rápido", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Busca das fontes", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Engadir a versión ao almacenamento despois de premer en Gardar ou Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Idioma da fórmula", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemplo: SUMA; MÍNIMO; MÁXIMO; CONTAR", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activar opción de demostración de comentarios", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Configuración das macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Cortar, copiar e pegar", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Amosar o botón Opcións de pegado cando se pegue contido", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Activar estilo R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Configuración rexional", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Exemplo: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activar a visualización dos comentarios resoltos", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separador", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Estrito", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema da interface", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separador de miles", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Xaponés", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreano", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Demostración de comentarios", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letón", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "coma OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Desactivar todas as macros con notificación", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "coma Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinés", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Idioma do dicionario", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Omitir palabras en MAIÚSCULAS", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Omitir palabras con números", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opcións de autocorrección", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Corrección", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Con contrasinal", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Protexer folla de cálculo", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Engadíronse sinaturas válidas á folla de cálculo. A folla de cálculo está protexida contra a edición.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algunhas das sinaturas dixitais da folla de cálculo non son válidas ou non se puideron verificar. A folla de cálculo está protexida contra a edición.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver sinaturas", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Xeral", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configuración da páxina", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Сorrección ortográfica", "SSE.Views.FormatRulesEditDlg.fillColor": "Cor para encher", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Aviso", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala de 2 cores", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínimo", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto mínimo", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Engadir nova cor personalizada", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Nova cor personalizada", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sen bordos", "SSE.Views.FormatRulesEditDlg.textNone": "Ningún", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Un ou máis dos valores especificados non é unha porcentaxe válida.", @@ -2380,7 +2370,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Cursiva", "SSE.Views.HeaderFooterDialog.textLeft": "Esquerda", "SSE.Views.HeaderFooterDialog.textMaxError": "O texto é demasiado longo. Reduza o número de caracteres usados.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Engadir nova cor personalizada", + "SSE.Views.HeaderFooterDialog.textNewColor": "Nova cor personalizada", "SSE.Views.HeaderFooterDialog.textOdd": "Páxina impar", "SSE.Views.HeaderFooterDialog.textPageCount": "Número de páxinas", "SSE.Views.HeaderFooterDialog.textPageNum": "Número da páxina", @@ -3154,7 +3144,7 @@ "SSE.Views.Statusbar.textCount": "Contar", "SSE.Views.Statusbar.textMax": "Máx", "SSE.Views.Statusbar.textMin": "Mín.", - "SSE.Views.Statusbar.textNewColor": "Engadir nova cor personalizada", + "SSE.Views.Statusbar.textNewColor": "Nova cor personalizada", "SSE.Views.Statusbar.textNoColor": "Sen cor", "SSE.Views.Statusbar.textSum": "Suma", "SSE.Views.Statusbar.tipAddTab": "Engadir folla de cálculo", @@ -3341,7 +3331,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Bordos horizontais interiores", "SSE.Views.Toolbar.textMoreFormats": "Outros formatos", "SSE.Views.Toolbar.textMorePages": "Máis páxinas", - "SSE.Views.Toolbar.textNewColor": "Engadir nova cor personalizada", + "SSE.Views.Toolbar.textNewColor": "Nova cor personalizada", "SSE.Views.Toolbar.textNewRule": "Nova regra", "SSE.Views.Toolbar.textNoBorders": "Sen bordos", "SSE.Views.Toolbar.textOnePage": "páxina", @@ -3429,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Inserir táboa", "SSE.Views.Toolbar.tipInsertText": "Inserir caixa do texto", "SSE.Views.Toolbar.tipInsertTextart": "Inserir arte do texto", - "SSE.Views.Toolbar.tipMarkersArrow": "Viñetas de flecha", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Viñetas de marca de verificación", - "SSE.Views.Toolbar.tipMarkersDash": "Viñetas guión", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Rombos recheos", - "SSE.Views.Toolbar.tipMarkersFRound": "Viñetas redondas recheas", - "SSE.Views.Toolbar.tipMarkersFSquare": "Viñetas cadradas recheas", - "SSE.Views.Toolbar.tipMarkersHRound": "Viñetas redondas ocas", - "SSE.Views.Toolbar.tipMarkersStar": "Viñetas de estrela", "SSE.Views.Toolbar.tipMerge": "Combinar e centrar", "SSE.Views.Toolbar.tipNone": "Ningún", "SSE.Views.Toolbar.tipNumFormat": "Formato numérico", diff --git a/apps/spreadsheeteditor/main/locale/hu.json b/apps/spreadsheeteditor/main/locale/hu.json index 0f2c0fa58..3d1fb2da0 100644 --- a/apps/spreadsheeteditor/main/locale/hu.json +++ b/apps/spreadsheeteditor/main/locale/hu.json @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Feloldott", "Common.Views.Comments.textSort": "Megjegyzések rendezése", "Common.Views.Comments.textViewResolved": "Nincs engedélye a megjegyzés újranyitásához", + "Common.Views.Comments.txtEmpty": "A lapon nincsenek megjegyzések.", "Common.Views.CopyWarningDialog.textDontShow": "Ne mutassa újra ezt az üzenetet", "Common.Views.CopyWarningDialog.textMsg": "A szerkesztés eszköztár gombjaival és a helyi menüvel végzett másolás, kivágás és beillesztés műveletek csak a szerkesztő oldalon használhatóak.

                              A szerkesztő lapon kívüli alkalmazásokba való másoláshoz vagy beillesztéshez az alábbi billentyűzetkombinációkat használja:", "Common.Views.CopyWarningDialog.textTitle": "Másolás, kivágás és beillesztés", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Vissza", "SSE.Views.DocumentHolder.textUnFreezePanes": "Rögzítés eltávolítása", "SSE.Views.DocumentHolder.textVar": "Variancia", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Nyíl felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersDash": "Kötőjel felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Tömör kör felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Üreges kör felsorolásjelek", + "SSE.Views.DocumentHolder.tipMarkersStar": "Csillag felsorolásjelek", "SSE.Views.DocumentHolder.topCellText": "Felfelé rendez", "SSE.Views.DocumentHolder.txtAccounting": "Könyvelés", "SSE.Views.DocumentHolder.txtAddComment": "Megjegyzés hozzáadása", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Menü bezárása", "SSE.Views.FileMenu.btnCreateNewCaption": "Új létrehozása", "SSE.Views.FileMenu.btnDownloadCaption": "Letöltés másként...", - "SSE.Views.FileMenu.btnExitCaption": "Kilépés", + "SSE.Views.FileMenu.btnExitCaption": "Bezár", "SSE.Views.FileMenu.btnFileOpenCaption": "Megnyitás...", "SSE.Views.FileMenu.btnHelpCaption": "Súgó...", "SSE.Views.FileMenu.btnHistoryCaption": "Verziótörténet", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Hozzáférési jogok módosítása", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Jogosult személyek", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Alkalmaz", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Automatikus visszaállítás bekapcsolása", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Automatikus mentés bekapcsolása", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Együttes szerkesztési mód", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Más felhasználók azonnal látják a módosításokat", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "El kell fogadnia a módosításokat mielőtt meg tudná nézni", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Decimális szeparátor", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Gyors", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Betűtípus ajánlás", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "A Mentés vagy a Ctrl+S gomb megnyomása után adja hozzá a verziót a tárhelyhez", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Függvény nyelve", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Példa: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Kapcsolja be a megjegyzések megjelenítését", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makró beállítások", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Kivágás, másolás és beillesztés", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "A tartalom beillesztésekor jelenítse meg a beillesztési beállítások gombot", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Kapcsolja be az R1C1 stílust", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Területi beállítások", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Példa:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Kapcsolja be a megoldott megjegyzések megjelenítését", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Elválasztó", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Biztonságos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Felhasználói felület témája", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Ezres elválasztó", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Olasz", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japán", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Koreai", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Megjegyzések megjelenítése", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laoszi", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Lett", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OS X-ként", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Minden értesítéssel rendelkező makró letiltása", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windows-ként", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Kínai", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Alkalmaz", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Szótár nyelve", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "NAGYBETŰS szavak mellőzése", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Szavak mellőzése számokkal", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Automatikus javítás beállításai...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Korrigálás", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Figyelmeztetés", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "jelszóval", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Munkafüzet védelme", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Érvényes aláírásokat adtak hozzá a munkafüzethez. A táblázatkezelő védve van a szerkesztéstől.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "A munkafüzetben található digitális aláírások némelyike érvénytelen vagy nem ellenőrizhető. A táblázatkezelő védve van a szerkesztéstől.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Aláírások megtekintése", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Általános", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Oldal beállítások", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Helyesírás-ellenőrzés", "SSE.Views.FormatRulesEditDlg.fillColor": "Kitöltőszín", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Figyelmeztetés", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Színskála", @@ -2753,6 +2744,7 @@ "SSE.Views.PrintWithPreview.txtCurrentSheet": "Aktuális munkalap", "SSE.Views.PrintWithPreview.txtCustom": "Egyéni", "SSE.Views.PrintWithPreview.txtCustomOptions": "Egyéni lehetőségek", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Nincs nyomtatható tartalom, mert a táblázat üres", "SSE.Views.PrintWithPreview.txtFitCols": "Illessze az összes oszlopot egy oldalon", "SSE.Views.PrintWithPreview.txtFitPage": "Illessze a munkalapot egy oldalra", "SSE.Views.PrintWithPreview.txtFitRows": "Illessze az összes sort egy oldalon", @@ -3428,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Táblázat beszúrása", "SSE.Views.Toolbar.tipInsertText": "Szövegdoboz beszúrása", "SSE.Views.Toolbar.tipInsertTextart": "TextArt beszúrása", - "SSE.Views.Toolbar.tipMarkersArrow": "Nyíl felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Jelölőnégyzet felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersDash": "Kötőjel felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Tömör rombusz felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersFRound": "Tömör kör felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersFSquare": "Tömör szögletes felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersHRound": "Üreges kör felsorolásjelek", - "SSE.Views.Toolbar.tipMarkersStar": "Csillag felsorolásjelek", "SSE.Views.Toolbar.tipMerge": "Összevonás és középre", "SSE.Views.Toolbar.tipNone": "Egyik sem", "SSE.Views.Toolbar.tipNumFormat": "Számformátum", diff --git a/apps/spreadsheeteditor/main/locale/id.json b/apps/spreadsheeteditor/main/locale/id.json index 250546c06..1216de36b 100644 --- a/apps/spreadsheeteditor/main/locale/id.json +++ b/apps/spreadsheeteditor/main/locale/id.json @@ -1,190 +1,455 @@ { - "cancelButtonText": "Cancel", - "Common.Controllers.Chat.notcriticalErrorTitle": "Warning", - "Common.Controllers.Chat.textEnterMessage": "Enter your message here", + "cancelButtonText": "Batalkan", + "Common.Controllers.Chat.notcriticalErrorTitle": "Peringatan", + "Common.Controllers.Chat.textEnterMessage": "Tuliskan pesan Anda di sini", "Common.Controllers.History.notcriticalErrorTitle": "Peringatan", - "Common.define.chartData.textArea": "Grafik Area", + "Common.define.chartData.textArea": "Area", + "Common.define.chartData.textAreaStacked": "Area yang ditumpuk", + "Common.define.chartData.textAreaStackedPer": "Area bertumpuk 100%", "Common.define.chartData.textBar": "Palang", + "Common.define.chartData.textBarNormal": "Grafik kolom klaster", + "Common.define.chartData.textBarNormal3d": "Kolom cluster 3-D", + "Common.define.chartData.textBarNormal3dPerspective": "Kolom 3-D", + "Common.define.chartData.textBarStacked": "Diagram kolom bertumpuk", + "Common.define.chartData.textBarStacked3d": "Kolom bertumpuk 3-D", + "Common.define.chartData.textBarStackedPer": "Kolom bertumpuk 100%", + "Common.define.chartData.textBarStackedPer3d": "Kolom bertumpuk 100% 3-D", "Common.define.chartData.textCharts": "Bagan", "Common.define.chartData.textColumn": "Kolom", "Common.define.chartData.textColumnSpark": "Kolom", + "Common.define.chartData.textCombo": "Combo", + "Common.define.chartData.textComboAreaBar": "Area yang ditumpuk - kolom klaster", + "Common.define.chartData.textComboBarLine": "Grafik kolom klaster - garis", + "Common.define.chartData.textComboBarLineSecondary": "Grafik kolom klaster - garis pada sumbu sekunder", + "Common.define.chartData.textComboCustom": "Custom kombinasi", + "Common.define.chartData.textDoughnut": "Doughnut", + "Common.define.chartData.textHBarNormal": "Grafik batang klaster", + "Common.define.chartData.textHBarNormal3d": "Diagram Batang Cluster 3-D", + "Common.define.chartData.textHBarStacked": "Diagram batang bertumpuk", + "Common.define.chartData.textHBarStacked3d": "Diagram batang bertumpuk 3-D", + "Common.define.chartData.textHBarStackedPer": "Diagram batang bertumpuk 100%", + "Common.define.chartData.textHBarStackedPer3d": "Diagram batang bertumpuk 100% 3-D", "Common.define.chartData.textLine": "Garis", + "Common.define.chartData.textLine3d": "Garis 3-D", + "Common.define.chartData.textLineMarker": "Garis dengan tanda", "Common.define.chartData.textLineSpark": "Garis", + "Common.define.chartData.textLineStacked": "Diagram garis bertumpuk", + "Common.define.chartData.textLineStackedMarker": "Diagram garis bertumpuk dengan marker", + "Common.define.chartData.textLineStackedPer": "Garis bertumpuk 100%", + "Common.define.chartData.textLineStackedPerMarker": "Garis bertumpuk 100% dengan marker", "Common.define.chartData.textPie": "Diagram Lingkaran", + "Common.define.chartData.textPie3d": "Pie 3-D", + "Common.define.chartData.textPoint": "XY (Scatter)", + "Common.define.chartData.textScatter": "Sebar", + "Common.define.chartData.textScatterLine": "Diagram sebar dengan garis lurus", + "Common.define.chartData.textScatterLineMarker": "Diagram sebar dengan garis lurus dan marker", + "Common.define.chartData.textScatterSmooth": "Diagram sebar dengan garis mulus", + "Common.define.chartData.textScatterSmoothMarker": "Diagram sebar dengan garis mulus dan marker", + "Common.define.chartData.textSparks": "Sparklines", + "Common.define.chartData.textStock": "Diagram Garis", + "Common.define.chartData.textSurface": "Permukaan", + "Common.define.chartData.textWinLossSpark": "Menang/Kalah", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "Tanpa pengaturan format", + "Common.define.conditionalData.text1Above": "1 std dev di atas", + "Common.define.conditionalData.text1Below": "1 std dev di bawah", + "Common.define.conditionalData.text2Above": "2 std dev di atas", + "Common.define.conditionalData.text2Below": "2 std dev di bawah", + "Common.define.conditionalData.text3Above": "3 std dev di atas", + "Common.define.conditionalData.text3Below": "3 std dev di bawah", "Common.define.conditionalData.textAbove": "Di atas", + "Common.define.conditionalData.textAverage": "Rata-rata", + "Common.define.conditionalData.textBegins": "Dimulai dari", "Common.define.conditionalData.textBelow": "Di bawah", + "Common.define.conditionalData.textBetween": "Diantara", + "Common.define.conditionalData.textBlank": "Kosong", + "Common.define.conditionalData.textBlanks": "Tidak berisi/kosong", "Common.define.conditionalData.textBottom": "Bawah", + "Common.define.conditionalData.textContains": "Berisi", + "Common.define.conditionalData.textDataBar": "Bar data", "Common.define.conditionalData.textDate": "Tanggal", "Common.define.conditionalData.textDuplicate": "Duplikat", + "Common.define.conditionalData.textEnds": "Berakhir dengan", + "Common.define.conditionalData.textEqAbove": "Sama dengan atau diatas", + "Common.define.conditionalData.textEqBelow": "Sama dengan atau dibawah", + "Common.define.conditionalData.textEqual": "Sama dengan", "Common.define.conditionalData.textError": "Kesalahan", + "Common.define.conditionalData.textErrors": "Berisi error", + "Common.define.conditionalData.textFormula": "Formula", "Common.define.conditionalData.textGreater": "Lebih Dari", "Common.define.conditionalData.textGreaterEq": "Lebih Dari atau Sama Dengan", + "Common.define.conditionalData.textIconSets": "Icon sets", + "Common.define.conditionalData.textLast7days": "Dalam 7 hari terakhir", "Common.define.conditionalData.textLastMonth": "bulan lalu", "Common.define.conditionalData.textLastWeek": "minggu lalu", "Common.define.conditionalData.textLess": "Kurang Dari", "Common.define.conditionalData.textLessEq": "Kurang Dari atau Sama Dengan", + "Common.define.conditionalData.textNextMonth": "Bulan berikutnya", + "Common.define.conditionalData.textNextWeek": "Minggu berikutnya", + "Common.define.conditionalData.textNotBetween": "Tidak diantara", + "Common.define.conditionalData.textNotBlanks": "Tidak ada yang kosong", + "Common.define.conditionalData.textNotContains": "Tidak memiliki", "Common.define.conditionalData.textNotEqual": "Tidak Sama Dengan", + "Common.define.conditionalData.textNotErrors": "Tidak berisi error", "Common.define.conditionalData.textText": "Teks", "Common.define.conditionalData.textThisMonth": "Bulan ini", + "Common.define.conditionalData.textThisWeek": "Minggu ini", "Common.define.conditionalData.textToday": "Hari ini", "Common.define.conditionalData.textTomorrow": "Besok", "Common.define.conditionalData.textTop": "Atas", + "Common.define.conditionalData.textUnique": "Unik", + "Common.define.conditionalData.textValue": "Nilai adalah", "Common.define.conditionalData.textYesterday": "Kemarin", + "Common.Translation.warnFileLocked": "File sedang diedit di aplikasi lain. Anda bisa melanjutkan edit dan menyimpannya sebagai salinan.", "Common.Translation.warnFileLockedBtnEdit": "Buat salinan", + "Common.Translation.warnFileLockedBtnView": "Buka untuk dilihat", "Common.UI.ButtonColored.textAutoColor": "Otomatis", - "Common.UI.ButtonColored.textNewColor": "Tambahkan Warna Khusus Baru", - "Common.UI.ComboBorderSize.txtNoBorders": "No borders", - "Common.UI.ComboBorderSizeEditable.txtNoBorders": "No borders", - "Common.UI.ComboDataView.emptyComboText": "No styles", - "Common.UI.ExtendedColorDialog.addButtonText": "Add", - "Common.UI.ExtendedColorDialog.textCurrent": "Current", - "Common.UI.ExtendedColorDialog.textHexErr": "The entered value is incorrect.
                              Please enter a value between 000000 and FFFFFF.", - "Common.UI.ExtendedColorDialog.textNew": "New", - "Common.UI.ExtendedColorDialog.textRGBErr": "The entered value is incorrect.
                              Please enter a numeric value between 0 and 255.", - "Common.UI.HSBColorPicker.textNoColor": "No Color", - "Common.UI.SearchDialog.textHighlight": "Highlight results", - "Common.UI.SearchDialog.textMatchCase": "Case sensitive", - "Common.UI.SearchDialog.textReplaceDef": "Enter the replacement text", - "Common.UI.SearchDialog.textSearchStart": "Enter your text here", - "Common.UI.SearchDialog.textTitle": "Find and Replace", - "Common.UI.SearchDialog.textTitle2": "Find", - "Common.UI.SearchDialog.textWholeWords": "Whole words only", - "Common.UI.SearchDialog.txtBtnReplace": "Replace", - "Common.UI.SearchDialog.txtBtnReplaceAll": "Replace All", - "Common.UI.SynchronizeTip.textDontShow": "Don't show this message again", - "Common.UI.SynchronizeTip.textSynchronize": "The document has been changed by another user.
                              Please click to save your changes and reload the updates.", + "Common.UI.ButtonColored.textNewColor": "Tambahkan warna khusus baru", + "Common.UI.ComboBorderSize.txtNoBorders": "Tidak ada pembatas", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Tidak ada pembatas", + "Common.UI.ComboDataView.emptyComboText": "Tidak ada model", + "Common.UI.ExtendedColorDialog.addButtonText": "Tambahkan", + "Common.UI.ExtendedColorDialog.textCurrent": "Saat ini", + "Common.UI.ExtendedColorDialog.textHexErr": "Input yang dimasukkan salah.
                              Silakan masukkan input antara 000000 dan FFFFFF.", + "Common.UI.ExtendedColorDialog.textNew": "Baru", + "Common.UI.ExtendedColorDialog.textRGBErr": "Input yang Anda masukkan salah.
                              Silakan masukkan input numerik antara 0 dan 255.", + "Common.UI.HSBColorPicker.textNoColor": "Tidak ada Warna", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Sembunyikan password", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Tampilkan password", + "Common.UI.SearchDialog.textHighlight": "Sorot hasil", + "Common.UI.SearchDialog.textMatchCase": "Harus sama persis", + "Common.UI.SearchDialog.textReplaceDef": "Tuliskan teks pengganti", + "Common.UI.SearchDialog.textSearchStart": "Tuliskan teks Anda di sini", + "Common.UI.SearchDialog.textTitle": "Cari dan Ganti", + "Common.UI.SearchDialog.textTitle2": "Cari", + "Common.UI.SearchDialog.textWholeWords": "Seluruh kata saja", + "Common.UI.SearchDialog.txtBtnHideReplace": "Sembunyikan Replace", + "Common.UI.SearchDialog.txtBtnReplace": "Ganti", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Ganti Semua", + "Common.UI.SynchronizeTip.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.UI.SynchronizeTip.textSynchronize": "Dokumen telah diubah oleh pengguna lain.
                              Silakan klik untuk menyimpan perubahan dan memuat ulang pembaruan.", + "Common.UI.ThemeColorPalette.textStandartColors": "Warna Standar", "Common.UI.ThemeColorPalette.textThemeColors": "Warna Tema", - "Common.UI.Window.cancelButtonText": "Cancel", - "Common.UI.Window.closeButtonText": "Close", - "Common.UI.Window.noButtonText": "No", + "Common.UI.Themes.txtThemeClassicLight": "Terang Klasik", + "Common.UI.Themes.txtThemeDark": "Gelap", + "Common.UI.Themes.txtThemeLight": "Cerah", + "Common.UI.Window.cancelButtonText": "Batalkan", + "Common.UI.Window.closeButtonText": "Tutup", + "Common.UI.Window.noButtonText": "Tidak", "Common.UI.Window.okButtonText": "OK", - "Common.UI.Window.textConfirmation": "Confirmation", - "Common.UI.Window.textDontShow": "Don't show this message again", - "Common.UI.Window.textError": "Error", - "Common.UI.Window.textInformation": "Information", - "Common.UI.Window.textWarning": "Warning", - "Common.UI.Window.yesButtonText": "Yes", - "Common.Views.About.txtAddress": "address: ", - "Common.Views.About.txtLicensee": "LICENSEE", - "Common.Views.About.txtLicensor": "LICENSOR", - "Common.Views.About.txtMail": "email: ", + "Common.UI.Window.textConfirmation": "Konfirmasi", + "Common.UI.Window.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.UI.Window.textError": "Kesalahan", + "Common.UI.Window.textInformation": "Informasi", + "Common.UI.Window.textWarning": "Peringatan", + "Common.UI.Window.yesButtonText": "Ya", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "alamat:", + "Common.Views.About.txtLicensee": "PEMEGANG LISENSI", + "Common.Views.About.txtLicensor": "PEMBERI LISENSI", + "Common.Views.About.txtMail": "email:", "Common.Views.About.txtPoweredBy": "Powered by", - "Common.Views.About.txtTel": "tel.: ", - "Common.Views.About.txtVersion": "Version ", + "Common.Views.About.txtTel": "tel:", + "Common.Views.About.txtVersion": "Versi", "Common.Views.AutoCorrectDialog.textAdd": "Tambahkan", + "Common.Views.AutoCorrectDialog.textApplyAsWork": "Terapkan saat anda bekerja", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "AutoCorrect", + "Common.Views.AutoCorrectDialog.textAutoFormat": "AutoFormat Sesuai yang Anda Mau", "Common.Views.AutoCorrectDialog.textBy": "oleh", "Common.Views.AutoCorrectDialog.textDelete": "Hapus", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet dan jalur jaringan dengan hyperlink.", + "Common.Views.AutoCorrectDialog.textMathCorrect": "AutoCorrect Matematika", + "Common.Views.AutoCorrectDialog.textNewRowCol": "Sertakan kolom dan baris baru di tabel", + "Common.Views.AutoCorrectDialog.textRecognized": "Fungsi yang Diterima", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Ekspresi ini merupakan ekspresi matematika. Ekspresi ini tidak akan dimiringkan secara otomatis.", "Common.Views.AutoCorrectDialog.textReplace": "Ganti", + "Common.Views.AutoCorrectDialog.textReplaceText": "Ganti Saat Anda Mengetik", + "Common.Views.AutoCorrectDialog.textReplaceType": "Ganti teks saat Anda mengetik", "Common.Views.AutoCorrectDialog.textReset": "Atur ulang", "Common.Views.AutoCorrectDialog.textResetAll": "Atur ulang kembali ke awal", "Common.Views.AutoCorrectDialog.textRestore": "Pemulihan", - "Common.Views.Chat.textSend": "Send", - "Common.Views.Comments.textAdd": "Add", - "Common.Views.Comments.textAddComment": "Add Comment", - "Common.Views.Comments.textAddCommentToDoc": "Add Comment to Document", - "Common.Views.Comments.textAddReply": "Add Reply", + "Common.Views.AutoCorrectDialog.textTitle": "AutoCorrect", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "Fungsi yang diterima harus memiliki huruf A sampai Z, huruf besar atau huruf kecil.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Semua ekspresi yang Anda tambahkan akan dihilangkan dan yang sudah terhapus akan dikembalikan. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnReplace": "Entri autocorrect untuk %1 sudah ada. Apakah Anda ingin menggantinya?", + "Common.Views.AutoCorrectDialog.warnReset": "Semua autocorrect yang Anda tambahkan akan dihilangkan dan yang sudah diganti akan dikembalikan ke nilai awalnya. Apakah Anda ingin melanjutkan?", + "Common.Views.AutoCorrectDialog.warnRestore": "Entri autocorrect untuk %1 akan di reset ke nilai awal. Apakah Anda ingin melanjutkan?", + "Common.Views.Chat.textSend": "Kirim", + "Common.Views.Comments.mniAuthorAsc": "Penulis A sampai Z", + "Common.Views.Comments.mniAuthorDesc": "Penulis Z sampai A", + "Common.Views.Comments.mniDateAsc": "Tertua", + "Common.Views.Comments.mniDateDesc": "Terbaru", + "Common.Views.Comments.mniFilterGroups": "Filter Berdasarkan Grup", + "Common.Views.Comments.mniPositionAsc": "Dari atas", + "Common.Views.Comments.mniPositionDesc": "Dari bawah", + "Common.Views.Comments.textAdd": "Tambahkan", + "Common.Views.Comments.textAddComment": "Tambahkan Komentar", + "Common.Views.Comments.textAddCommentToDoc": "Tambahkan Komentar untuk Dokumen", + "Common.Views.Comments.textAddReply": "Tambahkan Balasan", "Common.Views.Comments.textAll": "Semua", - "Common.Views.Comments.textAnonym": "Guest", - "Common.Views.Comments.textCancel": "Cancel", - "Common.Views.Comments.textClose": "Close", - "Common.Views.Comments.textComments": "Comments", - "Common.Views.Comments.textEdit": "Edit", - "Common.Views.Comments.textEnterCommentHint": "Enter your comment here", + "Common.Views.Comments.textAnonym": "Tamu", + "Common.Views.Comments.textCancel": "Batalkan", + "Common.Views.Comments.textClose": "Tutup", + "Common.Views.Comments.textClosePanel": "Tutup komentar", + "Common.Views.Comments.textComments": "Komentar", + "Common.Views.Comments.textEdit": "OK", + "Common.Views.Comments.textEnterCommentHint": "Tuliskan komentar Anda di sini", "Common.Views.Comments.textHintAddComment": "Tambahkan komentar", - "Common.Views.Comments.textOpenAgain": "Open Again", - "Common.Views.Comments.textReply": "Reply", - "Common.Views.Comments.textResolve": "Resolve", - "Common.Views.Comments.textResolved": "Resolved", - "Common.Views.CopyWarningDialog.textDontShow": "Don't show this message again", - "Common.Views.CopyWarningDialog.textMsg": "Copy, cut and paste actions using the editor toolbar buttons and context menu actions will be performed within this editor tab only.

                              To copy or paste to or from applications outside the editor tab use the following keyboard combinations:", - "Common.Views.CopyWarningDialog.textTitle": "Copy, Cut and Paste Actions", - "Common.Views.CopyWarningDialog.textToCopy": "for Copy", - "Common.Views.CopyWarningDialog.textToCut": "for Cut", - "Common.Views.CopyWarningDialog.textToPaste": "for Paste", - "Common.Views.DocumentAccessDialog.textLoading": "Loading...", - "Common.Views.DocumentAccessDialog.textTitle": "Sharing Settings", + "Common.Views.Comments.textOpenAgain": "Buka Lagi", + "Common.Views.Comments.textReply": "Balas", + "Common.Views.Comments.textResolve": "Selesaikan", + "Common.Views.Comments.textResolved": "Diselesaikan", + "Common.Views.Comments.textSort": "Sortir komentar", + "Common.Views.Comments.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", + "Common.Views.CopyWarningDialog.textDontShow": "Jangan tampilkan pesan ini lagi", + "Common.Views.CopyWarningDialog.textMsg": "Langkah salin, potong dan tempel menggunakan tombol editor toolbar dan menu konteks dapat dilakukan hanya dengan tab editor ni saja.

                              Untuk menyalin atau menempel ke atau dari aplikasi di luar tab editor, gunakan kombinasi tombol keyboard berikut ini:", + "Common.Views.CopyWarningDialog.textTitle": "Salin, Potong dan Tempel", + "Common.Views.CopyWarningDialog.textToCopy": "untuk Salin", + "Common.Views.CopyWarningDialog.textToCut": "untuk Potong", + "Common.Views.CopyWarningDialog.textToPaste": "untuk Tempel", + "Common.Views.DocumentAccessDialog.textLoading": "Memuat...", + "Common.Views.DocumentAccessDialog.textTitle": "Pengaturan Berbagi", + "Common.Views.EditNameDialog.textLabel": "Label:", + "Common.Views.EditNameDialog.textLabelError": "Label tidak boleh kosong.", + "Common.Views.Header.labelCoUsersDescr": "User yang sedang edit file:", + "Common.Views.Header.textAddFavorite": "Tandai sebagai favorit", "Common.Views.Header.textAdvSettings": "Pengaturan Lanjut", - "Common.Views.Header.textBack": "Go to Documents", + "Common.Views.Header.textBack": "Buka Dokumen", + "Common.Views.Header.textCompactView": "Sembunyikan Toolbar", "Common.Views.Header.textHideLines": "Sembunyikan Mistar", + "Common.Views.Header.textHideStatusBar": "Gabungkan sheet dan bar status", + "Common.Views.Header.textRemoveFavorite": "Hilangkan dari Favorit", + "Common.Views.Header.textSaveBegin": "Menyimpan...", + "Common.Views.Header.textSaveChanged": "Dimodifikasi", + "Common.Views.Header.textSaveEnd": "Semua perubahan tersimpan", + "Common.Views.Header.textSaveExpander": "Semua perubahan tersimpan", "Common.Views.Header.textZoom": "Pembesaran", + "Common.Views.Header.tipAccessRights": "Atur perizinan akses dokumen", "Common.Views.Header.tipDownload": "Unduh File", + "Common.Views.Header.tipGoEdit": "Edit file saat ini", + "Common.Views.Header.tipPrint": "Print file", "Common.Views.Header.tipRedo": "Ulangi", "Common.Views.Header.tipSave": "Simpan", "Common.Views.Header.tipUndo": "Batalkan", + "Common.Views.Header.tipUndock": "Buka dock ke jendela terpisah", "Common.Views.Header.tipViewSettings": "Lihat Pengaturan", + "Common.Views.Header.tipViewUsers": "Tampilkan user dan atur hak akses dokumen", "Common.Views.Header.txtAccessRights": "Ubah hak akses", "Common.Views.Header.txtRename": "Ganti nama", "Common.Views.History.textCloseHistory": "Tutup riwayat", + "Common.Views.History.textHide": "Collapse", + "Common.Views.History.textHideAll": "Sembunyikan detail perubahan", "Common.Views.History.textRestore": "Pemulihan", + "Common.Views.History.textShow": "Perluas", + "Common.Views.History.textShowAll": "Tampilkan detail perubahan", "Common.Views.History.textVer": "ver.", - "Common.Views.ImageFromUrlDialog.textUrl": "Paste an image URL:", - "Common.Views.ImageFromUrlDialog.txtEmpty": "This field is required", - "Common.Views.ImageFromUrlDialog.txtNotUrl": "This field should be a URL in the \"http://www.example.com\" format", + "Common.Views.ImageFromUrlDialog.textUrl": "Tempel URL gambar:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", + "Common.Views.ListSettingsDialog.textBulleted": "Start slideshow", + "Common.Views.ListSettingsDialog.textNumbering": "Bernomor", + "Common.Views.ListSettingsDialog.tipChange": "Ubah butir", + "Common.Views.ListSettingsDialog.txtBullet": "Butir", "Common.Views.ListSettingsDialog.txtColor": "Warna", - "Common.Views.ListSettingsDialog.txtNone": "tidak ada", + "Common.Views.ListSettingsDialog.txtNewBullet": "Butir baru", + "Common.Views.ListSettingsDialog.txtNone": "Tidak ada", + "Common.Views.ListSettingsDialog.txtOfText": "% dari teks", "Common.Views.ListSettingsDialog.txtSize": "Ukuran", + "Common.Views.ListSettingsDialog.txtStart": "Dimulai pada", + "Common.Views.ListSettingsDialog.txtSymbol": "Simbol", + "Common.Views.ListSettingsDialog.txtTitle": "List Pengaturan", "Common.Views.ListSettingsDialog.txtType": "Tipe", + "Common.Views.OpenDialog.closeButtonText": "Tutup File", + "Common.Views.OpenDialog.textInvalidRange": "Rentang sel tidak valid", + "Common.Views.OpenDialog.textSelectData": "Pilih data", "Common.Views.OpenDialog.txtAdvanced": "Tingkat Lanjut", "Common.Views.OpenDialog.txtColon": "Titik dua", "Common.Views.OpenDialog.txtComma": "Koma", - "Common.Views.OpenDialog.txtDelimiter": "Delimiter", - "Common.Views.OpenDialog.txtEmpty": "Kolom ini harus diisi", - "Common.Views.OpenDialog.txtEncoding": "Encoding ", + "Common.Views.OpenDialog.txtDelimiter": "Pembatas", + "Common.Views.OpenDialog.txtDestData": "Pilih lokasi untuk data", + "Common.Views.OpenDialog.txtEmpty": "Area ini dibutuhkan", + "Common.Views.OpenDialog.txtEncoding": "Enkoding ", + "Common.Views.OpenDialog.txtIncorrectPwd": "Password salah.", "Common.Views.OpenDialog.txtOpenFile": "Masukkan kata sandi untuk buka file", "Common.Views.OpenDialog.txtOther": "Lainnya", "Common.Views.OpenDialog.txtPassword": "Kata Sandi", "Common.Views.OpenDialog.txtPreview": "Pratinjau", + "Common.Views.OpenDialog.txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", "Common.Views.OpenDialog.txtSemicolon": "Titik koma", - "Common.Views.OpenDialog.txtSpace": "Space", + "Common.Views.OpenDialog.txtSpace": "Spasi", "Common.Views.OpenDialog.txtTab": "Tab", - "Common.Views.OpenDialog.txtTitle": "Choose %1 options", + "Common.Views.OpenDialog.txtTitle": "Pilih %1 opsi", + "Common.Views.OpenDialog.txtTitleProtected": "File yang Diproteksi", + "Common.Views.PasswordDialog.txtDescription": "Buat password untuk melindungi dokumen ini", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Password konfirmasi tidak sama", "Common.Views.PasswordDialog.txtPassword": "Kata Sandi", + "Common.Views.PasswordDialog.txtRepeat": "Ulangi password", "Common.Views.PasswordDialog.txtTitle": "Setel kata sandi", - "Common.Views.PasswordDialog.txtWarning": "Perhatian: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PasswordDialog.txtWarning": "Peringatan: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "Common.Views.PluginDlg.textLoading": "Memuat", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "Memuat", "Common.Views.Plugins.textStart": "Mulai", + "Common.Views.Plugins.textStop": "Stop", + "Common.Views.Protection.hintAddPwd": "Enkripsi dengan password", + "Common.Views.Protection.hintPwd": "Ganti atau hapus password", + "Common.Views.Protection.hintSignature": "Tambah tanda tangan digital atau garis tanda tangan", + "Common.Views.Protection.txtAddPwd": "Tambah password", "Common.Views.Protection.txtChangePwd": "Ubah kata sandi", + "Common.Views.Protection.txtDeletePwd": "Nama file", + "Common.Views.Protection.txtEncrypt": "Enkripsi", + "Common.Views.Protection.txtInvisibleSignature": "Tambah tanda tangan digital", + "Common.Views.Protection.txtSignature": "Tanda Tangan", + "Common.Views.Protection.txtSignatureLine": "Tambah garis tanda tangan", "Common.Views.RenameDialog.textName": "Nama file", + "Common.Views.RenameDialog.txtInvalidName": "Nama file tidak boleh berisi karakter seperti:", + "Common.Views.ReviewChanges.hintNext": "Ke perubahan berikutnya", + "Common.Views.ReviewChanges.hintPrev": "Ke perubahan sebelumnya", + "Common.Views.ReviewChanges.strFast": "Cepat", + "Common.Views.ReviewChanges.strFastDesc": "Co-editing real-time. Semua perubahan disimpan otomatis.", + "Common.Views.ReviewChanges.strStrict": "Strict", + "Common.Views.ReviewChanges.strStrictDesc": "Gunakan tombol 'Simpan' untuk sinkronisasi perubahan yang dibuat Anda dan orang lain.", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Terima perubahan saat ini", + "Common.Views.ReviewChanges.tipCoAuthMode": "Atur mode co-editing", + "Common.Views.ReviewChanges.tipCommentRem": "Hilangkan komentar", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Hilangkan komentar saat ini", + "Common.Views.ReviewChanges.tipCommentResolve": "Selesaikan komentar", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Selesaikan komentar saat ini", "Common.Views.ReviewChanges.tipHistory": "Tampilkan riwayat versi", + "Common.Views.ReviewChanges.tipRejectCurrent": "Tolak perubahan saat ini", + "Common.Views.ReviewChanges.tipReview": "Lacak perubahan", + "Common.Views.ReviewChanges.tipReviewView": "Pilih mode yang perubahannya ingin Anda tampilkan", "Common.Views.ReviewChanges.tipSetDocLang": "Atur Bahasa Dokumen", "Common.Views.ReviewChanges.tipSetSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.tipSharing": "Atur perizinan akses dokumen", "Common.Views.ReviewChanges.txtAccept": "Terima", "Common.Views.ReviewChanges.txtAcceptAll": "Terima semua perubahan", + "Common.Views.ReviewChanges.txtAcceptChanges": "Terima perubahan", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Terima Perubahan Saat Ini", + "Common.Views.ReviewChanges.txtChat": "Chat", "Common.Views.ReviewChanges.txtClose": "Tutup", + "Common.Views.ReviewChanges.txtCoAuthMode": "Mode Edit Bersama", + "Common.Views.ReviewChanges.txtCommentRemAll": "Hilangkan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Hilangkan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentRemMy": "Hilangkan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Hilangkan Komentar Saya Saat Ini", "Common.Views.ReviewChanges.txtCommentRemove": "Hapus", "Common.Views.ReviewChanges.txtCommentResolve": "Selesaikan", - "Common.Views.ReviewChanges.txtHistory": "Riwayat versi", - "Common.Views.ReviewChanges.txtNext": "Berikutnya", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Selesaikan Semua Komentar", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Selesaikan Komentar Saat Ini", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Selesaikan Komentar Saya", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Selesaikan Komentar Saya Saat Ini", + "Common.Views.ReviewChanges.txtDocLang": "Bahasa", + "Common.Views.ReviewChanges.txtFinal": "Semua perubahan diterima (Preview)", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Riwayat Versi", + "Common.Views.ReviewChanges.txtMarkup": "Semua perubahan (Editing)", + "Common.Views.ReviewChanges.txtMarkupCap": "Markup", + "Common.Views.ReviewChanges.txtNext": "Selanjutnya", + "Common.Views.ReviewChanges.txtOriginal": "Semua perubahan ditolak (Preview)", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", "Common.Views.ReviewChanges.txtPrev": "Sebelumnya", "Common.Views.ReviewChanges.txtReject": "Tolak", + "Common.Views.ReviewChanges.txtRejectAll": "Tolak Semua Perubahan", + "Common.Views.ReviewChanges.txtRejectChanges": "Tolak Perubahan", + "Common.Views.ReviewChanges.txtRejectCurrent": "Tolak Perubahan Saat Ini", + "Common.Views.ReviewChanges.txtSharing": "Bagikan", "Common.Views.ReviewChanges.txtSpelling": "Periksa Ejaan", + "Common.Views.ReviewChanges.txtTurnon": "Lacak Perubahan", + "Common.Views.ReviewChanges.txtView": "Mode Tampilan", "Common.Views.ReviewPopover.textAdd": "Tambahkan", "Common.Views.ReviewPopover.textAddReply": "Tambahkan Balasan", "Common.Views.ReviewPopover.textCancel": "Batalkan", "Common.Views.ReviewPopover.textClose": "Tutup", "Common.Views.ReviewPopover.textEdit": "OK", + "Common.Views.ReviewPopover.textMention": "+mention akan memberikan akses ke dokumen dan mengirimkan email", + "Common.Views.ReviewPopover.textMentionNotify": "+mention akan mengingatkan user lewat email", "Common.Views.ReviewPopover.textOpenAgain": "Buka Lagi", "Common.Views.ReviewPopover.textReply": "Balas", "Common.Views.ReviewPopover.textResolve": "Selesaikan", + "Common.Views.ReviewPopover.textViewResolved": "Anda tidak memiliki izin membuka kembali komentar", "Common.Views.ReviewPopover.txtDeleteTip": "Hapus", "Common.Views.ReviewPopover.txtEditTip": "Sunting", + "Common.Views.SaveAsDlg.textLoading": "Memuat", + "Common.Views.SaveAsDlg.textTitle": "Folder untuk simpan", + "Common.Views.SelectFileDlg.textLoading": "Memuat", "Common.Views.SelectFileDlg.textTitle": "Pilih sumber data", "Common.Views.SignDialog.textBold": "Tebal", + "Common.Views.SignDialog.textCertificate": "Sertifikat", "Common.Views.SignDialog.textChange": "Ganti", + "Common.Views.SignDialog.textInputName": "Masukkan nama penandatangan", "Common.Views.SignDialog.textItalic": "Miring", + "Common.Views.SignDialog.textNameError": "Nama penandatangan tidak boleh kosong.", + "Common.Views.SignDialog.textPurpose": "Tujuan menandatangani dokumen ini", "Common.Views.SignDialog.textSelect": "Pilih", + "Common.Views.SignDialog.textSelectImage": "Pilih Gambar", + "Common.Views.SignDialog.textSignature": "Tandatangan terlihat seperti", + "Common.Views.SignDialog.textTitle": "Tanda Tangan Dokumen", + "Common.Views.SignDialog.textUseImage": "atau klik 'Pilih Gambar' untuk menjadikan gambar sebagai tandatangan", + "Common.Views.SignDialog.textValid": "Valid dari %1 sampai %2", + "Common.Views.SignDialog.tipFontName": "Nama Font", "Common.Views.SignDialog.tipFontSize": "Ukuran Huruf", + "Common.Views.SignSettingsDialog.textAllowComment": "Izinkan penandatangan untuk menambahkan komentar di dialog tanda tangan", + "Common.Views.SignSettingsDialog.textInfo": "Info Penandatangan", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Nama", - "Common.Views.SignSettingsDialog.txtEmpty": "Kolom ini harus diisi", + "Common.Views.SignSettingsDialog.textInfoTitle": "Gelar Penandatangan", + "Common.Views.SignSettingsDialog.textInstructions": "Instruksi untuk Penandatangan", + "Common.Views.SignSettingsDialog.textShowDate": "Tampilkan tanggal di garis tandatangan", + "Common.Views.SignSettingsDialog.textTitle": "Setup Tanda Tangan", + "Common.Views.SignSettingsDialog.txtEmpty": "Area ini dibutuhkan", "Common.Views.SymbolTableDialog.textCharacter": "Karakter", + "Common.Views.SymbolTableDialog.textCode": "Nilai Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Copyright Sign", + "Common.Views.SymbolTableDialog.textDCQuote": "Kutip Dua Penutup", + "Common.Views.SymbolTableDialog.textDOQuote": "Kutip Dua Pembuka", + "Common.Views.SymbolTableDialog.textEllipsis": "Ellipsis Horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Em Dash", + "Common.Views.SymbolTableDialog.textEmSpace": "Em Space", + "Common.Views.SymbolTableDialog.textEnDash": "En Dash", + "Common.Views.SymbolTableDialog.textEnSpace": "En Space", "Common.Views.SymbolTableDialog.textFont": "Huruf", - "Common.Views.SymbolTableDialog.textSpecial": "karakter khusus", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hyphen Non-breaking", + "Common.Views.SymbolTableDialog.textNBSpace": "Spasi Tanpa-break", + "Common.Views.SymbolTableDialog.textPilcrow": "Simbol Pilcrow", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 Em Space", + "Common.Views.SymbolTableDialog.textRange": "Rentang", + "Common.Views.SymbolTableDialog.textRecent": "Simbol yang baru digunakan", + "Common.Views.SymbolTableDialog.textRegistered": "Tandatangan Teregistrasi", + "Common.Views.SymbolTableDialog.textSCQuote": "Kutip Satu Penutup", + "Common.Views.SymbolTableDialog.textSection": "Sesi Tandatangan", + "Common.Views.SymbolTableDialog.textShortcut": "Kunci shortcut", + "Common.Views.SymbolTableDialog.textSHyphen": "Soft Hyphen", + "Common.Views.SymbolTableDialog.textSOQuote": "Kutip Satu Pembuka", + "Common.Views.SymbolTableDialog.textSpecial": "Karakter khusus", + "Common.Views.SymbolTableDialog.textSymbols": "Simbol", + "Common.Views.SymbolTableDialog.textTitle": "Simbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Simbol Trademark", + "Common.Views.UserNameDialog.textDontShow": "Jangan tanya saya lagi", + "Common.Views.UserNameDialog.textLabel": "Label:", + "Common.Views.UserNameDialog.textLabelError": "Label tidak boleh kosong.", "SSE.Controllers.DataTab.textColumns": "Kolom", + "SSE.Controllers.DataTab.textEmptyUrl": "Anda perlu melengkapkan URL.", "SSE.Controllers.DataTab.textRows": "Baris", + "SSE.Controllers.DataTab.textWizard": "Teks ke Kolom", + "SSE.Controllers.DataTab.txtDataValidation": "Validasi data", + "SSE.Controllers.DataTab.txtExpand": "Perluas", + "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Data di sebelah pilihan tidak akan dihilangkan. Apakah Anda ingin memperluas pilihan untuk menyertakan data yang berdekatan atau lanjut sortasi dengan hanya sel yang dipilih?", + "SSE.Controllers.DataTab.txtExtendDataValidation": "Pilihan berisi beberapa sel tanpa pengaturan Validasi Data.
                              Apakah Anda ingin memperluas Validasi Data ke sel ini?", + "SSE.Controllers.DataTab.txtImportWizard": "Text Import Wizard", + "SSE.Controllers.DataTab.txtRemDuplicates": "Hapus duplikat", + "SSE.Controllers.DataTab.txtRemoveDataValidation": "Pilihan berisi lebih dari satu jenis validasi.
                              Hapus pengaturan saat ini dan lanjutkan?", + "SSE.Controllers.DataTab.txtRemSelected": "Hapus di pilihan", + "SSE.Controllers.DataTab.txtUrlTitle": "Paste URL data", "SSE.Controllers.DocumentHolder.alignmentText": "Perataan", "SSE.Controllers.DocumentHolder.centerText": "Tengah", "SSE.Controllers.DocumentHolder.deleteColumnText": "Hapus Kolom", + "SSE.Controllers.DocumentHolder.deleteRowText": "Hapus Baris", "SSE.Controllers.DocumentHolder.deleteText": "Hapus", - "SSE.Controllers.DocumentHolder.guestText": "Guest", + "SSE.Controllers.DocumentHolder.errorInvalidLink": "Link referensi tidak ada. Silakan koreksi atau hapus link.", + "SSE.Controllers.DocumentHolder.guestText": "Tamu", "SSE.Controllers.DocumentHolder.insertColumnLeftText": "Kolom Kiri", "SSE.Controllers.DocumentHolder.insertColumnRightText": "Kolom Kanan", "SSE.Controllers.DocumentHolder.insertRowAboveText": "Baris di Atas", @@ -193,245 +458,732 @@ "SSE.Controllers.DocumentHolder.leftText": "Kiri", "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Peringatan", "SSE.Controllers.DocumentHolder.rightText": "Kanan", - "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Column Width {0} symbols ({1} pixels)", - "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Row Height {0} points ({1} pixels)", - "SSE.Controllers.DocumentHolder.textCtrlClick": "Press CTRL and click link", - "SSE.Controllers.DocumentHolder.textInsertLeft": "Insert Left", - "SSE.Controllers.DocumentHolder.textInsertTop": "Insert Top", - "SSE.Controllers.DocumentHolder.tipIsLocked": "This element is being edited by another user.", + "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "Opsi AutoCorrect", + "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Lebar Kolom {0} simbol ({1} piksel)", + "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Tinggi Baris {0} points ({1} pixels)", + "SSE.Controllers.DocumentHolder.textCtrlClick": "Klik link untuk membuka atau klik dan tahan tombol mouse untuk memilih sel.", + "SSE.Controllers.DocumentHolder.textInsertLeft": "Sisipkan Kiri", + "SSE.Controllers.DocumentHolder.textInsertTop": "Sisipkan Atas", + "SSE.Controllers.DocumentHolder.textPasteSpecial": "Paste khusus", + "SSE.Controllers.DocumentHolder.textStopExpand": "Stop memperluas tabel otomatis", + "SSE.Controllers.DocumentHolder.textSym": "sym", + "SSE.Controllers.DocumentHolder.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Controllers.DocumentHolder.txtAboveAve": "Di atas rata-rata", + "SSE.Controllers.DocumentHolder.txtAddBottom": "Tambah pembatas bawah", + "SSE.Controllers.DocumentHolder.txtAddFractionBar": "Tambah bar pecahan", + "SSE.Controllers.DocumentHolder.txtAddHor": "Tambah garis horizontal", + "SSE.Controllers.DocumentHolder.txtAddLB": "Tambah garis kiri bawah", + "SSE.Controllers.DocumentHolder.txtAddLeft": "Tambah pembatas kiri", + "SSE.Controllers.DocumentHolder.txtAddLT": "Tambah garis kiri atas", + "SSE.Controllers.DocumentHolder.txtAddRight": "Tambah pembatas kiri", + "SSE.Controllers.DocumentHolder.txtAddTop": "Tambah pembatas atas", + "SSE.Controllers.DocumentHolder.txtAddVer": "Tambah garis vertikal", + "SSE.Controllers.DocumentHolder.txtAlignToChar": "Rata dengan karakter", + "SSE.Controllers.DocumentHolder.txtAll": "(Semua)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Kembalikan seluruh isi tabel atau kolom tabel tertentu termasuk header kolom, data dan total baris", "SSE.Controllers.DocumentHolder.txtAnd": "dan", + "SSE.Controllers.DocumentHolder.txtBegins": "Dimulai dari", + "SSE.Controllers.DocumentHolder.txtBelowAve": "Di bawah rata-rata", + "SSE.Controllers.DocumentHolder.txtBlanks": "(Kosong)", + "SSE.Controllers.DocumentHolder.txtBorderProps": "Properti pembatas", "SSE.Controllers.DocumentHolder.txtBottom": "Bawah", "SSE.Controllers.DocumentHolder.txtColumn": "Kolom", + "SSE.Controllers.DocumentHolder.txtColumnAlign": "Rata kolom", + "SSE.Controllers.DocumentHolder.txtContains": "Berisi", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Kembalikan sel data dari tabel atau kolom tabel yang dihitung", + "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Kurangi ukuran argumen", + "SSE.Controllers.DocumentHolder.txtDeleteArg": "Hapus argumen", + "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Hapus break manual", + "SSE.Controllers.DocumentHolder.txtDeleteChars": "Hapus karakter terlampir", + "SSE.Controllers.DocumentHolder.txtDeleteCharsAndSeparators": "Hapus karakter dan separator terlampir", + "SSE.Controllers.DocumentHolder.txtDeleteEq": "Hapus persamaan", + "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "Hapus char", + "SSE.Controllers.DocumentHolder.txtDeleteRadical": "Hapus radikal", + "SSE.Controllers.DocumentHolder.txtEnds": "Berakhir dengan", + "SSE.Controllers.DocumentHolder.txtEquals": "Sama Dengan", + "SSE.Controllers.DocumentHolder.txtEqualsToCellColor": "Sama dengan warna sel", + "SSE.Controllers.DocumentHolder.txtEqualsToFontColor": "Sama dengan warna font", + "SSE.Controllers.DocumentHolder.txtExpand": "Perluas dan sortir", + "SSE.Controllers.DocumentHolder.txtExpandSort": "Data di sebelah pilihan tidak akan disortasi. Apakah Anda ingin memperluas pilihan untuk menyertakan data yang berdekatan atau lanjut sortasi dengan hanya sel yang dipilih?", "SSE.Controllers.DocumentHolder.txtFilterBottom": "Bawah", "SSE.Controllers.DocumentHolder.txtFilterTop": "Atas", + "SSE.Controllers.DocumentHolder.txtFractionLinear": "Ubah ke pecahan linear", + "SSE.Controllers.DocumentHolder.txtFractionSkewed": "Ubah ke pecahan", + "SSE.Controllers.DocumentHolder.txtFractionStacked": "Ubah ke pecahan bertumpuk", "SSE.Controllers.DocumentHolder.txtGreater": "Lebih Dari", "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Lebih Dari atau Sama Dengan", - "SSE.Controllers.DocumentHolder.txtHeight": "Height", + "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Karakter di atas teks", + "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Karakter di bawah teks", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Kembalikan header kolom untuk tabel atau tabel kolom spesifik", + "SSE.Controllers.DocumentHolder.txtHeight": "Tinggi", + "SSE.Controllers.DocumentHolder.txtHideBottom": "Sembunyikan pembatas bawah", + "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Sembunyikan nilai batas bawah", + "SSE.Controllers.DocumentHolder.txtHideCloseBracket": "Sembunyikan tanda kurung tutup", + "SSE.Controllers.DocumentHolder.txtHideDegree": "Sembunyikan degree", + "SSE.Controllers.DocumentHolder.txtHideHor": "Sembunyikan garis horizontal", + "SSE.Controllers.DocumentHolder.txtHideLB": "Sembunyikan garis bawah kiri", + "SSE.Controllers.DocumentHolder.txtHideLeft": "Sembunyikan pembatas kiri", + "SSE.Controllers.DocumentHolder.txtHideLT": "Sembunyikan garis atas kiri", + "SSE.Controllers.DocumentHolder.txtHideOpenBracket": "Sembunyikan tanda kurung buka", + "SSE.Controllers.DocumentHolder.txtHidePlaceholder": "Sembunyikan placeholder", + "SSE.Controllers.DocumentHolder.txtHideRight": "Sembunyikan pembatas kanan", + "SSE.Controllers.DocumentHolder.txtHideTop": "Sembunyikan pembatas atas", + "SSE.Controllers.DocumentHolder.txtHideTopLimit": "Sembunyikan nilai batas atas", + "SSE.Controllers.DocumentHolder.txtHideVer": "Sembunyikan garis vertikal", + "SSE.Controllers.DocumentHolder.txtImportWizard": "Text Import Wizard", + "SSE.Controllers.DocumentHolder.txtIncreaseArg": "Tingkatkan ukuran argumen", + "SSE.Controllers.DocumentHolder.txtInsertArgAfter": "Sisipkan argumen setelah", + "SSE.Controllers.DocumentHolder.txtInsertArgBefore": "Sisipkan argumen sebelum", + "SSE.Controllers.DocumentHolder.txtInsertBreak": "Sisipkan break manual", + "SSE.Controllers.DocumentHolder.txtInsertEqAfter": "Sisipkan persamaan setelah", + "SSE.Controllers.DocumentHolder.txtInsertEqBefore": "Sisipkan persamaan sebelum", + "SSE.Controllers.DocumentHolder.txtItems": "items", + "SSE.Controllers.DocumentHolder.txtKeepTextOnly": "Pertahankan hanya teks", "SSE.Controllers.DocumentHolder.txtLess": "Kurang Dari", "SSE.Controllers.DocumentHolder.txtLessEquals": "Kurang Dari atau Sama Dengan", - "SSE.Controllers.DocumentHolder.txtOr": "Atau", + "SSE.Controllers.DocumentHolder.txtLimitChange": "Ganti lokasi limit", + "SSE.Controllers.DocumentHolder.txtLimitOver": "Batasi di atas teks", + "SSE.Controllers.DocumentHolder.txtLimitUnder": "Batasi di bawah teks", + "SSE.Controllers.DocumentHolder.txtLockSort": "Ditemukan data di sebelah pilihan Anda, tapi, Anda tidak memiliki izin untuk mengubah sel tersebut.
                              Apakah Anda ingin tetap lanjut dengan pilihan saat ini?", + "SSE.Controllers.DocumentHolder.txtMatchBrackets": "Sesuaikan tanda kurung dengan tinggi argumen", + "SSE.Controllers.DocumentHolder.txtMatrixAlign": "Rata matriks", + "SSE.Controllers.DocumentHolder.txtNoChoices": "Tidak ada pilihan untuk mengisi sel.
                              Hanya nilai teks dari kolom yang bisa dipilih untuk diganti.", + "SSE.Controllers.DocumentHolder.txtNotBegins": "Tidak diawali dari", + "SSE.Controllers.DocumentHolder.txtNotContains": "Tidak memiliki", + "SSE.Controllers.DocumentHolder.txtNotEnds": "Tidak diakhiri dengan", + "SSE.Controllers.DocumentHolder.txtNotEquals": "Tidak sama dengan", + "SSE.Controllers.DocumentHolder.txtOr": "atau", + "SSE.Controllers.DocumentHolder.txtOverbar": "Bar di atas teks", "SSE.Controllers.DocumentHolder.txtPaste": "Tempel", - "SSE.Controllers.DocumentHolder.txtRowHeight": "Row Height", + "SSE.Controllers.DocumentHolder.txtPasteBorders": "Formula tanpa pembatas", + "SSE.Controllers.DocumentHolder.txtPasteColWidths": "Formula + lebar kolom", + "SSE.Controllers.DocumentHolder.txtPasteDestFormat": "Pemformatan tujuan", + "SSE.Controllers.DocumentHolder.txtPasteFormat": "Paste hanya pemformatan", + "SSE.Controllers.DocumentHolder.txtPasteFormulaNumFormat": "Formula + nomor format", + "SSE.Controllers.DocumentHolder.txtPasteFormulas": "Paste hanya formula", + "SSE.Controllers.DocumentHolder.txtPasteKeepSourceFormat": "Formula + semua format", + "SSE.Controllers.DocumentHolder.txtPasteLink": "Paste link", + "SSE.Controllers.DocumentHolder.txtPasteLinkPicture": "Gambar terhubung", + "SSE.Controllers.DocumentHolder.txtPasteMerge": "Merge format bersyarat", + "SSE.Controllers.DocumentHolder.txtPastePicture": "Gambar", + "SSE.Controllers.DocumentHolder.txtPasteSourceFormat": "Pemformatan sumber", + "SSE.Controllers.DocumentHolder.txtPasteTranspose": "Transpose", + "SSE.Controllers.DocumentHolder.txtPasteValFormat": "Nilai + semua formatting", + "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Nilai + nomor format", + "SSE.Controllers.DocumentHolder.txtPasteValues": "Paste hanya nilai", + "SSE.Controllers.DocumentHolder.txtPercent": "persen", + "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Redo perluasan otomatis tabel", + "SSE.Controllers.DocumentHolder.txtRemFractionBar": "Hilangkan bar pecahan", + "SSE.Controllers.DocumentHolder.txtRemLimit": "Hilangkan limit", + "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "Hilangkan aksen karakter", + "SSE.Controllers.DocumentHolder.txtRemoveBar": "Hilangkan diagram batang", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "Apakah Anda ingin menghilangkan tandatangan ini?
                              Proses tidak bisa dikembalikan.", + "SSE.Controllers.DocumentHolder.txtRemScripts": "Hilangkan skrip", + "SSE.Controllers.DocumentHolder.txtRemSubscript": "Hilangkan subscript", + "SSE.Controllers.DocumentHolder.txtRemSuperscript": "Hilangkan superscript", + "SSE.Controllers.DocumentHolder.txtRowHeight": "Tinggi Baris", + "SSE.Controllers.DocumentHolder.txtScriptsAfter": "Scripts setelah teks", + "SSE.Controllers.DocumentHolder.txtScriptsBefore": "Scripts sebelum teks", + "SSE.Controllers.DocumentHolder.txtShowBottomLimit": "Tampilkan batas bawah", + "SSE.Controllers.DocumentHolder.txtShowCloseBracket": "Tampilkan kurung penutup", + "SSE.Controllers.DocumentHolder.txtShowDegree": "Tampilkan degree", + "SSE.Controllers.DocumentHolder.txtShowOpenBracket": "Tampilkan kurung pembuka", + "SSE.Controllers.DocumentHolder.txtShowPlaceholder": "Tampilkan placeholder", + "SSE.Controllers.DocumentHolder.txtShowTopLimit": "Tampilkan batas atas", + "SSE.Controllers.DocumentHolder.txtSorting": "Sorting", + "SSE.Controllers.DocumentHolder.txtSortSelected": "Sortir dipilih", + "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Regangkan dalam kurung", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Pilih hanya baris ini dari kolom yang ditentukan", "SSE.Controllers.DocumentHolder.txtTop": "Atas", - "SSE.Controllers.DocumentHolder.txtWidth": "Width", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Kembalikan total baris dari tabel atau kolom tabel spesifik", + "SSE.Controllers.DocumentHolder.txtUnderbar": "Bar di bawah teks", + "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Undo perluasan otomatis tabel", + "SSE.Controllers.DocumentHolder.txtUseTextImport": "Gunakan text import wizard", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "Klik link ini bisa berbahaya untuk perangkat dan data Anda.
                              Apakah Anda ingin tetap lanjut?", + "SSE.Controllers.DocumentHolder.txtWidth": "Lebar", "SSE.Controllers.FormulaDialog.sCategoryAll": "Semua", + "SSE.Controllers.FormulaDialog.sCategoryCube": "Kubus", + "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Database", + "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Tanggal dan Jam", + "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Insinyur", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Finansial", "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informasi", - "SSE.Controllers.LeftMenu.newDocumentTitle": "Unnamed spreadsheet", - "SSE.Controllers.LeftMenu.textByColumns": "By columns", - "SSE.Controllers.LeftMenu.textByRows": "By rows", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 terakhir digunakan", + "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logikal", + "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Lookup dan referensi", + "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matematika dan trigonometri", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Statistikal", + "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Teks dan data", + "SSE.Controllers.LeftMenu.newDocumentTitle": "Spreadsheet tanpa nama", + "SSE.Controllers.LeftMenu.textByColumns": "Dari kolom", + "SSE.Controllers.LeftMenu.textByRows": "Dari baris", "SSE.Controllers.LeftMenu.textFormulas": "Formulas", - "SSE.Controllers.LeftMenu.textItemEntireCell": "Entire cell contents", - "SSE.Controllers.LeftMenu.textLookin": "Look in", - "SSE.Controllers.LeftMenu.textNoTextFound": "The data you have been searching for could not be found. Please adjust your search options.", - "SSE.Controllers.LeftMenu.textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "SSE.Controllers.LeftMenu.textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "SSE.Controllers.LeftMenu.textSearch": "Search", + "SSE.Controllers.LeftMenu.textItemEntireCell": "Seluruh isi sel", + "SSE.Controllers.LeftMenu.textLoadHistory": "Loading versi riwayat...", + "SSE.Controllers.LeftMenu.textLookin": "Melihat kedalam", + "SSE.Controllers.LeftMenu.textNoTextFound": "Data yang Anda cari tidak ditemukan. Silakan atur opsi pencarian Anda.", + "SSE.Controllers.LeftMenu.textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", + "SSE.Controllers.LeftMenu.textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti {0}", + "SSE.Controllers.LeftMenu.textSearch": "Cari", "SSE.Controllers.LeftMenu.textSheet": "Sheet", - "SSE.Controllers.LeftMenu.textValues": "Values", - "SSE.Controllers.LeftMenu.textWarning": "Warning", - "SSE.Controllers.LeftMenu.textWithin": "Within", + "SSE.Controllers.LeftMenu.textValues": "Nilai", + "SSE.Controllers.LeftMenu.textWarning": "Peringatan", + "SSE.Controllers.LeftMenu.textWithin": "Di dalam", "SSE.Controllers.LeftMenu.textWorkbook": "Workbook", - "SSE.Controllers.LeftMenu.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.Main.confirmMoveCellRange": "The destination cell range can contain data. Continue the operation?", - "SSE.Controllers.Main.convertationTimeoutText": "Conversion timeout exceeded.", - "SSE.Controllers.Main.criticalErrorExtText": "Press \"OK\" to return to document list.", - "SSE.Controllers.Main.criticalErrorTitle": "Error", - "SSE.Controllers.Main.downloadErrorText": "Download failed.", - "SSE.Controllers.Main.downloadTextText": "Downloading spreadsheet...", - "SSE.Controllers.Main.downloadTitleText": "Downloading Spreadsheet", - "SSE.Controllers.Main.errorArgsRange": "An error in the entered formula.
                              Incorrect arguments range is used.", - "SSE.Controllers.Main.errorAutoFilterChange": "The operation is not allowed, as it is attempting to shift cells in a table on your worksheet.", - "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "The operation could not be done for the selected cells as you cannot move a part of the table.
                              Select another data range so that the whole table was shifted and try again.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "The operation could not be done for the selected range of cells.
                              Select a uniform data range different from the existing one and try again.", - "SSE.Controllers.Main.errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
                              Please unhide the filtered elements and try again.", - "SSE.Controllers.Main.errorBadImageUrl": "Image URL is incorrect", - "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", - "SSE.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.", - "SSE.Controllers.Main.errorCountArg": "An error in the entered formula.
                              Incorrect number of arguments is used.", - "SSE.Controllers.Main.errorCountArgExceed": "An error in the entered formula.
                              Number of arguments is exceeded.", - "SSE.Controllers.Main.errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
                              at the moment as some of them are being edited.", - "SSE.Controllers.Main.errorDatabaseConnection": "External error.
                              Database connection error. Please contact support in case the error persists.", - "SSE.Controllers.Main.errorDataRange": "Incorrect data range.", - "SSE.Controllers.Main.errorDefaultMessage": "Error code: %1", - "SSE.Controllers.Main.errorFilePassProtect": "The document is password protected and could not be opened.", - "SSE.Controllers.Main.errorFileRequest": "External error.
                              File request error. Please contact support in case the error persists.", - "SSE.Controllers.Main.errorFileVKey": "External error.
                              Incorrect security key. Please contact support in case the error persists.", - "SSE.Controllers.Main.errorFillRange": "Could not fill the selected range of cells.
                              All the merged cells need to be the same size.", - "SSE.Controllers.Main.errorFormulaName": "An error in the entered formula.
                              Incorrect formula name is used.", - "SSE.Controllers.Main.errorFormulaParsing": "Internal error while parsing the formula.", - "SSE.Controllers.Main.errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", - "SSE.Controllers.Main.errorKeyEncrypt": "Unknown key descriptor", - "SSE.Controllers.Main.errorKeyExpire": "Key descriptor expired", - "SSE.Controllers.Main.errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", - "SSE.Controllers.Main.errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", - "SSE.Controllers.Main.errorMoveRange": "Cannot change part of a merged cell", - "SSE.Controllers.Main.errorOperandExpected": "Operand expected", - "SSE.Controllers.Main.errorPasteMaxRange": "The copy and paste area does not match.
                              Please select an area with the same size or click the first cell in a row to paste the copied cells.", - "SSE.Controllers.Main.errorProcessSaveResult": "Saving failed", - "SSE.Controllers.Main.errorStockChart": "Incorrect row order. To build a stock chart place the data on the sheet in the following order:
                              opening price, max price, min price, closing price.", - "SSE.Controllers.Main.errorUnexpectedGuid": "External error.
                              Unexpected GUID. Please contact support in case the error persists.", - "SSE.Controllers.Main.errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "SSE.Controllers.Main.errorUserDrop": "The file cannot be accessed right now.", - "SSE.Controllers.Main.errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "SSE.Controllers.Main.errorWrongBracketsCount": "An error in the entered formula.
                              Wrong number of brackets is used.", - "SSE.Controllers.Main.errorWrongOperator": "An error in the entered formula.
                              Wrong operator is used.", - "SSE.Controllers.Main.leavePageText": "You have unsaved changes in this spreadsheet. Click 'Stay on this Page' then 'Save' to save them. Click 'Leave this Page' to discard all the unsaved changes.", - "SSE.Controllers.Main.loadFontsTextText": "Loading data...", - "SSE.Controllers.Main.loadFontsTitleText": "Loading Data", - "SSE.Controllers.Main.loadFontTextText": "Loading data...", - "SSE.Controllers.Main.loadFontTitleText": "Loading Data", - "SSE.Controllers.Main.loadImagesTextText": "Loading images...", - "SSE.Controllers.Main.loadImagesTitleText": "Loading Images", - "SSE.Controllers.Main.loadImageTextText": "Loading image...", - "SSE.Controllers.Main.loadImageTitleText": "Loading Image", - "SSE.Controllers.Main.loadingDocumentTitleText": "Loading spreadsheet", - "SSE.Controllers.Main.notcriticalErrorTitle": "Warning", - "SSE.Controllers.Main.openTextText": "Opening spreadsheet...", - "SSE.Controllers.Main.openTitleText": "Opening Spreadsheet", - "SSE.Controllers.Main.pastInMergeAreaError": "Cannot change part of a merged cell", - "SSE.Controllers.Main.printTextText": "Printing spreadsheet...", - "SSE.Controllers.Main.printTitleText": "Printing Spreadsheet", - "SSE.Controllers.Main.reloadButtonText": "Reload Page", - "SSE.Controllers.Main.requestEditFailedMessageText": "Someone is editing this document right now. Please try again later.", - "SSE.Controllers.Main.requestEditFailedTitleText": "Access denied", - "SSE.Controllers.Main.saveTextText": "Saving spreadsheet...", - "SSE.Controllers.Main.saveTitleText": "Saving Spreadsheet", - "SSE.Controllers.Main.textAnonymous": "Anonymous", + "SSE.Controllers.LeftMenu.txtUntitled": "Untitled", + "SSE.Controllers.LeftMenu.warnDownloadAs": "Jika Anda lanjut simpan dengan format ini, semua fitur kecuali teks akan hilang.
                              Apakah Anda ingin melanjutkan?", + "SSE.Controllers.Main.confirmMoveCellRange": "Rentang sel yang dituju bisa berisi data. Lanjutkan operasi?", + "SSE.Controllers.Main.confirmPutMergeRange": "Sumber data berisi sel yang digabungkan.
                              Telah dipisahkan sebelum ditempelkan ke tabel.", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "Formula di baris header akan dihilangkan dan dikonversi menjadi teks statis.
                              Apakah Anda ingin melanjutkan?", + "SSE.Controllers.Main.convertationTimeoutText": "Waktu konversi habis.", + "SSE.Controllers.Main.criticalErrorExtText": "Tekan \"OK\" untuk kembali ke daftar dokumen.", + "SSE.Controllers.Main.criticalErrorTitle": "Kesalahan", + "SSE.Controllers.Main.downloadErrorText": "Unduhan gagal.", + "SSE.Controllers.Main.downloadTextText": "Mengunduh spread sheet...", + "SSE.Controllers.Main.downloadTitleText": "Mengunduh Spread sheet", + "SSE.Controllers.Main.errNoDuplicates": "Nilai duplikat tidak ditemukan.", + "SSE.Controllers.Main.errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
                              Silakan hubungi admin Server Dokumen Anda.", + "SSE.Controllers.Main.errorArgsRange": "Kesalahan dalam formula yang dimasukkan.
                              Rentang argumen yang digunakan salah.", + "SSE.Controllers.Main.errorAutoFilterChange": "Operasi tidak diizinkan karena mencoba memindahkan sel dari tabel di worksheet Anda.", + "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "Operasi tidak bisa dilakukan pada sel yang dipilih karena Anda tidak bisa memindahkan bagian dari tabel.
                              Pilih rentang data lain agar seluruh tabel bergeser dan coba lagi.", + "SSE.Controllers.Main.errorAutoFilterDataRange": "Operasi tidak bisa dilakukan pada rentang sel yang dipilih.
                              Pilih rentang data seragam yang berbeda dari yang sudah ada dan coba lagi.", + "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operasi tidak bisa dilakukan karena ada sel yang difilter di area.
                              Silakan tampilkan kembali elemet yang difilter dan coba lagi.", + "SSE.Controllers.Main.errorBadImageUrl": "URL Gambar salah", + "SSE.Controllers.Main.errorCannotUngroup": "Tidak bisa memisahkan grup. Untuk memulai outline, pilih detail baris atau kolom dan kelompokkan.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Ada tidak bisa menggunakan perintah ini di sheet yang diproteksi. Untuk menggunakan perintah ini, batalkan proteksi sheet.
                              Anda mungkin diminta untuk memasukkan password.", + "SSE.Controllers.Main.errorChangeArray": "Anda tidak bisa mengganti bagian dari array.", + "SSE.Controllers.Main.errorChangeFilteredRange": "Hal ini akan mengubah rentang yang difilter pada worksheet Anda.
                              Untuk menyelesaikan perintah ini, silahkan hapus AutoFilters.", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Sel atau grafik yang Anda coba untuk ganti berada di sheet yang diproteksi.
                              Untuk melakukan perubahan, batalkan proteksi sheet. Anda mungkin diminta untuk mengisi password.", + "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Koneksi server terputus. Saat ini dokumen tidak dapat diedit.", + "SSE.Controllers.Main.errorConnectToServer": "Dokumen tidak bisa disimpan. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
                              Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "SSE.Controllers.Main.errorCopyMultiselectArea": "Perintah ini tidak bisa digunakan dengan pilihan lebih dari satu.
                              Pilih satu rentang dan coba lagi.", + "SSE.Controllers.Main.errorCountArg": "Kesalahan dalam formula yang dimasukkan.
                              Jumlah argumen yang digunakan tidak tepat.", + "SSE.Controllers.Main.errorCountArgExceed": "Kesalahan dalam formula yang dimasukkan.
                              Jumlah argumen melewati batas.", + "SSE.Controllers.Main.errorCreateDefName": "Rentang nama yang ada tidak bisa di edit dan tidak bisa membuat yang baru
                              jika ada beberapa yang sedang diedit.", + "SSE.Controllers.Main.errorDatabaseConnection": "Eror eksternal.
                              Koneksi database bermasalah. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "SSE.Controllers.Main.errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", + "SSE.Controllers.Main.errorDataRange": "Rentang data salah.", + "SSE.Controllers.Main.errorDataValidate": "Nilai yang dimasukkan tidak tepat.
                              User memiliki batasan nilai yang bisa dimasukkan ke sel ini.", + "SSE.Controllers.Main.errorDefaultMessage": "Kode kesalahan: %1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "Anda mencoba menghapus kolom yang memiliki sel yang terkunci. Sel yang terkunci tidak bisa dihapus ketika worksheet diproteksi.
                              Untuk menghapus sel yang terkunci, buka proteksi sheet. Anda mungkin diminta untuk mengisi password.", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "Anda mencoba menghapus baris yang memiliki sel yang terkunci. Sel yang terkunci tidak bisa dihapus ketika worksheet diproteksi.
                              Untuk menghapus sel yang terkunci, buka proteksi sheet. Anda mungkin diminta untuk mengisi password.", + "SSE.Controllers.Main.errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
                              Gunakan opsi 'Download sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "SSE.Controllers.Main.errorEditingSaveas": "Ada kesalahan saat bekerja dengan dokumen.
                              Gunakan opsi 'Simpan sebagai...' untuk menyimpan file salinan backup ke komputer Anda.", + "SSE.Controllers.Main.errorEditView": "Tampilan sheet yang ada tidak dapat diedit dan yang baru tidak dapat dibuat saat ini karena beberapa di antaranya sedang diedit.", + "SSE.Controllers.Main.errorEmailClient": "Email klein tidak bisa ditemukan.", + "SSE.Controllers.Main.errorFilePassProtect": "Dokumen dilindungi dengan kata sandi dan tidak dapat dibuka.", + "SSE.Controllers.Main.errorFileRequest": "Error eksternal.
                              Kesalahan permintaan file. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "SSE.Controllers.Main.errorFileSizeExceed": "Ukuran file melewati batas server Anda.
                              Silakan hubungi admin Server Dokumen Anda untuk detail.", + "SSE.Controllers.Main.errorFileVKey": "Error eksternal.
                              Kode keamanan salah. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "SSE.Controllers.Main.errorFillRange": "Tidak bisa mengisi rentang sel yang dipilih.
                              Semua sel yang di merge harus memiliki ukuran yang sama.", + "SSE.Controllers.Main.errorForceSave": "Ada kesalahan saat menyimpan file. Silakan gunakan opsi 'Download sebagai' untuk menyimpan file ke komputer Anda dan coba lagi.", + "SSE.Controllers.Main.errorFormulaName": "Kesalahan dalam formula yang dimasukkan.
                              Nama formula yang digunakan tidak tepat.", + "SSE.Controllers.Main.errorFormulaParsing": "Kesalahan internal saat menguraikan rumus", + "SSE.Controllers.Main.errorFrmlMaxLength": "Panjang formula Anda melewati batas 8192 karakter.
                              Silakan edit dan coba kembali.", + "SSE.Controllers.Main.errorFrmlMaxReference": "Anda tidak bisa memasukkan formula ini karena memiliki nilai terlalu banyak,
                              referensi sel, dan/atau nama.", + "SSE.Controllers.Main.errorFrmlMaxTextLength": "Nilai teks dalam formula dibatasi 255 karakter.
                              Gunakan fungsi PENGGABUNGAN atau operator penggabungan (&).", + "SSE.Controllers.Main.errorFrmlWrongReferences": "Fungsi yang menuju sheet tidak ada.
                              Silakan periksa data kembali.", + "SSE.Controllers.Main.errorFTChangeTableRangeError": "Operasi tidak bisa diselesaikan untuk rentang sel yang dipilih.
                              Pilih rentang agar baris pertama tabel berada di baris yang samadan menghasilkan tabel yang overlap dengan tabel saat ini.", + "SSE.Controllers.Main.errorFTRangeIncludedOtherTables": "Operasi tidak bisa diselesaikan untuk rentang sel yang dipilih.
                              Pilih rentang yang tidak termasuk di tabel lain.", + "SSE.Controllers.Main.errorInvalidRef": "Masukkan nama yang tepat untuk pilihan atau referensi valid sebagai tujuan.", + "SSE.Controllers.Main.errorKeyEncrypt": "Deskriptor kunci tidak dikenal", + "SSE.Controllers.Main.errorKeyExpire": "Deskriptor kunci tidak berfungsi", + "SSE.Controllers.Main.errorLabledColumnsPivot": "Untuk membuat tabel pivot, gunakan data yang diatur menjadi list dengan kolom yang dilabel.", + "SSE.Controllers.Main.errorLoadingFont": "Font tidak bisa dimuat.
                              Silakan kontak admin Server Dokumen Anda.", + "SSE.Controllers.Main.errorLocationOrDataRangeError": "Referensi untuk lokasi atau range data tidak valid.", + "SSE.Controllers.Main.errorLockedAll": "Operasi tidak bisa dilakukan karena sheet dikunci oleh user lain.", + "SSE.Controllers.Main.errorLockedCellPivot": "Anda tidak bisa mengubah data di dalam tabel pivot.", + "SSE.Controllers.Main.errorLockedWorksheetRename": "Nama sheet tidak bisa diubah sekarang karena sedang diganti oleh user lain", + "SSE.Controllers.Main.errorMaxPoints": "Jumlah titik maksimum dalam seri per grafik adalah 4096.", + "SSE.Controllers.Main.errorMoveRange": "Tidak bisa mengganti bagian dari sel yang digabungkan", + "SSE.Controllers.Main.errorMoveSlicerError": "Slicer tabel tidak bisa disalin dari satu workbook ke lainnya.
                              Silakan coba lagi dengan memilih seluruh tabel dan slicer.", + "SSE.Controllers.Main.errorMultiCellFormula": "Formula array multi sel tidak diizinkan di tabel.", + "SSE.Controllers.Main.errorNoDataToParse": "Tidak ada data yang dipilih untuk diuraikan.", + "SSE.Controllers.Main.errorOpenWarning": "Salah satu file formula melewati batas 8192 karakter.
                              Formula dihapus.", + "SSE.Controllers.Main.errorOperandExpected": "Syntax fungsi yang dimasukkan tidak tepat. Silakan periksa lagi apakah Anda terlewat tanda kurung - '(' atau ')'.", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "Password yang Anda sediakan tidak tepat.
                              Pastikan bahwa CAPS LOCK sudah mati dan pastikan sudah menggunakan huruf besar dengan tepat.", + "SSE.Controllers.Main.errorPasteMaxRange": "Area copy dan paste tidak cocok.
                              Silakan pilih area dengan ukuran yang sama atau klik sel pertama di baris untuk paste sel yang di copy.", + "SSE.Controllers.Main.errorPasteMultiSelect": "Tindakan ini tidak dapat dilakukan pada beberapa pilihan rentang.
                              Pilih satu rentang dan coba lagi.", + "SSE.Controllers.Main.errorPasteSlicerError": "Slicer tabel tidak bisa disalin dari satu workbook ke lainnya.", + "SSE.Controllers.Main.errorPivotGroup": "Tidak bisa mengelompokkan pilihan itu.", + "SSE.Controllers.Main.errorPivotOverlap": "Laporan tabel pivot tidak bisa tumpang tindih dengan tabel.", + "SSE.Controllers.Main.errorPivotWithoutUnderlying": "Laporan Tabel Pivot disimpan tanpa data pokok.
                              Gunakan tombol 'Refresh' untuk memperbarui laporan.", + "SSE.Controllers.Main.errorPrintMaxPagesCount": "Mohon maaf karena tidak bisa print lebih dari 1500 halaman dalam sekali waktu dengan versi program sekarang.
                              Hal ini akan bisa dilakukan di versi selanjutnya.", + "SSE.Controllers.Main.errorProcessSaveResult": "Gagal menyimpan", + "SSE.Controllers.Main.errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "SSE.Controllers.Main.errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "SSE.Controllers.Main.errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "SSE.Controllers.Main.errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "SSE.Controllers.Main.errorSetPassword": "Password tidak bisa diatur.", + "SSE.Controllers.Main.errorSingleColumnOrRowError": "Lokasi referensi tidak valid karena sel tidak ada di kolom atau baris yang sama.
                              Pilih sel yang semuanya ada di satu kolom atau baris.", + "SSE.Controllers.Main.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "SSE.Controllers.Main.errorToken": "Token keamanan dokumen tidak dibentuk dengan tepat.
                              Silakan hubungi admin Server Dokumen Anda.", + "SSE.Controllers.Main.errorTokenExpire": "Token keamanan dokumen sudah kadaluwarsa.
                              Silakan hubungi admin Server Dokumen Anda.", + "SSE.Controllers.Main.errorUnexpectedGuid": "Error eksternal.
                              Unexpected GUID. Silakan hubungi layanan bantuan jika tetap terjadi error.", + "SSE.Controllers.Main.errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", + "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
                              Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "SSE.Controllers.Main.errorUserDrop": "File tidak bisa diakses sekarang.", + "SSE.Controllers.Main.errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", + "SSE.Controllers.Main.errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
                              tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "SSE.Controllers.Main.errorWrongBracketsCount": "Kesalahan dalam formula yang dimasukkan.
                              Jumlah tanda kurung yang dipakai salah.", + "SSE.Controllers.Main.errorWrongOperator": "Eror ketika memasukkan formula. Penggunaan operator tidak tepat.
                              Silakan perbaiki.", + "SSE.Controllers.Main.errorWrongPassword": "Password yang Anda sediakan tidak tepat.", + "SSE.Controllers.Main.errRemDuplicates": "Nilai duplikat yang ditemukan dan dihapus: {0}, nilai unik tersisa: {1}.", + "SSE.Controllers.Main.leavePageText": "Anda memiliki perubahan yang belum tersimpan di spreadsheet ini. Klik \"Tetap di Halaman Ini” kemudian \"Simpan” untuk menyimpan perubahan tersebut. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "SSE.Controllers.Main.leavePageTextOnClose": "Semua perubahan yang belum disimpan dalam spreadsheet ini akan hilang.
                              Klik \"Batal\" lalu \"Simpan\" untuk menyimpan. Klik \"OK\" untuk membuang semua perubahan yang tidak tersimpan.", + "SSE.Controllers.Main.loadFontsTextText": "Memuat data...", + "SSE.Controllers.Main.loadFontsTitleText": "Memuat Data", + "SSE.Controllers.Main.loadFontTextText": "Memuat data...", + "SSE.Controllers.Main.loadFontTitleText": "Memuat Data", + "SSE.Controllers.Main.loadImagesTextText": "Memuat gambar...", + "SSE.Controllers.Main.loadImagesTitleText": "Memuat Gambar", + "SSE.Controllers.Main.loadImageTextText": "Memuat gambar...", + "SSE.Controllers.Main.loadImageTitleText": "Memuat Gambar", + "SSE.Controllers.Main.loadingDocumentTitleText": "Memuat spread sheet", + "SSE.Controllers.Main.notcriticalErrorTitle": "Peringatan", + "SSE.Controllers.Main.openErrorText": "Eror ketika membuka file.", + "SSE.Controllers.Main.openTextText": "Membuka spreadsheet...", + "SSE.Controllers.Main.openTitleText": "Membuka spreadsheet", + "SSE.Controllers.Main.pastInMergeAreaError": "Tidak bisa mengganti bagian dari sel yang digabungkan", + "SSE.Controllers.Main.printTextText": "Mencetak spreadsheet...", + "SSE.Controllers.Main.printTitleText": "Mencetak spreadsheet", + "SSE.Controllers.Main.reloadButtonText": "Muat Ulang Halaman", + "SSE.Controllers.Main.requestEditFailedMessageText": "Saat ini dokumen sedang diedit. Silakan coba beberapa saat lagi.", + "SSE.Controllers.Main.requestEditFailedTitleText": "Akses ditolak", + "SSE.Controllers.Main.saveErrorText": "Eror ketika menyimpan file.", + "SSE.Controllers.Main.saveErrorTextDesktop": "File tidak bisa disimpan atau dibuat.
                              Alasan yang mungkin adalah:
                              1. File hanya bisa dibaca.
                              2. File sedang diedit user lain.
                              3. Memori penuh atau terkorupsi.", + "SSE.Controllers.Main.saveTextText": "Menyimpan spreadsheet...", + "SSE.Controllers.Main.saveTitleText": "Menyimpan spreadsheet", + "SSE.Controllers.Main.scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "SSE.Controllers.Main.textAnonymous": "Anonim", + "SSE.Controllers.Main.textApplyAll": "Terapkan untuk semua persamaan", + "SSE.Controllers.Main.textBuyNow": "Kunjungi website", + "SSE.Controllers.Main.textChangesSaved": "Semua perubahan tersimpan", "SSE.Controllers.Main.textClose": "Tutup", - "SSE.Controllers.Main.textCloseTip": "Click to close the tip", - "SSE.Controllers.Main.textConfirm": "Confirmation", + "SSE.Controllers.Main.textCloseTip": "Klik untuk menutup tips", + "SSE.Controllers.Main.textConfirm": "Konfirmasi", + "SSE.Controllers.Main.textContactUs": "Hubungi sales", + "SSE.Controllers.Main.textConvertEquation": "Persamaan ini dibuat dengan editor persamaan versi lama yang sudah tidak didukung. Untuk edit, konversikan persamaan ke format Office Math ML.
                              Konversi sekarang?", + "SSE.Controllers.Main.textCustomLoader": "Perlu diketahui bahwa berdasarkan syarat dari lisensi, Anda tidak bisa untuk mengganti loader.
                              Silakan hubungi Departemen Penjualan kami untuk mendapatkan harga.", + "SSE.Controllers.Main.textDisconnect": "Koneksi terputus", + "SSE.Controllers.Main.textFillOtherRows": "Isi baris lainnya", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Formula mengisi {0} baris memiliki data. Mengisi baris kosong lainnya mungkin memerlukan waktu beberapa menit", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Formula mengisi {0} baris pertama. Mengisi baris kosong lainnya mungkin memerlukan waktu beberapa menit", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Formula yang mengisi hanya {0} baris pertama memiliki data dengan alasan penyimpanan memori. Ada {1} baris lain yang memiliki data di sheet ini. Anda bisa mengisinya dengan manual.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Formula hanya mengisi {0} baris pertama dengan alasan penyimpanan memori. Baris lain di sheet ini tidak memiliki data.", "SSE.Controllers.Main.textGuest": "Tamu", + "SSE.Controllers.Main.textHasMacros": "File berisi macros otomatis.
                              Apakah Anda ingin menjalankan macros?", "SSE.Controllers.Main.textLearnMore": "Pelajari selengkapnya", - "SSE.Controllers.Main.textLoadingDocument": "Loading spreadsheet", + "SSE.Controllers.Main.textLoadingDocument": "Memuat spread sheet", + "SSE.Controllers.Main.textLongName": "Masukkan nama maksimum 128 karakter.", "SSE.Controllers.Main.textNeedSynchronize": "Ada pembaruan", - "SSE.Controllers.Main.textNo": "No", - "SSE.Controllers.Main.textNoLicenseTitle": "%1 keterbatasan koneksi", - "SSE.Controllers.Main.textPleaseWait": "The operation might take more time than expected. Please wait...", - "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.", - "SSE.Controllers.Main.textYes": "Yes", - "SSE.Controllers.Main.txtArt": "Your text here", - "SSE.Controllers.Main.txtBasicShapes": "Basic Shapes", - "SSE.Controllers.Main.txtButtons": "Buttons", - "SSE.Controllers.Main.txtCallouts": "Callouts", - "SSE.Controllers.Main.txtCharts": "Charts", + "SSE.Controllers.Main.textNo": "Tidak", + "SSE.Controllers.Main.textNoLicenseTitle": "Batas lisensi sudah tercapai", + "SSE.Controllers.Main.textPaidFeature": "Fitur berbayar", + "SSE.Controllers.Main.textPleaseWait": "Operasi mungkin akan membutuhkan waktu lebih lama dari perkiraan. Silahkan menunggu...", + "SSE.Controllers.Main.textReconnect": "Koneksi terhubung kembali", + "SSE.Controllers.Main.textRemember": "Ingat pilihan saya untuk semua file", + "SSE.Controllers.Main.textRenameError": "Nama user tidak boleh kosong.", + "SSE.Controllers.Main.textRenameLabel": "Masukkan nama untuk digunakan di kolaborasi", + "SSE.Controllers.Main.textShape": "Bentuk", + "SSE.Controllers.Main.textStrict": "Mode strict", + "SSE.Controllers.Main.textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.
                              Klik tombol 'Mode strict' untuk mengganti ke Mode Strict Co-editing untuk edit file tanpa gangguan dari user lain dan kirim perubahan Anda hanya setelah Anda menyimpannya. Anda bisa mengganti mode co-editing menggunakan editor di pengaturan lanjut.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "SSE.Controllers.Main.textYes": "Ya", + "SSE.Controllers.Main.titleLicenseExp": "Lisensi kadaluwarsa", + "SSE.Controllers.Main.titleServerVersion": "Editor mengupdate", + "SSE.Controllers.Main.txtAccent": "Aksen", + "SSE.Controllers.Main.txtAll": "(Semua)", + "SSE.Controllers.Main.txtArt": "Teks Anda di sini", + "SSE.Controllers.Main.txtBasicShapes": "Bentuk Dasar", + "SSE.Controllers.Main.txtBlank": "(kosong)", + "SSE.Controllers.Main.txtButtons": "Tombol", + "SSE.Controllers.Main.txtByField": "%1 dari %2", + "SSE.Controllers.Main.txtCallouts": "Balon Kata", + "SSE.Controllers.Main.txtCharts": "Bagan", + "SSE.Controllers.Main.txtClearFilter": "Hapus Filter (Alt+C)", + "SSE.Controllers.Main.txtColLbls": "Label Kolom", "SSE.Controllers.Main.txtColumn": "Kolom", + "SSE.Controllers.Main.txtConfidential": "Konfidensial", "SSE.Controllers.Main.txtDate": "Tanggal", "SSE.Controllers.Main.txtDays": "Hari", - "SSE.Controllers.Main.txtDiagramTitle": "Chart Title", - "SSE.Controllers.Main.txtEditingMode": "Set editing mode...", - "SSE.Controllers.Main.txtFiguredArrows": "Figured Arrows", + "SSE.Controllers.Main.txtDiagramTitle": "Judul Grafik", + "SSE.Controllers.Main.txtEditingMode": "Mengatur mode editing...", + "SSE.Controllers.Main.txtErrorLoadHistory": "Memuat riwayat gagal", + "SSE.Controllers.Main.txtFiguredArrows": "Tanda Panah Berpola", "SSE.Controllers.Main.txtFile": "File", + "SSE.Controllers.Main.txtGrandTotal": "Grand Total", "SSE.Controllers.Main.txtGroup": "Grup", "SSE.Controllers.Main.txtHours": "jam", - "SSE.Controllers.Main.txtLines": "Lines", - "SSE.Controllers.Main.txtMath": "Math", + "SSE.Controllers.Main.txtLines": "Garis", + "SSE.Controllers.Main.txtMath": "Matematika", "SSE.Controllers.Main.txtMinutes": "menit", - "SSE.Controllers.Main.txtMonths": "bulan", + "SSE.Controllers.Main.txtMonths": "Bulan", + "SSE.Controllers.Main.txtMultiSelect": "Multi-Select (Alt+S)", + "SSE.Controllers.Main.txtOr": "%1 atau %2", "SSE.Controllers.Main.txtPage": "Halaman", + "SSE.Controllers.Main.txtPageOf": "Halaman %1 dari %2", "SSE.Controllers.Main.txtPages": "Halaman", - "SSE.Controllers.Main.txtRectangles": "Rectangles", + "SSE.Controllers.Main.txtPreparedBy": "Disiapkan oleh", + "SSE.Controllers.Main.txtPrintArea": "Print_Area", + "SSE.Controllers.Main.txtQuarter": "Qtr", + "SSE.Controllers.Main.txtQuarters": "Kuarter", + "SSE.Controllers.Main.txtRectangles": "Persegi Panjang", "SSE.Controllers.Main.txtRow": "Baris", - "SSE.Controllers.Main.txtSeries": "Series", + "SSE.Controllers.Main.txtRowLbls": "Label Baris", + "SSE.Controllers.Main.txtSeconds": "Detik", + "SSE.Controllers.Main.txtSeries": "Seri", + "SSE.Controllers.Main.txtShape_accentBorderCallout1": "Garis Callout 1 (Border dan Accent Bar)", + "SSE.Controllers.Main.txtShape_accentBorderCallout2": "Garis Callout 2 (Border dan Accent Bar)", + "SSE.Controllers.Main.txtShape_accentBorderCallout3": "Garis Callout 3 (Border dan Accent Bar)", + "SSE.Controllers.Main.txtShape_accentCallout1": "Garis Callout 1 (Accent Bar)", + "SSE.Controllers.Main.txtShape_accentCallout2": "Garis Callout 2 (Accent Bar)", + "SSE.Controllers.Main.txtShape_accentCallout3": "Garis Callout 3 (Accent Bar)", + "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tombol Kembali atau Sebelumnya", + "SSE.Controllers.Main.txtShape_actionButtonBeginning": "Tombol Awal", + "SSE.Controllers.Main.txtShape_actionButtonBlank": "Tombol Kosong", + "SSE.Controllers.Main.txtShape_actionButtonDocument": "Tombol Dokumen", + "SSE.Controllers.Main.txtShape_actionButtonEnd": "Tombol Akhir", + "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "Maju atau Tombol Selanjutnya", + "SSE.Controllers.Main.txtShape_actionButtonHelp": "Tombol Batuan", + "SSE.Controllers.Main.txtShape_actionButtonHome": "Tombol Beranda", + "SSE.Controllers.Main.txtShape_actionButtonInformation": "Tombol Informasi", + "SSE.Controllers.Main.txtShape_actionButtonMovie": "Tombol Movie", + "SSE.Controllers.Main.txtShape_actionButtonReturn": "Tombol Kembali", + "SSE.Controllers.Main.txtShape_actionButtonSound": "Tombol Suara", + "SSE.Controllers.Main.txtShape_arc": "Arc", + "SSE.Controllers.Main.txtShape_bentArrow": "Panah Bengkok", + "SSE.Controllers.Main.txtShape_bentConnector5": "Konektor Siku", + "SSE.Controllers.Main.txtShape_bentConnector5WithArrow": "Panah Konektor Siku", + "SSE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Panah Ganda Konektor Siku", + "SSE.Controllers.Main.txtShape_bentUpArrow": "Panah Kelok Atas", "SSE.Controllers.Main.txtShape_bevel": "Miring", - "SSE.Controllers.Main.txtShape_downArrow": "Panah Bawah", + "SSE.Controllers.Main.txtShape_blockArc": "Block Arc", + "SSE.Controllers.Main.txtShape_borderCallout1": "Garis Callout 1", + "SSE.Controllers.Main.txtShape_borderCallout2": "Garis Callout 2", + "SSE.Controllers.Main.txtShape_borderCallout3": "Garis Callout 3", + "SSE.Controllers.Main.txtShape_bracePair": "Kurung Ganda", + "SSE.Controllers.Main.txtShape_callout1": "Garis Callout 1 (No Border)", + "SSE.Controllers.Main.txtShape_callout2": "Garis Callout 2 (No Border)", + "SSE.Controllers.Main.txtShape_callout3": "Garis Callout 3 (No Border)", + "SSE.Controllers.Main.txtShape_can": "Bisa", + "SSE.Controllers.Main.txtShape_chevron": "Chevron", + "SSE.Controllers.Main.txtShape_chord": "Chord", + "SSE.Controllers.Main.txtShape_circularArrow": "Panah Sirkular", + "SSE.Controllers.Main.txtShape_cloud": "Cloud", + "SSE.Controllers.Main.txtShape_cloudCallout": "Cloud Callout", + "SSE.Controllers.Main.txtShape_corner": "Sudut", + "SSE.Controllers.Main.txtShape_cube": "Kubus", + "SSE.Controllers.Main.txtShape_curvedConnector3": "Konektor Lengkung", + "SSE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Panah Konektor Lengkung", + "SSE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Panah Ganda Konektor Lengkung", + "SSE.Controllers.Main.txtShape_curvedDownArrow": "Panah Kelok Bawah", + "SSE.Controllers.Main.txtShape_curvedLeftArrow": "Panah Kelok Kiri", + "SSE.Controllers.Main.txtShape_curvedRightArrow": "Panah Kelok Kanan", + "SSE.Controllers.Main.txtShape_curvedUpArrow": "Panah Kelok Atas", + "SSE.Controllers.Main.txtShape_decagon": "Decagon", + "SSE.Controllers.Main.txtShape_diagStripe": "Strip Diagonal", + "SSE.Controllers.Main.txtShape_diamond": "Diamond", + "SSE.Controllers.Main.txtShape_dodecagon": "Dodecagon", + "SSE.Controllers.Main.txtShape_donut": "Donut", + "SSE.Controllers.Main.txtShape_doubleWave": "Gelombang Ganda", + "SSE.Controllers.Main.txtShape_downArrow": "Panah Kebawah", + "SSE.Controllers.Main.txtShape_downArrowCallout": "Seranta Panah Bawah", + "SSE.Controllers.Main.txtShape_ellipse": "Elips", + "SSE.Controllers.Main.txtShape_ellipseRibbon": "Pita Kelok Bawah", + "SSE.Controllers.Main.txtShape_ellipseRibbon2": "Pita Kelok Atas", + "SSE.Controllers.Main.txtShape_flowChartAlternateProcess": "Diagram Alir: Proses Alternatif", + "SSE.Controllers.Main.txtShape_flowChartCollate": "Diagram Alir: Collate", + "SSE.Controllers.Main.txtShape_flowChartConnector": "Diagram Alir: Konektor", + "SSE.Controllers.Main.txtShape_flowChartDecision": "Diagram Alir: Keputusan", + "SSE.Controllers.Main.txtShape_flowChartDelay": "Diagram Alir: Delay", + "SSE.Controllers.Main.txtShape_flowChartDisplay": "Diagram Alir: Tampilan", + "SSE.Controllers.Main.txtShape_flowChartDocument": "Diagram Alir: Dokumen", + "SSE.Controllers.Main.txtShape_flowChartExtract": "Diagram Alir: Ekstrak", + "SSE.Controllers.Main.txtShape_flowChartInputOutput": "Diagram Alir: Data", + "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "Diagram Alir: Memori Internal", + "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "Diagram Alir: Magnetic Disk", + "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "Diagram Alir: Direct Access Storage", + "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "Diagram Alir: Sequential Access Storage", + "SSE.Controllers.Main.txtShape_flowChartManualInput": "Diagram Alir: Input Manual", + "SSE.Controllers.Main.txtShape_flowChartManualOperation": "Diagram Alir: Operasi Manual", + "SSE.Controllers.Main.txtShape_flowChartMerge": "Diagram Alir: Merge", + "SSE.Controllers.Main.txtShape_flowChartMultidocument": "Diagram Alir: Multidokumen ", + "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "Diagram Alir: Off-page Penghubung", + "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "Diagram Alir: Stored Data", + "SSE.Controllers.Main.txtShape_flowChartOr": "Diagram Alir: Atau", + "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Diagram Alir: Predefined Process", + "SSE.Controllers.Main.txtShape_flowChartPreparation": "Diagram Alir: Preparasi", + "SSE.Controllers.Main.txtShape_flowChartProcess": "Diagram Alir: Proses", + "SSE.Controllers.Main.txtShape_flowChartPunchedCard": "Diagram Alir: Kartu", + "SSE.Controllers.Main.txtShape_flowChartPunchedTape": "Diagram Alir: Punched Tape", + "SSE.Controllers.Main.txtShape_flowChartSort": "Diagram Alir: Sortasi", + "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "Diagram Alir: Summing Junction", + "SSE.Controllers.Main.txtShape_flowChartTerminator": "Diagram Alir: Terminator", + "SSE.Controllers.Main.txtShape_foldedCorner": "Sudut Folder", "SSE.Controllers.Main.txtShape_frame": "Kerangka", + "SSE.Controllers.Main.txtShape_halfFrame": "Setengah Bingkai", + "SSE.Controllers.Main.txtShape_heart": "Hati", + "SSE.Controllers.Main.txtShape_heptagon": "Heptagon", + "SSE.Controllers.Main.txtShape_hexagon": "Heksagon", + "SSE.Controllers.Main.txtShape_homePlate": "Pentagon", + "SSE.Controllers.Main.txtShape_horizontalScroll": "Scroll Horizontal", + "SSE.Controllers.Main.txtShape_irregularSeal1": "Ledakan 1", + "SSE.Controllers.Main.txtShape_irregularSeal2": "Ledakan 2", "SSE.Controllers.Main.txtShape_leftArrow": "Panah Kiri", + "SSE.Controllers.Main.txtShape_leftArrowCallout": "Seranta Panah Kiri", + "SSE.Controllers.Main.txtShape_leftBrace": "Brace Kiri", + "SSE.Controllers.Main.txtShape_leftBracket": "Kurung Kurawal Kiri", + "SSE.Controllers.Main.txtShape_leftRightArrow": "Panah Kiri Kanan", + "SSE.Controllers.Main.txtShape_leftRightArrowCallout": "Seranta Panah Kiri Kanan", + "SSE.Controllers.Main.txtShape_leftRightUpArrow": "Panah Kiri Kanan Atas", + "SSE.Controllers.Main.txtShape_leftUpArrow": "Panah Kiri Atas", + "SSE.Controllers.Main.txtShape_lightningBolt": "Petir", "SSE.Controllers.Main.txtShape_line": "Garis", + "SSE.Controllers.Main.txtShape_lineWithArrow": "Panah", + "SSE.Controllers.Main.txtShape_lineWithTwoArrows": "Panah Ganda", + "SSE.Controllers.Main.txtShape_mathDivide": "Divisi", "SSE.Controllers.Main.txtShape_mathEqual": "Setara", + "SSE.Controllers.Main.txtShape_mathMinus": "Minus", + "SSE.Controllers.Main.txtShape_mathMultiply": "Perkalian", + "SSE.Controllers.Main.txtShape_mathNotEqual": "Tidak Sama", "SSE.Controllers.Main.txtShape_mathPlus": "Plus", + "SSE.Controllers.Main.txtShape_moon": "Bulan", + "SSE.Controllers.Main.txtShape_noSmoking": "\"No\" simbol", + "SSE.Controllers.Main.txtShape_notchedRightArrow": "Panah Takik Kanan", + "SSE.Controllers.Main.txtShape_octagon": "Oktagon", + "SSE.Controllers.Main.txtShape_parallelogram": "Parallelogram", + "SSE.Controllers.Main.txtShape_pentagon": "Pentagon", "SSE.Controllers.Main.txtShape_pie": "Diagram Lingkaran", + "SSE.Controllers.Main.txtShape_plaque": "Plus", "SSE.Controllers.Main.txtShape_plus": "Plus", + "SSE.Controllers.Main.txtShape_polyline1": "Scribble", + "SSE.Controllers.Main.txtShape_polyline2": "Bentuk bebas", + "SSE.Controllers.Main.txtShape_quadArrow": "Panah Empat Mata", + "SSE.Controllers.Main.txtShape_quadArrowCallout": "Seranta Panah Empat Mata", + "SSE.Controllers.Main.txtShape_rect": "Kotak", + "SSE.Controllers.Main.txtShape_ribbon": "Pita Bawah", + "SSE.Controllers.Main.txtShape_ribbon2": "Pita Keatas", "SSE.Controllers.Main.txtShape_rightArrow": "Tanda Panah ke Kanan", - "SSE.Controllers.Main.txtStarsRibbons": "Stars & Ribbons", + "SSE.Controllers.Main.txtShape_rightArrowCallout": "Seranta Panah Kanan", + "SSE.Controllers.Main.txtShape_rightBrace": "Brace Kanan", + "SSE.Controllers.Main.txtShape_rightBracket": "Kurung Kurawal Kanan", + "SSE.Controllers.Main.txtShape_round1Rect": "Persegi Panjang Sudut Lengkung Single", + "SSE.Controllers.Main.txtShape_round2DiagRect": "Persegi Panjang Sudut Lengkung Diagonal", + "SSE.Controllers.Main.txtShape_round2SameRect": "Persegi Panjang Sudut Lengkung Sama Sisi", + "SSE.Controllers.Main.txtShape_roundRect": "Persegi Panjang Sudut Lengkung", + "SSE.Controllers.Main.txtShape_rtTriangle": "Segitiga Siku-Siku", + "SSE.Controllers.Main.txtShape_smileyFace": "Wajah Senyum", + "SSE.Controllers.Main.txtShape_snip1Rect": "Snip Persegi Panjang Sudut Single", + "SSE.Controllers.Main.txtShape_snip2DiagRect": "Snip Persegi Panjang Sudut Lengkung Diagonal", + "SSE.Controllers.Main.txtShape_snip2SameRect": "Snip Persegi Panjang Sudut Lengkung Sama Sisi", + "SSE.Controllers.Main.txtShape_snipRoundRect": "Snip dan Persegi Panjang Sudut Lengkung Single", + "SSE.Controllers.Main.txtShape_spline": "Lengkung", + "SSE.Controllers.Main.txtShape_star10": "Bintang Titik-10", + "SSE.Controllers.Main.txtShape_star12": "Bintang Titik-12", + "SSE.Controllers.Main.txtShape_star16": "Bintang Titik-16", + "SSE.Controllers.Main.txtShape_star24": "Bintang Titik-24", + "SSE.Controllers.Main.txtShape_star32": "Bintang Titik-32", + "SSE.Controllers.Main.txtShape_star4": "Bintang Titik-4", + "SSE.Controllers.Main.txtShape_star5": "Bintang Titik-5", + "SSE.Controllers.Main.txtShape_star6": "Bintang Titik-6", + "SSE.Controllers.Main.txtShape_star7": "Bintang Titik-7", + "SSE.Controllers.Main.txtShape_star8": "Bintang Titik-8", + "SSE.Controllers.Main.txtShape_stripedRightArrow": "Panah Putus-Putus Kanan", + "SSE.Controllers.Main.txtShape_sun": "Matahari", + "SSE.Controllers.Main.txtShape_teardrop": "Teardrop", + "SSE.Controllers.Main.txtShape_textRect": "Kotak Teks", + "SSE.Controllers.Main.txtShape_trapezoid": "Trapezoid", + "SSE.Controllers.Main.txtShape_triangle": "Segitiga", + "SSE.Controllers.Main.txtShape_upArrow": "Panah keatas", + "SSE.Controllers.Main.txtShape_upArrowCallout": "Seranta Panah Atas", + "SSE.Controllers.Main.txtShape_upDownArrow": "Panah Atas Bawah", + "SSE.Controllers.Main.txtShape_uturnArrow": "Panah Balik", + "SSE.Controllers.Main.txtShape_verticalScroll": "Scroll Vertikal", + "SSE.Controllers.Main.txtShape_wave": "Gelombang", + "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "Callout Oval", + "SSE.Controllers.Main.txtShape_wedgeRectCallout": "Callout Kotak", + "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Callout Persegi Panjang Sudut Lengkung", + "SSE.Controllers.Main.txtStarsRibbons": "Bintang & Pita", + "SSE.Controllers.Main.txtStyle_Bad": "Buruk", + "SSE.Controllers.Main.txtStyle_Calculation": "Kalkulasi", + "SSE.Controllers.Main.txtStyle_Check_Cell": "Periksa Sel", "SSE.Controllers.Main.txtStyle_Comma": "Koma", "SSE.Controllers.Main.txtStyle_Currency": "Mata uang", + "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Teks Penjelasan", + "SSE.Controllers.Main.txtStyle_Good": "Bagus", + "SSE.Controllers.Main.txtStyle_Heading_1": "Heading 1", + "SSE.Controllers.Main.txtStyle_Heading_2": "Heading 2", + "SSE.Controllers.Main.txtStyle_Heading_3": "Heading 3", + "SSE.Controllers.Main.txtStyle_Heading_4": "Heading 4", + "SSE.Controllers.Main.txtStyle_Input": "Input", + "SSE.Controllers.Main.txtStyle_Linked_Cell": "Sel Terhubung", + "SSE.Controllers.Main.txtStyle_Neutral": "Netral", + "SSE.Controllers.Main.txtStyle_Normal": "Normal", "SSE.Controllers.Main.txtStyle_Note": "Catatan", + "SSE.Controllers.Main.txtStyle_Output": "Output", + "SSE.Controllers.Main.txtStyle_Percent": "Persen", "SSE.Controllers.Main.txtStyle_Title": "Judul", + "SSE.Controllers.Main.txtStyle_Total": "Total", + "SSE.Controllers.Main.txtStyle_Warning_Text": "Teks Warning", + "SSE.Controllers.Main.txtTab": "Tab", "SSE.Controllers.Main.txtTable": "Tabel", "SSE.Controllers.Main.txtTime": "Waktu", - "SSE.Controllers.Main.txtXAxis": "X Axis", - "SSE.Controllers.Main.txtYAxis": "Y Axis", - "SSE.Controllers.Main.txtYears": "tahun", - "SSE.Controllers.Main.unknownErrorText": "Unknown error.", - "SSE.Controllers.Main.unsupportedBrowserErrorText": "Your browser is not supported.", - "SSE.Controllers.Main.uploadImageExtMessage": "Unknown image format.", - "SSE.Controllers.Main.uploadImageFileCountMessage": "No images uploaded.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Maximium image size limit exceeded.", - "SSE.Controllers.Main.uploadImageTextText": "Uploading image...", - "SSE.Controllers.Main.uploadImageTitleText": "Uploading Image", + "SSE.Controllers.Main.txtUnlock": "Buka Kunci", + "SSE.Controllers.Main.txtUnlockRange": "Buka Kunci Rentang", + "SSE.Controllers.Main.txtUnlockRangeDescription": "Masukkan password untuk mengubah rentang ini:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "Rentang yang ingin Anda ubah dilindungi password", + "SSE.Controllers.Main.txtValues": "Nilai", + "SSE.Controllers.Main.txtXAxis": "Sumbu X", + "SSE.Controllers.Main.txtYAxis": "Sumbu Y", + "SSE.Controllers.Main.txtYears": "Tahun", + "SSE.Controllers.Main.unknownErrorText": "Kesalahan tidak diketahui.", + "SSE.Controllers.Main.unsupportedBrowserErrorText": "Peramban kamu tidak didukung.", + "SSE.Controllers.Main.uploadDocExtMessage": "Format dokumen tidak diketahui.", + "SSE.Controllers.Main.uploadDocFileCountMessage": "Tidak ada dokumen yang diupload.", + "SSE.Controllers.Main.uploadDocSizeMessage": "Batas ukuran maksimum dokumen terlampaui.", + "SSE.Controllers.Main.uploadImageExtMessage": "Format gambar tidak dikenal.", + "SSE.Controllers.Main.uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB.", + "SSE.Controllers.Main.uploadImageTextText": "Mengunggah gambar...", + "SSE.Controllers.Main.uploadImageTitleText": "Mengunggah Gambar", "SSE.Controllers.Main.waitText": "Silahkan menunggu", - "SSE.Controllers.Main.warnBrowserIE9": "The application has low capabilities on IE9. Use IE10 or higher", - "SSE.Controllers.Main.warnBrowserZoom": "Your browser current zoom setting is not fully supported. Please reset to the default zoom by pressing Ctrl+0.", - "SSE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", - "SSE.Controllers.Print.strAllSheets": "All Sheets", - "SSE.Controllers.Print.textWarning": "Warning", + "SSE.Controllers.Main.warnBrowserIE9": "Aplikasi ini tidak berjalan dengan baik di IE9. Gunakan IE10 atau versi yang terbaru.", + "SSE.Controllers.Main.warnBrowserZoom": "Pengaturan pembesaran tampilan pada browser Anda saat ini tidak didukung sepenuhnya. Silakan atur ulang ke tampilan standar dengan menekan Ctrl+0.", + "SSE.Controllers.Main.warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
                              Hubungi admin Anda untuk mempelajari lebih lanjut.", + "SSE.Controllers.Main.warnLicenseExp": "Lisensi Anda sudah kadaluwarsa.
                              Silakan update lisensi Anda dan muat ulang halaman.", + "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa.
                              Anda tidak memiliki akses untuk editing dokumen secara keseluruhan.
                              Silakan hubungi admin Anda.", + "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui.
                              Anda memiliki akses terbatas untuk edit dokumen.
                              Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "SSE.Controllers.Main.warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "SSE.Controllers.Main.warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja.
                              Hubungi %1 tim sales untuk syarat personal upgrade.", + "SSE.Controllers.Main.warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", + "SSE.Controllers.Main.warnProcessRightsChange": "Hak Anda untuk mengedit file ditolak.", + "SSE.Controllers.Print.strAllSheets": "Semua Sheet", + "SSE.Controllers.Print.textFirstCol": "Kolom pertama", + "SSE.Controllers.Print.textFirstRow": "Baris pertama", + "SSE.Controllers.Print.textFrozenCols": "Kolom yang dibekukan", + "SSE.Controllers.Print.textFrozenRows": "Baris yang dibekukan", + "SSE.Controllers.Print.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Controllers.Print.textNoRepeat": "Jangan ulang", + "SSE.Controllers.Print.textRepeat": "Ulangi...", + "SSE.Controllers.Print.textSelectRange": "Pilih rentang", + "SSE.Controllers.Print.textWarning": "Peringatan", "SSE.Controllers.Print.txtCustom": "Khusus", - "SSE.Controllers.Print.warnCheckMargings": "Margins are incorrect", - "SSE.Controllers.Statusbar.errorLastSheet": "Workbook must have at least one visible worksheet.", - "SSE.Controllers.Statusbar.errorRemoveSheet": "Cannot delete the worksheet.", + "SSE.Controllers.Print.warnCheckMargings": "Margin tidak tepat", + "SSE.Controllers.Statusbar.errorLastSheet": "Workbook harus setidaknya memiliki satu worksheet yang terlihat.", + "SSE.Controllers.Statusbar.errorRemoveSheet": "Tidak bisa menghapus worksheet.", "SSE.Controllers.Statusbar.strSheet": "Sheet", - "SSE.Controllers.Statusbar.warnDeleteSheet": "The worksheet might contain data. Are you sure you want to proceed?", - "SSE.Controllers.Statusbar.zoomText": "Zoom {0}%", - "SSE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
                              The text style will be displayed using one of the system fonts, the saved font will be used when it is available.
                              Do you want to continue?", + "SSE.Controllers.Statusbar.textDisconnect": "Koneksi terputus
                              Mencoba menghubungkan. Silakan periksa pengaturan koneksi.", + "SSE.Controllers.Statusbar.textSheetViewTip": "Anda di mode Tampilan Sheet Filter dan sortasi hanya terlihat oleh Anda dan orang yang masih ada di tampilan ini.", + "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Anda di mode Tampilan Sheet Filter hanya dapat dilihat oleh Anda dan orang yang masih ada di tampilan ini.", + "SSE.Controllers.Statusbar.warnDeleteSheet": "Worksheet yang dipilih mungkin memiliki data. Apakah Anda yakin ingin melanjutkan?", + "SSE.Controllers.Statusbar.zoomText": "Perbesar {0}%", + "SSE.Controllers.Toolbar.confirmAddFontName": "Font yang akan Anda simpan tidak tersedia di perangkat sekarang.
                              Style teks akan ditampilkan menggunakan salah satu font sistem, font yang disimpan akan digunakan jika sudah tersedia.
                              Apakah Anda ingin melanjutkan?", + "SSE.Controllers.Toolbar.errorComboSeries": "Untuk membuat grafik kombinasi, pilih setidaknya dua seri data.", + "SSE.Controllers.Toolbar.errorMaxRows": "KESALAHAN! Jumlah seri data maksimum per grafik adalah 255.", "SSE.Controllers.Toolbar.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", "SSE.Controllers.Toolbar.textAccent": "Aksen", "SSE.Controllers.Toolbar.textBracket": "Tanda Kurung", - "SSE.Controllers.Toolbar.textFontSizeErr": "The entered value is incorrect.
                              Please enter a numeric value between 1 and 409", + "SSE.Controllers.Toolbar.textDirectional": "Direksional", + "SSE.Controllers.Toolbar.textFontSizeErr": "Input yang dimasukkan salah.
                              Silakan masukkan input numerik antara 1 dan 409", + "SSE.Controllers.Toolbar.textFraction": "Pecahan", "SSE.Controllers.Toolbar.textFunction": "Fungsi", + "SSE.Controllers.Toolbar.textIndicator": "Indikator", "SSE.Controllers.Toolbar.textInsert": "Sisipkan", + "SSE.Controllers.Toolbar.textIntegral": "Integral", "SSE.Controllers.Toolbar.textLargeOperator": "Operator Besar", "SSE.Controllers.Toolbar.textLimitAndLog": "Limit dan Logaritma", + "SSE.Controllers.Toolbar.textLongOperation": "Operasi panjang", "SSE.Controllers.Toolbar.textMatrix": "Matriks", + "SSE.Controllers.Toolbar.textOperator": "Operator", + "SSE.Controllers.Toolbar.textPivot": "Tabel Pivot", "SSE.Controllers.Toolbar.textRadical": "Perakaran", - "SSE.Controllers.Toolbar.textWarning": "Warning", + "SSE.Controllers.Toolbar.textRating": "Rating", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Baru Digunakan", + "SSE.Controllers.Toolbar.textScript": "Scripts", + "SSE.Controllers.Toolbar.textShapes": "Bentuk", + "SSE.Controllers.Toolbar.textSymbols": "Simbol", + "SSE.Controllers.Toolbar.textWarning": "Peringatan", "SSE.Controllers.Toolbar.txtAccent_Accent": "Akut", "SSE.Controllers.Toolbar.txtAccent_ArrowD": "Tanda Panah Kanan-Kiri Atas", "SSE.Controllers.Toolbar.txtAccent_ArrowL": "Panah Kiri Atas", "SSE.Controllers.Toolbar.txtAccent_ArrowR": "Tanda Panah ke Kanan Atas", "SSE.Controllers.Toolbar.txtAccent_Bar": "Palang", + "SSE.Controllers.Toolbar.txtAccent_BarBot": "Underbar", "SSE.Controllers.Toolbar.txtAccent_BarTop": "Garis Atas", "SSE.Controllers.Toolbar.txtAccent_BorderBox": "Kotak Formula (Dengan Placeholder)", "SSE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Kotak Formula(Contoh)", "SSE.Controllers.Toolbar.txtAccent_Check": "Periksa", + "SSE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Underbrace", "SSE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Kurung Kurawal Atas", + "SSE.Controllers.Toolbar.txtAccent_Custom_1": "Vector A", "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC Dengan Overbar", + "SSE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y dengan overbar", + "SSE.Controllers.Toolbar.txtAccent_DDDot": "Triple Dot", "SSE.Controllers.Toolbar.txtAccent_DDot": "Titik Dua", + "SSE.Controllers.Toolbar.txtAccent_Dot": "Titik", "SSE.Controllers.Toolbar.txtAccent_DoubleBar": "Overbar Ganda", "SSE.Controllers.Toolbar.txtAccent_Grave": "Aksen Kiri", "SSE.Controllers.Toolbar.txtAccent_GroupBot": "Pengelompokan Karakter Di Bawah", "SSE.Controllers.Toolbar.txtAccent_GroupTop": "Pengelompokan Karakter Di Atas", "SSE.Controllers.Toolbar.txtAccent_HarpoonL": "Panah Tiga Kiri Atas", - "SSE.Controllers.Toolbar.txtAccent_Hat": "Caping", - "SSE.Controllers.Toolbar.txtAccent_Smile": "Prosodi ", + "SSE.Controllers.Toolbar.txtAccent_HarpoonR": "Harpoon kanan di bawah", + "SSE.Controllers.Toolbar.txtAccent_Hat": "Topi", + "SSE.Controllers.Toolbar.txtAccent_Smile": "Prosodi", + "SSE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", "SSE.Controllers.Toolbar.txtBracket_Angle": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Tanda Kurung dengan Pemisah", "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Tanda Kurung dengan Pemisah", + "SSE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_Curve": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Tanda Kurung dengan Pemisah", + "SSE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_Custom_1": "Kasus (Dua Kondisi)", "SSE.Controllers.Toolbar.txtBracket_Custom_2": "Kasus (Tiga Kondisi)", + "SSE.Controllers.Toolbar.txtBracket_Custom_3": "Tumpuk objek", + "SSE.Controllers.Toolbar.txtBracket_Custom_4": "Tumpuk objek", "SSE.Controllers.Toolbar.txtBracket_Custom_5": "Contoh Kasus", "SSE.Controllers.Toolbar.txtBracket_Custom_6": "Koefisien Binomial", "SSE.Controllers.Toolbar.txtBracket_Custom_7": "Koefisien Binomial", "SSE.Controllers.Toolbar.txtBracket_Line": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_LineDouble": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_LowLim": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_Round": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Tanda Kurung dengan Pemisah", + "SSE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_Square": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Tanda Kurung", "SSE.Controllers.Toolbar.txtBracket_SquareDouble": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Kurung Kurawal Single", "SSE.Controllers.Toolbar.txtBracket_UppLim": "Tanda Kurung", + "SSE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Kurung Kurawal Single", + "SSE.Controllers.Toolbar.txtDeleteCells": "Hapus Sel", + "SSE.Controllers.Toolbar.txtExpand": "Perluas dan sortir", + "SSE.Controllers.Toolbar.txtExpandSort": "Data di sebelah pilihan tidak akan disortasi. Apakah Anda ingin memperluas pilihan untuk menyertakan data yang berdekatan atau lanjut sortasi dengan hanya sel yang dipilih?", + "SSE.Controllers.Toolbar.txtFractionDiagonal": "Pecahan miring", "SSE.Controllers.Toolbar.txtFractionDifferential_1": "Diferensial", "SSE.Controllers.Toolbar.txtFractionDifferential_2": "Diferensial", "SSE.Controllers.Toolbar.txtFractionDifferential_3": "Diferensial", "SSE.Controllers.Toolbar.txtFractionDifferential_4": "Diferensial", "SSE.Controllers.Toolbar.txtFractionHorizontal": "Pecahan Linear", "SSE.Controllers.Toolbar.txtFractionPi_2": "Pi Dibagi 2", + "SSE.Controllers.Toolbar.txtFractionSmall": "Pecahan kecil", + "SSE.Controllers.Toolbar.txtFractionVertical": "Pecahan bertumpuk", "SSE.Controllers.Toolbar.txtFunction_1_Cos": "Fungsi Kosin Terbalik", "SSE.Controllers.Toolbar.txtFunction_1_Cosh": "Fungsi Kosin Hiperbolik Terbalik", "SSE.Controllers.Toolbar.txtFunction_1_Cot": "Fungsi Kotangen Terbalik", @@ -450,25 +1202,58 @@ "SSE.Controllers.Toolbar.txtFunction_Coth": "Fungsi Kotangen Hiperbolik", "SSE.Controllers.Toolbar.txtFunction_Csc": "Fungsi Kosekans", "SSE.Controllers.Toolbar.txtFunction_Csch": "Fungsi Kosekans Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Custom_1": "Sine theta", "SSE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "SSE.Controllers.Toolbar.txtFunction_Custom_3": "Tangent formula", + "SSE.Controllers.Toolbar.txtFunction_Sec": "Fungsi sekan", "SSE.Controllers.Toolbar.txtFunction_Sech": "Fungsi Sekans Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Sin": "Fungsi sinus", "SSE.Controllers.Toolbar.txtFunction_Sinh": "Fungsi Sin Hiperbolik", + "SSE.Controllers.Toolbar.txtFunction_Tan": "Fungsi tangen", "SSE.Controllers.Toolbar.txtFunction_Tanh": "Fungsi Tangen Hiperbolik", + "SSE.Controllers.Toolbar.txtInsertCells": "Sisipkan sel", + "SSE.Controllers.Toolbar.txtIntegral": "Integral", "SSE.Controllers.Toolbar.txtIntegral_dtheta": "Theta Diferensial", "SSE.Controllers.Toolbar.txtIntegral_dx": "Diferensial x", "SSE.Controllers.Toolbar.txtIntegral_dy": "Diferensial y", + "SSE.Controllers.Toolbar.txtIntegralCenterSubSup": "Integral", "SSE.Controllers.Toolbar.txtIntegralDouble": "Integral Ganda", "SSE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Integral Ganda", "SSE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Integral Ganda", "SSE.Controllers.Toolbar.txtIntegralOriented": "Integral Kontur", "SSE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Integral Kontur", + "SSE.Controllers.Toolbar.txtIntegralOrientedDouble": "Permukaan integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Permukaan integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Permukaan integral", "SSE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Integral Kontur", + "SSE.Controllers.Toolbar.txtIntegralOrientedTriple": "Volume integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Volume integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Volume integral", + "SSE.Controllers.Toolbar.txtIntegralSubSup": "Integral", + "SSE.Controllers.Toolbar.txtIntegralTriple": "Triple integral", + "SSE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Triple integral", + "SSE.Controllers.Toolbar.txtIntegralTripleSubSup": "Triple integral", + "SSE.Controllers.Toolbar.txtInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Wedge", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Wedge", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Wedge", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Wedge", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Wedge", "SSE.Controllers.Toolbar.txtLargeOperator_CoProd": "Ko-Produk", "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Ko-Produk", "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Ko-Produk", "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Ko-Produk", "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Ko-Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Penjumlahan", "SSE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_5": "Union", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", "SSE.Controllers.Toolbar.txtLargeOperator_Intersection": "Perpotongan", "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Perpotongan", "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Perpotongan", @@ -479,12 +1264,25 @@ "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produk", "SSE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produk", "SSE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produk", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Penjumlahan", + "SSE.Controllers.Toolbar.txtLargeOperator_Union": "Union", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "Union", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "Union", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "Union", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "Union", "SSE.Controllers.Toolbar.txtLimitLog_Custom_1": "Contoh Limit", "SSE.Controllers.Toolbar.txtLimitLog_Custom_2": "Contoh Maksimal", + "SSE.Controllers.Toolbar.txtLimitLog_Lim": "Limit", "SSE.Controllers.Toolbar.txtLimitLog_Ln": "Logaritma Natural", "SSE.Controllers.Toolbar.txtLimitLog_Log": "Logaritma", "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritma", "SSE.Controllers.Toolbar.txtLimitLog_Max": "Maksimal", + "SSE.Controllers.Toolbar.txtLimitLog_Min": "Minimum", + "SSE.Controllers.Toolbar.txtLockSort": "Ditemukan data di sebelah pilihan Anda, tapi, Anda tidak memiliki izin untuk mengubah sel tersebut.
                              Apakah Anda ingin tetap lanjut dengan pilihan saat ini?", "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 Matriks Kosong", "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Matriks Kosong", "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 Matriks Kosong", @@ -497,8 +1295,12 @@ "SSE.Controllers.Toolbar.txtMatrix_3_1": "3x1 Matriks Kosong", "SSE.Controllers.Toolbar.txtMatrix_3_2": "3x2 Matriks Kosong", "SSE.Controllers.Toolbar.txtMatrix_3_3": "3x3 Matriks Kosong", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Titik Bawah", "SSE.Controllers.Toolbar.txtMatrix_Dots_Center": "Titik Tengah", "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Titik Diagonal", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Titik Vertikal", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Round": "Sparse Matrix", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Square": "Sparse Matrix", "SSE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 Matriks Identitas", "SSE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 Matriks Identitas", "SSE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 Matriks Identitas", @@ -507,8 +1309,10 @@ "SSE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "SSE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Panah Kiri Bawah", "SSE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Panah Kiri Atas", + "SSE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Panah kanan di bawah", "SSE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Tanda Panah ke Kanan Atas", "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Titik Dua", + "SSE.Controllers.Toolbar.txtOperator_Custom_1": "Yields", "SSE.Controllers.Toolbar.txtOperator_Custom_2": "Hasil Delta", "SSE.Controllers.Toolbar.txtOperator_Definition": "Setara Menurut Definisi", "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta Setara Dengan", @@ -516,6 +1320,7 @@ "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Tanda Panah Kanan-Kiri Atas", "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Panah Kiri Bawah", "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Panah Kiri Atas", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Panah kanan di bawah", "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Tanda Panah ke Kanan Atas", "SSE.Controllers.Toolbar.txtOperator_EqualsEquals": "Setara Setara", "SSE.Controllers.Toolbar.txtOperator_MinusEquals": "Minus Sama Dengan", @@ -523,11 +1328,20 @@ "SSE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Diukur Berdasar", "SSE.Controllers.Toolbar.txtRadicalCustom_1": "Akar", "SSE.Controllers.Toolbar.txtRadicalCustom_2": "Akar", + "SSE.Controllers.Toolbar.txtRadicalRoot_2": "Akar dengan pangkat", "SSE.Controllers.Toolbar.txtRadicalRoot_3": "Akar Pangkat Tiga", "SSE.Controllers.Toolbar.txtRadicalRoot_n": "Akar Dengan Derajat", + "SSE.Controllers.Toolbar.txtRadicalSqrt": "Akar pangkat dua", + "SSE.Controllers.Toolbar.txtScriptCustom_1": "Akar", + "SSE.Controllers.Toolbar.txtScriptCustom_2": "Akar", + "SSE.Controllers.Toolbar.txtScriptCustom_3": "Akar", + "SSE.Controllers.Toolbar.txtScriptCustom_4": "Akar", "SSE.Controllers.Toolbar.txtScriptSub": "Subskrip", + "SSE.Controllers.Toolbar.txtScriptSubSup": "Subskrip-SuperskripKiri", "SSE.Controllers.Toolbar.txtScriptSubSupLeft": "Subskrip-SuperskripKiri", "SSE.Controllers.Toolbar.txtScriptSup": "Superskrip", + "SSE.Controllers.Toolbar.txtSorting": "Sorting", + "SSE.Controllers.Toolbar.txtSortSelected": "Sortir dipilih", "SSE.Controllers.Toolbar.txtSymbol_about": "Kira-Kira", "SSE.Controllers.Toolbar.txtSymbol_additional": "Komplemen", "SSE.Controllers.Toolbar.txtSymbol_aleph": "Alef", @@ -543,7 +1357,8 @@ "SSE.Controllers.Toolbar.txtSymbol_celsius": "Derajat Celcius", "SSE.Controllers.Toolbar.txtSymbol_chi": "Chi", "SSE.Controllers.Toolbar.txtSymbol_cong": "Kira-Kira Setara Dengan", - "SSE.Controllers.Toolbar.txtSymbol_ddots": "Serong Kanan Bawah ", + "SSE.Controllers.Toolbar.txtSymbol_cup": "Union", + "SSE.Controllers.Toolbar.txtSymbol_ddots": "Serong Kanan Bawah", "SSE.Controllers.Toolbar.txtSymbol_degree": "Derajat", "SSE.Controllers.Toolbar.txtSymbol_delta": "Delta", "SSE.Controllers.Toolbar.txtSymbol_div": "Tanda Pembagi", @@ -553,27 +1368,34 @@ "SSE.Controllers.Toolbar.txtSymbol_equals": "Setara", "SSE.Controllers.Toolbar.txtSymbol_equiv": "Identik Dengan", "SSE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "SSE.Controllers.Toolbar.txtSymbol_exists": "Ada di sana", "SSE.Controllers.Toolbar.txtSymbol_factorial": "Faktorial", "SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "Derajat Fahrenheit", "SSE.Controllers.Toolbar.txtSymbol_forall": "Untuk Semua", "SSE.Controllers.Toolbar.txtSymbol_gamma": "Gamma", "SSE.Controllers.Toolbar.txtSymbol_geq": "Lebih Dari atau Sama Dengan", + "SSE.Controllers.Toolbar.txtSymbol_gg": "Lebih Dari", "SSE.Controllers.Toolbar.txtSymbol_greater": "Lebih Dari", "SSE.Controllers.Toolbar.txtSymbol_in": "Elemen Dari", "SSE.Controllers.Toolbar.txtSymbol_inc": "Naik", "SSE.Controllers.Toolbar.txtSymbol_infinity": "Tak Terbatas", "SSE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "SSE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", "SSE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "Panah Kiri", + "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Panah Kanan-Kiri", "SSE.Controllers.Toolbar.txtSymbol_leq": "Kurang Dari atau Sama Dengan", "SSE.Controllers.Toolbar.txtSymbol_less": "Kurang Dari", "SSE.Controllers.Toolbar.txtSymbol_ll": "Kurang Dari", "SSE.Controllers.Toolbar.txtSymbol_minus": "Minus", "SSE.Controllers.Toolbar.txtSymbol_mp": "Minus Plus", "SSE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "SSE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", "SSE.Controllers.Toolbar.txtSymbol_neq": "Tidak Sama Dengan", "SSE.Controllers.Toolbar.txtSymbol_ni": "Sertakan sebagai Anggota", "SSE.Controllers.Toolbar.txtSymbol_not": "Tanda Negasi", + "SSE.Controllers.Toolbar.txtSymbol_notexists": "Tidak ada di sana", + "SSE.Controllers.Toolbar.txtSymbol_nu": "Nu", "SSE.Controllers.Toolbar.txtSymbol_o": "Omikron", "SSE.Controllers.Toolbar.txtSymbol_omega": "Omega", "SSE.Controllers.Toolbar.txtSymbol_partial": "Diferensial Parsial", @@ -586,235 +1408,459 @@ "SSE.Controllers.Toolbar.txtSymbol_psi": "Psi", "SSE.Controllers.Toolbar.txtSymbol_qdrt": "Akar Kuadrat", "SSE.Controllers.Toolbar.txtSymbol_qed": "Pembuktian Akhir", + "SSE.Controllers.Toolbar.txtSymbol_rddots": "Elipsis diagonal kanan atas", "SSE.Controllers.Toolbar.txtSymbol_rho": "Rho", "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "Tanda Panah ke Kanan", "SSE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", "SSE.Controllers.Toolbar.txtSymbol_sqrt": "Tanda Akar", + "SSE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "SSE.Controllers.Toolbar.txtSymbol_therefore": "Oleh karena itu", "SSE.Controllers.Toolbar.txtSymbol_theta": "Theta", "SSE.Controllers.Toolbar.txtSymbol_times": "Tanda Perkalian", + "SSE.Controllers.Toolbar.txtSymbol_uparrow": "Panah keatas", "SSE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "Varian Epsilon", "SSE.Controllers.Toolbar.txtSymbol_varphi": "Varian Phi", "SSE.Controllers.Toolbar.txtSymbol_varpi": "Varian Pi", "SSE.Controllers.Toolbar.txtSymbol_varrho": "Varian Rho", - "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma Variant", - "SSE.Controllers.Toolbar.warnMergeLostData": "Only the data from the upper-left cell will remain in the merged cell.
                              Are you sure you want to continue?", + "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Varian Sigma", + "SSE.Controllers.Toolbar.txtSymbol_vartheta": "Varian Theta", + "SSE.Controllers.Toolbar.txtSymbol_vdots": "Elipsis vertikal", + "SSE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "SSE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "SSE.Controllers.Toolbar.txtTable_TableStyleDark": "Tabel Gaya Gelap", + "SSE.Controllers.Toolbar.txtTable_TableStyleLight": "Tabel Gaya Terang", + "SSE.Controllers.Toolbar.txtTable_TableStyleMedium": "Tabel Gaya Medium", + "SSE.Controllers.Toolbar.warnLongOperation": "Operasi yang akan Anda lakukan mungkin membutukan waktu yang cukup lama untuk selesai.
                              Apakah anda yakin untuk lanjut?", + "SSE.Controllers.Toolbar.warnMergeLostData": "Hanya data dari sel atas-kiri akan tetap berada di sel merging.
                              Apakah Anda ingin melanjutkan?", + "SSE.Controllers.Viewport.textFreezePanes": "Freeze Panes", + "SSE.Controllers.Viewport.textFreezePanesShadow": "Tampillkan bayangan panel beku", + "SSE.Controllers.Viewport.textHideFBar": "Sembuntikan Bar Formula", + "SSE.Controllers.Viewport.textHideGridlines": "Sembunyikan Gridlines", + "SSE.Controllers.Viewport.textHideHeadings": "Sembunyikan Heading", + "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separator desimal", + "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separator ribuan", + "SSE.Views.AdvancedSeparatorDialog.textLabel": "Pengaturan digunakan untuk mengetahui data numerik", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Text qualifier", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Pengaturan Lanjut", - "SSE.Views.AutoFilterDialog.btnCustomFilter": "Custom Filter", - "SSE.Views.AutoFilterDialog.textEmptyItem": "{Blanks}", - "SSE.Views.AutoFilterDialog.textSelectAll": "Select All", - "SSE.Views.AutoFilterDialog.textWarning": "Warning", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(tidak ada)", + "SSE.Views.AutoFilterDialog.btnCustomFilter": "Atur Filter", + "SSE.Views.AutoFilterDialog.textAddSelection": "Tambah pilihan saat ini ke filter", + "SSE.Views.AutoFilterDialog.textEmptyItem": "{Kosong}", + "SSE.Views.AutoFilterDialog.textSelectAll": "Pilih semua", + "SSE.Views.AutoFilterDialog.textSelectAllResults": "Pilih Semua Hasil Pencarian", + "SSE.Views.AutoFilterDialog.textWarning": "Peringatan", + "SSE.Views.AutoFilterDialog.txtAboveAve": "Di atas rata-rata", + "SSE.Views.AutoFilterDialog.txtBegins": "Dimulai dari...", + "SSE.Views.AutoFilterDialog.txtBelowAve": "Di bawah rata-rata", + "SSE.Views.AutoFilterDialog.txtBetween": "Diantara...", "SSE.Views.AutoFilterDialog.txtClear": "Hapus", - "SSE.Views.AutoFilterDialog.txtEmpty": "Enter cell filter", + "SSE.Views.AutoFilterDialog.txtContains": "Berisi...", + "SSE.Views.AutoFilterDialog.txtEmpty": "Masukkan filter sel", + "SSE.Views.AutoFilterDialog.txtEnds": "Berakhir dengan...", + "SSE.Views.AutoFilterDialog.txtEquals": "Sama Dengan...", + "SSE.Views.AutoFilterDialog.txtFilterCellColor": "Filter dari warna sel", + "SSE.Views.AutoFilterDialog.txtFilterFontColor": "Filter dari warna font", + "SSE.Views.AutoFilterDialog.txtGreater": "Lebih Dari...", + "SSE.Views.AutoFilterDialog.txtGreaterEquals": "Lebih Dari atau Sama Dengan...", + "SSE.Views.AutoFilterDialog.txtLabelFilter": "Filter label", + "SSE.Views.AutoFilterDialog.txtLess": "Kurang dari...", + "SSE.Views.AutoFilterDialog.txtLessEquals": "Kurang Dari atau Sama Dengan...", + "SSE.Views.AutoFilterDialog.txtNotBegins": "Tidak diawali dari...", + "SSE.Views.AutoFilterDialog.txtNotBetween": "Tidak diantara...", + "SSE.Views.AutoFilterDialog.txtNotContains": "Tidak berisi...", + "SSE.Views.AutoFilterDialog.txtNotEnds": "Tidak diakhiri dengan...", + "SSE.Views.AutoFilterDialog.txtNotEquals": "Tidak sama dengan...", + "SSE.Views.AutoFilterDialog.txtNumFilter": "Nomor filter", + "SSE.Views.AutoFilterDialog.txtReapply": "Terapkan Ulang", + "SSE.Views.AutoFilterDialog.txtSortCellColor": "Sortasi dari warna sel", + "SSE.Views.AutoFilterDialog.txtSortFontColor": "Sortasi dari warna font", + "SSE.Views.AutoFilterDialog.txtSortHigh2Low": "Sortir Tertinggi ke Terendah", + "SSE.Views.AutoFilterDialog.txtSortLow2High": "Sortir Terendah ke Tertinggi", + "SSE.Views.AutoFilterDialog.txtSortOption": "Lebih banyak opsi sortasi...", + "SSE.Views.AutoFilterDialog.txtTextFilter": "Filter teks", "SSE.Views.AutoFilterDialog.txtTitle": "Filter", "SSE.Views.AutoFilterDialog.txtTop10": "10 Teratas", - "SSE.Views.AutoFilterDialog.warnNoSelected": "You must choose at least one value", - "SSE.Views.CellEditor.textManager": "Name Manager", - "SSE.Views.CellEditor.tipFormula": "Insert Function", - "SSE.Views.CellRangeDialog.errorMaxRows": "ERROR! The maximum number of data series per chart is 255", + "SSE.Views.AutoFilterDialog.txtValueFilter": "Filter Nilai", + "SSE.Views.AutoFilterDialog.warnFilterError": "Anda setidaknya membutuhkan satu area di area Nilai untuk menerapkan filter nilai.", + "SSE.Views.AutoFilterDialog.warnNoSelected": "Anda harus memilih setidaknya satu nilai", + "SSE.Views.CellEditor.textManager": "Pengaturan Nama", + "SSE.Views.CellEditor.tipFormula": "Sisipkan Fungsi", + "SSE.Views.CellRangeDialog.errorMaxRows": "KESALAHAN! Jumlah seri data maksimum per grafik adalah 255.", "SSE.Views.CellRangeDialog.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", - "SSE.Views.CellRangeDialog.txtEmpty": "This field is required", - "SSE.Views.CellRangeDialog.txtInvalidRange": "ERROR! Invalid cells range", - "SSE.Views.CellRangeDialog.txtTitle": "Select Data Range", + "SSE.Views.CellRangeDialog.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.CellRangeDialog.txtInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.CellRangeDialog.txtTitle": "Pilih Rentang Data", + "SSE.Views.CellSettings.strShrink": "Shrink untuk pas", + "SSE.Views.CellSettings.strWrap": "Wrap Teks", + "SSE.Views.CellSettings.textAngle": "Sudut", "SSE.Views.CellSettings.textBackColor": "Warna Latar", - "SSE.Views.CellSettings.textBackground": "Warna Latar", + "SSE.Views.CellSettings.textBackground": "Warna latar", "SSE.Views.CellSettings.textBorderColor": "Warna", "SSE.Views.CellSettings.textBorders": "Gaya Pembatas", - "SSE.Views.CellSettings.textColor": "Isian Warna", + "SSE.Views.CellSettings.textClearRule": "Bersihkan Aturan", + "SSE.Views.CellSettings.textColor": "Warna Isi", + "SSE.Views.CellSettings.textColorScales": "Skala Warna", + "SSE.Views.CellSettings.textCondFormat": "Format bersyarat", + "SSE.Views.CellSettings.textControl": "Kontrol Teks", + "SSE.Views.CellSettings.textDataBars": "Bar Data", "SSE.Views.CellSettings.textDirection": "Arah", - "SSE.Views.CellSettings.textFill": "Isian", + "SSE.Views.CellSettings.textFill": "Isi", "SSE.Views.CellSettings.textForeground": "Warna latar depan", "SSE.Views.CellSettings.textGradient": "Gradien", "SSE.Views.CellSettings.textGradientColor": "Warna", "SSE.Views.CellSettings.textGradientFill": "Isian Gradien", + "SSE.Views.CellSettings.textIndent": "Indent", + "SSE.Views.CellSettings.textItems": "Items", "SSE.Views.CellSettings.textLinear": "Linier", + "SSE.Views.CellSettings.textManageRule": "Kelola Aturan", + "SSE.Views.CellSettings.textNewRule": "Peraturan Baru", "SSE.Views.CellSettings.textNoFill": "Tidak ada Isian", + "SSE.Views.CellSettings.textOrientation": "Arah Teks", "SSE.Views.CellSettings.textPattern": "Pola", "SSE.Views.CellSettings.textPatternFill": "Pola", - "SSE.Views.CellSettings.textPosition": "Jabatan", + "SSE.Views.CellSettings.textPosition": "Posisi", + "SSE.Views.CellSettings.textRadial": "Radial", + "SSE.Views.CellSettings.textSelectBorders": "Pilih pembatas yang ingin Anda ubah dengan menerarpkan model yang telah dipilih di atas", + "SSE.Views.CellSettings.textSelection": "Dari pilihan saat ini", + "SSE.Views.CellSettings.textThisPivot": "Dari pivot ini", + "SSE.Views.CellSettings.textThisSheet": "Dari worksheet ini", + "SSE.Views.CellSettings.textThisTable": "Dari tabel ini", + "SSE.Views.CellSettings.tipAddGradientPoint": "Tambah titik gradien", "SSE.Views.CellSettings.tipAll": "Buat Pembatas Luar dan Semua Garis Dalam", "SSE.Views.CellSettings.tipBottom": "Buat Pembatas Bawah-Luar Saja", + "SSE.Views.CellSettings.tipDiagD": "Pengaturan Pembatas Bawah Diagonal", + "SSE.Views.CellSettings.tipDiagU": "Pengaturan Pembatas Atas Diagonal", "SSE.Views.CellSettings.tipInner": "Buat Garis Dalam Saja", "SSE.Views.CellSettings.tipInnerHor": "Buat Garis Horisontal Dalam Saja", "SSE.Views.CellSettings.tipInnerVert": "Buat Garis Dalam Vertikal Saja", "SSE.Views.CellSettings.tipLeft": "Buat Pembatas Kiri-Luar Saja", "SSE.Views.CellSettings.tipNone": "Tanpa Pembatas", "SSE.Views.CellSettings.tipOuter": "Buat Pembatas Luar Saja", + "SSE.Views.CellSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", "SSE.Views.CellSettings.tipRight": "Buat Pembatas Kanan-Luar Saja", "SSE.Views.CellSettings.tipTop": "Buat Pembatas Atas-Luar Saja", + "SSE.Views.ChartDataDialog.errorInFormula": "Ada kesalahan di formula yang Anda masukkan.", + "SSE.Views.ChartDataDialog.errorInvalidReference": "Referensi tidak valid. Referensi harus ditukukan ke worksheet terbuka.", + "SSE.Views.ChartDataDialog.errorMaxPoints": "Jumlah titik maksimum dalam seri per grafik adalah 4096.", + "SSE.Views.ChartDataDialog.errorMaxRows": "Jumlah seri data maksimum per grafik adalah 255.", + "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "Referensi tidak valid. Refensi untuk judul, nilai, ukuran, atau label data harus berupa sel, baris, atau kolom tunggal.", + "SSE.Views.ChartDataDialog.errorNoValues": "Untuk membuat grafik, setidaknya seri harus memiliki satu nilai.", "SSE.Views.ChartDataDialog.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", "SSE.Views.ChartDataDialog.textAdd": "Tambahkan", + "SSE.Views.ChartDataDialog.textCategory": "Label Sumbu Horizontal (Kategori)", + "SSE.Views.ChartDataDialog.textData": "Rentang data grafik", "SSE.Views.ChartDataDialog.textDelete": "Hapus", + "SSE.Views.ChartDataDialog.textDown": "Bawah", "SSE.Views.ChartDataDialog.textEdit": "Sunting", + "SSE.Views.ChartDataDialog.textInvalidRange": "Rentang sel tidak valid", + "SSE.Views.ChartDataDialog.textSelectData": "Pilih data", + "SSE.Views.ChartDataDialog.textSeries": "Entri Legenda (Seri)", + "SSE.Views.ChartDataDialog.textSwitch": "Tukar Baris/Kolom", + "SSE.Views.ChartDataDialog.textTitle": "Data Grafik", "SSE.Views.ChartDataDialog.textUp": "Naik", + "SSE.Views.ChartDataRangeDialog.errorInFormula": "Ada kesalahan di formula yang Anda masukkan.", + "SSE.Views.ChartDataRangeDialog.errorInvalidReference": "Referensi tidak valid. Referensi harus ditukukan ke worksheet terbuka.", + "SSE.Views.ChartDataRangeDialog.errorMaxPoints": "Jumlah titik maksimum dalam seri per grafik adalah 4096.", + "SSE.Views.ChartDataRangeDialog.errorMaxRows": "Jumlah seri data maksimum per grafik adalah 255.", + "SSE.Views.ChartDataRangeDialog.errorNoSingleRowCol": "Referensi tidak valid. Refensi untuk judul, nilai, ukuran, atau label data harus berupa sel, baris, atau kolom tunggal.", + "SSE.Views.ChartDataRangeDialog.errorNoValues": "Untuk membuat grafik, setidaknya seri harus memiliki satu nilai.", "SSE.Views.ChartDataRangeDialog.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "SSE.Views.ChartDataRangeDialog.textInvalidRange": "Rentang sel tidak valid", + "SSE.Views.ChartDataRangeDialog.textSelectData": "Pilih data", + "SSE.Views.ChartDataRangeDialog.txtAxisLabel": "Rentang label sumbu", + "SSE.Views.ChartDataRangeDialog.txtChoose": "Pilih rentang", + "SSE.Views.ChartDataRangeDialog.txtSeriesName": "Nama Seri", + "SSE.Views.ChartDataRangeDialog.txtTitleCategory": "Label Sumbu", + "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "Edit Seri", + "SSE.Views.ChartDataRangeDialog.txtValues": "Nilai", + "SSE.Views.ChartDataRangeDialog.txtXValues": "Nilai X", + "SSE.Views.ChartDataRangeDialog.txtYValues": "Nilai Y", + "SSE.Views.ChartSettings.strLineWeight": "Tebal Garis", "SSE.Views.ChartSettings.strSparkColor": "Warna", - "SSE.Views.ChartSettings.textAdvanced": "Show advanced settings", - "SSE.Views.ChartSettings.textBorderSizeErr": "Input yang dimasukkan salah.
                              Silakan masukkan input antara 1pt dan 1584pt.", + "SSE.Views.ChartSettings.strTemplate": "Template", + "SSE.Views.ChartSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.ChartSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
                              Silakan masukkan nilai antara 0 pt dan 1584 pt.", "SSE.Views.ChartSettings.textChangeType": "Ubah tipe", - "SSE.Views.ChartSettings.textChartType": "Change Chart Type", - "SSE.Views.ChartSettings.textEditData": "Edit Data", - "SSE.Views.ChartSettings.textHeight": "Height", - "SSE.Views.ChartSettings.textKeepRatio": "Constant Proportions", + "SSE.Views.ChartSettings.textChartType": "Ubah Tipe Bagan", + "SSE.Views.ChartSettings.textEditData": "Edit Data dan Lokasi", + "SSE.Views.ChartSettings.textFirstPoint": "Titik Pertama", + "SSE.Views.ChartSettings.textHeight": "Tinggi", + "SSE.Views.ChartSettings.textHighPoint": "Titik Tinggi", + "SSE.Views.ChartSettings.textKeepRatio": "Proporsi Konstan", + "SSE.Views.ChartSettings.textLastPoint": "Titik Terakhir", + "SSE.Views.ChartSettings.textLowPoint": "Titik Rendah", + "SSE.Views.ChartSettings.textMarkers": "Markers", + "SSE.Views.ChartSettings.textNegativePoint": "Titik negatif", + "SSE.Views.ChartSettings.textRanges": "Rentang Data", + "SSE.Views.ChartSettings.textSelectData": "Pilih data", "SSE.Views.ChartSettings.textShow": "Tampilkan", - "SSE.Views.ChartSettings.textSize": "Size", - "SSE.Views.ChartSettings.textStyle": "Style", + "SSE.Views.ChartSettings.textSize": "Ukuran", + "SSE.Views.ChartSettings.textStyle": "Model", "SSE.Views.ChartSettings.textType": "Tipe", - "SSE.Views.ChartSettings.textWidth": "Width", - "SSE.Views.ChartSettingsDlg.errorMaxRows": "ERROR! The maximum number of data series per chart is 255", - "SSE.Views.ChartSettingsDlg.errorStockChart": "Incorrect row order. To build a stock chart place the data on the sheet in the following order:
                              opening price, max price, min price, closing price.", + "SSE.Views.ChartSettings.textWidth": "Lebar", + "SSE.Views.ChartSettingsDlg.errorMaxPoints": "KESALAHAN! Jumlah titik maksimum dalam seri per grafik adalah 4096.", + "SSE.Views.ChartSettingsDlg.errorMaxRows": "KESALAHAN! Jumlah seri data maksimum per grafik adalah 255.", + "SSE.Views.ChartSettingsDlg.errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
                              harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "SSE.Views.ChartSettingsDlg.textAbsolute": "Jangan pindah atau ubah dengan sel", + "SSE.Views.ChartSettingsDlg.textAlt": "Teks Alternatif", "SSE.Views.ChartSettingsDlg.textAltDescription": "Deskripsi", + "SSE.Views.ChartSettingsDlg.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "SSE.Views.ChartSettingsDlg.textAltTitle": "Judul", - "SSE.Views.ChartSettingsDlg.textAuto": "Auto", - "SSE.Views.ChartSettingsDlg.textAxisCrosses": "Axis Crosses", - "SSE.Views.ChartSettingsDlg.textAxisOptions": "Axis Options", - "SSE.Views.ChartSettingsDlg.textAxisPos": "Axis Position", - "SSE.Views.ChartSettingsDlg.textAxisSettings": "Axis Settings", + "SSE.Views.ChartSettingsDlg.textAuto": "Otomatis", + "SSE.Views.ChartSettingsDlg.textAutoEach": "Auto untuk Masing-masing", + "SSE.Views.ChartSettingsDlg.textAxisCrosses": "Sumbu Berpotongan", + "SSE.Views.ChartSettingsDlg.textAxisOptions": "Opsi Sumbu", + "SSE.Views.ChartSettingsDlg.textAxisPos": "Posisi Sumbu", + "SSE.Views.ChartSettingsDlg.textAxisSettings": "Pengaturan Sumbu", "SSE.Views.ChartSettingsDlg.textAxisTitle": "Judul", - "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Between Tick Marks", - "SSE.Views.ChartSettingsDlg.textBillions": "Billions", + "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Di Antara Tanda Centang", + "SSE.Views.ChartSettingsDlg.textBillions": "Miliar", "SSE.Views.ChartSettingsDlg.textBottom": "Bawah", - "SSE.Views.ChartSettingsDlg.textCategoryName": "Category Name", - "SSE.Views.ChartSettingsDlg.textCenter": "Center", - "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Chart Elements &
                              Chart Legend", - "SSE.Views.ChartSettingsDlg.textChartTitle": "Chart Title", - "SSE.Views.ChartSettingsDlg.textCross": "Cross", - "SSE.Views.ChartSettingsDlg.textCustom": "Custom", - "SSE.Views.ChartSettingsDlg.textDataColumns": "in columns", - "SSE.Views.ChartSettingsDlg.textDataLabels": "Data Labels", - "SSE.Views.ChartSettingsDlg.textDataRows": "in rows", - "SSE.Views.ChartSettingsDlg.textDisplayLegend": "Display Legend", + "SSE.Views.ChartSettingsDlg.textCategoryName": "Nama Kategori", + "SSE.Views.ChartSettingsDlg.textCenter": "Tengah", + "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Elemen Grafik &
                              Legenda Grafik", + "SSE.Views.ChartSettingsDlg.textChartTitle": "Judul Grafik", + "SSE.Views.ChartSettingsDlg.textCross": "Silang", + "SSE.Views.ChartSettingsDlg.textCustom": "Khusus", + "SSE.Views.ChartSettingsDlg.textDataColumns": "Di kolom", + "SSE.Views.ChartSettingsDlg.textDataLabels": "Label Data", + "SSE.Views.ChartSettingsDlg.textDataRows": "Di baris", + "SSE.Views.ChartSettingsDlg.textDisplayLegend": "Tampilkan Legenda", + "SSE.Views.ChartSettingsDlg.textEmptyCells": "Sel Tersembunyi dan Kosong", + "SSE.Views.ChartSettingsDlg.textEmptyLine": "Hubungkan titik data dengan garis", "SSE.Views.ChartSettingsDlg.textFit": "Sesuaikan Lebar", "SSE.Views.ChartSettingsDlg.textFixed": "Fixed", - "SSE.Views.ChartSettingsDlg.textGridLines": "Gridlines", - "SSE.Views.ChartSettingsDlg.textHide": "Hide", - "SSE.Views.ChartSettingsDlg.textHigh": "High", - "SSE.Views.ChartSettingsDlg.textHorAxis": "Horizontal Axis", - "SSE.Views.ChartSettingsDlg.textHorizontal": "Horizontal", + "SSE.Views.ChartSettingsDlg.textFormat": "Format label", + "SSE.Views.ChartSettingsDlg.textGaps": "Gaps", + "SSE.Views.ChartSettingsDlg.textGridLines": "Garis Grid", + "SSE.Views.ChartSettingsDlg.textGroup": "Kelompokkan Sparkline", + "SSE.Views.ChartSettingsDlg.textHide": "Sembunyikan", + "SSE.Views.ChartSettingsDlg.textHideAxis": "Sembunyikan sumbu", + "SSE.Views.ChartSettingsDlg.textHigh": "Tinggi", + "SSE.Views.ChartSettingsDlg.textHorAxis": "Sumbu Horizontal", + "SSE.Views.ChartSettingsDlg.textHorAxisSec": "Sumbu Sekunder Horizontal", + "SSE.Views.ChartSettingsDlg.textHorizontal": "Horisontal", "SSE.Views.ChartSettingsDlg.textHundredMil": "100 000 000", - "SSE.Views.ChartSettingsDlg.textHundreds": "Hundreds", + "SSE.Views.ChartSettingsDlg.textHundreds": "Ratusan", "SSE.Views.ChartSettingsDlg.textHundredThousands": "100 000", - "SSE.Views.ChartSettingsDlg.textIn": "In", - "SSE.Views.ChartSettingsDlg.textInnerBottom": "Inner Bottom", - "SSE.Views.ChartSettingsDlg.textInnerTop": "Inner Top", - "SSE.Views.ChartSettingsDlg.textInvalidRange": "ERROR! Invalid cells range", - "SSE.Views.ChartSettingsDlg.textLabelDist": "Axis Label Distance", - "SSE.Views.ChartSettingsDlg.textLabelInterval": "Interval between Labels ", - "SSE.Views.ChartSettingsDlg.textLabelOptions": "Label Options", - "SSE.Views.ChartSettingsDlg.textLabelPos": "Label Position", + "SSE.Views.ChartSettingsDlg.textIn": "Dalam", + "SSE.Views.ChartSettingsDlg.textInnerBottom": "Dalam Bawah", + "SSE.Views.ChartSettingsDlg.textInnerTop": "Dalam Atas", + "SSE.Views.ChartSettingsDlg.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.ChartSettingsDlg.textLabelDist": "Jarak Label Sumbu", + "SSE.Views.ChartSettingsDlg.textLabelInterval": "Interval antar Label ", + "SSE.Views.ChartSettingsDlg.textLabelOptions": "Opsi Label", + "SSE.Views.ChartSettingsDlg.textLabelPos": "Posisi Label", "SSE.Views.ChartSettingsDlg.textLayout": "Layout", "SSE.Views.ChartSettingsDlg.textLeft": "Kiri", - "SSE.Views.ChartSettingsDlg.textLeftOverlay": "Left Overlay", - "SSE.Views.ChartSettingsDlg.textLegendBottom": "Bottom", - "SSE.Views.ChartSettingsDlg.textLegendLeft": "Left", - "SSE.Views.ChartSettingsDlg.textLegendPos": "Legend", - "SSE.Views.ChartSettingsDlg.textLegendRight": "Right", - "SSE.Views.ChartSettingsDlg.textLegendTop": "Top", - "SSE.Views.ChartSettingsDlg.textLines": "Lines ", - "SSE.Views.ChartSettingsDlg.textLow": "Low", + "SSE.Views.ChartSettingsDlg.textLeftOverlay": "Overlay Kiri", + "SSE.Views.ChartSettingsDlg.textLegendBottom": "Bawah", + "SSE.Views.ChartSettingsDlg.textLegendLeft": "Kiri", + "SSE.Views.ChartSettingsDlg.textLegendPos": "Keterangan", + "SSE.Views.ChartSettingsDlg.textLegendRight": "Kanan", + "SSE.Views.ChartSettingsDlg.textLegendTop": "Atas", + "SSE.Views.ChartSettingsDlg.textLines": "Garis ", + "SSE.Views.ChartSettingsDlg.textLocationRange": "Rentang Lokasi", + "SSE.Views.ChartSettingsDlg.textLow": "Rendah", "SSE.Views.ChartSettingsDlg.textMajor": "Major", - "SSE.Views.ChartSettingsDlg.textMajorMinor": "Major and Minor", - "SSE.Views.ChartSettingsDlg.textMajorType": "Major Type", + "SSE.Views.ChartSettingsDlg.textMajorMinor": "Major dan Minor", + "SSE.Views.ChartSettingsDlg.textMajorType": "Tipe Major", "SSE.Views.ChartSettingsDlg.textManual": "Manual", "SSE.Views.ChartSettingsDlg.textMarkers": "Markers", - "SSE.Views.ChartSettingsDlg.textMarksInterval": "Interval between Marks", - "SSE.Views.ChartSettingsDlg.textMaxValue": "Maximum Value", - "SSE.Views.ChartSettingsDlg.textMillions": "Millions", + "SSE.Views.ChartSettingsDlg.textMarksInterval": "Inverval antar Tanda", + "SSE.Views.ChartSettingsDlg.textMaxValue": "Nilai Maksimum", + "SSE.Views.ChartSettingsDlg.textMillions": "Juta", "SSE.Views.ChartSettingsDlg.textMinor": "Minor", - "SSE.Views.ChartSettingsDlg.textMinorType": "Minor Type", - "SSE.Views.ChartSettingsDlg.textMinValue": "Minimum Value", - "SSE.Views.ChartSettingsDlg.textNextToAxis": "Next to axis", - "SSE.Views.ChartSettingsDlg.textNone": "None", - "SSE.Views.ChartSettingsDlg.textNoOverlay": "No Overlay", - "SSE.Views.ChartSettingsDlg.textOnTickMarks": "On Tick Marks", - "SSE.Views.ChartSettingsDlg.textOut": "Out", - "SSE.Views.ChartSettingsDlg.textOuterTop": "Outer Top", + "SSE.Views.ChartSettingsDlg.textMinorType": "Tipe Minor", + "SSE.Views.ChartSettingsDlg.textMinValue": "Nilai Minimum", + "SSE.Views.ChartSettingsDlg.textNextToAxis": "Di sebelah sumbu", + "SSE.Views.ChartSettingsDlg.textNone": "Tidak ada", + "SSE.Views.ChartSettingsDlg.textNoOverlay": "Tanpa Overlay", + "SSE.Views.ChartSettingsDlg.textOneCell": "Pindahkan tapi tidak digabungkan dengan sel", + "SSE.Views.ChartSettingsDlg.textOnTickMarks": "Di Tanda Centang", + "SSE.Views.ChartSettingsDlg.textOut": "Luar", + "SSE.Views.ChartSettingsDlg.textOuterTop": "Terluar Atas", "SSE.Views.ChartSettingsDlg.textOverlay": "Overlay", - "SSE.Views.ChartSettingsDlg.textReverse": "Values in reverse order", + "SSE.Views.ChartSettingsDlg.textReverse": "Nilai dengan Urutan Terbalik", + "SSE.Views.ChartSettingsDlg.textReverseOrder": "Urutan Terbalik", "SSE.Views.ChartSettingsDlg.textRight": "Kanan", - "SSE.Views.ChartSettingsDlg.textRightOverlay": "Right Overlay", - "SSE.Views.ChartSettingsDlg.textRotated": "Rotated", - "SSE.Views.ChartSettingsDlg.textSelectData": "Select Data", - "SSE.Views.ChartSettingsDlg.textSeparator": "Data Labels Separator", - "SSE.Views.ChartSettingsDlg.textSeriesName": "Series Name", - "SSE.Views.ChartSettingsDlg.textShow": "Show", - "SSE.Views.ChartSettingsDlg.textShowBorders": "Display chart borders", - "SSE.Views.ChartSettingsDlg.textShowValues": "Display chart values", - "SSE.Views.ChartSettingsDlg.textSmooth": "Smooth", + "SSE.Views.ChartSettingsDlg.textRightOverlay": "Overlay Kanan", + "SSE.Views.ChartSettingsDlg.textRotated": "Dirotasi", + "SSE.Views.ChartSettingsDlg.textSameAll": "Sama untuk semua", + "SSE.Views.ChartSettingsDlg.textSelectData": "Pilih data", + "SSE.Views.ChartSettingsDlg.textSeparator": "Separator Label Data", + "SSE.Views.ChartSettingsDlg.textSeriesName": "Nama Seri", + "SSE.Views.ChartSettingsDlg.textShow": "Tampilkan", + "SSE.Views.ChartSettingsDlg.textShowBorders": "Tampilkan batas grafik", + "SSE.Views.ChartSettingsDlg.textShowData": "Tampilkan data di baris dan kolom tersembunyi", + "SSE.Views.ChartSettingsDlg.textShowEmptyCells": "Tampilkan sel kosong sebagai", + "SSE.Views.ChartSettingsDlg.textShowSparkAxis": "Tampilkan Sumbu", + "SSE.Views.ChartSettingsDlg.textShowValues": "Tampilkan nilai grafik", + "SSE.Views.ChartSettingsDlg.textSingle": "Satu Sparkline", + "SSE.Views.ChartSettingsDlg.textSmooth": "Halus", + "SSE.Views.ChartSettingsDlg.textSnap": "Snapping Sel", + "SSE.Views.ChartSettingsDlg.textSparkRanges": "Rentang Sparkline", "SSE.Views.ChartSettingsDlg.textStraight": "Straight", - "SSE.Views.ChartSettingsDlg.textStyle": "Style", + "SSE.Views.ChartSettingsDlg.textStyle": "Model", "SSE.Views.ChartSettingsDlg.textTenMillions": "10 000 000", "SSE.Views.ChartSettingsDlg.textTenThousands": "10 000", - "SSE.Views.ChartSettingsDlg.textThousands": "Thousands", - "SSE.Views.ChartSettingsDlg.textTickOptions": "Tick Options", - "SSE.Views.ChartSettingsDlg.textTitle": "Chart - Advanced Settings", + "SSE.Views.ChartSettingsDlg.textThousands": "Ribu", + "SSE.Views.ChartSettingsDlg.textTickOptions": "Opsi Tick", + "SSE.Views.ChartSettingsDlg.textTitle": "Bagan - Pengaturan Lanjut", + "SSE.Views.ChartSettingsDlg.textTitleSparkline": "Sparkline - Pengaturan Lanjut", "SSE.Views.ChartSettingsDlg.textTop": "Atas", - "SSE.Views.ChartSettingsDlg.textTrillions": "Trillions", - "SSE.Views.ChartSettingsDlg.textType": "Type", - "SSE.Views.ChartSettingsDlg.textTypeData": "Type & Data", - "SSE.Views.ChartSettingsDlg.textUnits": "Display Units", - "SSE.Views.ChartSettingsDlg.textValue": "Value", - "SSE.Views.ChartSettingsDlg.textVertAxis": "Vertical Axis", - "SSE.Views.ChartSettingsDlg.textXAxisTitle": "X Axis Title", - "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Y Axis Title", - "SSE.Views.ChartSettingsDlg.txtEmpty": "This field is required", + "SSE.Views.ChartSettingsDlg.textTrillions": "Trilyun", + "SSE.Views.ChartSettingsDlg.textTwoCell": "Pindahkan dan gabungkan dengan sel", + "SSE.Views.ChartSettingsDlg.textType": "Tipe", + "SSE.Views.ChartSettingsDlg.textTypeData": "Tipe & Data", + "SSE.Views.ChartSettingsDlg.textUnits": "Unit Tampilan", + "SSE.Views.ChartSettingsDlg.textValue": "Nilai", + "SSE.Views.ChartSettingsDlg.textVertAxis": "Sumbu Vertikal", + "SSE.Views.ChartSettingsDlg.textVertAxisSec": "Sumbu Sekunder Vertikal", + "SSE.Views.ChartSettingsDlg.textXAxisTitle": "Nama Sumbu X", + "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Nama Sumbu Y", + "SSE.Views.ChartSettingsDlg.textZero": "Zero", + "SSE.Views.ChartSettingsDlg.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.ChartTypeDialog.errorComboSeries": "Untuk membuat grafik kombinasi, pilih setidaknya dua seri data.", + "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "Tipe grafik yang dipilih memerlukan sumbu sekunder yang digunakan di grafik saat ini. Pilih tipe grafik yang lain.", + "SSE.Views.ChartTypeDialog.textSecondary": "Sumbu Sekunder", + "SSE.Views.ChartTypeDialog.textSeries": "Seri", "SSE.Views.ChartTypeDialog.textStyle": "Model", + "SSE.Views.ChartTypeDialog.textTitle": "Tipe Grafik", "SSE.Views.ChartTypeDialog.textType": "Tipe", - "SSE.Views.CreatePivotDialog.txtEmpty": "Kolom ini harus diisi", - "SSE.Views.CreateSparklineDialog.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.CreatePivotDialog.textDataRange": "Rentang data sumber", + "SSE.Views.CreatePivotDialog.textDestination": "Pilih lokasi untuk tabel", + "SSE.Views.CreatePivotDialog.textExist": "Worksheet saat ini", + "SSE.Views.CreatePivotDialog.textInvalidRange": "Rentang sel tidak valid", + "SSE.Views.CreatePivotDialog.textNew": "Worksheet baru", + "SSE.Views.CreatePivotDialog.textSelectData": "Pilih data", + "SSE.Views.CreatePivotDialog.textTitle": "Buat Tabel Pivot", + "SSE.Views.CreatePivotDialog.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.CreateSparklineDialog.textDataRange": "Rentang data sumber", + "SSE.Views.CreateSparklineDialog.textDestination": "Pilih, lokasi penempetan sparklines", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Rentang sel tidak valid", + "SSE.Views.CreateSparklineDialog.textSelectData": "Pilih data", + "SSE.Views.CreateSparklineDialog.textTitle": "Buat Sparklines", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Area ini dibutuhkan", "SSE.Views.DataTab.capBtnGroup": "Grup", + "SSE.Views.DataTab.capBtnTextCustomSort": "Atur sortasi", + "SSE.Views.DataTab.capBtnTextDataValidation": "Validasi data", + "SSE.Views.DataTab.capBtnTextRemDuplicates": "Hapus duplikat", + "SSE.Views.DataTab.capBtnTextToCol": "Teks ke Kolom", "SSE.Views.DataTab.capBtnUngroup": "Pisahkan dari grup", + "SSE.Views.DataTab.capDataFromText": "Dapatkan data", + "SSE.Views.DataTab.mniFromFile": "Dari TXT/CSV lokal", + "SSE.Views.DataTab.mniFromUrl": "Dari alamat web TXT/CSV", + "SSE.Views.DataTab.textBelow": "Ringkasan baris di bawah detail.", + "SSE.Views.DataTab.textClear": "Bersihkan Outline", + "SSE.Views.DataTab.textColumns": "Pisahkan grup kolom", + "SSE.Views.DataTab.textGroupColumns": "Kelompokkan kolom", + "SSE.Views.DataTab.textGroupRows": "Kelompokkan baris", + "SSE.Views.DataTab.textRightOf": "Kolom ringkasan di sebelah kanan detail", + "SSE.Views.DataTab.textRows": "Pisahkan grup baris", + "SSE.Views.DataTab.tipCustomSort": "Atur sortasi", + "SSE.Views.DataTab.tipDataFromText": "Dapatkan data dari file Text/CSV", + "SSE.Views.DataTab.tipDataValidation": "Validasi data", + "SSE.Views.DataTab.tipGroup": "Kelompokkan rentang dari sel", + "SSE.Views.DataTab.tipRemDuplicates": "Hapus baris duplikat dari sheet", + "SSE.Views.DataTab.tipToColumns": "Pisahkan teks sel menjadi kolom", + "SSE.Views.DataTab.tipUngroup": "Pisahkan grup rentang sel", + "SSE.Views.DataValidationDialog.errorFormula": "Nilai saat ini mengevaluasi error. Apakah Anda ingin melanjutkan?", + "SSE.Views.DataValidationDialog.errorInvalid": "Nilai yang Anda masukkan di area \"{0}\" tidak valid.", + "SSE.Views.DataValidationDialog.errorInvalidDate": "Tanggal yang Anda masukkan ke area \"{0}\" tidak valid.", + "SSE.Views.DataValidationDialog.errorInvalidList": "Sumber daftar harus berupa daftar yang dibatasi, atau referensi ke satu baris atau kolom.", + "SSE.Views.DataValidationDialog.errorInvalidTime": "Waktu yang Anda masukkan ke area \"{0}\" tidak valid.", + "SSE.Views.DataValidationDialog.errorMinGreaterMax": "Area \"{1}\" harus lebih besar atau sama dengan area \"{0}\".", + "SSE.Views.DataValidationDialog.errorMustEnterBothValues": "Anda harus memasukkan kedua nilai di area \"{0}\" dan area \"{1}\".", + "SSE.Views.DataValidationDialog.errorMustEnterValue": "Anda harus memasukkan nilai di area \"{0}\".", + "SSE.Views.DataValidationDialog.errorNamedRange": "Nama rentang yang Anda pilih tidak bisa ditemukan.", + "SSE.Views.DataValidationDialog.errorNegativeTextLength": "Nilai negatif tidak bisa digunakan pada kondisi \"{0}\".", + "SSE.Views.DataValidationDialog.errorNotNumeric": "Area \"{0}\" harus bernilai numerik, ekspresi numerik, atau mereferensikan ke sel yang memiliki nilai numerik.", + "SSE.Views.DataValidationDialog.strError": "Peringatan Kesalahan", + "SSE.Views.DataValidationDialog.strInput": "Masukkan pesan", "SSE.Views.DataValidationDialog.strSettings": "Pengaturan", "SSE.Views.DataValidationDialog.textAlert": "Waspada", "SSE.Views.DataValidationDialog.textAllow": "Ijinkan", + "SSE.Views.DataValidationDialog.textApply": "Terapkan perubahan ini ke semua sel lain dengan pengaturan yang sama", + "SSE.Views.DataValidationDialog.textCellSelected": "Saat sel dipilih, tampilkan pesan input ini", + "SSE.Views.DataValidationDialog.textCompare": "Bandingkan dengan", "SSE.Views.DataValidationDialog.textData": "Data", "SSE.Views.DataValidationDialog.textEndDate": "Tanggal Berakhir", + "SSE.Views.DataValidationDialog.textEndTime": "Waktu Akhir", + "SSE.Views.DataValidationDialog.textError": "Pesan error", + "SSE.Views.DataValidationDialog.textFormula": "Formula", + "SSE.Views.DataValidationDialog.textIgnore": "Abaikan kosong", + "SSE.Views.DataValidationDialog.textInput": "Masukkan pesan", "SSE.Views.DataValidationDialog.textMax": "Maksimal", "SSE.Views.DataValidationDialog.textMessage": "Pesan", + "SSE.Views.DataValidationDialog.textMin": "Minimum", + "SSE.Views.DataValidationDialog.textSelectData": "Pilih data", + "SSE.Views.DataValidationDialog.textShowDropDown": "Tampilkan list drop-down di sel", + "SSE.Views.DataValidationDialog.textShowError": "Tampilkan peringatan eror setelah data tidak valid dimasukkan", + "SSE.Views.DataValidationDialog.textShowInput": "Tampilkan pesan yang masuk ketika sel dipilih", "SSE.Views.DataValidationDialog.textSource": "Sumber", "SSE.Views.DataValidationDialog.textStartDate": "Tanggal Mulai", + "SSE.Views.DataValidationDialog.textStartTime": "Waktu mulai", + "SSE.Views.DataValidationDialog.textStop": "Stop", "SSE.Views.DataValidationDialog.textStyle": "Model", "SSE.Views.DataValidationDialog.textTitle": "Judul", + "SSE.Views.DataValidationDialog.textUserEnters": "Saat pengguna memasukkan data yang tidak valid, tunjukkan peringatan kesalahan ini", + "SSE.Views.DataValidationDialog.txtAny": "Semua Nilai", + "SSE.Views.DataValidationDialog.txtBetween": "diantara", "SSE.Views.DataValidationDialog.txtDate": "Tanggal", + "SSE.Views.DataValidationDialog.txtDecimal": "Desimal", + "SSE.Views.DataValidationDialog.txtElTime": "Waktu berlalu", "SSE.Views.DataValidationDialog.txtEndDate": "Tanggal Berakhir", + "SSE.Views.DataValidationDialog.txtEndTime": "Waktu Akhir", + "SSE.Views.DataValidationDialog.txtEqual": "sama dengan", "SSE.Views.DataValidationDialog.txtGreaterThan": "Lebih Dari", "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "Lebih Dari atau Sama Dengan", + "SSE.Views.DataValidationDialog.txtLength": "Panjang", "SSE.Views.DataValidationDialog.txtLessThan": "Kurang Dari", "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "Kurang Dari atau Sama Dengan", + "SSE.Views.DataValidationDialog.txtList": "List", + "SSE.Views.DataValidationDialog.txtNotBetween": "tidak diantara", + "SSE.Views.DataValidationDialog.txtNotEqual": "Tidak sama dengan", "SSE.Views.DataValidationDialog.txtOther": "Lainnya", "SSE.Views.DataValidationDialog.txtStartDate": "Tanggal Mulai", + "SSE.Views.DataValidationDialog.txtStartTime": "Waktu mulai", + "SSE.Views.DataValidationDialog.txtTextLength": "Panjang teks", "SSE.Views.DataValidationDialog.txtTime": "Waktu", - "SSE.Views.DigitalFilterDialog.capAnd": "And", - "SSE.Views.DigitalFilterDialog.capCondition1": "equals", - "SSE.Views.DigitalFilterDialog.capCondition10": "does not end with", - "SSE.Views.DigitalFilterDialog.capCondition11": "contains", - "SSE.Views.DigitalFilterDialog.capCondition12": "does not contain", - "SSE.Views.DigitalFilterDialog.capCondition2": "does not equal", - "SSE.Views.DigitalFilterDialog.capCondition3": "is greater than", - "SSE.Views.DigitalFilterDialog.capCondition4": "is greater than or equal to", - "SSE.Views.DigitalFilterDialog.capCondition5": "is less than", - "SSE.Views.DigitalFilterDialog.capCondition6": "is less than or equal to", - "SSE.Views.DigitalFilterDialog.capCondition7": "begins with", - "SSE.Views.DigitalFilterDialog.capCondition8": "does not begin with", - "SSE.Views.DigitalFilterDialog.capCondition9": "ends with", - "SSE.Views.DigitalFilterDialog.capOr": "Or", - "SSE.Views.DigitalFilterDialog.textNoFilter": "no filter", - "SSE.Views.DigitalFilterDialog.textShowRows": "Show rows where", - "SSE.Views.DigitalFilterDialog.textUse1": "Use ? to present any single character", - "SSE.Views.DigitalFilterDialog.textUse2": "Use * to present any series of character", - "SSE.Views.DigitalFilterDialog.txtTitle": "Custom Filter", + "SSE.Views.DataValidationDialog.txtWhole": "Bilangan bulat", + "SSE.Views.DigitalFilterDialog.capAnd": "Dan", + "SSE.Views.DigitalFilterDialog.capCondition1": "sama dengan", + "SSE.Views.DigitalFilterDialog.capCondition10": "tidak diakhiri dengan", + "SSE.Views.DigitalFilterDialog.capCondition11": "berisi", + "SSE.Views.DigitalFilterDialog.capCondition12": "tidak memiliki", + "SSE.Views.DigitalFilterDialog.capCondition2": "Tidak sama dengan", + "SSE.Views.DigitalFilterDialog.capCondition3": "lebih besar dari", + "SSE.Views.DigitalFilterDialog.capCondition4": "lebih besar dari atau sama dengan", + "SSE.Views.DigitalFilterDialog.capCondition5": "lebih kecil dari", + "SSE.Views.DigitalFilterDialog.capCondition6": "lebih kecil dari atau sama dengan", + "SSE.Views.DigitalFilterDialog.capCondition7": "dimulai dari", + "SSE.Views.DigitalFilterDialog.capCondition8": "tidak diawali dari", + "SSE.Views.DigitalFilterDialog.capCondition9": "berakhir dengan", + "SSE.Views.DigitalFilterDialog.capOr": "Atau", + "SSE.Views.DigitalFilterDialog.textNoFilter": "tanpa filter", + "SSE.Views.DigitalFilterDialog.textShowRows": "Tampilkan baris ketika", + "SSE.Views.DigitalFilterDialog.textUse1": "Gunakan ? untuk menampilkan semua karakter tunggal", + "SSE.Views.DigitalFilterDialog.textUse2": "Gunakan * untuk menampilkan semua rangkaian karakter", + "SSE.Views.DigitalFilterDialog.txtTitle": "Atur Filter", "SSE.Views.DocumentHolder.advancedImgText": "Pengaturan Lanjut untuk Gambar", - "SSE.Views.DocumentHolder.advancedShapeText": "Shape Advanced Settings", - "SSE.Views.DocumentHolder.bottomCellText": "Align Bottom", - "SSE.Views.DocumentHolder.centerCellText": "Align Center", - "SSE.Views.DocumentHolder.chartText": "Chart Advanced Settings", + "SSE.Views.DocumentHolder.advancedShapeText": "Pengaturan Lanjut untuk Bentuk", + "SSE.Views.DocumentHolder.advancedSlicerText": "Pengaturan Lanjut Slicer", + "SSE.Views.DocumentHolder.bottomCellText": "Rata Bawah", + "SSE.Views.DocumentHolder.bulletsText": "Butir & Penomoran", + "SSE.Views.DocumentHolder.centerCellText": "Rata di Tengah", + "SSE.Views.DocumentHolder.chartText": "Pengaturan Lanjut untuk Bagan", "SSE.Views.DocumentHolder.deleteColumnText": "Kolom", "SSE.Views.DocumentHolder.deleteRowText": "Baris", "SSE.Views.DocumentHolder.deleteTableText": "Tabel", - "SSE.Views.DocumentHolder.direct270Text": "Rotate at 270°", - "SSE.Views.DocumentHolder.direct90Text": "Rotate at 90°", - "SSE.Views.DocumentHolder.directHText": "Horizontal", - "SSE.Views.DocumentHolder.directionText": "Text Direction", + "SSE.Views.DocumentHolder.direct270Text": "Rotasi Teks Keatas", + "SSE.Views.DocumentHolder.direct90Text": "Rotasi Teks Kebawah", + "SSE.Views.DocumentHolder.directHText": "Horisontal", + "SSE.Views.DocumentHolder.directionText": "Arah Teks", "SSE.Views.DocumentHolder.editChartText": "Edit Data", "SSE.Views.DocumentHolder.editHyperlinkText": "Edit Hyperlink", "SSE.Views.DocumentHolder.insertColumnLeftText": "Kolom Kiri", @@ -822,855 +1868,1732 @@ "SSE.Views.DocumentHolder.insertRowAboveText": "Baris di Atas", "SSE.Views.DocumentHolder.insertRowBelowText": "Baris di Bawah", "SSE.Views.DocumentHolder.originalSizeText": "Ukuran Sebenarnya", - "SSE.Views.DocumentHolder.removeHyperlinkText": "Remove Hyperlink", + "SSE.Views.DocumentHolder.removeHyperlinkText": "Hapus Hyperlink", + "SSE.Views.DocumentHolder.selectColumnText": "Seluruh Kolom", + "SSE.Views.DocumentHolder.selectDataText": "Data Kolom", "SSE.Views.DocumentHolder.selectRowText": "Baris", "SSE.Views.DocumentHolder.selectTableText": "Tabel", + "SSE.Views.DocumentHolder.strDelete": "Hilangkan Tandatangan", + "SSE.Views.DocumentHolder.strDetails": "Detail Tanda Tangan", + "SSE.Views.DocumentHolder.strSetup": "Setup Tanda Tangan", + "SSE.Views.DocumentHolder.strSign": "Tandatangan", "SSE.Views.DocumentHolder.textAlign": "Ratakan", "SSE.Views.DocumentHolder.textArrange": "Susun", - "SSE.Views.DocumentHolder.textArrangeBack": "Send to Background", - "SSE.Views.DocumentHolder.textArrangeBackward": "Move Backward", - "SSE.Views.DocumentHolder.textArrangeForward": "Move Forward", - "SSE.Views.DocumentHolder.textArrangeFront": "Bring to Foreground", + "SSE.Views.DocumentHolder.textArrangeBack": "Jalankan di Background", + "SSE.Views.DocumentHolder.textArrangeBackward": "Mundurkan", + "SSE.Views.DocumentHolder.textArrangeForward": "Majukan", + "SSE.Views.DocumentHolder.textArrangeFront": "Tampilkan di Halaman Muka", + "SSE.Views.DocumentHolder.textAverage": "Rata-rata", "SSE.Views.DocumentHolder.textBullets": "Butir", - "SSE.Views.DocumentHolder.textCropFill": "Isian", + "SSE.Views.DocumentHolder.textCount": "Dihitung", + "SSE.Views.DocumentHolder.textCrop": "Isian", + "SSE.Views.DocumentHolder.textCropFill": "Isi", + "SSE.Views.DocumentHolder.textCropFit": "Fit", + "SSE.Views.DocumentHolder.textEditPoints": "Edit Titik", + "SSE.Views.DocumentHolder.textEntriesList": "Pilih dari daftar drop-down", + "SSE.Views.DocumentHolder.textFlipH": "Flip Horizontal", + "SSE.Views.DocumentHolder.textFlipV": "Flip Vertikal", "SSE.Views.DocumentHolder.textFreezePanes": "Freeze Panes", "SSE.Views.DocumentHolder.textFromFile": "Dari File", + "SSE.Views.DocumentHolder.textFromStorage": "Dari Penyimpanan", "SSE.Views.DocumentHolder.textFromUrl": "Dari URL", - "SSE.Views.DocumentHolder.textNone": "tidak ada", + "SSE.Views.DocumentHolder.textListSettings": "List Pengaturan", + "SSE.Views.DocumentHolder.textMax": "Maks", + "SSE.Views.DocumentHolder.textMin": "Min", + "SSE.Views.DocumentHolder.textMore": "Lebih banyak fungsi", + "SSE.Views.DocumentHolder.textMoreFormats": "Lebih banyak format", + "SSE.Views.DocumentHolder.textNone": "Tidak ada", "SSE.Views.DocumentHolder.textNumbering": "Penomoran", "SSE.Views.DocumentHolder.textReplace": "Ganti Gambar", + "SSE.Views.DocumentHolder.textRotate": "Rotasi", + "SSE.Views.DocumentHolder.textRotate270": "Rotasi 90° Berlawanan Jarum Jam", + "SSE.Views.DocumentHolder.textRotate90": "Rotasi 90° Searah Jarum Jam", "SSE.Views.DocumentHolder.textShapeAlignBottom": "Rata Bawah", "SSE.Views.DocumentHolder.textShapeAlignCenter": "Rata Tengah", "SSE.Views.DocumentHolder.textShapeAlignLeft": "Rata Kiri", "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Rata di Tengah", "SSE.Views.DocumentHolder.textShapeAlignRight": "Rata Kanan", "SSE.Views.DocumentHolder.textShapeAlignTop": "Rata Atas", + "SSE.Views.DocumentHolder.textStdDev": "StdDev", "SSE.Views.DocumentHolder.textSum": "Jumlah", "SSE.Views.DocumentHolder.textUndo": "Batalkan", - "SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes", - "SSE.Views.DocumentHolder.topCellText": "Align Top", - "SSE.Views.DocumentHolder.txtAddComment": "Add Comment", - "SSE.Views.DocumentHolder.txtAddNamedRange": "Define Name", - "SSE.Views.DocumentHolder.txtArrange": "Arrange", - "SSE.Views.DocumentHolder.txtAscending": "Ascending", - "SSE.Views.DocumentHolder.txtClear": "Clear", - "SSE.Views.DocumentHolder.txtClearAll": "All", - "SSE.Views.DocumentHolder.txtClearComments": "Comments", + "SSE.Views.DocumentHolder.textUnFreezePanes": "Batal Bekukan Panel", + "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Butir panah", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Butir tanda centang", + "SSE.Views.DocumentHolder.tipMarkersDash": "Titik putus-putus", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Butir belah ketupat isi", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Butir lingkaran isi", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Butir persegi isi", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Butir bundar hollow", + "SSE.Views.DocumentHolder.tipMarkersStar": "Butir bintang", + "SSE.Views.DocumentHolder.topCellText": "Rata Atas", + "SSE.Views.DocumentHolder.txtAccounting": "Akutansi", + "SSE.Views.DocumentHolder.txtAddComment": "Tambahkan Komentar", + "SSE.Views.DocumentHolder.txtAddNamedRange": "Tentukan Nama", + "SSE.Views.DocumentHolder.txtArrange": "Susun", + "SSE.Views.DocumentHolder.txtAscending": "Sortasi Naik", + "SSE.Views.DocumentHolder.txtAutoColumnWidth": "Auto Fit Lebar Kolom", + "SSE.Views.DocumentHolder.txtAutoRowHeight": "Auto Fit Tinggi Baris", + "SSE.Views.DocumentHolder.txtClear": "Hapus", + "SSE.Views.DocumentHolder.txtClearAll": "Semua", + "SSE.Views.DocumentHolder.txtClearComments": "Komentar", "SSE.Views.DocumentHolder.txtClearFormat": "Format", - "SSE.Views.DocumentHolder.txtClearHyper": "Hyperlinks", - "SSE.Views.DocumentHolder.txtClearText": "Text", - "SSE.Views.DocumentHolder.txtColumn": "Entire column", - "SSE.Views.DocumentHolder.txtColumnWidth": "Column Width", - "SSE.Views.DocumentHolder.txtCopy": "Copy", + "SSE.Views.DocumentHolder.txtClearHyper": "Hyperlink", + "SSE.Views.DocumentHolder.txtClearSparklineGroups": "Bersihkan Grup Sparkline yang Dipilih", + "SSE.Views.DocumentHolder.txtClearSparklines": "Bersihkan Sparklines yang Dipilih", + "SSE.Views.DocumentHolder.txtClearText": "Teks", + "SSE.Views.DocumentHolder.txtColumn": "Seluruh kolom", + "SSE.Views.DocumentHolder.txtColumnWidth": "Atur Lebar Kolom", + "SSE.Views.DocumentHolder.txtCondFormat": "Format bersyarat", + "SSE.Views.DocumentHolder.txtCopy": "Salin", "SSE.Views.DocumentHolder.txtCurrency": "Mata uang", - "SSE.Views.DocumentHolder.txtCut": "Cut", + "SSE.Views.DocumentHolder.txtCustomColumnWidth": "Atur Lebar Kolom", + "SSE.Views.DocumentHolder.txtCustomRowHeight": "Atur Tinggi Baris", + "SSE.Views.DocumentHolder.txtCustomSort": "Atur sortasi", + "SSE.Views.DocumentHolder.txtCut": "Potong", "SSE.Views.DocumentHolder.txtDate": "Tanggal", - "SSE.Views.DocumentHolder.txtDelete": "Delete", - "SSE.Views.DocumentHolder.txtDescending": "Descending", - "SSE.Views.DocumentHolder.txtEditComment": "Edit Comment", - "SSE.Views.DocumentHolder.txtFormula": "Insert Function", - "SSE.Views.DocumentHolder.txtGroup": "Group", - "SSE.Views.DocumentHolder.txtHide": "Hide", - "SSE.Views.DocumentHolder.txtInsert": "Insert", + "SSE.Views.DocumentHolder.txtDelete": "Hapus", + "SSE.Views.DocumentHolder.txtDescending": "Sortasi Turun", + "SSE.Views.DocumentHolder.txtDistribHor": "Distribusikan Horizontal", + "SSE.Views.DocumentHolder.txtDistribVert": "Distribusikan Vertikal", + "SSE.Views.DocumentHolder.txtEditComment": "Edit Komentar", + "SSE.Views.DocumentHolder.txtFilter": "Filter", + "SSE.Views.DocumentHolder.txtFilterCellColor": "Filter dari warna sel", + "SSE.Views.DocumentHolder.txtFilterFontColor": "Filter dari warna font", + "SSE.Views.DocumentHolder.txtFilterValue": "Filter menurut nilai sel yang dipilih", + "SSE.Views.DocumentHolder.txtFormula": "Sisipkan Fungsi", + "SSE.Views.DocumentHolder.txtFraction": "Pecahan", + "SSE.Views.DocumentHolder.txtGeneral": "Umum", + "SSE.Views.DocumentHolder.txtGroup": "Grup", + "SSE.Views.DocumentHolder.txtHide": "Sembunyikan", + "SSE.Views.DocumentHolder.txtInsert": "Sisipkan", "SSE.Views.DocumentHolder.txtInsHyperlink": "Hyperlink", "SSE.Views.DocumentHolder.txtNumber": "Angka", - "SSE.Views.DocumentHolder.txtPaste": "Paste", + "SSE.Views.DocumentHolder.txtNumFormat": "Format Nomor", + "SSE.Views.DocumentHolder.txtPaste": "Tempel", "SSE.Views.DocumentHolder.txtPercentage": "Persentase", - "SSE.Views.DocumentHolder.txtRow": "Entire row", - "SSE.Views.DocumentHolder.txtRowHeight": "Row Height", + "SSE.Views.DocumentHolder.txtReapply": "Terapkan Ulang", + "SSE.Views.DocumentHolder.txtRow": "Seluruh baris", + "SSE.Views.DocumentHolder.txtRowHeight": "Atur Tinggi Baris", + "SSE.Views.DocumentHolder.txtScientific": "Saintifik", "SSE.Views.DocumentHolder.txtSelect": "Pilih", - "SSE.Views.DocumentHolder.txtShiftDown": "Shift cells down", - "SSE.Views.DocumentHolder.txtShiftLeft": "Shift cells left", - "SSE.Views.DocumentHolder.txtShiftRight": "Shift cells right", - "SSE.Views.DocumentHolder.txtShiftUp": "Shift cells up", - "SSE.Views.DocumentHolder.txtShow": "Show", - "SSE.Views.DocumentHolder.txtSort": "Sort", + "SSE.Views.DocumentHolder.txtShiftDown": "Geser Sel ke Bawah", + "SSE.Views.DocumentHolder.txtShiftLeft": "Pindahkan sel ke kiri", + "SSE.Views.DocumentHolder.txtShiftRight": "Geser sel ke kanan", + "SSE.Views.DocumentHolder.txtShiftUp": "Geser sel ke atas", + "SSE.Views.DocumentHolder.txtShow": "Tampilkan", + "SSE.Views.DocumentHolder.txtShowComment": "Tampilkan Komentar", + "SSE.Views.DocumentHolder.txtSort": "Sortasi", + "SSE.Views.DocumentHolder.txtSortCellColor": "Pilih Warna Sel di atas", + "SSE.Views.DocumentHolder.txtSortFontColor": "Pilih Warna font di atas", + "SSE.Views.DocumentHolder.txtSparklines": "Sparklines", "SSE.Views.DocumentHolder.txtText": "Teks", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Text Advanced Settings", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Pengaturan Lanjut untuk Paragraf", "SSE.Views.DocumentHolder.txtTime": "Waktu", - "SSE.Views.DocumentHolder.txtUngroup": "Ungroup", - "SSE.Views.DocumentHolder.txtWidth": "Width", - "SSE.Views.DocumentHolder.vertAlignText": "Vertical Alignment", + "SSE.Views.DocumentHolder.txtUngroup": "Pisahkan dari grup", + "SSE.Views.DocumentHolder.txtWidth": "Lebar", + "SSE.Views.DocumentHolder.vertAlignText": "Perataan Vertikal", + "SSE.Views.FieldSettingsDialog.strLayout": "Layout", + "SSE.Views.FieldSettingsDialog.strSubtotals": "Subtotals", + "SSE.Views.FieldSettingsDialog.textReport": "Form Laporan", + "SSE.Views.FieldSettingsDialog.textTitle": "Pengaturan Area", + "SSE.Views.FieldSettingsDialog.txtAverage": "Rata-rata", + "SSE.Views.FieldSettingsDialog.txtBlank": "Sisipkan baris kosong setelah masing-masing item", + "SSE.Views.FieldSettingsDialog.txtBottom": "Tampilkan di bawah grup", + "SSE.Views.FieldSettingsDialog.txtCompact": "Kompak", + "SSE.Views.FieldSettingsDialog.txtCount": "Dihitung", + "SSE.Views.FieldSettingsDialog.txtCountNums": "Hitung Angka", + "SSE.Views.FieldSettingsDialog.txtCustomName": "Atur nama", + "SSE.Views.FieldSettingsDialog.txtEmpty": "Tampilkan item tanpa data", + "SSE.Views.FieldSettingsDialog.txtMax": "Maks", + "SSE.Views.FieldSettingsDialog.txtMin": "Min", + "SSE.Views.FieldSettingsDialog.txtOutline": "Outline", "SSE.Views.FieldSettingsDialog.txtProduct": "Produk", + "SSE.Views.FieldSettingsDialog.txtRepeat": "Ulangi label item pada setiap baris", + "SSE.Views.FieldSettingsDialog.txtShowSubtotals": "Tampilkan subtotal", + "SSE.Views.FieldSettingsDialog.txtSourceName": "Nama sumber:", + "SSE.Views.FieldSettingsDialog.txtStdDev": "StdDev", + "SSE.Views.FieldSettingsDialog.txtStdDevp": "StdDevp", "SSE.Views.FieldSettingsDialog.txtSum": "Jumlah", - "SSE.Views.FileMenu.btnBackCaption": "Go to Documents", - "SSE.Views.FileMenu.btnCreateNewCaption": "Create New", - "SSE.Views.FileMenu.btnDownloadCaption": "Download as...", - "SSE.Views.FileMenu.btnHelpCaption": "Help...", - "SSE.Views.FileMenu.btnHistoryCaption": "Riwayat versi", - "SSE.Views.FileMenu.btnInfoCaption": "Spreadsheet Info...", - "SSE.Views.FileMenu.btnPrintCaption": "Print", - "SSE.Views.FileMenu.btnRecentFilesCaption": "Open Recent...", - "SSE.Views.FileMenu.btnReturnCaption": "Back to Spreadsheet", - "SSE.Views.FileMenu.btnRightsCaption": "Access Rights...", - "SSE.Views.FileMenu.btnSaveAsCaption": "Save as", - "SSE.Views.FileMenu.btnSaveCaption": "Save", - "SSE.Views.FileMenu.btnSettingsCaption": "Advanced Settings...", + "SSE.Views.FieldSettingsDialog.txtSummarize": "Fungsi untuk Subtotal", + "SSE.Views.FieldSettingsDialog.txtTabular": "Tabular", + "SSE.Views.FieldSettingsDialog.txtTop": "Tampilkan di atas grup", + "SSE.Views.FieldSettingsDialog.txtVar": "Var", + "SSE.Views.FieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.FileMenu.btnBackCaption": "Buka Dokumen", + "SSE.Views.FileMenu.btnCloseMenuCaption": "Tutup Menu", + "SSE.Views.FileMenu.btnCreateNewCaption": "Buat Baru", + "SSE.Views.FileMenu.btnDownloadCaption": "Unduh sebagai...", + "SSE.Views.FileMenu.btnExitCaption": "Tutup", + "SSE.Views.FileMenu.btnFileOpenCaption": "Buka...", + "SSE.Views.FileMenu.btnHelpCaption": "Bantuan...", + "SSE.Views.FileMenu.btnHistoryCaption": "Riwayat Versi", + "SSE.Views.FileMenu.btnInfoCaption": "Info Spreadsheet...", + "SSE.Views.FileMenu.btnPrintCaption": "Cetak", + "SSE.Views.FileMenu.btnProtectCaption": "Proteksi", + "SSE.Views.FileMenu.btnRecentFilesCaption": "Membuka yang Terbaru...", + "SSE.Views.FileMenu.btnRenameCaption": "Ganti nama...", + "SSE.Views.FileMenu.btnReturnCaption": "Kembali ke Spreadsheet", + "SSE.Views.FileMenu.btnRightsCaption": "Hak Akses...", + "SSE.Views.FileMenu.btnSaveAsCaption": "Simpan sebagai", + "SSE.Views.FileMenu.btnSaveCaption": "Simpan", + "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Simpan Salinan sebagai...", + "SSE.Views.FileMenu.btnSettingsCaption": "Pengaturan Lanjut...", "SSE.Views.FileMenu.btnToEditCaption": "Edit Spreadsheet", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "Spreadsheet Kosong", "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Buat Baru", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Terapkan", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Tambahkan penulis", - "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Author", - "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Change access rights", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Tambah teks", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplikasi", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Penyusun", + "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Ubah hak akses", "SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "Komentar", "SSE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Dibuat", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Terakhir Dimodifikasi Oleh", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Terakhir Dimodifikasi", "SSE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Pemilik", - "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Location", - "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "Persons who have rights", + "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Lokasi", + "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "Orang yang memiliki hak", "SSE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Subyek", - "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Spreadsheet Title", + "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Judul", "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Diunggah", - "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Change access rights", - "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Persons who have rights", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Apply", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Turn on autosave", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Font Hinting", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Turn on display of the comments", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", + "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Ubah hak akses", + "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Orang yang memiliki hak", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Terapkan", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Mode Edit Bersama", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separator desimal", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Cepat", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Contoh Huruf", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Tambah versi ke penyimpanan setelah klik menu Siman atau Ctrl+S", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Bahasa Formula", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Contoh: SUM; MIN; MAX; COUNT", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Pengaturan Macros", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Cut, copy, dan paste", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Tampilkan tombol Opsi Paste ketika konten sedang dipaste", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Pengaturan Regional", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Contoh: ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unit of Measurement", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Default Zoom Value", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "Every 10 Minutes", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "Every 30 Minutes", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.text5Minutes": "Every 5 Minutes", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.text60Minutes": "Every Hour", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Autosave", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Disabled", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Every Minute", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Deutsch", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Commenting Display", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "as OS X", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Native", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Point", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russian", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "as Windows", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Terapkan", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema interface", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separator ribuan", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Satuan Ukuran", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Gunakan separator berdasarkan pengaturan regional", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Skala Pembesaran Standar", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "Tiap 10 Menit", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "Tiap 30 Menit", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text5Minutes": "Tiap 5 Menit", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text60Minutes": "Tiap Jam", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recover otmoatis", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Simpan otomatis", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Nonaktif", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Menyimpan versi intermedier", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Tiap Menit", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Referensi Style", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Belarusia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Bulgaria", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Catalan", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Mode cache default", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Sentimeter", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Ceko", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Denmark", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Jerman", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Yunani", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Inggris", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Spanyol", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Finlandia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Prancis", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "Hungaria", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonesia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Inci", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Jepang", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Korea", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Latvia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "sebagai OS X", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Asli", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norwegia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Belanda", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polandia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Titik", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "Portugis (Brazil)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portugis (Portugal)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Romania", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Rusia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Aktifkan Semua", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Aktifkan semua macros tanpa notifikasi", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovakia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Slovenia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Nonaktifkan Semua", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Nonaktifkan semua macros tanpa notifikasi", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Swedia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turki", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ukraina", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnam", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Tampilkan Notifikasi", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Nonaktifkan semua macros dengan notifikasi", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "sebagai Windows", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "China", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Peringatan", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Periksa Ejaan", + "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Dengan password", + "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteksi Spreadsheet", + "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "Dengan tanda tangan", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Edit spreadsheet", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Perubahan akan menghilangkan tanda tangan dari spreadsheet.
                              Lanjutkan?", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Spreadsheet ini diproteksi oleh password", + "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Spreadsheet ini perlu ditandatangani.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Tandatangan valid sudah ditambahkan ke spreadhseet. Spreadsheet diproteksi untuk diedit.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Beberapa tanda tangan digital di spreadsheet tidak valid atau tidak bisa diverifikasi. Spreadsheet diproteksi untuk diedit.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Tampilkan tanda tangan", + "SSE.Views.FormatRulesEditDlg.fillColor": "Isi warna", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Peringatan", + "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Skala warna", + "SSE.Views.FormatRulesEditDlg.text3Scales": "3 Skala warna", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Semua Pembatas", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Tampilan Bar", + "SSE.Views.FormatRulesEditDlg.textApply": "Terapkan ke Rentang", "SSE.Views.FormatRulesEditDlg.textAutomatic": "Otomatis", + "SSE.Views.FormatRulesEditDlg.textAxis": "Sumbu", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Arah Bar", "SSE.Views.FormatRulesEditDlg.textBold": "Tebal", + "SSE.Views.FormatRulesEditDlg.textBorder": "Pembatas", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Warna Pembatas", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Gaya Pembatas", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Batas Bawah", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "Tidak bisa menambahkan format bersyarat.", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Titik tengah sel", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Batas Dalam Vertikal", "SSE.Views.FormatRulesEditDlg.textClear": "Hapus", + "SSE.Views.FormatRulesEditDlg.textColor": "Warna teks", + "SSE.Views.FormatRulesEditDlg.textContext": "Konteks", "SSE.Views.FormatRulesEditDlg.textCustom": "Khusus", - "SSE.Views.FormatRulesEditDlg.textFill": "Isian", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Pembatas Bawah Diagonal", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Pembatas Atas Diagonal", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Masukkan formula yang valid.", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "Formula yang Anda masukkan tidak mengevaluasi angka, tanggal, waktu atau string.", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Masukkan nilai.", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "Nilai yang Anda masukkan bukan angka, tanggal, jam, atau string yang valid.", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "Nilai dari {0} harus lebih besar dari nilai {1}.", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Masukkan angka antara {0} dan {1}.", + "SSE.Views.FormatRulesEditDlg.textFill": "Isi", + "SSE.Views.FormatRulesEditDlg.textFormat": "Format", + "SSE.Views.FormatRulesEditDlg.textFormula": "Formula", "SSE.Views.FormatRulesEditDlg.textGradient": "Gradien", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "ketika {0} {1} dan", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "ketika {0} {1}", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "ketika bernilai", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Rentang data satu atau beberapa ikon tumpang tindih.
                              Atur nilai rentang data ikon agar tidak tumpang tindih.", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "Style Ikon", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Pembatas Dalam", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Rentang data tidak valid.", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", "SSE.Views.FormatRulesEditDlg.textItalic": "Miring", + "SSE.Views.FormatRulesEditDlg.textItem": "Item", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "Kiri ke kanan", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Batas Kiri", + "SSE.Views.FormatRulesEditDlg.textLongBar": "bar terpanjang", "SSE.Views.FormatRulesEditDlg.textMaximum": "Maksimal", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Tambahkan Warna Khusus Baru", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Maxpoint", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Batas Dalam Horizontal", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Titik tengah", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Minpoint", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negatif", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Tambahkan warna khusus baru", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Tidak ada pembatas", - "SSE.Views.FormatRulesEditDlg.textNone": "tidak ada", - "SSE.Views.FormatRulesEditDlg.textPosition": "Jabatan", + "SSE.Views.FormatRulesEditDlg.textNone": "Tidak ada", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Satu atau lebih nilai yang ditetapkan bukan persentase yang valid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "Nilai {0} yang ditentukan bukan persentase yang valid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Satu atau lebih nilai yang ditetapkan bukan persentil yang valid.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "Nilai {0} yang ditentukan bukan persentil yang valid.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Pembatas Luar", + "SSE.Views.FormatRulesEditDlg.textPercent": "Persen", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Persentil", + "SSE.Views.FormatRulesEditDlg.textPosition": "Posisi", + "SSE.Views.FormatRulesEditDlg.textPositive": "Positif", + "SSE.Views.FormatRulesEditDlg.textPresets": "Presets", "SSE.Views.FormatRulesEditDlg.textPreview": "Pratinjau", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "Anda tidak dapat menggunakan referensi relatif dalam kriteria format bersyarat untuk skala warna, bar data, dan kumpulan ikon", + "SSE.Views.FormatRulesEditDlg.textReverse": "Urutan Ikon Terbalik", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "Kanan sampai kiri", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Batas Kanan", + "SSE.Views.FormatRulesEditDlg.textRule": "Aturan", + "SSE.Views.FormatRulesEditDlg.textSameAs": "Sama seperti positif", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Pilih data", + "SSE.Views.FormatRulesEditDlg.textShortBar": "bar terpendek", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Tampilkan hanya bar", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Tampilkan hanya icon", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "Tipe referensi ini tidak dapat digunakan dalam formula format bersyarat.
                              Ubah referensi ke sel tunggal, atau gunakan referensi dengan fungsi worksheet, seperti =SUM(A1:B5).", + "SSE.Views.FormatRulesEditDlg.textSolid": "Solid", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Strikeout", "SSE.Views.FormatRulesEditDlg.textSubscript": "Subskrip", "SSE.Views.FormatRulesEditDlg.textSuperscript": "Superskrip", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "Batas Atas", "SSE.Views.FormatRulesEditDlg.textUnderline": "Garis bawah", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Pembatas", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Format Nomor", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Akutansi", "SSE.Views.FormatRulesEditDlg.txtCurrency": "Mata uang", "SSE.Views.FormatRulesEditDlg.txtDate": "Tanggal", - "SSE.Views.FormatRulesEditDlg.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Pecahan", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "Umum", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "Tanpa Simbol", "SSE.Views.FormatRulesEditDlg.txtNumber": "Angka", "SSE.Views.FormatRulesEditDlg.txtPercentage": "Persentase", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Saintifik", "SSE.Views.FormatRulesEditDlg.txtText": "Teks", "SSE.Views.FormatRulesEditDlg.txtTime": "Waktu", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Edit Aturan Pemformatan", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Peraturan Format Baru", "SSE.Views.FormatRulesManagerDlg.guestText": "Tamu", "SSE.Views.FormatRulesManagerDlg.lockText": "Dikunci", + "SSE.Views.FormatRulesManagerDlg.text1Above": "1 std dev di atas rata-rata", + "SSE.Views.FormatRulesManagerDlg.text1Below": "1 std dev di bawah rata-rata", + "SSE.Views.FormatRulesManagerDlg.text2Above": "2 std dev di atas rata-rata", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 std dev di bawah rata-rata", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 std dev di atas rata-rata", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 std dev di bawah rata-rata", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Di atas rata-rata", + "SSE.Views.FormatRulesManagerDlg.textApply": "Terapkan ke", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Nilai sel dimulai dari", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Di bawah rata-rata", + "SSE.Views.FormatRulesManagerDlg.textBetween": "antara {0} dan {1}", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "Nilai sel", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "Skala warna bergradasi", + "SSE.Views.FormatRulesManagerDlg.textContains": "Nilai sel memiliki", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Sel memiliki nilai yang kosong", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "Sel memiliki error", "SSE.Views.FormatRulesManagerDlg.textDelete": "Hapus", + "SSE.Views.FormatRulesManagerDlg.textDown": "Pindah aturan ke bawah", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Duplikasi nilai", "SSE.Views.FormatRulesManagerDlg.textEdit": "Sunting", - "SSE.Views.FormatRulesManagerDlg.textNew": "baru", + "SSE.Views.FormatRulesManagerDlg.textEnds": "Nilai sel diakhiri dengan", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "Sama dengan atau diatas rata-rata", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Sama dengan atau dibawah rata-rata", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Format", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "Icon set", + "SSE.Views.FormatRulesManagerDlg.textNew": "Baru", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "tidak diantara {0} dan {1}", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "Nilai sel tidak memiliki", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Sel memiliki nilai yang tidak kosong", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Sel tidak memiliki error", + "SSE.Views.FormatRulesManagerDlg.textRules": "Peraturan", + "SSE.Views.FormatRulesManagerDlg.textScope": "Tampilkan peraturan format untuk", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Pilih data", + "SSE.Views.FormatRulesManagerDlg.textSelection": "Pilihan saat ini", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Pivot ini", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Worksheet ini", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "Tabel ini", + "SSE.Views.FormatRulesManagerDlg.textUnique": "Nilai unik", + "SSE.Views.FormatRulesManagerDlg.textUp": "Pindah aturan ke atas", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "Format bersyarat", "SSE.Views.FormatSettingsDialog.textCategory": "Kategori", + "SSE.Views.FormatSettingsDialog.textDecimal": "Desimal", + "SSE.Views.FormatSettingsDialog.textFormat": "Format", + "SSE.Views.FormatSettingsDialog.textLinked": "Terhubung ke sumber", + "SSE.Views.FormatSettingsDialog.textSeparator": "Gunakan separator 1000", + "SSE.Views.FormatSettingsDialog.textSymbols": "Simbol", + "SSE.Views.FormatSettingsDialog.textTitle": "Format Nomor", + "SSE.Views.FormatSettingsDialog.txtAccounting": "Akutansi", + "SSE.Views.FormatSettingsDialog.txtAs10": "Persepuluh (5/10)", + "SSE.Views.FormatSettingsDialog.txtAs100": "Perseratus (50/100)", + "SSE.Views.FormatSettingsDialog.txtAs16": "Perenambelas (8/16)", + "SSE.Views.FormatSettingsDialog.txtAs2": "Setengah (1/2)", + "SSE.Views.FormatSettingsDialog.txtAs4": "Perempat (2/4)", + "SSE.Views.FormatSettingsDialog.txtAs8": "Perdelapan (4/8)", "SSE.Views.FormatSettingsDialog.txtCurrency": "Mata uang", "SSE.Views.FormatSettingsDialog.txtCustom": "Khusus", + "SSE.Views.FormatSettingsDialog.txtCustomWarning": "Silakan masukkan format nomor custom dengan teliti. Editor Spreadsheet tidak memeriksa format pengaturan untuk error yang dapat memengaruhi file xlsx.", "SSE.Views.FormatSettingsDialog.txtDate": "Tanggal", + "SSE.Views.FormatSettingsDialog.txtFraction": "Pecahan", "SSE.Views.FormatSettingsDialog.txtGeneral": "Umum", - "SSE.Views.FormatSettingsDialog.txtNone": "tidak ada", + "SSE.Views.FormatSettingsDialog.txtNone": "Tidak ada", "SSE.Views.FormatSettingsDialog.txtNumber": "Angka", "SSE.Views.FormatSettingsDialog.txtPercentage": "Persentase", + "SSE.Views.FormatSettingsDialog.txtSample": "Sampel", + "SSE.Views.FormatSettingsDialog.txtScientific": "Saintifik", "SSE.Views.FormatSettingsDialog.txtText": "Teks", "SSE.Views.FormatSettingsDialog.txtTime": "Waktu", - "SSE.Views.FormulaDialog.sDescription": "Description", - "SSE.Views.FormulaDialog.textGroupDescription": "Select Function Group", - "SSE.Views.FormulaDialog.textListDescription": "Select Function", + "SSE.Views.FormatSettingsDialog.txtUpto1": "Lebih dari satu digit (1/3)", + "SSE.Views.FormatSettingsDialog.txtUpto2": "Lebih dari dua digit (12/25)", + "SSE.Views.FormatSettingsDialog.txtUpto3": "Lebih dari tiga digit (131/135)", + "SSE.Views.FormulaDialog.sDescription": "Deskripsi", + "SSE.Views.FormulaDialog.textGroupDescription": "Pilih Grup Fungsi", + "SSE.Views.FormulaDialog.textListDescription": "Pilih Fungsi", + "SSE.Views.FormulaDialog.txtRecommended": "Direkomendasikan", "SSE.Views.FormulaDialog.txtSearch": "Cari", - "SSE.Views.FormulaDialog.txtTitle": "Insert Function", + "SSE.Views.FormulaDialog.txtTitle": "Sisipkan Fungsi", "SSE.Views.FormulaTab.textAutomatic": "Otomatis", + "SSE.Views.FormulaTab.textCalculateCurrentSheet": "Kalkulasi sheet saat ini", + "SSE.Views.FormulaTab.textCalculateWorkbook": "Kalkulasi workbook", + "SSE.Views.FormulaTab.textManual": "Manual", + "SSE.Views.FormulaTab.tipCalculate": "Kalkulasi", + "SSE.Views.FormulaTab.tipCalculateTheEntireWorkbook": "Kalkulasi seluruh workbook", "SSE.Views.FormulaTab.txtAdditional": "Tambahan", + "SSE.Views.FormulaTab.txtAutosum": "Autosum", + "SSE.Views.FormulaTab.txtAutosumTip": "Penjumlahan", + "SSE.Views.FormulaTab.txtCalculation": "Kalkulasi", + "SSE.Views.FormulaTab.txtFormula": "Fungsi", + "SSE.Views.FormulaTab.txtFormulaTip": "Sisipkan Fungsi", + "SSE.Views.FormulaTab.txtMore": "Lebih banyak fungsi", + "SSE.Views.FormulaTab.txtRecent": "Baru digunakan", "SSE.Views.FormulaWizard.textAny": "Apa saja", + "SSE.Views.FormulaWizard.textArgument": "Argumen", + "SSE.Views.FormulaWizard.textFunction": "Fungsi", + "SSE.Views.FormulaWizard.textFunctionRes": "Hasil fungsi", + "SSE.Views.FormulaWizard.textHelp": "Bantuan di fungsi ini", + "SSE.Views.FormulaWizard.textLogical": "logikal", + "SSE.Views.FormulaWizard.textNoArgs": "Fungsi ini tidak memiliki argumen", "SSE.Views.FormulaWizard.textNumber": "Angka", + "SSE.Views.FormulaWizard.textRef": "referensi", "SSE.Views.FormulaWizard.textText": "Teks", + "SSE.Views.FormulaWizard.textTitle": "Argumen Fungsi", + "SSE.Views.FormulaWizard.textValue": "Hasil formula", + "SSE.Views.HeaderFooterDialog.textAlign": "Ratakan dengan margin halaman", + "SSE.Views.HeaderFooterDialog.textAll": "Semua halaman", "SSE.Views.HeaderFooterDialog.textBold": "Tebal", "SSE.Views.HeaderFooterDialog.textCenter": "Tengah", + "SSE.Views.HeaderFooterDialog.textColor": "Warna teks", "SSE.Views.HeaderFooterDialog.textDate": "Tanggal", + "SSE.Views.HeaderFooterDialog.textDiffFirst": "Halaman pertama yang berbeda", "SSE.Views.HeaderFooterDialog.textDiffOdd": "Halaman ganjil dan genap yang berbeda", "SSE.Views.HeaderFooterDialog.textEven": "Halaman Genap", "SSE.Views.HeaderFooterDialog.textFileName": "Nama file", + "SSE.Views.HeaderFooterDialog.textFirst": "Halaman pertama", + "SSE.Views.HeaderFooterDialog.textFooter": "Footer", + "SSE.Views.HeaderFooterDialog.textHeader": "Header", "SSE.Views.HeaderFooterDialog.textInsert": "Sisipkan", "SSE.Views.HeaderFooterDialog.textItalic": "Miring", "SSE.Views.HeaderFooterDialog.textLeft": "Kiri", - "SSE.Views.HeaderFooterDialog.textNewColor": "Tambahkan Warna Khusus Baru", + "SSE.Views.HeaderFooterDialog.textMaxError": "String teks yang Anda masukkan terlalu panjang. Kurangi jumlah karakter yang digunakan.", + "SSE.Views.HeaderFooterDialog.textNewColor": "Tambahkan warna khusus baru", "SSE.Views.HeaderFooterDialog.textOdd": "Halaman Ganjil", + "SSE.Views.HeaderFooterDialog.textPageCount": "Perhitungan halaman", + "SSE.Views.HeaderFooterDialog.textPageNum": "Nomor halaman", + "SSE.Views.HeaderFooterDialog.textPresets": "Presets", "SSE.Views.HeaderFooterDialog.textRight": "Kanan", + "SSE.Views.HeaderFooterDialog.textScale": "Skala dengan dokumen", + "SSE.Views.HeaderFooterDialog.textSheet": "Nama Sheet", "SSE.Views.HeaderFooterDialog.textStrikeout": "Coret ganda", "SSE.Views.HeaderFooterDialog.textSubscript": "Subskrip", "SSE.Views.HeaderFooterDialog.textSuperscript": "Superskrip", "SSE.Views.HeaderFooterDialog.textTime": "Waktu", + "SSE.Views.HeaderFooterDialog.textTitle": "Pengaturan Header/Footer", "SSE.Views.HeaderFooterDialog.textUnderline": "Garis bawah", "SSE.Views.HeaderFooterDialog.tipFontName": "Huruf", "SSE.Views.HeaderFooterDialog.tipFontSize": "Ukuran Huruf", - "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Display", - "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Link to", - "SSE.Views.HyperlinkSettingsDialog.strRange": "Range", + "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Tampilan", + "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Tautkan dengan", + "SSE.Views.HyperlinkSettingsDialog.strRange": "Rentang", "SSE.Views.HyperlinkSettingsDialog.strSheet": "Sheet", "SSE.Views.HyperlinkSettingsDialog.textCopy": "Salin", - "SSE.Views.HyperlinkSettingsDialog.textDefault": "Selected range", - "SSE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Enter caption here", - "SSE.Views.HyperlinkSettingsDialog.textEmptyLink": "Enter link here", - "SSE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Enter tooltip here", - "SSE.Views.HyperlinkSettingsDialog.textExternalLink": "External Link", - "SSE.Views.HyperlinkSettingsDialog.textInternalLink": "Internal Data Range", - "SSE.Views.HyperlinkSettingsDialog.textInvalidRange": "ERROR! Invalid cells range", - "SSE.Views.HyperlinkSettingsDialog.textTipText": "ScreenTip Text", - "SSE.Views.HyperlinkSettingsDialog.textTitle": "Hyperlink Settings", - "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "This field is required", - "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "This field should be a URL in the \"http://www.example.com\" format", + "SSE.Views.HyperlinkSettingsDialog.textDefault": "Rentang yang dipilih", + "SSE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Masukkan caption di sini", + "SSE.Views.HyperlinkSettingsDialog.textEmptyLink": "Masukkan link di sini", + "SSE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Masukkan tooltip disini", + "SSE.Views.HyperlinkSettingsDialog.textExternalLink": "Tautan eksternal", + "SSE.Views.HyperlinkSettingsDialog.textGetLink": "Dapatkan Link", + "SSE.Views.HyperlinkSettingsDialog.textInternalLink": "Rentang Data Internal", + "SSE.Views.HyperlinkSettingsDialog.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.HyperlinkSettingsDialog.textNames": "Nama yang ditentukan", + "SSE.Views.HyperlinkSettingsDialog.textSelectData": "Pilih data", + "SSE.Views.HyperlinkSettingsDialog.textSheets": "Sheet", + "SSE.Views.HyperlinkSettingsDialog.textTipText": "Teks ScreenTip", + "SSE.Views.HyperlinkSettingsDialog.textTitle": "Pengaturan Hyperlink", + "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Bagian ini harus berupa URL dengn format \"http://www.contoh.com\"", + "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Area ini dibatasi 2083 karakter", "SSE.Views.ImageSettings.textAdvanced": "Tampilkan pengaturan lanjut", - "SSE.Views.ImageSettings.textCropFill": "Isian", + "SSE.Views.ImageSettings.textCrop": "Isian", + "SSE.Views.ImageSettings.textCropFill": "Isi", + "SSE.Views.ImageSettings.textCropFit": "Fit", + "SSE.Views.ImageSettings.textCropToShape": "Crop menjadi bentuk", "SSE.Views.ImageSettings.textEdit": "Sunting", - "SSE.Views.ImageSettings.textFromFile": "From File", - "SSE.Views.ImageSettings.textFromUrl": "From URL", - "SSE.Views.ImageSettings.textHeight": "Height", - "SSE.Views.ImageSettings.textInsert": "Replace Image", - "SSE.Views.ImageSettings.textKeepRatio": "Constant Proportions", - "SSE.Views.ImageSettings.textOriginalSize": "Default Size", - "SSE.Views.ImageSettings.textSize": "Size", - "SSE.Views.ImageSettings.textWidth": "Width", + "SSE.Views.ImageSettings.textEditObject": "Edit Objek", + "SSE.Views.ImageSettings.textFlip": "Flip", + "SSE.Views.ImageSettings.textFromFile": "Dari File", + "SSE.Views.ImageSettings.textFromStorage": "Dari Penyimpanan", + "SSE.Views.ImageSettings.textFromUrl": "Dari URL", + "SSE.Views.ImageSettings.textHeight": "Tinggi", + "SSE.Views.ImageSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "SSE.Views.ImageSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "SSE.Views.ImageSettings.textHintFlipH": "Flip Horizontal", + "SSE.Views.ImageSettings.textHintFlipV": "Flip Vertikal", + "SSE.Views.ImageSettings.textInsert": "Ganti Gambar", + "SSE.Views.ImageSettings.textKeepRatio": "Proporsi Konstan", + "SSE.Views.ImageSettings.textOriginalSize": "Ukuran Sebenarnya", + "SSE.Views.ImageSettings.textRecentlyUsed": "Baru Digunakan", + "SSE.Views.ImageSettings.textRotate90": "Rotasi 90°", + "SSE.Views.ImageSettings.textRotation": "Rotasi", + "SSE.Views.ImageSettings.textSize": "Ukuran", + "SSE.Views.ImageSettings.textWidth": "Lebar", + "SSE.Views.ImageSettingsAdvanced.textAbsolute": "Jangan pindah atau ubah dengan sel", + "SSE.Views.ImageSettingsAdvanced.textAlt": "Teks Alternatif", "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.ImageSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Judul", + "SSE.Views.ImageSettingsAdvanced.textAngle": "Sudut", + "SSE.Views.ImageSettingsAdvanced.textFlipped": "Flipped", + "SSE.Views.ImageSettingsAdvanced.textHorizontally": "Secara Horizontal", + "SSE.Views.ImageSettingsAdvanced.textOneCell": "Pindahkan tapi tidak digabungkan dengan sel", + "SSE.Views.ImageSettingsAdvanced.textRotation": "Rotasi", + "SSE.Views.ImageSettingsAdvanced.textSnap": "Snapping Sel", "SSE.Views.ImageSettingsAdvanced.textTitle": "Gambar - Pengaturan Lanjut", - "SSE.Views.LeftMenu.tipAbout": "About", + "SSE.Views.ImageSettingsAdvanced.textTwoCell": "Pindahkan dan gabungkan dengan sel", + "SSE.Views.ImageSettingsAdvanced.textVertically": "Secara Vertikal", + "SSE.Views.LeftMenu.tipAbout": "Tentang", "SSE.Views.LeftMenu.tipChat": "Chat", - "SSE.Views.LeftMenu.tipComments": "Comments", + "SSE.Views.LeftMenu.tipComments": "Komentar", "SSE.Views.LeftMenu.tipFile": "File", - "SSE.Views.LeftMenu.tipSearch": "Search", + "SSE.Views.LeftMenu.tipPlugins": "Plugins", + "SSE.Views.LeftMenu.tipSearch": "Cari", "SSE.Views.LeftMenu.tipSpellcheck": "Periksa Ejaan", - "SSE.Views.LeftMenu.tipSupport": "Feedback & Support", - "SSE.Views.MainSettingsPrint.okButtonText": "Save", - "SSE.Views.MainSettingsPrint.strBottom": "Bottom", + "SSE.Views.LeftMenu.tipSupport": "Masukan & Dukungan", + "SSE.Views.LeftMenu.txtDeveloper": "MODE DEVELOPER", + "SSE.Views.LeftMenu.txtLimit": "Batas Akses", + "SSE.Views.LeftMenu.txtTrial": "MODE TRIAL", + "SSE.Views.LeftMenu.txtTrialDev": "Mode Trial Developer", + "SSE.Views.MacroDialog.textMacro": "Nama macro", + "SSE.Views.MainSettingsPrint.okButtonText": "Simpan", + "SSE.Views.MainSettingsPrint.strBottom": "Bawah", "SSE.Views.MainSettingsPrint.strLandscape": "Landscape", - "SSE.Views.MainSettingsPrint.strLeft": "Left", - "SSE.Views.MainSettingsPrint.strMargins": "Margins", + "SSE.Views.MainSettingsPrint.strLeft": "Kiri", + "SSE.Views.MainSettingsPrint.strMargins": "Margin", "SSE.Views.MainSettingsPrint.strPortrait": "Portrait", - "SSE.Views.MainSettingsPrint.strPrint": "Print", - "SSE.Views.MainSettingsPrint.strRight": "Right", - "SSE.Views.MainSettingsPrint.strTop": "Top", + "SSE.Views.MainSettingsPrint.strPrint": "Cetak", + "SSE.Views.MainSettingsPrint.strPrintTitles": "Print Judul", + "SSE.Views.MainSettingsPrint.strRight": "Kanan", + "SSE.Views.MainSettingsPrint.strTop": "Atas", "SSE.Views.MainSettingsPrint.textActualSize": "Ukuran Sebenarnya", "SSE.Views.MainSettingsPrint.textCustom": "Khusus", - "SSE.Views.MainSettingsPrint.textPageOrientation": "Page Orientation", - "SSE.Views.MainSettingsPrint.textPageSize": "Page Size", - "SSE.Views.MainSettingsPrint.textPrintGrid": "Print Gridlines", - "SSE.Views.MainSettingsPrint.textPrintHeadings": "Print Row and Column Headings", - "SSE.Views.MainSettingsPrint.textSettings": "Settings for", - "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
                              at the moment as some of them are being edited.", - "SSE.Views.NamedRangeEditDlg.namePlaceholder": "Defined name", - "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "Warning", + "SSE.Views.MainSettingsPrint.textCustomOptions": "Atur Opsi", + "SSE.Views.MainSettingsPrint.textFitCols": "Sesuaikan Semua Kolom kedalam Satu Halaman", + "SSE.Views.MainSettingsPrint.textFitPage": "Sesuaikan Sheet kedalam Satu Halaman", + "SSE.Views.MainSettingsPrint.textFitRows": "Sesuaikan Semua Baris kedalam Satu Halaman", + "SSE.Views.MainSettingsPrint.textPageOrientation": "Orientasi Halaman", + "SSE.Views.MainSettingsPrint.textPageScaling": "Scaling", + "SSE.Views.MainSettingsPrint.textPageSize": "Ukuran Halaman", + "SSE.Views.MainSettingsPrint.textPrintGrid": "Print Garis Grid", + "SSE.Views.MainSettingsPrint.textPrintHeadings": "Print Heading Baris dan Kolom", + "SSE.Views.MainSettingsPrint.textRepeat": "Ulangi...", + "SSE.Views.MainSettingsPrint.textRepeatLeft": "Ulangi kolom di kiri", + "SSE.Views.MainSettingsPrint.textRepeatTop": "Ulangi baris di atas", + "SSE.Views.MainSettingsPrint.textSettings": "Pengaturan untuk", + "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "Rentang nama yang ada tidak bisa di edit dan tidak bisa membuat yang baru
                              jika ada beberapa yang sedang diedit.", + "SSE.Views.NamedRangeEditDlg.namePlaceholder": "Nama yang ditentukan", + "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "Peringatan", "SSE.Views.NamedRangeEditDlg.strWorkbook": "Workbook", - "SSE.Views.NamedRangeEditDlg.textDataRange": "Data Range", - "SSE.Views.NamedRangeEditDlg.textExistName": "ERROR! Range with such a name already exists", - "SSE.Views.NamedRangeEditDlg.textInvalidName": "ERROR! Invalid range name", - "SSE.Views.NamedRangeEditDlg.textInvalidRange": "ERROR! Invalid cell range", - "SSE.Views.NamedRangeEditDlg.textIsLocked": "ERROR! This element is being edited by another user.", - "SSE.Views.NamedRangeEditDlg.textName": "Name", - "SSE.Views.NamedRangeEditDlg.textReservedName": "The name you are trying to use is already referenced in cell formulas. Please use some other name.", + "SSE.Views.NamedRangeEditDlg.textDataRange": "Rentang Data", + "SSE.Views.NamedRangeEditDlg.textExistName": "KESALAHAN! Rentang dengan nama itu sudah ada", + "SSE.Views.NamedRangeEditDlg.textInvalidName": "Nama harus dimulai dengan huruf atau garis bawah dan tidak boleh memiliki karakter yang tidak valid", + "SSE.Views.NamedRangeEditDlg.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.NamedRangeEditDlg.textIsLocked": "KESALAHAN! Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.NamedRangeEditDlg.textName": "Nama", + "SSE.Views.NamedRangeEditDlg.textReservedName": "Nama yang Anda coba gunakan sudah direferensikan dalam rumus sel. Mohon gunakan nama lain.", "SSE.Views.NamedRangeEditDlg.textScope": "Scope", - "SSE.Views.NamedRangeEditDlg.textSelectData": "Select Data", - "SSE.Views.NamedRangeEditDlg.txtEmpty": "This field is required", - "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "Edit Name", - "SSE.Views.NamedRangeEditDlg.txtTitleNew": "New Name", - "SSE.Views.NamedRangePasteDlg.textNames": "Named Ranges", + "SSE.Views.NamedRangeEditDlg.textSelectData": "Pilih data", + "SSE.Views.NamedRangeEditDlg.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "Edit Nama", + "SSE.Views.NamedRangeEditDlg.txtTitleNew": "Nama Baru", + "SSE.Views.NamedRangePasteDlg.textNames": "Rentang yang Bernama", "SSE.Views.NamedRangePasteDlg.txtTitle": "Paste Name", - "SSE.Views.NameManagerDlg.closeButtonText": "Close", - "SSE.Views.NameManagerDlg.guestText": "Guest", + "SSE.Views.NameManagerDlg.closeButtonText": "Tutup", + "SSE.Views.NameManagerDlg.guestText": "Tamu", "SSE.Views.NameManagerDlg.lockText": "Dikunci", - "SSE.Views.NameManagerDlg.textDataRange": "Data Range", - "SSE.Views.NameManagerDlg.textDelete": "Delete", - "SSE.Views.NameManagerDlg.textEdit": "Edit", - "SSE.Views.NameManagerDlg.textEmpty": "No named ranges have been created yet.
                              Create at least one named range and it will appear in this field.", + "SSE.Views.NameManagerDlg.textDataRange": "Rentang Data", + "SSE.Views.NameManagerDlg.textDelete": "Hapus", + "SSE.Views.NameManagerDlg.textEdit": "Sunting", + "SSE.Views.NameManagerDlg.textEmpty": "Tidak ada rentang bernama yang sudah dibuat.
                              Buat setidaknya satu rentang bernama dan rentang ini akan muncul di area.", "SSE.Views.NameManagerDlg.textFilter": "Filter", - "SSE.Views.NameManagerDlg.textFilterAll": "All", - "SSE.Views.NameManagerDlg.textFilterDefNames": "Defined names", - "SSE.Views.NameManagerDlg.textFilterSheet": "Names Scoped to Sheet", - "SSE.Views.NameManagerDlg.textFilterTableNames": "Table names", - "SSE.Views.NameManagerDlg.textFilterWorkbook": "Names Scoped to Workbook", - "SSE.Views.NameManagerDlg.textNew": "New", - "SSE.Views.NameManagerDlg.textnoNames": "No named ranges matching your filter could be found.", - "SSE.Views.NameManagerDlg.textRanges": "Named Ranges", + "SSE.Views.NameManagerDlg.textFilterAll": "Semua", + "SSE.Views.NameManagerDlg.textFilterDefNames": "Nama yang ditentukan", + "SSE.Views.NameManagerDlg.textFilterSheet": "Beri Nama Scoped ke Sheet", + "SSE.Views.NameManagerDlg.textFilterTableNames": "Nama tabel", + "SSE.Views.NameManagerDlg.textFilterWorkbook": "Beri nama Scoped ke Workbook", + "SSE.Views.NameManagerDlg.textNew": "Baru", + "SSE.Views.NameManagerDlg.textnoNames": "Tidak ada rentang bernama yang sesuai dengan filter Anda.", + "SSE.Views.NameManagerDlg.textRanges": "Rentang yang Bernama", "SSE.Views.NameManagerDlg.textScope": "Scope", "SSE.Views.NameManagerDlg.textWorkbook": "Workbook", - "SSE.Views.NameManagerDlg.tipIsLocked": "This element is being edited by another user.", - "SSE.Views.NameManagerDlg.txtTitle": "Name Manager", + "SSE.Views.NameManagerDlg.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.NameManagerDlg.txtTitle": "Pengaturan Nama", + "SSE.Views.NameManagerDlg.warnDelete": "Apakah Anda yakin ingin menghapus nama {0}?", "SSE.Views.PageMarginsDialog.textBottom": "Bawah", "SSE.Views.PageMarginsDialog.textLeft": "Kiri", "SSE.Views.PageMarginsDialog.textRight": "Kanan", "SSE.Views.PageMarginsDialog.textTitle": "Margin", "SSE.Views.PageMarginsDialog.textTop": "Atas", - "SSE.Views.ParagraphSettings.strLineHeight": "Line Spacing", - "SSE.Views.ParagraphSettings.strParagraphSpacing": "Spacing", - "SSE.Views.ParagraphSettings.strSpacingAfter": "After", - "SSE.Views.ParagraphSettings.strSpacingBefore": "Before", - "SSE.Views.ParagraphSettings.textAdvanced": "Show advanced settings", - "SSE.Views.ParagraphSettings.textAt": "At", - "SSE.Views.ParagraphSettings.textAtLeast": "At least", - "SSE.Views.ParagraphSettings.textAuto": "Multiple", - "SSE.Views.ParagraphSettings.textExact": "Exactly", - "SSE.Views.ParagraphSettings.txtAutoText": "Auto", - "SSE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", - "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps", - "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Double strikethrough", - "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Left", + "SSE.Views.ParagraphSettings.strLineHeight": "Spasi Antar Baris", + "SSE.Views.ParagraphSettings.strParagraphSpacing": "Spasi", + "SSE.Views.ParagraphSettings.strSpacingAfter": "Sesudah", + "SSE.Views.ParagraphSettings.strSpacingBefore": "Sebelum", + "SSE.Views.ParagraphSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.ParagraphSettings.textAt": "Pada", + "SSE.Views.ParagraphSettings.textAtLeast": "Sekurang-kurangnya", + "SSE.Views.ParagraphSettings.textAuto": "Banyak", + "SSE.Views.ParagraphSettings.textExact": "Persis", + "SSE.Views.ParagraphSettings.txtAutoText": "Otomatis", + "SSE.Views.ParagraphSettingsAdvanced.noTabs": "Tab yang ditentukan akan muncul pada bagian ini", + "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Huruf kapital semua", + "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Garis coret ganda", + "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Indentasi", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Kiri", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Spasi Antar Baris", - "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Right", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Kanan", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Setelah", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Sebelum", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Spesial", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "oleh", - "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Font", - "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indents & Placement", - "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Small caps", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Huruf", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Indentasi & Peletakan", + "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Huruf Ukuran Kecil", "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Spasi", - "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Strikethrough", - "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscript", - "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superscript", + "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Coret ganda", + "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Subskrip", + "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Superskrip", "SSE.Views.ParagraphSettingsAdvanced.strTabs": "Tab", - "SSE.Views.ParagraphSettingsAdvanced.textAlign": "Alignment", + "SSE.Views.ParagraphSettingsAdvanced.textAlign": "Perataan", "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Banyak", - "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Character Spacing", - "SSE.Views.ParagraphSettingsAdvanced.textDefault": "Default Tab", - "SSE.Views.ParagraphSettingsAdvanced.textEffects": "Effects", + "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Spasi Antar Karakter", + "SSE.Views.ParagraphSettingsAdvanced.textDefault": "Tab Standar", + "SSE.Views.ParagraphSettingsAdvanced.textEffects": "Efek", "SSE.Views.ParagraphSettingsAdvanced.textExact": "Persis", "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Baris Pertama", + "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Menggantung", "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Rata Kiri-Kanan", - "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Remove", - "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remove All", - "SSE.Views.ParagraphSettingsAdvanced.textSet": "Specify", - "SSE.Views.ParagraphSettingsAdvanced.textTabCenter": "Center", - "SSE.Views.ParagraphSettingsAdvanced.textTabLeft": "Left", - "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Tab Position", - "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Right", - "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraph - Advanced Settings", + "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(tidak ada)", + "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Hapus", + "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Hapus Semua", + "SSE.Views.ParagraphSettingsAdvanced.textSet": "Tentukan", + "SSE.Views.ParagraphSettingsAdvanced.textTabCenter": "Tengah", + "SSE.Views.ParagraphSettingsAdvanced.textTabLeft": "Kiri", + "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posisi Tab", + "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Kanan", + "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Paragraf - Pengaturan Lanjut", "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Otomatis", + "SSE.Views.PivotDigitalFilterDialog.capCondition1": "sama dengan", + "SSE.Views.PivotDigitalFilterDialog.capCondition10": "tidak diakhiri dengan", + "SSE.Views.PivotDigitalFilterDialog.capCondition11": "berisi", + "SSE.Views.PivotDigitalFilterDialog.capCondition12": "tidak memiliki", + "SSE.Views.PivotDigitalFilterDialog.capCondition13": "diantara", + "SSE.Views.PivotDigitalFilterDialog.capCondition14": "tidak diantara", + "SSE.Views.PivotDigitalFilterDialog.capCondition2": "Tidak sama dengan", + "SSE.Views.PivotDigitalFilterDialog.capCondition3": "lebih besar dari", + "SSE.Views.PivotDigitalFilterDialog.capCondition4": "lebih besar dari atau sama dengan", + "SSE.Views.PivotDigitalFilterDialog.capCondition5": "lebih kecil dari", + "SSE.Views.PivotDigitalFilterDialog.capCondition6": "lebih kecil dari atau sama dengan", + "SSE.Views.PivotDigitalFilterDialog.capCondition7": "dimulai dari", + "SSE.Views.PivotDigitalFilterDialog.capCondition8": "tidak diawali dari", + "SSE.Views.PivotDigitalFilterDialog.capCondition9": "berakhir dengan", + "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "Tampilkan item yang labelnya:", + "SSE.Views.PivotDigitalFilterDialog.textShowValue": "Tampilkan item yang:", + "SSE.Views.PivotDigitalFilterDialog.textUse1": "Gunakan ? untuk menampilkan semua karakter tunggal", + "SSE.Views.PivotDigitalFilterDialog.textUse2": "Gunakan * untuk menampilkan semua rangkaian karakter", "SSE.Views.PivotDigitalFilterDialog.txtAnd": "dan", + "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Filter label", + "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "Filter Nilai", "SSE.Views.PivotGroupDialog.textAuto": "Otomatis", "SSE.Views.PivotGroupDialog.textBy": "oleh", "SSE.Views.PivotGroupDialog.textDays": "Hari", + "SSE.Views.PivotGroupDialog.textEnd": "Berakhir pada", + "SSE.Views.PivotGroupDialog.textError": "Area harus memiliki nilai numerik", + "SSE.Views.PivotGroupDialog.textGreaterError": "Angka terakhir harus lebih besar dari angka awal.", "SSE.Views.PivotGroupDialog.textHour": "jam", "SSE.Views.PivotGroupDialog.textMin": "menit", - "SSE.Views.PivotGroupDialog.textMonth": "bulan", - "SSE.Views.PivotGroupDialog.textYear": "tahun", + "SSE.Views.PivotGroupDialog.textMonth": "Bulan", + "SSE.Views.PivotGroupDialog.textNumDays": "Jumlah hari", + "SSE.Views.PivotGroupDialog.textQuart": "Kuarter", + "SSE.Views.PivotGroupDialog.textSec": "Detik", + "SSE.Views.PivotGroupDialog.textStart": "Dimulai pada", + "SSE.Views.PivotGroupDialog.textYear": "Tahun", + "SSE.Views.PivotGroupDialog.txtTitle": "Mengelompokkan", "SSE.Views.PivotSettings.textAdvanced": "Tampilkan pengaturan lanjut", "SSE.Views.PivotSettings.textColumns": "Kolom", + "SSE.Views.PivotSettings.textFields": "Pilih Area", + "SSE.Views.PivotSettings.textFilters": "Filter", "SSE.Views.PivotSettings.textRows": "Baris", + "SSE.Views.PivotSettings.textValues": "Nilai", + "SSE.Views.PivotSettings.txtAddColumn": "Tambah ke Kolom", + "SSE.Views.PivotSettings.txtAddFilter": "Tambah ke Filter", + "SSE.Views.PivotSettings.txtAddRow": "Tambah ke Baris", + "SSE.Views.PivotSettings.txtAddValues": "Tambah ke Nilai", + "SSE.Views.PivotSettings.txtFieldSettings": "Pengaturan Area", + "SSE.Views.PivotSettings.txtMoveBegin": "Pindah ke Awal", + "SSE.Views.PivotSettings.txtMoveColumn": "Pindah ke Kolom", + "SSE.Views.PivotSettings.txtMoveDown": "Pindah Kebawah", + "SSE.Views.PivotSettings.txtMoveEnd": "Pindah ke akhir", + "SSE.Views.PivotSettings.txtMoveFilter": "Pindah ke Filter", + "SSE.Views.PivotSettings.txtMoveRow": "Pindah ke Baris", + "SSE.Views.PivotSettings.txtMoveUp": "Pindah Keatas", + "SSE.Views.PivotSettings.txtMoveValues": "Pindah ke Nilai", + "SSE.Views.PivotSettings.txtRemove": "Hapus Area", + "SSE.Views.PivotSettingsAdvanced.strLayout": "Nama dan Layout", + "SSE.Views.PivotSettingsAdvanced.textAlt": "Teks Alternatif", "SSE.Views.PivotSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.PivotSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik atau tabel.", "SSE.Views.PivotSettingsAdvanced.textAltTitle": "Judul", - "SSE.Views.PivotSettingsAdvanced.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.PivotSettingsAdvanced.textDataRange": "Rentang Data", + "SSE.Views.PivotSettingsAdvanced.textDataSource": "Sumber Data", + "SSE.Views.PivotSettingsAdvanced.textDisplayFields": "Tampilkan area di area filter laporan", + "SSE.Views.PivotSettingsAdvanced.textDown": "Turun, lalu atas", + "SSE.Views.PivotSettingsAdvanced.textGrandTotals": "Grand Total", + "SSE.Views.PivotSettingsAdvanced.textHeaders": "Header Area", + "SSE.Views.PivotSettingsAdvanced.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.PivotSettingsAdvanced.textOver": "Atas, lalu turun", + "SSE.Views.PivotSettingsAdvanced.textSelectData": "Pilih data", + "SSE.Views.PivotSettingsAdvanced.textShowCols": "Tampilkan untuk kolom", + "SSE.Views.PivotSettingsAdvanced.textShowHeaders": "Tampilkan header area untuk baris dan kolom", + "SSE.Views.PivotSettingsAdvanced.textShowRows": "Tampilkan untuk baris", + "SSE.Views.PivotSettingsAdvanced.textTitle": "Tabel pivot - Pengaturan Lanjut", + "SSE.Views.PivotSettingsAdvanced.textWrapCol": "Laporan area filter per kolom", + "SSE.Views.PivotSettingsAdvanced.textWrapRow": "Laporan area filter per baris", + "SSE.Views.PivotSettingsAdvanced.txtEmpty": "Area ini dibutuhkan", "SSE.Views.PivotSettingsAdvanced.txtName": "Nama", + "SSE.Views.PivotTable.capBlankRows": "Baris Kosong", + "SSE.Views.PivotTable.capGrandTotals": "Grand Total", + "SSE.Views.PivotTable.capLayout": "Layout Laporan", + "SSE.Views.PivotTable.capSubtotals": "Subtotals", + "SSE.Views.PivotTable.mniBottomSubtotals": "Tampilkan semua Subtotal di Bawah Grup", + "SSE.Views.PivotTable.mniInsertBlankLine": "Sisipkan Garis Kosong setelah Masing-masing item", + "SSE.Views.PivotTable.mniLayoutCompact": "Tampilkan dalam Bentuk Kompak", + "SSE.Views.PivotTable.mniLayoutNoRepeat": "Jangan Ulang Semua Label Item", + "SSE.Views.PivotTable.mniLayoutOutline": "Tampilkan dalam Bentuk Outline", + "SSE.Views.PivotTable.mniLayoutRepeat": "Ulangi Semua Label item", + "SSE.Views.PivotTable.mniLayoutTabular": "Tampilkan dalam Bentuk Tabular", + "SSE.Views.PivotTable.mniNoSubtotals": "Jangan Tampilkan Subtotal", + "SSE.Views.PivotTable.mniOffTotals": "Nonaktif untuk Baris dan Kolom", + "SSE.Views.PivotTable.mniOnColumnsTotals": "Hidup untuk Kolom Saja", + "SSE.Views.PivotTable.mniOnRowsTotals": "Hidup untuk Baris Saja", + "SSE.Views.PivotTable.mniOnTotals": "Hidup untuk Baris dan Kolom", + "SSE.Views.PivotTable.mniRemoveBlankLine": "Hapus Baris Kosong setelah Setiap Item", + "SSE.Views.PivotTable.mniTopSubtotals": "Tampilkan semua Subtotal di Atas Grup", + "SSE.Views.PivotTable.textColBanded": "Kolom Berpita", + "SSE.Views.PivotTable.textColHeader": "Header Kolom", + "SSE.Views.PivotTable.textRowBanded": "Baris Berpita", + "SSE.Views.PivotTable.textRowHeader": "Header Baris", + "SSE.Views.PivotTable.tipCreatePivot": "Sisipkan Tabel Pivot", + "SSE.Views.PivotTable.tipGrandTotals": "Tampilkan atau sembunyikan total keseluruhan", + "SSE.Views.PivotTable.tipRefresh": "Update informasi dari sumber data", + "SSE.Views.PivotTable.tipSelect": "Pilih seluruh tabel pivot", + "SSE.Views.PivotTable.tipSubtotals": "Tampilkan atau sembunyikan subtotal", "SSE.Views.PivotTable.txtCreate": "Sisipkan Tabel", + "SSE.Views.PivotTable.txtPivotTable": "Tabel Pivot", + "SSE.Views.PivotTable.txtRefresh": "Refresh", "SSE.Views.PivotTable.txtSelect": "Pilih", - "SSE.Views.PrintSettings.btnPrint": "Save & Print", - "SSE.Views.PrintSettings.strBottom": "Bottom", + "SSE.Views.PrintSettings.btnDownload": "Simpan & Download", + "SSE.Views.PrintSettings.btnPrint": "Simpan & Print", + "SSE.Views.PrintSettings.strBottom": "Bawah", "SSE.Views.PrintSettings.strLandscape": "Landscape", - "SSE.Views.PrintSettings.strLeft": "Left", - "SSE.Views.PrintSettings.strMargins": "Margins", + "SSE.Views.PrintSettings.strLeft": "Kiri", + "SSE.Views.PrintSettings.strMargins": "Margin", "SSE.Views.PrintSettings.strPortrait": "Portrait", - "SSE.Views.PrintSettings.strPrint": "Print", - "SSE.Views.PrintSettings.strRight": "Right", + "SSE.Views.PrintSettings.strPrint": "Cetak", + "SSE.Views.PrintSettings.strPrintTitles": "Print Judul", + "SSE.Views.PrintSettings.strRight": "Kanan", "SSE.Views.PrintSettings.strShow": "Tampilkan", - "SSE.Views.PrintSettings.strTop": "Top", - "SSE.Views.PrintSettings.textActualSize": "Actual Size", - "SSE.Views.PrintSettings.textAllSheets": "All Sheets", - "SSE.Views.PrintSettings.textCurrentSheet": "Current Sheet", + "SSE.Views.PrintSettings.strTop": "Atas", + "SSE.Views.PrintSettings.textActualSize": "Ukuran Sebenarnya", + "SSE.Views.PrintSettings.textAllSheets": "Semua Sheet", + "SSE.Views.PrintSettings.textCurrentSheet": "Sheet saat ini", "SSE.Views.PrintSettings.textCustom": "Khusus", - "SSE.Views.PrintSettings.textHideDetails": "Hide Details", + "SSE.Views.PrintSettings.textCustomOptions": "Atur Opsi", + "SSE.Views.PrintSettings.textFitCols": "Sesuaikan Semua Kolom kedalam Satu Halaman", + "SSE.Views.PrintSettings.textFitPage": "Sesuaikan Sheet kedalam Satu Halaman", + "SSE.Views.PrintSettings.textFitRows": "Sesuaikan Semua Baris kedalam Satu Halaman", + "SSE.Views.PrintSettings.textHideDetails": "Sembunyikan Detail", + "SSE.Views.PrintSettings.textIgnore": "Abaikan Area Print", "SSE.Views.PrintSettings.textLayout": "Layout", - "SSE.Views.PrintSettings.textPageOrientation": "Page Orientation", - "SSE.Views.PrintSettings.textPageSize": "Page Size", - "SSE.Views.PrintSettings.textPrintGrid": "Print Gridlines", - "SSE.Views.PrintSettings.textPrintHeadings": "Print Row and Column Headings", - "SSE.Views.PrintSettings.textPrintRange": "Print Range", - "SSE.Views.PrintSettings.textSelection": "Selection", - "SSE.Views.PrintSettings.textShowDetails": "Show Details", - "SSE.Views.PrintSettings.textTitle": "Print Settings", + "SSE.Views.PrintSettings.textPageOrientation": "Orientasi Halaman", + "SSE.Views.PrintSettings.textPageScaling": "Scaling", + "SSE.Views.PrintSettings.textPageSize": "Ukuran Halaman", + "SSE.Views.PrintSettings.textPrintGrid": "Print Garis Grid", + "SSE.Views.PrintSettings.textPrintHeadings": "Print Heading Baris dan Kolom", + "SSE.Views.PrintSettings.textPrintRange": "Rentang Print", + "SSE.Views.PrintSettings.textRange": "Rentang", + "SSE.Views.PrintSettings.textRepeat": "Ulangi...", + "SSE.Views.PrintSettings.textRepeatLeft": "Ulangi kolom di kiri", + "SSE.Views.PrintSettings.textRepeatTop": "Ulangi baris di atas", + "SSE.Views.PrintSettings.textSelection": "Pilihan", + "SSE.Views.PrintSettings.textSettings": "Pengaturan Sheet", + "SSE.Views.PrintSettings.textShowDetails": "Tampilkan Detail", + "SSE.Views.PrintSettings.textShowGrid": "Tampilkan Garis Gird", + "SSE.Views.PrintSettings.textShowHeadings": "Tampilkan Heading Baris dan Kolom", + "SSE.Views.PrintSettings.textTitle": "Pengaturan Print", + "SSE.Views.PrintSettings.textTitlePDF": "Pengaturan PDF", + "SSE.Views.PrintTitlesDialog.textFirstCol": "Kolom pertama", + "SSE.Views.PrintTitlesDialog.textFirstRow": "Baris pertama", + "SSE.Views.PrintTitlesDialog.textFrozenCols": "Kolom yang dibekukan", + "SSE.Views.PrintTitlesDialog.textFrozenRows": "Baris yang dibekukan", + "SSE.Views.PrintTitlesDialog.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.PrintTitlesDialog.textLeft": "Ulangi kolom di kiri", + "SSE.Views.PrintTitlesDialog.textNoRepeat": "Jangan ulang", + "SSE.Views.PrintTitlesDialog.textRepeat": "Ulangi...", + "SSE.Views.PrintTitlesDialog.textSelectRange": "Pilih rentang", + "SSE.Views.PrintTitlesDialog.textTitle": "Print Judul", + "SSE.Views.PrintTitlesDialog.textTop": "Ulangi baris di atas", "SSE.Views.PrintWithPreview.txtActualSize": "Ukuran Sebenarnya", + "SSE.Views.PrintWithPreview.txtAllSheets": "Semua Sheet", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Terapkan ke semua sheet", "SSE.Views.PrintWithPreview.txtBottom": "Bawah", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Sheet saat ini", "SSE.Views.PrintWithPreview.txtCustom": "Khusus", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Atur Opsi", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Tidak ada yang bisa diprint karena tabelnya kosong", + "SSE.Views.PrintWithPreview.txtFitCols": "Sesuaikan Semua Kolom kedalam Satu Halaman", + "SSE.Views.PrintWithPreview.txtFitPage": "Sesuaikan Sheet kedalam Satu Halaman", + "SSE.Views.PrintWithPreview.txtFitRows": "Sesuaikan Semua Baris kedalam Satu Halaman", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Garis grid dan heading", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Pengaturan Header/Footer", + "SSE.Views.PrintWithPreview.txtIgnore": "Abaikan Area Print", + "SSE.Views.PrintWithPreview.txtLandscape": "Landscape", "SSE.Views.PrintWithPreview.txtLeft": "Kiri", "SSE.Views.PrintWithPreview.txtMargins": "Margin", + "SSE.Views.PrintWithPreview.txtOf": "dari {0}", "SSE.Views.PrintWithPreview.txtPage": "Halaman", "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Nomor halaman salah", "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientasi Halaman", "SSE.Views.PrintWithPreview.txtPageSize": "Ukuran Halaman", + "SSE.Views.PrintWithPreview.txtPortrait": "Portrait", "SSE.Views.PrintWithPreview.txtPrint": "Cetak", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Print Garis Grid", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Print Heading Baris dan Kolom", + "SSE.Views.PrintWithPreview.txtPrintRange": "Rentang Print", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Print Judul", + "SSE.Views.PrintWithPreview.txtRepeat": "Ulangi...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Ulangi kolom di kiri", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Ulangi baris di atas", "SSE.Views.PrintWithPreview.txtRight": "Kanan", "SSE.Views.PrintWithPreview.txtSave": "Simpan", + "SSE.Views.PrintWithPreview.txtScaling": "Scaling", + "SSE.Views.PrintWithPreview.txtSelection": "Pilihan", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Pengaturan dari sheet", + "SSE.Views.PrintWithPreview.txtSheet": "Sheet: {0}", "SSE.Views.PrintWithPreview.txtTop": "Atas", - "SSE.Views.ProtectDialog.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.ProtectDialog.textExistName": "KESALAHAN! Rentang dengan judul itu sudah ada", + "SSE.Views.ProtectDialog.textInvalidName": "Rentang judul harus diawali dengan huruf dan hanya boleh berisi huruf, angka, dan spasi.", + "SSE.Views.ProtectDialog.textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.ProtectDialog.textSelectData": "Pilih data", + "SSE.Views.ProtectDialog.txtAllow": "Izinkan semua pengguna sheet ini untuk", + "SSE.Views.ProtectDialog.txtAutofilter": "Gunakan AutoFilter", + "SSE.Views.ProtectDialog.txtDelCols": "Hapus Kolom", + "SSE.Views.ProtectDialog.txtDelRows": "Hapus Baris", + "SSE.Views.ProtectDialog.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.ProtectDialog.txtFormatCells": "Format sel", + "SSE.Views.ProtectDialog.txtFormatCols": "Format kolom", + "SSE.Views.ProtectDialog.txtFormatRows": "Format baris", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "Password konfirmasi tidak sama", + "SSE.Views.ProtectDialog.txtInsCols": "Sisipkan kolom", + "SSE.Views.ProtectDialog.txtInsHyper": "Sisipkan hyperlink", + "SSE.Views.ProtectDialog.txtInsRows": "Sisipkan Baris", + "SSE.Views.ProtectDialog.txtObjs": "Edit Objek", + "SSE.Views.ProtectDialog.txtOptional": "opsional", "SSE.Views.ProtectDialog.txtPassword": "Kata Sandi", + "SSE.Views.ProtectDialog.txtPivot": "Gunakan Tabel Pivot dan Grafik Pivot", + "SSE.Views.ProtectDialog.txtProtect": "Proteksi", + "SSE.Views.ProtectDialog.txtRange": "Rentang", "SSE.Views.ProtectDialog.txtRangeName": "Judul", - "SSE.Views.ProtectDialog.txtWarning": "Perhatian: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "SSE.Views.ProtectDialog.txtRepeat": "Ulangi password", + "SSE.Views.ProtectDialog.txtScen": "Edit skenario", + "SSE.Views.ProtectDialog.txtSelLocked": "Pilih sel yang terkunci", + "SSE.Views.ProtectDialog.txtSelUnLocked": "Pilih sel yang tidak dikunci", + "SSE.Views.ProtectDialog.txtSheetDescription": "Cegah perubahan yang tidak diinginkan oleh orang lain dengan membatasi kemampuan mereka untuk mengedit.", + "SSE.Views.ProtectDialog.txtSheetTitle": "Proteksi Sheet", + "SSE.Views.ProtectDialog.txtSort": "Sortasi", + "SSE.Views.ProtectDialog.txtWarning": "Peringatan: Tidak bisa dipulihkan jika Anda kehilangan atau lupa kata sandi. Simpan di tempat yang aman.", + "SSE.Views.ProtectDialog.txtWBDescription": "Untuk mencegah pengguna lain menampilkan worksheet tersembunyi, menambahkan, memindahkan, menghapus, atau menyembunyikan worksheet dan mengganti nama worksheet, Anda bisa melindungi struktur workbook dengan password.", + "SSE.Views.ProtectDialog.txtWBTitle": "Proteksi struktur Workbook", "SSE.Views.ProtectRangesDlg.guestText": "Tamu", "SSE.Views.ProtectRangesDlg.lockText": "Dikunci", "SSE.Views.ProtectRangesDlg.textDelete": "Hapus", "SSE.Views.ProtectRangesDlg.textEdit": "Sunting", - "SSE.Views.ProtectRangesDlg.textNew": "baru", + "SSE.Views.ProtectRangesDlg.textEmpty": "Tidak ada rentang yang diizinkan untuk diubah.", + "SSE.Views.ProtectRangesDlg.textNew": "Baru", + "SSE.Views.ProtectRangesDlg.textProtect": "Proteksi Sheet", "SSE.Views.ProtectRangesDlg.textPwd": "Kata Sandi", + "SSE.Views.ProtectRangesDlg.textRange": "Rentang", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "Rentang dibuka dengan password saat sheet diproteksi (ini hanya berfungsi untuk sel yang terkunci)", "SSE.Views.ProtectRangesDlg.textTitle": "Judul", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.ProtectRangesDlg.txtEditRange": "Edit Rentang", + "SSE.Views.ProtectRangesDlg.txtNewRange": "Rentang Baru", "SSE.Views.ProtectRangesDlg.txtNo": "Tidak", + "SSE.Views.ProtectRangesDlg.txtTitle": "Izinkan Pengguna Mengedit Rentang", "SSE.Views.ProtectRangesDlg.txtYes": "Ya", + "SSE.Views.ProtectRangesDlg.warnDelete": "Apakah Anda yakin ingin menghapus nama {0}?", "SSE.Views.RemoveDuplicatesDialog.textColumns": "Kolom", + "SSE.Views.RemoveDuplicatesDialog.textDescription": "Untuk menghapus nilai duplikat, pilih satu atau lebih kolom yang memiliki duplikat.", + "SSE.Views.RemoveDuplicatesDialog.textHeaders": "Data saya memiliki header", "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "Pilih semua", - "SSE.Views.RightMenu.txtChartSettings": "Chart Settings", - "SSE.Views.RightMenu.txtImageSettings": "Image Settings", - "SSE.Views.RightMenu.txtParagraphSettings": "Text Settings", - "SSE.Views.RightMenu.txtSettings": "Common Settings", - "SSE.Views.RightMenu.txtShapeSettings": "Shape Settings", + "SSE.Views.RemoveDuplicatesDialog.txtTitle": "Hapus duplikat", + "SSE.Views.RightMenu.txtCellSettings": "Pengaturan sel", + "SSE.Views.RightMenu.txtChartSettings": "Pengaturan Bagan", + "SSE.Views.RightMenu.txtImageSettings": "Pengaturan Gambar", + "SSE.Views.RightMenu.txtParagraphSettings": "Pengaturan Paragraf", + "SSE.Views.RightMenu.txtPivotSettings": "Pengaturan tabel pivot", + "SSE.Views.RightMenu.txtSettings": "Pengaturan Umum", + "SSE.Views.RightMenu.txtShapeSettings": "Pengaturan Bentuk", + "SSE.Views.RightMenu.txtSignatureSettings": "Pengaturan tanda tangan", + "SSE.Views.RightMenu.txtSlicerSettings": "Pengaturan slicer", + "SSE.Views.RightMenu.txtSparklineSettings": "Pengaturan sparkline", "SSE.Views.RightMenu.txtTableSettings": "Pengaturan Tabel", - "SSE.Views.RightMenu.txtTextArtSettings": "Text Art Settings", + "SSE.Views.RightMenu.txtTextArtSettings": "Pengaturan Text Art", "SSE.Views.ScaleDialog.textAuto": "Otomatis", + "SSE.Views.ScaleDialog.textError": "Nilai yang dimasukkan tidak tepat.", "SSE.Views.ScaleDialog.textFewPages": "Halaman", - "SSE.Views.ScaleDialog.textHeight": "Ketinggian", + "SSE.Views.ScaleDialog.textFitTo": "Sesuaikan Ke", + "SSE.Views.ScaleDialog.textHeight": "Tinggi", "SSE.Views.ScaleDialog.textManyPages": "Halaman", "SSE.Views.ScaleDialog.textOnePage": "Halaman", + "SSE.Views.ScaleDialog.textScaleTo": "Skala Ke", + "SSE.Views.ScaleDialog.textTitle": "Pengaturan Skala", "SSE.Views.ScaleDialog.textWidth": "Lebar", - "SSE.Views.SetValueDialog.txtMaxText": "The maximum value for this field is {0}", - "SSE.Views.SetValueDialog.txtMinText": "The minimum value for this field is {0}", - "SSE.Views.ShapeSettings.strBackground": "Background color", - "SSE.Views.ShapeSettings.strChange": "Change Autoshape", - "SSE.Views.ShapeSettings.strColor": "Color", - "SSE.Views.ShapeSettings.strFill": "Fill", - "SSE.Views.ShapeSettings.strForeground": "Foreground color", - "SSE.Views.ShapeSettings.strPattern": "Pattern", - "SSE.Views.ShapeSettings.strSize": "Size", - "SSE.Views.ShapeSettings.strStroke": "Stroke", - "SSE.Views.ShapeSettings.strTransparency": "Opacity", + "SSE.Views.SetValueDialog.txtMaxText": "Input maksimal untuk kolom ini adalah {0}", + "SSE.Views.SetValueDialog.txtMinText": "Input minimal untuk kolom ini adalah {0}", + "SSE.Views.ShapeSettings.strBackground": "Warna latar", + "SSE.Views.ShapeSettings.strChange": "Ubah Bentuk Otomatis", + "SSE.Views.ShapeSettings.strColor": "Warna", + "SSE.Views.ShapeSettings.strFill": "Isi", + "SSE.Views.ShapeSettings.strForeground": "Warna latar depan", + "SSE.Views.ShapeSettings.strPattern": "Pola", + "SSE.Views.ShapeSettings.strShadow": "Tampilkan bayangan", + "SSE.Views.ShapeSettings.strSize": "Ukuran", + "SSE.Views.ShapeSettings.strStroke": "Garis", + "SSE.Views.ShapeSettings.strTransparency": "Opasitas", "SSE.Views.ShapeSettings.strType": "Tipe", - "SSE.Views.ShapeSettings.textAdvanced": "Show advanced settings", - "SSE.Views.ShapeSettings.textBorderSizeErr": "The entered value is incorrect.
                              Please enter a value between 0 pt and 1584 pt.", - "SSE.Views.ShapeSettings.textColor": "Color Fill", - "SSE.Views.ShapeSettings.textDirection": "Direction", - "SSE.Views.ShapeSettings.textEmptyPattern": "No Pattern", - "SSE.Views.ShapeSettings.textFromFile": "From File", - "SSE.Views.ShapeSettings.textFromUrl": "From URL", - "SSE.Views.ShapeSettings.textGradient": "Gradient", - "SSE.Views.ShapeSettings.textGradientFill": "Gradient Fill", - "SSE.Views.ShapeSettings.textImageTexture": "Picture or Texture", - "SSE.Views.ShapeSettings.textLinear": "Linear", - "SSE.Views.ShapeSettings.textNoFill": "No Fill", - "SSE.Views.ShapeSettings.textOriginalSize": "Original Size", - "SSE.Views.ShapeSettings.textPatternFill": "Pattern", - "SSE.Views.ShapeSettings.textPosition": "Jabatan", + "SSE.Views.ShapeSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.ShapeSettings.textAngle": "Sudut", + "SSE.Views.ShapeSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
                              Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "SSE.Views.ShapeSettings.textColor": "Warna Isi", + "SSE.Views.ShapeSettings.textDirection": "Arah", + "SSE.Views.ShapeSettings.textEmptyPattern": "Tidak ada Pola", + "SSE.Views.ShapeSettings.textFlip": "Flip", + "SSE.Views.ShapeSettings.textFromFile": "Dari File", + "SSE.Views.ShapeSettings.textFromStorage": "Dari Penyimpanan", + "SSE.Views.ShapeSettings.textFromUrl": "Dari URL", + "SSE.Views.ShapeSettings.textGradient": "Gradien", + "SSE.Views.ShapeSettings.textGradientFill": "Isian Gradien", + "SSE.Views.ShapeSettings.textHint270": "Rotasi 90° Berlawanan Jarum Jam", + "SSE.Views.ShapeSettings.textHint90": "Rotasi 90° Searah Jarum Jam", + "SSE.Views.ShapeSettings.textHintFlipH": "Flip Horizontal", + "SSE.Views.ShapeSettings.textHintFlipV": "Flip Vertikal", + "SSE.Views.ShapeSettings.textImageTexture": "Gambar atau Tekstur", + "SSE.Views.ShapeSettings.textLinear": "Linier", + "SSE.Views.ShapeSettings.textNoFill": "Tidak ada Isian", + "SSE.Views.ShapeSettings.textOriginalSize": "Ukuran Original", + "SSE.Views.ShapeSettings.textPatternFill": "Pola", + "SSE.Views.ShapeSettings.textPosition": "Posisi", "SSE.Views.ShapeSettings.textRadial": "Radial", - "SSE.Views.ShapeSettings.textSelectTexture": "Select", - "SSE.Views.ShapeSettings.textStretch": "Stretch", - "SSE.Views.ShapeSettings.textStyle": "Style", - "SSE.Views.ShapeSettings.textTexture": "From Texture", - "SSE.Views.ShapeSettings.textTile": "Tile", - "SSE.Views.ShapeSettings.txtBrownPaper": "Brown Paper", - "SSE.Views.ShapeSettings.txtCanvas": "Canvas", - "SSE.Views.ShapeSettings.txtCarton": "Carton", - "SSE.Views.ShapeSettings.txtDarkFabric": "Dark Fabric", - "SSE.Views.ShapeSettings.txtGrain": "Grain", - "SSE.Views.ShapeSettings.txtGranite": "Granite", - "SSE.Views.ShapeSettings.txtGreyPaper": "Gray Paper", - "SSE.Views.ShapeSettings.txtKnit": "Knit", - "SSE.Views.ShapeSettings.txtLeather": "Leather", - "SSE.Views.ShapeSettings.txtNoBorders": "No Line", - "SSE.Views.ShapeSettings.txtPapyrus": "Papyrus", - "SSE.Views.ShapeSettings.txtWood": "Wood", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Baru Digunakan", + "SSE.Views.ShapeSettings.textRotate90": "Rotasi 90°", + "SSE.Views.ShapeSettings.textRotation": "Rotasi", + "SSE.Views.ShapeSettings.textSelectImage": "Pilih Foto", + "SSE.Views.ShapeSettings.textSelectTexture": "Pilih", + "SSE.Views.ShapeSettings.textStretch": "Rentangkan", + "SSE.Views.ShapeSettings.textStyle": "Model", + "SSE.Views.ShapeSettings.textTexture": "Dari Tekstur", + "SSE.Views.ShapeSettings.textTile": "Petak", + "SSE.Views.ShapeSettings.tipAddGradientPoint": "Tambah titik gradien", + "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "SSE.Views.ShapeSettings.txtBrownPaper": "Kertas Coklat", + "SSE.Views.ShapeSettings.txtCanvas": "Kanvas", + "SSE.Views.ShapeSettings.txtCarton": "Karton", + "SSE.Views.ShapeSettings.txtDarkFabric": "Kain Gelap", + "SSE.Views.ShapeSettings.txtGrain": "Butiran", + "SSE.Views.ShapeSettings.txtGranite": "Granit", + "SSE.Views.ShapeSettings.txtGreyPaper": "Kertas Abu-Abu", + "SSE.Views.ShapeSettings.txtKnit": "Rajut", + "SSE.Views.ShapeSettings.txtLeather": "Kulit", + "SSE.Views.ShapeSettings.txtNoBorders": "Tidak ada Garis", + "SSE.Views.ShapeSettings.txtPapyrus": "Papirus", + "SSE.Views.ShapeSettings.txtWood": "Kayu", "SSE.Views.ShapeSettingsAdvanced.strColumns": "Kolom", - "SSE.Views.ShapeSettingsAdvanced.strMargins": "Text Padding", + "SSE.Views.ShapeSettingsAdvanced.strMargins": "Lapisan Teks", + "SSE.Views.ShapeSettingsAdvanced.textAbsolute": "Jangan pindah atau ubah dengan sel", + "SSE.Views.ShapeSettingsAdvanced.textAlt": "Teks Alternatif", "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.ShapeSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik, atau tabel.", "SSE.Views.ShapeSettingsAdvanced.textAltTitle": "Judul", - "SSE.Views.ShapeSettingsAdvanced.textArrows": "Arrows", - "SSE.Views.ShapeSettingsAdvanced.textBeginSize": "Begin Size", - "SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "Begin Style", - "SSE.Views.ShapeSettingsAdvanced.textBevel": "Bevel", - "SSE.Views.ShapeSettingsAdvanced.textBottom": "Bottom", - "SSE.Views.ShapeSettingsAdvanced.textCapType": "Cap Type", + "SSE.Views.ShapeSettingsAdvanced.textAngle": "Sudut", + "SSE.Views.ShapeSettingsAdvanced.textArrows": "Tanda panah", + "SSE.Views.ShapeSettingsAdvanced.textAutofit": "AutoFit", + "SSE.Views.ShapeSettingsAdvanced.textBeginSize": "Ukuran Mulai", + "SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "Gaya Mulai", + "SSE.Views.ShapeSettingsAdvanced.textBevel": "Miring", + "SSE.Views.ShapeSettingsAdvanced.textBottom": "Bawah", + "SSE.Views.ShapeSettingsAdvanced.textCapType": "Tipe Cap", "SSE.Views.ShapeSettingsAdvanced.textColNumber": "Jumlah Kolom", - "SSE.Views.ShapeSettingsAdvanced.textEndSize": "End Size", - "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "End Style", - "SSE.Views.ShapeSettingsAdvanced.textFlat": "Flat", - "SSE.Views.ShapeSettingsAdvanced.textHeight": "Height", - "SSE.Views.ShapeSettingsAdvanced.textJoinType": "Join Type", - "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Constant Proportions", - "SSE.Views.ShapeSettingsAdvanced.textLeft": "Left", - "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "Line Style", - "SSE.Views.ShapeSettingsAdvanced.textMiter": "Miter", - "SSE.Views.ShapeSettingsAdvanced.textRight": "Right", - "SSE.Views.ShapeSettingsAdvanced.textRound": "Round", - "SSE.Views.ShapeSettingsAdvanced.textSize": "Size", - "SSE.Views.ShapeSettingsAdvanced.textSquare": "Square", - "SSE.Views.ShapeSettingsAdvanced.textTitle": "Shape - Advanced Settings", - "SSE.Views.ShapeSettingsAdvanced.textTop": "Top", - "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Weights & Arrows", - "SSE.Views.ShapeSettingsAdvanced.textWidth": "Width", + "SSE.Views.ShapeSettingsAdvanced.textEndSize": "Ukuran Akhir", + "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "Model Akhir", + "SSE.Views.ShapeSettingsAdvanced.textFlat": "Datar", + "SSE.Views.ShapeSettingsAdvanced.textFlipped": "Flipped", + "SSE.Views.ShapeSettingsAdvanced.textHeight": "Tinggi", + "SSE.Views.ShapeSettingsAdvanced.textHorizontally": "Secara Horizontal", + "SSE.Views.ShapeSettingsAdvanced.textJoinType": "Gabungkan Tipe", + "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Proporsi Konstan", + "SSE.Views.ShapeSettingsAdvanced.textLeft": "Kiri", + "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "Model Garis", + "SSE.Views.ShapeSettingsAdvanced.textMiter": "Siku-siku", + "SSE.Views.ShapeSettingsAdvanced.textOneCell": "Pindahkan tapi tidak digabungkan dengan sel", + "SSE.Views.ShapeSettingsAdvanced.textOverflow": "Izinkan teks keluar dari bentuk", + "SSE.Views.ShapeSettingsAdvanced.textResizeFit": "Ubah ukuran bentuk agar cocok ke teks", + "SSE.Views.ShapeSettingsAdvanced.textRight": "Kanan", + "SSE.Views.ShapeSettingsAdvanced.textRotation": "Rotasi", + "SSE.Views.ShapeSettingsAdvanced.textRound": "Bulat", + "SSE.Views.ShapeSettingsAdvanced.textSize": "Ukuran", + "SSE.Views.ShapeSettingsAdvanced.textSnap": "Snapping Sel", + "SSE.Views.ShapeSettingsAdvanced.textSpacing": "Spacing di antara kolom", + "SSE.Views.ShapeSettingsAdvanced.textSquare": "Persegi", + "SSE.Views.ShapeSettingsAdvanced.textTextBox": "Kotak Teks", + "SSE.Views.ShapeSettingsAdvanced.textTitle": "Bentuk - Pengaturan Lanjut", + "SSE.Views.ShapeSettingsAdvanced.textTop": "Atas", + "SSE.Views.ShapeSettingsAdvanced.textTwoCell": "Pindahkan dan gabungkan dengan sel", + "SSE.Views.ShapeSettingsAdvanced.textVertically": "Secara Vertikal", + "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Bobot & Panah", + "SSE.Views.ShapeSettingsAdvanced.textWidth": "Lebar", "SSE.Views.SignatureSettings.notcriticalErrorTitle": "Peringatan", + "SSE.Views.SignatureSettings.strDelete": "Hilangkan Tandatangan", + "SSE.Views.SignatureSettings.strDetails": "Detail Tanda Tangan", + "SSE.Views.SignatureSettings.strInvalid": "Tanda tangan tidak valid", + "SSE.Views.SignatureSettings.strRequested": "Penandatangan yang diminta", + "SSE.Views.SignatureSettings.strSetup": "Setup Tanda Tangan", + "SSE.Views.SignatureSettings.strSign": "Tandatangan", + "SSE.Views.SignatureSettings.strSignature": "Tanda Tangan", + "SSE.Views.SignatureSettings.strSigner": "Penandatangan", + "SSE.Views.SignatureSettings.strValid": "Tanda tangan valid", + "SSE.Views.SignatureSettings.txtContinueEditing": "Tetap edit", + "SSE.Views.SignatureSettings.txtEditWarning": "Perubahan akan menghilangkan tanda tangan dari spreadsheet.
                              Lanjutkan?", + "SSE.Views.SignatureSettings.txtRemoveWarning": "Apakah Anda ingin menghilangkan tandatangan ini?
                              Proses tidak bisa dikembalikan.", + "SSE.Views.SignatureSettings.txtRequestedSignatures": "Spreadsheet ini perlu ditandatangani.", + "SSE.Views.SignatureSettings.txtSigned": "Tandatangan valid sudah ditambahkan ke spreadhseet. Spreadsheet diproteksi untuk diedit.", + "SSE.Views.SignatureSettings.txtSignedInvalid": "Beberapa tanda tangan digital di spreadsheet tidak valid atau tidak bisa diverifikasi. Spreadsheet diproteksi untuk diedit.", "SSE.Views.SlicerAddDialog.textColumns": "Kolom", + "SSE.Views.SlicerAddDialog.txtTitle": "Sisipkan Slicer", + "SSE.Views.SlicerSettings.strHideNoData": "Sembunyikan Item Tanpa Data", + "SSE.Views.SlicerSettings.strIndNoData": "Tunjukkan item tanpa data secara visual", + "SSE.Views.SlicerSettings.strShowDel": "Tampilkan item yang dihapus dari sumber data", + "SSE.Views.SlicerSettings.strShowNoData": "Tampilkan item tanpa data terakhir", + "SSE.Views.SlicerSettings.strSorting": "Sortasi dan pemfilteran", "SSE.Views.SlicerSettings.textAdvanced": "Tampilkan pengaturan lanjut", + "SSE.Views.SlicerSettings.textAsc": "Sortasi Naik", + "SSE.Views.SlicerSettings.textAZ": "A sampai Z", "SSE.Views.SlicerSettings.textButtons": "Tombol", "SSE.Views.SlicerSettings.textColumns": "Kolom", - "SSE.Views.SlicerSettings.textHeight": "Ketinggian", + "SSE.Views.SlicerSettings.textDesc": "Sortasi Turun", + "SSE.Views.SlicerSettings.textHeight": "Tinggi", "SSE.Views.SlicerSettings.textHor": "Horisontal", "SSE.Views.SlicerSettings.textKeepRatio": "Proporsi Konstan", - "SSE.Views.SlicerSettings.textPosition": "Jabatan", + "SSE.Views.SlicerSettings.textLargeSmall": "Terbesar ke Terkecil", + "SSE.Views.SlicerSettings.textLock": "Nonaktifkan pengubahan ukuran atau pemindahan", + "SSE.Views.SlicerSettings.textNewOld": "terbaru sampai tertua", + "SSE.Views.SlicerSettings.textOldNew": "tertua ke terbaru", + "SSE.Views.SlicerSettings.textPosition": "Posisi", "SSE.Views.SlicerSettings.textSize": "Ukuran", + "SSE.Views.SlicerSettings.textSmallLarge": "kecil ke besar", "SSE.Views.SlicerSettings.textStyle": "Model", "SSE.Views.SlicerSettings.textVert": "Vertikal", "SSE.Views.SlicerSettings.textWidth": "Lebar", + "SSE.Views.SlicerSettings.textZA": "Z ke A", "SSE.Views.SlicerSettingsAdvanced.strButtons": "Tombol", "SSE.Views.SlicerSettingsAdvanced.strColumns": "Kolom", - "SSE.Views.SlicerSettingsAdvanced.strHeight": "Ketinggian", + "SSE.Views.SlicerSettingsAdvanced.strHeight": "Tinggi", + "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "Sembunyikan Item Tanpa Data", + "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Tunjukkan item tanpa data secara visual", + "SSE.Views.SlicerSettingsAdvanced.strReferences": "Referensi", + "SSE.Views.SlicerSettingsAdvanced.strShowDel": "Tampilkan item yang dihapus dari sumber data", + "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Tampilkan header", + "SSE.Views.SlicerSettingsAdvanced.strShowNoData": "Tampilkan item tanpa data terakhir", "SSE.Views.SlicerSettingsAdvanced.strSize": "Ukuran", + "SSE.Views.SlicerSettingsAdvanced.strSorting": "Sortasi & Pemfilteran", "SSE.Views.SlicerSettingsAdvanced.strStyle": "Model", + "SSE.Views.SlicerSettingsAdvanced.strStyleSize": "Gaya & Ukuran", "SSE.Views.SlicerSettingsAdvanced.strWidth": "Lebar", + "SSE.Views.SlicerSettingsAdvanced.textAbsolute": "Jangan pindah atau ubah dengan sel", + "SSE.Views.SlicerSettingsAdvanced.textAlt": "Teks Alternatif", "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.SlicerSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik atau tabel.", "SSE.Views.SlicerSettingsAdvanced.textAltTitle": "Judul", + "SSE.Views.SlicerSettingsAdvanced.textAsc": "Sortasi Naik", + "SSE.Views.SlicerSettingsAdvanced.textAZ": "A sampai Z", + "SSE.Views.SlicerSettingsAdvanced.textDesc": "Sortasi Turun", + "SSE.Views.SlicerSettingsAdvanced.textFormulaName": "Beri nama untuk dipakai di formula", + "SSE.Views.SlicerSettingsAdvanced.textHeader": "Header", "SSE.Views.SlicerSettingsAdvanced.textKeepRatio": "Proporsi Konstan", + "SSE.Views.SlicerSettingsAdvanced.textLargeSmall": "Terbesar ke Terkecil", "SSE.Views.SlicerSettingsAdvanced.textName": "Nama", - "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "Kolom ini harus diisi", + "SSE.Views.SlicerSettingsAdvanced.textNewOld": "terbaru sampai tertua", + "SSE.Views.SlicerSettingsAdvanced.textOldNew": "tertua ke terbaru", + "SSE.Views.SlicerSettingsAdvanced.textOneCell": "Pindahkan tapi tidak digabungkan dengan sel", + "SSE.Views.SlicerSettingsAdvanced.textSmallLarge": "kecil ke besar", + "SSE.Views.SlicerSettingsAdvanced.textSnap": "Snapping Sel", + "SSE.Views.SlicerSettingsAdvanced.textSort": "Sortasi", + "SSE.Views.SlicerSettingsAdvanced.textSourceName": "Nama sumber", + "SSE.Views.SlicerSettingsAdvanced.textTitle": "Pengaturan - Lanjut Slicer", + "SSE.Views.SlicerSettingsAdvanced.textTwoCell": "Pindahkan dan gabungkan dengan sel", + "SSE.Views.SlicerSettingsAdvanced.textZA": "Z ke A", + "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.SortDialog.errorEmpty": "Semua kriteria sortasi harus memiliki kolom atau baris yang sudah ditentukan.", + "SSE.Views.SortDialog.errorMoreOneCol": "Lebih dari satu kolom dipilih", + "SSE.Views.SortDialog.errorMoreOneRow": "Lebih dari satu baris dipilih", + "SSE.Views.SortDialog.errorNotOriginalCol": "Kolom yang Anda pilih tidak di rentang asli yang dipilih.", + "SSE.Views.SortDialog.errorNotOriginalRow": "Baris yang Anda pilih tidak berada di rentang asli yang dipilih.", + "SSE.Views.SortDialog.errorSameColumnColor": "%1 sedang diurutkan menurut warna yang sama lebih dari 1 kali.
                              Hapus kriteria sortasi duplikat dan coba lagi", + "SSE.Views.SortDialog.errorSameColumnValue": "%1 sedang diurutkan berdasarkan nilai lebih dari 1 kali.
                              Hapus kriteria sortasi duplikat dan coba lagi", + "SSE.Views.SortDialog.textAdd": "Tambah level", + "SSE.Views.SortDialog.textAsc": "Sortasi Naik", "SSE.Views.SortDialog.textAuto": "Otomatis", + "SSE.Views.SortDialog.textAZ": "A sampai Z", "SSE.Views.SortDialog.textBelow": "Di bawah", + "SSE.Views.SortDialog.textCellColor": "Warna sel", "SSE.Views.SortDialog.textColumn": "Kolom", + "SSE.Views.SortDialog.textCopy": "Copy level", + "SSE.Views.SortDialog.textDelete": "Hapus level", + "SSE.Views.SortDialog.textDesc": "Sortasi Turun", + "SSE.Views.SortDialog.textDown": "Pindah ke level bawah", "SSE.Views.SortDialog.textFontColor": "Warna Huruf", "SSE.Views.SortDialog.textLeft": "Kiri", - "SSE.Views.SortDialog.textNone": "tidak ada", + "SSE.Views.SortDialog.textMoreCols": "(Lebih banyak kolom...)", + "SSE.Views.SortDialog.textMoreRows": "(Lebih banyak baris...)", + "SSE.Views.SortDialog.textNone": "Tidak ada", "SSE.Views.SortDialog.textOptions": "Pilihan", "SSE.Views.SortDialog.textOrder": "Pesanan", "SSE.Views.SortDialog.textRight": "Kanan", "SSE.Views.SortDialog.textRow": "Baris", "SSE.Views.SortDialog.textSortBy": "Urutkan berdasar", + "SSE.Views.SortDialog.textThenBy": "Then by", "SSE.Views.SortDialog.textTop": "Atas", + "SSE.Views.SortDialog.textUp": "Pindah ke level atas", + "SSE.Views.SortDialog.textValues": "Nilai", + "SSE.Views.SortDialog.textZA": "Z ke A", + "SSE.Views.SortDialog.txtInvalidRange": "Rentang sel tidak valid.", + "SSE.Views.SortDialog.txtTitle": "Sortasi", + "SSE.Views.SortFilterDialog.textAsc": "Sortasi naik (A sampai Z) dengan", + "SSE.Views.SortFilterDialog.textDesc": "Sortasi Turun (Z sampai A) dengan", + "SSE.Views.SortFilterDialog.txtTitle": "Sortasi", "SSE.Views.SortOptionsDialog.textCase": "Harus sama persis", + "SSE.Views.SortOptionsDialog.textHeaders": "Data saya memiliki header", + "SSE.Views.SortOptionsDialog.textLeftRight": "Sortasi kiri ke kanan", + "SSE.Views.SortOptionsDialog.textOrientation": "Orientasi", + "SSE.Views.SortOptionsDialog.textTitle": "Pengaturan Sortasi", + "SSE.Views.SortOptionsDialog.textTopBottom": "Sortasi dari atas ke bawah", "SSE.Views.SpecialPasteDialog.textAdd": "Tambahkan", "SSE.Views.SpecialPasteDialog.textAll": "Semua", + "SSE.Views.SpecialPasteDialog.textBlanks": "Lewati kosong", + "SSE.Views.SpecialPasteDialog.textColWidth": "Lebar kolom", "SSE.Views.SpecialPasteDialog.textComments": "Komentar", - "SSE.Views.SpecialPasteDialog.textNone": "tidak ada", + "SSE.Views.SpecialPasteDialog.textDiv": "Bagi", + "SSE.Views.SpecialPasteDialog.textFFormat": "Formula & Pemformatan", + "SSE.Views.SpecialPasteDialog.textFNFormat": "Formula & nomor format", + "SSE.Views.SpecialPasteDialog.textFormats": "Format", + "SSE.Views.SpecialPasteDialog.textFormulas": "Formulas", + "SSE.Views.SpecialPasteDialog.textFWidth": "Formula & lebar kolom", + "SSE.Views.SpecialPasteDialog.textMult": "Perkalian", + "SSE.Views.SpecialPasteDialog.textNone": "Tidak ada", + "SSE.Views.SpecialPasteDialog.textOperation": "Operasi", "SSE.Views.SpecialPasteDialog.textPaste": "Tempel", + "SSE.Views.SpecialPasteDialog.textSub": "Mengurangi", + "SSE.Views.SpecialPasteDialog.textTitle": "Paste Khusus", + "SSE.Views.SpecialPasteDialog.textTranspose": "Transpose", + "SSE.Views.SpecialPasteDialog.textValues": "Nilai", + "SSE.Views.SpecialPasteDialog.textVFormat": "Nilai & Pemformatan", + "SSE.Views.SpecialPasteDialog.textVNFormat": "Nilai & nomor format", + "SSE.Views.SpecialPasteDialog.textWBorders": "Semua kecuali batas", + "SSE.Views.Spellcheck.noSuggestions": "Tidak ada saran spelling", "SSE.Views.Spellcheck.textChange": "Ganti", + "SSE.Views.Spellcheck.textChangeAll": "Ubah Semua", "SSE.Views.Spellcheck.textIgnore": "Abaikan", "SSE.Views.Spellcheck.textIgnoreAll": "Abaikan Semua", - "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copy to end)", - "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Move to end)", - "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Copy before sheet", - "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Move before sheet", - "SSE.Views.Statusbar.itemCopy": "Copy", - "SSE.Views.Statusbar.itemDelete": "Delete", - "SSE.Views.Statusbar.itemHidden": "Hidden", - "SSE.Views.Statusbar.itemHide": "Hide", - "SSE.Views.Statusbar.itemInsert": "Insert", + "SSE.Views.Spellcheck.txtAddToDictionary": "Tambah ke Kamus", + "SSE.Views.Spellcheck.txtComplete": "Pemeriksaan spelling sudah selesai", + "SSE.Views.Spellcheck.txtDictionaryLanguage": "Kamus Bahasa", + "SSE.Views.Spellcheck.txtNextTip": "Pergi ke kata berikutnya", + "SSE.Views.Spellcheck.txtSpelling": "Spelling", + "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Salin sampai akhir)", + "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Pindah ke akhir)", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Paste sebelum sheet", + "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Pindahkan sebelum sheet", + "SSE.Views.Statusbar.filteredRecordsText": "{0} dari {1} catatan difilter", + "SSE.Views.Statusbar.filteredText": "Mode filter", + "SSE.Views.Statusbar.itemAverage": "Rata-rata", + "SSE.Views.Statusbar.itemCopy": "Salin", + "SSE.Views.Statusbar.itemCount": "Dihitung", + "SSE.Views.Statusbar.itemDelete": "Hapus", + "SSE.Views.Statusbar.itemHidden": "Tersembunyi", + "SSE.Views.Statusbar.itemHide": "Sembunyikan", + "SSE.Views.Statusbar.itemInsert": "Sisipkan", "SSE.Views.Statusbar.itemMaximum": "Maksimal", - "SSE.Views.Statusbar.itemMove": "Move", - "SSE.Views.Statusbar.itemRename": "Rename", + "SSE.Views.Statusbar.itemMinimum": "Minimum", + "SSE.Views.Statusbar.itemMove": "Pindah", + "SSE.Views.Statusbar.itemProtect": "Proteksi", + "SSE.Views.Statusbar.itemRename": "Ganti nama", + "SSE.Views.Statusbar.itemStatus": "Status penyimpanan", "SSE.Views.Statusbar.itemSum": "Jumlah", - "SSE.Views.Statusbar.itemTabColor": "Tab Color", - "SSE.Views.Statusbar.RenameDialog.errNameExists": "Worksheet with such a name already exists.", - "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "A sheet name cannot contain the following characters: \\/*?[]:", - "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Sheet Name", - "SSE.Views.Statusbar.textAverage": "AVERAGE", - "SSE.Views.Statusbar.textCount": "COUNT", - "SSE.Views.Statusbar.textNewColor": "Add New Custom Color", - "SSE.Views.Statusbar.textNoColor": "No Color", - "SSE.Views.Statusbar.textSum": "SUM", - "SSE.Views.Statusbar.tipAddTab": "Add worksheet", - "SSE.Views.Statusbar.tipFirst": "Scroll to First Sheet", - "SSE.Views.Statusbar.tipLast": "Scroll to Last Sheet", - "SSE.Views.Statusbar.tipNext": "Scroll Sheet List Right", - "SSE.Views.Statusbar.tipPrev": "Scroll Sheet List Left", - "SSE.Views.Statusbar.tipZoomFactor": "Magnification", - "SSE.Views.Statusbar.tipZoomIn": "Zoom In", - "SSE.Views.Statusbar.tipZoomOut": "Zoom Out", - "SSE.Views.Statusbar.zoomText": "Zoom {0}%", - "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "The operation could not be done for the selected range of cells.
                              Select a uniform data range different from the existing one and try again.", - "SSE.Views.TableOptionsDialog.txtEmpty": "This field is required", - "SSE.Views.TableOptionsDialog.txtFormat": "Create table", - "SSE.Views.TableOptionsDialog.txtInvalidRange": "ERROR! Invalid cells range", - "SSE.Views.TableOptionsDialog.txtTitle": "Title", + "SSE.Views.Statusbar.itemTabColor": "Warna Tab", + "SSE.Views.Statusbar.itemUnProtect": "Buka Proteksi", + "SSE.Views.Statusbar.RenameDialog.errNameExists": "Worksheet dengan nama ini sudah ada.", + "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "Nama sheet tidak boleh berisi karakter berikut: \\/*?[]:", + "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Nama Sheet", + "SSE.Views.Statusbar.selectAllSheets": "Pilih Semua Sheet", + "SSE.Views.Statusbar.sheetIndexText": "Sheet {0} dari {1}", + "SSE.Views.Statusbar.textAverage": "Rata-rata", + "SSE.Views.Statusbar.textCount": "Dihitung", + "SSE.Views.Statusbar.textMax": "Maks", + "SSE.Views.Statusbar.textMin": "Min", + "SSE.Views.Statusbar.textNewColor": "Tambahkan warna khusus baru", + "SSE.Views.Statusbar.textNoColor": "Tidak ada Warna", + "SSE.Views.Statusbar.textSum": "Jumlah", + "SSE.Views.Statusbar.tipAddTab": "Tambah worksheet", + "SSE.Views.Statusbar.tipFirst": "Gulir ke sheet pertama", + "SSE.Views.Statusbar.tipLast": "Gulir ke sheet terakhir", + "SSE.Views.Statusbar.tipListOfSheets": "List Sheet", + "SSE.Views.Statusbar.tipNext": "Gulir daftar sheet ke kanan", + "SSE.Views.Statusbar.tipPrev": "Gulir daftar sheet ke kiri", + "SSE.Views.Statusbar.tipZoomFactor": "Pembesaran", + "SSE.Views.Statusbar.tipZoomIn": "Perbesar", + "SSE.Views.Statusbar.tipZoomOut": "Perkecil", + "SSE.Views.Statusbar.ungroupSheets": "Pisahkan grup Sheet", + "SSE.Views.Statusbar.zoomText": "Perbesar {0}%", + "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "Operasi tidak bisa dilakukan pada rentang sel yang dipilih.
                              Pilih rentang data seragam yang berbeda dari yang sudah ada dan coba lagi.", + "SSE.Views.TableOptionsDialog.errorFTChangeTableRangeError": "Operasi tidak bisa diselesaikan untuk rentang sel yang dipilih.
                              Pilih rentang agar baris pertama tabel berada di baris yang samadan menghasilkan tabel yang overlap dengan tabel saat ini.", + "SSE.Views.TableOptionsDialog.errorFTRangeIncludedOtherTables": "Operasi tidak bisa diselesaikan untuk rentang sel yang dipilih.
                              Pilih rentang yang tidak termasuk di tabel lain.", + "SSE.Views.TableOptionsDialog.errorMultiCellFormula": "Formula array multi sel tidak diizinkan di tabel.", + "SSE.Views.TableOptionsDialog.txtEmpty": "Area ini dibutuhkan", + "SSE.Views.TableOptionsDialog.txtFormat": "Buat Tabel", + "SSE.Views.TableOptionsDialog.txtInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "SSE.Views.TableOptionsDialog.txtNote": "Header harus tetap di baris yang sama, dan rentang tabel yang dihasilkan harus tumpang tindih dengan rentang tabel asli.", + "SSE.Views.TableOptionsDialog.txtTitle": "Judul", "SSE.Views.TableSettings.deleteColumnText": "Hapus Kolom", "SSE.Views.TableSettings.deleteRowText": "Hapus Baris", "SSE.Views.TableSettings.deleteTableText": "Hapus Tabel", "SSE.Views.TableSettings.insertColumnLeftText": "Sisipkan Kolom di Kiri", "SSE.Views.TableSettings.insertColumnRightText": "Sisipkan Kolom di Kanan", + "SSE.Views.TableSettings.insertRowAboveText": "Sisipkan Baris di Atas", "SSE.Views.TableSettings.insertRowBelowText": "Sisipkan Baris di Bawah", "SSE.Views.TableSettings.notcriticalErrorTitle": "Peringatan", + "SSE.Views.TableSettings.selectColumnText": "Pilih Semua Kolom", + "SSE.Views.TableSettings.selectDataText": "Pilih Data Kolom", "SSE.Views.TableSettings.selectRowText": "Pilih Baris", "SSE.Views.TableSettings.selectTableText": "Pilih Tabel", + "SSE.Views.TableSettings.textActions": "Tindakan Tabel", "SSE.Views.TableSettings.textAdvanced": "Tampilkan pengaturan lanjut", "SSE.Views.TableSettings.textBanded": "Bergaris", "SSE.Views.TableSettings.textColumns": "Kolom", + "SSE.Views.TableSettings.textConvertRange": "Ubah ke rentang", "SSE.Views.TableSettings.textEdit": "Baris & Kolom", "SSE.Views.TableSettings.textEmptyTemplate": "Tidak ada template", - "SSE.Views.TableSettings.textFirst": "pertama", - "SSE.Views.TableSettings.textLast": "terakhir", + "SSE.Views.TableSettings.textExistName": "KESALAHAN! Rentang dengan nama ini sudah ada", + "SSE.Views.TableSettings.textFilter": "Tombol filter", + "SSE.Views.TableSettings.textFirst": "Pertama", + "SSE.Views.TableSettings.textHeader": "Header", + "SSE.Views.TableSettings.textInvalidName": "KESALAHAN! Nama tabel tidak tepat", + "SSE.Views.TableSettings.textIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.TableSettings.textLast": "Terakhir", + "SSE.Views.TableSettings.textLongOperation": "Operasi panjang", + "SSE.Views.TableSettings.textPivot": "Sisipkan Tabel Pivot", + "SSE.Views.TableSettings.textRemDuplicates": "Hapus duplikat", + "SSE.Views.TableSettings.textReservedName": "Nama yang Anda coba gunakan sudah direferensikan dalam rumus sel. Mohon gunakan nama lain.", + "SSE.Views.TableSettings.textResize": "Ubah ukuran tabel", "SSE.Views.TableSettings.textRows": "Baris", + "SSE.Views.TableSettings.textSelectData": "Pilih data", + "SSE.Views.TableSettings.textSlicer": "Sisipkan slicer", + "SSE.Views.TableSettings.textTableName": "Nama Tabel", "SSE.Views.TableSettings.textTemplate": "Pilih Dari Template", + "SSE.Views.TableSettings.textTotal": "Total", + "SSE.Views.TableSettings.warnLongOperation": "Operasi yang akan Anda lakukan mungkin membutukan waktu yang cukup lama untuk selesai.
                              Apakah anda yakin untuk lanjut?", + "SSE.Views.TableSettingsAdvanced.textAlt": "Teks Alternatif", "SSE.Views.TableSettingsAdvanced.textAltDescription": "Deskripsi", + "SSE.Views.TableSettingsAdvanced.textAltTip": "Representasi alternatif berbasis teks dari informasi objek visual, yang akan dibaca kepada orang dengan gangguan penglihatan atau kognitif untuk membantu mereka lebih memahami informasi yang ada dalam gambar, autoshape, grafik atau tabel.", "SSE.Views.TableSettingsAdvanced.textAltTitle": "Judul", "SSE.Views.TableSettingsAdvanced.textTitle": "Tabel - Pengaturan Lanjut", - "SSE.Views.TextArtSettings.strBackground": "Background color", - "SSE.Views.TextArtSettings.strColor": "Color", - "SSE.Views.TextArtSettings.strFill": "Fill", - "SSE.Views.TextArtSettings.strForeground": "Foreground color", - "SSE.Views.TextArtSettings.strPattern": "Pattern", - "SSE.Views.TextArtSettings.strSize": "Size", - "SSE.Views.TextArtSettings.strStroke": "Stroke", - "SSE.Views.TextArtSettings.strTransparency": "Opacity", + "SSE.Views.TextArtSettings.strBackground": "Warna latar", + "SSE.Views.TextArtSettings.strColor": "Warna", + "SSE.Views.TextArtSettings.strFill": "Isi", + "SSE.Views.TextArtSettings.strForeground": "Warna latar depan", + "SSE.Views.TextArtSettings.strPattern": "Pola", + "SSE.Views.TextArtSettings.strSize": "Ukuran", + "SSE.Views.TextArtSettings.strStroke": "Garis", + "SSE.Views.TextArtSettings.strTransparency": "Opasitas", "SSE.Views.TextArtSettings.strType": "Tipe", - "SSE.Views.TextArtSettings.textBorderSizeErr": "The entered value is incorrect.
                              Please enter a value between 0 pt and 1584 pt.", - "SSE.Views.TextArtSettings.textColor": "Color Fill", - "SSE.Views.TextArtSettings.textDirection": "Direction", - "SSE.Views.TextArtSettings.textEmptyPattern": "No Pattern", - "SSE.Views.TextArtSettings.textFromFile": "From File", - "SSE.Views.TextArtSettings.textFromUrl": "From URL", - "SSE.Views.TextArtSettings.textGradient": "Gradient", - "SSE.Views.TextArtSettings.textGradientFill": "Gradient Fill", - "SSE.Views.TextArtSettings.textImageTexture": "Picture or Texture", - "SSE.Views.TextArtSettings.textLinear": "Linear", - "SSE.Views.TextArtSettings.textNoFill": "No Fill", - "SSE.Views.TextArtSettings.textPatternFill": "Pattern", - "SSE.Views.TextArtSettings.textPosition": "Jabatan", + "SSE.Views.TextArtSettings.textAngle": "Sudut", + "SSE.Views.TextArtSettings.textBorderSizeErr": "Nilai yang dimasukkan tidak tepat.
                              Silakan masukkan nilai antara 0 pt dan 1584 pt.", + "SSE.Views.TextArtSettings.textColor": "Warna Isi", + "SSE.Views.TextArtSettings.textDirection": "Arah", + "SSE.Views.TextArtSettings.textEmptyPattern": "Tidak ada Pola", + "SSE.Views.TextArtSettings.textFromFile": "Dari File", + "SSE.Views.TextArtSettings.textFromUrl": "Dari URL", + "SSE.Views.TextArtSettings.textGradient": "Gradien", + "SSE.Views.TextArtSettings.textGradientFill": "Isian Gradien", + "SSE.Views.TextArtSettings.textImageTexture": "Gambar atau Tekstur", + "SSE.Views.TextArtSettings.textLinear": "Linier", + "SSE.Views.TextArtSettings.textNoFill": "Tidak ada Isian", + "SSE.Views.TextArtSettings.textPatternFill": "Pola", + "SSE.Views.TextArtSettings.textPosition": "Posisi", "SSE.Views.TextArtSettings.textRadial": "Radial", - "SSE.Views.TextArtSettings.textSelectTexture": "Select", - "SSE.Views.TextArtSettings.textStretch": "Stretch", - "SSE.Views.TextArtSettings.textStyle": "Style", + "SSE.Views.TextArtSettings.textSelectTexture": "Pilih", + "SSE.Views.TextArtSettings.textStretch": "Rentangkan", + "SSE.Views.TextArtSettings.textStyle": "Model", "SSE.Views.TextArtSettings.textTemplate": "Template", - "SSE.Views.TextArtSettings.textTexture": "From Texture", - "SSE.Views.TextArtSettings.textTile": "Tile", + "SSE.Views.TextArtSettings.textTexture": "Dari Tekstur", + "SSE.Views.TextArtSettings.textTile": "Petak", "SSE.Views.TextArtSettings.textTransform": "Transform", - "SSE.Views.TextArtSettings.txtBrownPaper": "Brown Paper", - "SSE.Views.TextArtSettings.txtCanvas": "Canvas", - "SSE.Views.TextArtSettings.txtCarton": "Carton", - "SSE.Views.TextArtSettings.txtDarkFabric": "Dark Fabric", - "SSE.Views.TextArtSettings.txtGrain": "Grain", - "SSE.Views.TextArtSettings.txtGranite": "Granite", - "SSE.Views.TextArtSettings.txtGreyPaper": "Gray Paper", - "SSE.Views.TextArtSettings.txtKnit": "Knit", - "SSE.Views.TextArtSettings.txtLeather": "Leather", - "SSE.Views.TextArtSettings.txtNoBorders": "No Line", - "SSE.Views.TextArtSettings.txtPapyrus": "Papyrus", - "SSE.Views.TextArtSettings.txtWood": "Wood", - "SSE.Views.Toolbar.capBtnAddComment": "Tambahkan komentar", + "SSE.Views.TextArtSettings.tipAddGradientPoint": "Tambah titik gradien", + "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "Hilangkan titik gradien", + "SSE.Views.TextArtSettings.txtBrownPaper": "Kertas Coklat", + "SSE.Views.TextArtSettings.txtCanvas": "Kanvas", + "SSE.Views.TextArtSettings.txtCarton": "Karton", + "SSE.Views.TextArtSettings.txtDarkFabric": "Kain Gelap", + "SSE.Views.TextArtSettings.txtGrain": "Butiran", + "SSE.Views.TextArtSettings.txtGranite": "Granit", + "SSE.Views.TextArtSettings.txtGreyPaper": "Kertas Abu-Abu", + "SSE.Views.TextArtSettings.txtKnit": "Rajut", + "SSE.Views.TextArtSettings.txtLeather": "Kulit", + "SSE.Views.TextArtSettings.txtNoBorders": "Tidak ada Garis", + "SSE.Views.TextArtSettings.txtPapyrus": "Papirus", + "SSE.Views.TextArtSettings.txtWood": "Kayu", + "SSE.Views.Toolbar.capBtnAddComment": "Tambahkan Komentar", + "SSE.Views.Toolbar.capBtnColorSchemas": "Skema Warna", "SSE.Views.Toolbar.capBtnComment": "Komentar", + "SSE.Views.Toolbar.capBtnInsHeader": "Header & Footer", + "SSE.Views.Toolbar.capBtnInsSlicer": "Slicer", + "SSE.Views.Toolbar.capBtnInsSymbol": "Simbol", "SSE.Views.Toolbar.capBtnMargins": "Margin", + "SSE.Views.Toolbar.capBtnPageOrient": "Orientasi", "SSE.Views.Toolbar.capBtnPageSize": "Ukuran", + "SSE.Views.Toolbar.capBtnPrintArea": "Print Area", + "SSE.Views.Toolbar.capBtnPrintTitles": "Print Judul", + "SSE.Views.Toolbar.capBtnScale": "Skala ke Fit", "SSE.Views.Toolbar.capImgAlign": "Ratakan", "SSE.Views.Toolbar.capImgBackward": "Mundurkan", "SSE.Views.Toolbar.capImgForward": "Majukan", "SSE.Views.Toolbar.capImgGroup": "Grup", "SSE.Views.Toolbar.capInsertChart": "Bagan", + "SSE.Views.Toolbar.capInsertEquation": "Persamaan", + "SSE.Views.Toolbar.capInsertHyperlink": "Hyperlink", "SSE.Views.Toolbar.capInsertImage": "Gambar", + "SSE.Views.Toolbar.capInsertShape": "Bentuk", + "SSE.Views.Toolbar.capInsertSpark": "Sparkline", "SSE.Views.Toolbar.capInsertTable": "Tabel", - "SSE.Views.Toolbar.mniImageFromFile": "Picture from File", - "SSE.Views.Toolbar.mniImageFromUrl": "Picture from URL", - "SSE.Views.Toolbar.textAlignBottom": "Align Bottom", - "SSE.Views.Toolbar.textAlignCenter": "Align Center", - "SSE.Views.Toolbar.textAlignJust": "Justified", - "SSE.Views.Toolbar.textAlignLeft": "Align Left", - "SSE.Views.Toolbar.textAlignMiddle": "Align Middle", - "SSE.Views.Toolbar.textAlignRight": "Align Right", - "SSE.Views.Toolbar.textAlignTop": "Align Top", - "SSE.Views.Toolbar.textAllBorders": "All Borders", + "SSE.Views.Toolbar.capInsertText": "Kotak Teks", + "SSE.Views.Toolbar.mniImageFromFile": "Gambar dari File", + "SSE.Views.Toolbar.mniImageFromStorage": "Gambar dari Penyimpanan", + "SSE.Views.Toolbar.mniImageFromUrl": "Gambar dari URL", + "SSE.Views.Toolbar.textAddPrintArea": "Tambah ke Area Print", + "SSE.Views.Toolbar.textAlignBottom": "Rata Bawah", + "SSE.Views.Toolbar.textAlignCenter": "Rata Tengah", + "SSE.Views.Toolbar.textAlignJust": "Rata Kiri-Kanan", + "SSE.Views.Toolbar.textAlignLeft": "Sejajar kiri", + "SSE.Views.Toolbar.textAlignMiddle": "Rata di Tengah", + "SSE.Views.Toolbar.textAlignRight": "Rata Kanan", + "SSE.Views.Toolbar.textAlignTop": "Rata Atas", + "SSE.Views.Toolbar.textAllBorders": "Semua Pembatas", "SSE.Views.Toolbar.textAuto": "Otomatis", "SSE.Views.Toolbar.textAutoColor": "Otomatis", - "SSE.Views.Toolbar.textBold": "Bold", - "SSE.Views.Toolbar.textBordersColor": "Border Color", - "SSE.Views.Toolbar.textBottomBorders": "Bottom Borders", - "SSE.Views.Toolbar.textCenterBorders": "Inside Vertical Borders", - "SSE.Views.Toolbar.textClockwise": "Angle Clockwise", - "SSE.Views.Toolbar.textCounterCw": "Angle Counterclockwise", - "SSE.Views.Toolbar.textDelLeft": "Shift Cells Left", - "SSE.Views.Toolbar.textDelUp": "Shift Cells Up", - "SSE.Views.Toolbar.textDiagDownBorder": "Diagonal Down Border", - "SSE.Views.Toolbar.textDiagUpBorder": "Diagonal Up Border", - "SSE.Views.Toolbar.textEntireCol": "Entire Column", - "SSE.Views.Toolbar.textEntireRow": "Entire Row", + "SSE.Views.Toolbar.textBold": "Tebal", + "SSE.Views.Toolbar.textBordersColor": "Warna Pembatas", + "SSE.Views.Toolbar.textBordersStyle": "Gaya Pembatas", + "SSE.Views.Toolbar.textBottom": "Bawah: ", + "SSE.Views.Toolbar.textBottomBorders": "Batas Bawah", + "SSE.Views.Toolbar.textCenterBorders": "Batas Dalam Vertikal", + "SSE.Views.Toolbar.textClearPrintArea": "Bersihkan Area Print", + "SSE.Views.Toolbar.textClearRule": "Bersihkan Aturan", + "SSE.Views.Toolbar.textClockwise": "Sudut Searah Jarum Jam", + "SSE.Views.Toolbar.textColorScales": "Skala Warna", + "SSE.Views.Toolbar.textCounterCw": "Sudut Berlawanan Jarum Jam", + "SSE.Views.Toolbar.textDataBars": "Bar Data", + "SSE.Views.Toolbar.textDelLeft": "Pindahkan sel ke kiri", + "SSE.Views.Toolbar.textDelUp": "Geser Sel ke Atas", + "SSE.Views.Toolbar.textDiagDownBorder": "Pembatas Bawah Diagonal", + "SSE.Views.Toolbar.textDiagUpBorder": "Pembatas Atas Diagonal", + "SSE.Views.Toolbar.textEntireCol": "Seluruh Kolom", + "SSE.Views.Toolbar.textEntireRow": "Seluruh baris", "SSE.Views.Toolbar.textFewPages": "Halaman", - "SSE.Views.Toolbar.textHeight": "Ketinggian", - "SSE.Views.Toolbar.textHorizontal": "Horizontal Text", - "SSE.Views.Toolbar.textInsDown": "Shift Cells Down", - "SSE.Views.Toolbar.textInsideBorders": "Inside Borders", - "SSE.Views.Toolbar.textInsRight": "Shift Cells Right", - "SSE.Views.Toolbar.textItalic": "Italic", - "SSE.Views.Toolbar.textLeftBorders": "Left Borders", + "SSE.Views.Toolbar.textHeight": "Tinggi", + "SSE.Views.Toolbar.textHorizontal": "Teks Horizontal", + "SSE.Views.Toolbar.textInsDown": "Geser Sel ke Bawah", + "SSE.Views.Toolbar.textInsideBorders": "Pembatas Dalam", + "SSE.Views.Toolbar.textInsRight": "Geser Sel ke Kanan", + "SSE.Views.Toolbar.textItalic": "Miring", + "SSE.Views.Toolbar.textItems": "Items", + "SSE.Views.Toolbar.textLandscape": "Landscape", + "SSE.Views.Toolbar.textLeft": "Kiri: ", + "SSE.Views.Toolbar.textLeftBorders": "Batas Kiri", + "SSE.Views.Toolbar.textManageRule": "Kelola Aturan", "SSE.Views.Toolbar.textManyPages": "Halaman", - "SSE.Views.Toolbar.textMiddleBorders": "Inside Horizontal Borders", - "SSE.Views.Toolbar.textNewColor": "Add New Custom Color", - "SSE.Views.Toolbar.textNoBorders": "No Borders", + "SSE.Views.Toolbar.textMarginsLast": "Custom Terakhir", + "SSE.Views.Toolbar.textMarginsNarrow": "Narrow", + "SSE.Views.Toolbar.textMarginsNormal": "Normal", + "SSE.Views.Toolbar.textMarginsWide": "Wide", + "SSE.Views.Toolbar.textMiddleBorders": "Batas Dalam Horizontal", + "SSE.Views.Toolbar.textMoreFormats": "Lebih banyak format", + "SSE.Views.Toolbar.textMorePages": "Lebih banyak halaman", + "SSE.Views.Toolbar.textNewColor": "Tambahkan warna khusus baru", + "SSE.Views.Toolbar.textNewRule": "Peraturan Baru", + "SSE.Views.Toolbar.textNoBorders": "Tidak ada pembatas", "SSE.Views.Toolbar.textOnePage": "Halaman", - "SSE.Views.Toolbar.textOutBorders": "Outside Borders", - "SSE.Views.Toolbar.textPrint": "Print", - "SSE.Views.Toolbar.textPrintOptions": "Print Settings", - "SSE.Views.Toolbar.textRightBorders": "Right Borders", - "SSE.Views.Toolbar.textRotateDown": "Rotate Text Down", - "SSE.Views.Toolbar.textRotateUp": "Rotate Text Up", + "SSE.Views.Toolbar.textOutBorders": "Pembatas Luar", + "SSE.Views.Toolbar.textPageMarginsCustom": "Custom Margin", + "SSE.Views.Toolbar.textPortrait": "Portrait", + "SSE.Views.Toolbar.textPrint": "Cetak", + "SSE.Views.Toolbar.textPrintGridlines": "Print Garis Grid", + "SSE.Views.Toolbar.textPrintHeadings": "Print heading", + "SSE.Views.Toolbar.textPrintOptions": "Pengaturan Print", + "SSE.Views.Toolbar.textRight": "Kanan: ", + "SSE.Views.Toolbar.textRightBorders": "Batas Kanan", + "SSE.Views.Toolbar.textRotateDown": "Rotasi Teks Kebawah", + "SSE.Views.Toolbar.textRotateUp": "Rotasi Teks Keatas", + "SSE.Views.Toolbar.textScale": "Skala", "SSE.Views.Toolbar.textScaleCustom": "Khusus", + "SSE.Views.Toolbar.textSelection": "Dari pilihan saat ini", + "SSE.Views.Toolbar.textSetPrintArea": "Atur Area Print", "SSE.Views.Toolbar.textStrikeout": "Coret ganda", "SSE.Views.Toolbar.textSubscript": "Subskrip", + "SSE.Views.Toolbar.textSubSuperscript": "Subskrip/Superskrip", "SSE.Views.Toolbar.textSuperscript": "Superskrip", + "SSE.Views.Toolbar.textTabCollaboration": "Kolaborasi", "SSE.Views.Toolbar.textTabData": "Data", "SSE.Views.Toolbar.textTabFile": "File", + "SSE.Views.Toolbar.textTabFormula": "Formula", "SSE.Views.Toolbar.textTabHome": "Halaman Depan", "SSE.Views.Toolbar.textTabInsert": "Sisipkan", + "SSE.Views.Toolbar.textTabLayout": "Layout", + "SSE.Views.Toolbar.textTabProtect": "Proteksi", "SSE.Views.Toolbar.textTabView": "Lihat", - "SSE.Views.Toolbar.textTopBorders": "Top Borders", - "SSE.Views.Toolbar.textUnderline": "Underline", + "SSE.Views.Toolbar.textThisPivot": "Dari pivot ini", + "SSE.Views.Toolbar.textThisSheet": "Dari worksheet ini", + "SSE.Views.Toolbar.textThisTable": "Dari tabel ini", + "SSE.Views.Toolbar.textTop": "Atas: ", + "SSE.Views.Toolbar.textTopBorders": "Batas Atas", + "SSE.Views.Toolbar.textUnderline": "Garis bawah", + "SSE.Views.Toolbar.textVertical": "Teks Vertikal", "SSE.Views.Toolbar.textWidth": "Lebar", - "SSE.Views.Toolbar.textZoom": "Zoom", - "SSE.Views.Toolbar.tipAlignBottom": "Align Bottom", - "SSE.Views.Toolbar.tipAlignCenter": "Align Center", - "SSE.Views.Toolbar.tipAlignJust": "Justified", - "SSE.Views.Toolbar.tipAlignLeft": "Align Left", - "SSE.Views.Toolbar.tipAlignMiddle": "Align Middle", - "SSE.Views.Toolbar.tipAlignRight": "Align Right", - "SSE.Views.Toolbar.tipAlignTop": "Align Top", - "SSE.Views.Toolbar.tipAutofilter": "Sort and Filter", - "SSE.Views.Toolbar.tipBack": "Back", - "SSE.Views.Toolbar.tipBorders": "Borders", - "SSE.Views.Toolbar.tipCellStyle": "Cell Style", + "SSE.Views.Toolbar.textZoom": "Pembesaran", + "SSE.Views.Toolbar.tipAlignBottom": "Rata bawah", + "SSE.Views.Toolbar.tipAlignCenter": "Rata tengah", + "SSE.Views.Toolbar.tipAlignJust": "Rata Kiri-Kanan", + "SSE.Views.Toolbar.tipAlignLeft": "Rata Kiri", + "SSE.Views.Toolbar.tipAlignMiddle": "Rata di tengah", + "SSE.Views.Toolbar.tipAlignRight": "Rata kanan", + "SSE.Views.Toolbar.tipAlignTop": "Rata atas", + "SSE.Views.Toolbar.tipAutofilter": "Sortir dan Filter", + "SSE.Views.Toolbar.tipBack": "Kembali", + "SSE.Views.Toolbar.tipBorders": "Pembatas", + "SSE.Views.Toolbar.tipCellStyle": "Gaya Sel", "SSE.Views.Toolbar.tipChangeChart": "Ubah Tipe Bagan", - "SSE.Views.Toolbar.tipClearStyle": "Clear", - "SSE.Views.Toolbar.tipColorSchemas": "Change Color Scheme", - "SSE.Views.Toolbar.tipCopy": "Copy", - "SSE.Views.Toolbar.tipCopyStyle": "Copy Style", - "SSE.Views.Toolbar.tipDecDecimal": "Decrease Decimal", - "SSE.Views.Toolbar.tipDecFont": "Decrement font size", - "SSE.Views.Toolbar.tipDeleteOpt": "Delete Cells", - "SSE.Views.Toolbar.tipDigStyleAccounting": "Accounting Style", - "SSE.Views.Toolbar.tipDigStyleCurrency": "Currency Style", - "SSE.Views.Toolbar.tipDigStylePercent": "Percent Style", - "SSE.Views.Toolbar.tipEditChart": "Edit Chart", + "SSE.Views.Toolbar.tipClearStyle": "Hapus", + "SSE.Views.Toolbar.tipColorSchemas": "Ubah Skema Warna", + "SSE.Views.Toolbar.tipCondFormat": "Format bersyarat", + "SSE.Views.Toolbar.tipCopy": "Salin", + "SSE.Views.Toolbar.tipCopyStyle": "Salin Model", + "SSE.Views.Toolbar.tipDecDecimal": "Kurangi desimal", + "SSE.Views.Toolbar.tipDecFont": "Perkecil Ukuran Huruf", + "SSE.Views.Toolbar.tipDeleteOpt": "Hapus Sel", + "SSE.Views.Toolbar.tipDigStyleAccounting": "Style Akutansi", + "SSE.Views.Toolbar.tipDigStyleCurrency": "Style Mata Uang", + "SSE.Views.Toolbar.tipDigStylePercent": "Gaya persen", + "SSE.Views.Toolbar.tipEditChart": "Edit Grafik", + "SSE.Views.Toolbar.tipEditChartData": "Pilih data", "SSE.Views.Toolbar.tipEditChartType": "Ubah Tipe Bagan", - "SSE.Views.Toolbar.tipFontColor": "Font Color", - "SSE.Views.Toolbar.tipFontName": "Font Name", - "SSE.Views.Toolbar.tipFontSize": "Font Size", - "SSE.Views.Toolbar.tipIncDecimal": "Increase Decimal", - "SSE.Views.Toolbar.tipIncFont": "Increment font size", - "SSE.Views.Toolbar.tipInsertChart": "Insert Chart", + "SSE.Views.Toolbar.tipEditHeader": "Edit Header atau Footer", + "SSE.Views.Toolbar.tipFontColor": "Warna Huruf", + "SSE.Views.Toolbar.tipFontName": "Huruf", + "SSE.Views.Toolbar.tipFontSize": "Ukuran Huruf", + "SSE.Views.Toolbar.tipImgAlign": "Ratakan objek", + "SSE.Views.Toolbar.tipImgGroup": "Satukan objek", + "SSE.Views.Toolbar.tipIncDecimal": "Tambah desimal", + "SSE.Views.Toolbar.tipIncFont": "Perbesar Ukuran Huruf", + "SSE.Views.Toolbar.tipInsertChart": "Sisipkan Bagan", "SSE.Views.Toolbar.tipInsertChartSpark": "Sisipkan Bagan", "SSE.Views.Toolbar.tipInsertEquation": "Masukkan Persamaan", - "SSE.Views.Toolbar.tipInsertHyperlink": "Add Hyperlink", - "SSE.Views.Toolbar.tipInsertImage": "Insert Picture", - "SSE.Views.Toolbar.tipInsertOpt": "Insert Cells", - "SSE.Views.Toolbar.tipInsertShape": "Insert Autoshape", + "SSE.Views.Toolbar.tipInsertHyperlink": "Tambahkan hyperlink", + "SSE.Views.Toolbar.tipInsertImage": "Sisipkan Gambar", + "SSE.Views.Toolbar.tipInsertOpt": "Sisipkan sel", + "SSE.Views.Toolbar.tipInsertShape": "Sisipkan Bentuk Otomatis", + "SSE.Views.Toolbar.tipInsertSlicer": "Sisipkan slicer", + "SSE.Views.Toolbar.tipInsertSpark": "Sisipkan sparkline", + "SSE.Views.Toolbar.tipInsertSymbol": "Sisipkan simbol", "SSE.Views.Toolbar.tipInsertTable": "Sisipkan Tabel", - "SSE.Views.Toolbar.tipInsertText": "Insert Text", - "SSE.Views.Toolbar.tipMerge": "Merge", - "SSE.Views.Toolbar.tipNone": "tidak ada", - "SSE.Views.Toolbar.tipNumFormat": "Number Format", + "SSE.Views.Toolbar.tipInsertText": "Sisipkan Teks", + "SSE.Views.Toolbar.tipInsertTextart": "Sisipkan Text Art", + "SSE.Views.Toolbar.tipMerge": "Merge dan center", + "SSE.Views.Toolbar.tipNone": "Tidak ada", + "SSE.Views.Toolbar.tipNumFormat": "Format nomor", + "SSE.Views.Toolbar.tipPageMargins": "Margin halaman", "SSE.Views.Toolbar.tipPageOrient": "Orientasi Halaman", "SSE.Views.Toolbar.tipPageSize": "Ukuran Halaman", - "SSE.Views.Toolbar.tipPaste": "Paste", - "SSE.Views.Toolbar.tipPrColor": "Background Color", - "SSE.Views.Toolbar.tipPrint": "Print", - "SSE.Views.Toolbar.tipRedo": "Redo", - "SSE.Views.Toolbar.tipSave": "Save", - "SSE.Views.Toolbar.tipSaveCoauth": "Save your changes for the other users to see them.", + "SSE.Views.Toolbar.tipPaste": "Tempel", + "SSE.Views.Toolbar.tipPrColor": "Isi warna", + "SSE.Views.Toolbar.tipPrint": "Cetak", + "SSE.Views.Toolbar.tipPrintArea": "Print Area", + "SSE.Views.Toolbar.tipPrintTitles": "Print Judul", + "SSE.Views.Toolbar.tipRedo": "Ulangi", + "SSE.Views.Toolbar.tipSave": "Simpan", + "SSE.Views.Toolbar.tipSaveCoauth": "Simpan perubahan yang Anda buat agar dapat dilihat oleh pengguna lain", + "SSE.Views.Toolbar.tipScale": "Skala ke Fit", "SSE.Views.Toolbar.tipSendBackward": "Mundurkan", "SSE.Views.Toolbar.tipSendForward": "Majukan", - "SSE.Views.Toolbar.tipSynchronize": "The document has been changed by another user. Please click to save your changes and reload the updates.", - "SSE.Views.Toolbar.tipTextOrientation": "Orientation", - "SSE.Views.Toolbar.tipUndo": "Undo", - "SSE.Views.Toolbar.tipWrap": "Wrap Text", - "SSE.Views.Toolbar.txtAccounting": "Accounting", - "SSE.Views.Toolbar.txtAdditional": "Additional", - "SSE.Views.Toolbar.txtAscending": "Ascending", - "SSE.Views.Toolbar.txtClearAll": "All", - "SSE.Views.Toolbar.txtClearComments": "Comments", - "SSE.Views.Toolbar.txtClearFilter": "Clear Filter", + "SSE.Views.Toolbar.tipSynchronize": "Dokumen telah diubah oleh pengguna lain. Silakan klik untuk menyimpan perubahan dan memuat ulang pembaruan.", + "SSE.Views.Toolbar.tipTextOrientation": "Orientasi", + "SSE.Views.Toolbar.tipUndo": "Batalkan", + "SSE.Views.Toolbar.tipWrap": "Wrap Teks", + "SSE.Views.Toolbar.txtAccounting": "Akutansi", + "SSE.Views.Toolbar.txtAdditional": "Tambahan", + "SSE.Views.Toolbar.txtAscending": "Sortasi Naik", + "SSE.Views.Toolbar.txtAutosumTip": "Penjumlahan", + "SSE.Views.Toolbar.txtClearAll": "Semua", + "SSE.Views.Toolbar.txtClearComments": "Komentar", + "SSE.Views.Toolbar.txtClearFilter": "Bersihkan filter", "SSE.Views.Toolbar.txtClearFormat": "Format", - "SSE.Views.Toolbar.txtClearFormula": "Function", - "SSE.Views.Toolbar.txtClearHyper": "Hyperlinks", - "SSE.Views.Toolbar.txtClearText": "Text", - "SSE.Views.Toolbar.txtCurrency": "Currency", - "SSE.Views.Toolbar.txtCustom": "Custom", - "SSE.Views.Toolbar.txtDate": "Date", - "SSE.Views.Toolbar.txtDateTime": "Date & Time", - "SSE.Views.Toolbar.txtDescending": "Descending", - "SSE.Views.Toolbar.txtDollar": "$ Dollar", + "SSE.Views.Toolbar.txtClearFormula": "Fungsi", + "SSE.Views.Toolbar.txtClearHyper": "Hyperlink", + "SSE.Views.Toolbar.txtClearText": "Teks", + "SSE.Views.Toolbar.txtCurrency": "Mata uang", + "SSE.Views.Toolbar.txtCustom": "Khusus", + "SSE.Views.Toolbar.txtDate": "Tanggal", + "SSE.Views.Toolbar.txtDateTime": "Tanggal & Jam", + "SSE.Views.Toolbar.txtDescending": "Sortasi Turun", + "SSE.Views.Toolbar.txtDollar": "$ Dolar", "SSE.Views.Toolbar.txtEuro": "€ Euro", - "SSE.Views.Toolbar.txtExp": "Exponential", + "SSE.Views.Toolbar.txtExp": "Eksponensial", "SSE.Views.Toolbar.txtFilter": "Filter", - "SSE.Views.Toolbar.txtFormula": "Insert Function", - "SSE.Views.Toolbar.txtFraction": "Fraction", + "SSE.Views.Toolbar.txtFormula": "Sisipkan Fungsi", + "SSE.Views.Toolbar.txtFraction": "Pecahan", "SSE.Views.Toolbar.txtFranc": "CHF Swiss franc", - "SSE.Views.Toolbar.txtGeneral": "General", + "SSE.Views.Toolbar.txtGeneral": "Umum", "SSE.Views.Toolbar.txtInteger": "Integer", - "SSE.Views.Toolbar.txtManageRange": "Name manager", - "SSE.Views.Toolbar.txtMergeAcross": "Merge Across", - "SSE.Views.Toolbar.txtMergeCells": "Merge Cells", + "SSE.Views.Toolbar.txtManageRange": "Pengaturan Nama", + "SSE.Views.Toolbar.txtMergeAcross": "Gabungkan Sampai", + "SSE.Views.Toolbar.txtMergeCells": "Gabungkan Sel", "SSE.Views.Toolbar.txtMergeCenter": "Merge & Center", - "SSE.Views.Toolbar.txtNamedRange": "Named Ranges", - "SSE.Views.Toolbar.txtNewRange": "Define Name", - "SSE.Views.Toolbar.txtNoBorders": "No borders", - "SSE.Views.Toolbar.txtNumber": "Number", - "SSE.Views.Toolbar.txtPasteRange": "Paste name", - "SSE.Views.Toolbar.txtPercentage": "Percentage", + "SSE.Views.Toolbar.txtNamedRange": "Named ranges", + "SSE.Views.Toolbar.txtNewRange": "Tentukan Nama", + "SSE.Views.Toolbar.txtNoBorders": "Tidak ada pembatas", + "SSE.Views.Toolbar.txtNumber": "Angka", + "SSE.Views.Toolbar.txtPasteRange": "Paste Name", + "SSE.Views.Toolbar.txtPercentage": "Persentase", "SSE.Views.Toolbar.txtPound": "£ Pound", - "SSE.Views.Toolbar.txtRouble": "₽ Rouble", + "SSE.Views.Toolbar.txtRouble": "₽ Rubel", "SSE.Views.Toolbar.txtScheme1": "Office", "SSE.Views.Toolbar.txtScheme10": "Median", "SSE.Views.Toolbar.txtScheme11": "Metro", - "SSE.Views.Toolbar.txtScheme12": "Module", - "SSE.Views.Toolbar.txtScheme13": "Opulent", - "SSE.Views.Toolbar.txtScheme14": "Oriel", + "SSE.Views.Toolbar.txtScheme12": "Modul", + "SSE.Views.Toolbar.txtScheme13": "Mewah", + "SSE.Views.Toolbar.txtScheme14": "Jendela Oriel", "SSE.Views.Toolbar.txtScheme15": "Origin", - "SSE.Views.Toolbar.txtScheme16": "Paper", - "SSE.Views.Toolbar.txtScheme17": "Solstice", - "SSE.Views.Toolbar.txtScheme18": "Technic", + "SSE.Views.Toolbar.txtScheme16": "Kertas", + "SSE.Views.Toolbar.txtScheme17": "Titik balik matahari", + "SSE.Views.Toolbar.txtScheme18": "Teknik", "SSE.Views.Toolbar.txtScheme19": "Trek", "SSE.Views.Toolbar.txtScheme2": "Grayscale", "SSE.Views.Toolbar.txtScheme20": "Urban", - "SSE.Views.Toolbar.txtScheme21": "Verve", - "SSE.Views.Toolbar.txtScheme3": "Apex", - "SSE.Views.Toolbar.txtScheme4": "Aspect", - "SSE.Views.Toolbar.txtScheme5": "Civic", - "SSE.Views.Toolbar.txtScheme6": "Concourse", - "SSE.Views.Toolbar.txtScheme7": "Equity", - "SSE.Views.Toolbar.txtScheme8": "Flow", - "SSE.Views.Toolbar.txtScheme9": "Foundry", - "SSE.Views.Toolbar.txtScientific": "Scientific", - "SSE.Views.Toolbar.txtSearch": "Search", - "SSE.Views.Toolbar.txtSort": "Sort", - "SSE.Views.Toolbar.txtSortAZ": "Sort Lowest to Highest", - "SSE.Views.Toolbar.txtSortZA": "Sort Highest to Lowest", - "SSE.Views.Toolbar.txtSpecial": "Special", - "SSE.Views.Toolbar.txtTableTemplate": "Format as Table Template", - "SSE.Views.Toolbar.txtText": "Text", - "SSE.Views.Toolbar.txtTime": "Time", - "SSE.Views.Toolbar.txtUnmerge": "Unmerge Cells", + "SSE.Views.Toolbar.txtScheme21": "Semangat", + "SSE.Views.Toolbar.txtScheme22": "Office Baru", + "SSE.Views.Toolbar.txtScheme3": "Puncak", + "SSE.Views.Toolbar.txtScheme4": "Aspek", + "SSE.Views.Toolbar.txtScheme5": "Kewargaan", + "SSE.Views.Toolbar.txtScheme6": "Himpunan", + "SSE.Views.Toolbar.txtScheme7": "Margin Sisa", + "SSE.Views.Toolbar.txtScheme8": "Alur", + "SSE.Views.Toolbar.txtScheme9": "Cetakan", + "SSE.Views.Toolbar.txtScientific": "Saintifik", + "SSE.Views.Toolbar.txtSearch": "Cari", + "SSE.Views.Toolbar.txtSort": "Sortasi", + "SSE.Views.Toolbar.txtSortAZ": "Sortasi naik", + "SSE.Views.Toolbar.txtSortZA": "Sortasi turun", + "SSE.Views.Toolbar.txtSpecial": "Spesial", + "SSE.Views.Toolbar.txtTableTemplate": "Format sebagai template tabel", + "SSE.Views.Toolbar.txtText": "Teks", + "SSE.Views.Toolbar.txtTime": "Waktu", + "SSE.Views.Toolbar.txtUnmerge": "Pisahkan Sel", "SSE.Views.Toolbar.txtYen": "¥ Yen", "SSE.Views.Top10FilterDialog.textType": "Tampilkan", "SSE.Views.Top10FilterDialog.txtBottom": "Bawah", "SSE.Views.Top10FilterDialog.txtBy": "oleh", + "SSE.Views.Top10FilterDialog.txtItems": "Item", + "SSE.Views.Top10FilterDialog.txtPercent": "Persen", "SSE.Views.Top10FilterDialog.txtSum": "Jumlah", + "SSE.Views.Top10FilterDialog.txtTitle": "Auto Filter Top 10", "SSE.Views.Top10FilterDialog.txtTop": "Atas", + "SSE.Views.Top10FilterDialog.txtValueTitle": "Filter Top 10", + "SSE.Views.ValueFieldSettingsDialog.textTitle": "Pengaturan Area Nilai", + "SSE.Views.ValueFieldSettingsDialog.txtAverage": "Rata-rata", + "SSE.Views.ValueFieldSettingsDialog.txtBaseField": "Area Dasar", + "SSE.Views.ValueFieldSettingsDialog.txtBaseItem": "Item Dasar", + "SSE.Views.ValueFieldSettingsDialog.txtByField": "%1 dari %2", + "SSE.Views.ValueFieldSettingsDialog.txtCount": "Dihitung", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "Hitung Angka", + "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "Atur nama", + "SSE.Views.ValueFieldSettingsDialog.txtDifference": "Perbedaan Dari", "SSE.Views.ValueFieldSettingsDialog.txtIndex": "Indeks", + "SSE.Views.ValueFieldSettingsDialog.txtMax": "Maks", + "SSE.Views.ValueFieldSettingsDialog.txtMin": "Min", + "SSE.Views.ValueFieldSettingsDialog.txtNormal": "Tanpa Kalkulasi", + "SSE.Views.ValueFieldSettingsDialog.txtPercent": "Persentase dari", + "SSE.Views.ValueFieldSettingsDialog.txtPercentDiff": "Persentase Selisih Dari", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfCol": "Persentase dari Kolom", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfRow": "Persentase dari Total", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfTotal": "Persentase dari Baris", "SSE.Views.ValueFieldSettingsDialog.txtProduct": "Produk", + "SSE.Views.ValueFieldSettingsDialog.txtRunTotal": "Dijalankan Total di", + "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "Tampilkan nilai sebagai", + "SSE.Views.ValueFieldSettingsDialog.txtSourceName": "Nama sumber:", + "SSE.Views.ValueFieldSettingsDialog.txtStdDev": "StdDev", + "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "StdDevp", "SSE.Views.ValueFieldSettingsDialog.txtSum": "Jumlah", + "SSE.Views.ValueFieldSettingsDialog.txtSummarize": "Simpulkan nilai dari", + "SSE.Views.ValueFieldSettingsDialog.txtVar": "Var", + "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Tutup", "SSE.Views.ViewManagerDlg.guestText": "Tamu", "SSE.Views.ViewManagerDlg.lockText": "Dikunci", "SSE.Views.ViewManagerDlg.textDelete": "Hapus", "SSE.Views.ViewManagerDlg.textDuplicate": "Duplikat", - "SSE.Views.ViewManagerDlg.textNew": "baru", + "SSE.Views.ViewManagerDlg.textEmpty": "Belum ada tampilan yang dibuat.", + "SSE.Views.ViewManagerDlg.textGoTo": "Pergi ke tampilan", + "SSE.Views.ViewManagerDlg.textLongName": "Masukkan nama maksimum 128 karakter.", + "SSE.Views.ViewManagerDlg.textNew": "Baru", "SSE.Views.ViewManagerDlg.textRename": "Ganti nama", + "SSE.Views.ViewManagerDlg.textRenameError": "Nama tampilan tidak boleh kosong", + "SSE.Views.ViewManagerDlg.textRenameLabel": "Ubah nama tampilan", + "SSE.Views.ViewManagerDlg.textViews": "Tampilan sheet", + "SSE.Views.ViewManagerDlg.tipIsLocked": "Elemen ini sedang diedit oleh pengguna lain.", + "SSE.Views.ViewManagerDlg.txtTitle": "Pengaturan Tampilan Sheet", + "SSE.Views.ViewManagerDlg.warnDeleteView": "Anda mencoba menghapus tampilan '%1''.
                              Tutup tampilan ini dan hapus?", + "SSE.Views.ViewTab.capBtnFreeze": "Freeze Panes", + "SSE.Views.ViewTab.capBtnSheetView": "Tampilan sheet", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Selalu tampilkan toolbar", "SSE.Views.ViewTab.textClose": "Tutup", - "SSE.Views.ViewTab.textCreate": "baru", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Gabungkan sheet dan bar status", + "SSE.Views.ViewTab.textCreate": "Baru", "SSE.Views.ViewTab.textDefault": "standar", - "SSE.Views.ViewTab.textZoom": "Pembesaran" + "SSE.Views.ViewTab.textFormula": "bar formula", + "SSE.Views.ViewTab.textFreezeCol": "Bekukan Kolom Pertama", + "SSE.Views.ViewTab.textFreezeRow": "Bekukan Baris Teratas", + "SSE.Views.ViewTab.textGridlines": "Garis Grid", + "SSE.Views.ViewTab.textHeadings": "Headings", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema interface", + "SSE.Views.ViewTab.textManager": "View manager", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Tampillkan bayangan panel beku", + "SSE.Views.ViewTab.textUnFreeze": "Batal Bekukan Panel", + "SSE.Views.ViewTab.textZeros": "Tampilkan zeros", + "SSE.Views.ViewTab.textZoom": "Pembesaran", + "SSE.Views.ViewTab.tipClose": "Tutup tampilan sheet", + "SSE.Views.ViewTab.tipCreate": "Buat tampilan sheet", + "SSE.Views.ViewTab.tipFreeze": "Freeze panes", + "SSE.Views.ViewTab.tipSheetView": "Tampilan sheet", + "SSE.Views.WBProtection.hintAllowRanges": "Izinkan edit rentang", + "SSE.Views.WBProtection.hintProtectSheet": "Proteksi Sheet", + "SSE.Views.WBProtection.hintProtectWB": "Proteksi Workbook", + "SSE.Views.WBProtection.txtAllowRanges": "Izinkan edit rentang", + "SSE.Views.WBProtection.txtHiddenFormula": "Formula Tersembunyi", + "SSE.Views.WBProtection.txtLockedCell": "Sel Terkunci", + "SSE.Views.WBProtection.txtLockedShape": "Bentuk Dikunci", + "SSE.Views.WBProtection.txtLockedText": "Kunci Teks", + "SSE.Views.WBProtection.txtProtectSheet": "Proteksi Sheet", + "SSE.Views.WBProtection.txtProtectWB": "Proteksi Workbook", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "Masukkan password untuk membuka proteksi sheet", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "Buka Proteksi Sheet", + "SSE.Views.WBProtection.txtWBUnlockDescription": "Masukkan password untuk membuka proteksi workbook", + "SSE.Views.WBProtection.txtWBUnlockTitle": "Buka Proteksi Workbook" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/it.json b/apps/spreadsheeteditor/main/locale/it.json index 28548310b..7b9bc1370 100644 --- a/apps/spreadsheeteditor/main/locale/it.json +++ b/apps/spreadsheeteditor/main/locale/it.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crea una copia", "Common.Translation.warnFileLockedBtnView": "‎Aperto per la visualizzazione‎", "Common.UI.ButtonColored.textAutoColor": "Automatico", - "Common.UI.ButtonColored.textNewColor": "Aggiungere un nuovo colore personalizzato", + "Common.UI.ButtonColored.textNewColor": "Aggiungi Colore personalizzato", "Common.UI.ComboBorderSize.txtNoBorders": "Nessun bordo", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Nessun bordo", "Common.UI.ComboDataView.emptyComboText": "Nessuno stile", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Annulla", "SSE.Views.DocumentHolder.textUnFreezePanes": "Sblocca i riquadri", "SSE.Views.DocumentHolder.textVar": "Varianza", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Punti elenco a freccia", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Punti elenco a segno di spunta", + "SSE.Views.DocumentHolder.tipMarkersDash": "Punti elenco a trattino", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Punti elenco a rombo pieno", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Punti elenco rotondi pieni", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Punti elenco quadrati pieni", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Punti elenco rotondi vuoti", + "SSE.Views.DocumentHolder.tipMarkersStar": "Punti elenco a stella", "SSE.Views.DocumentHolder.topCellText": "Allinea in alto", "SSE.Views.DocumentHolder.txtAccounting": "Contabilità", "SSE.Views.DocumentHolder.txtAddComment": "Aggiungi commento", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Modifica diritti di accesso", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Persone che hanno diritti", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Applica", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Attiva il ripristino automatico", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Attiva salvataggio automatico", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modalità di co-editing", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Gli altri utenti vedranno le tue modifiche contemporaneamente", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Dovrai accettare i cambiamenti prima di poterli visualizzare.", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separatore decimale", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapido", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Suggerimento per i caratteri", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "‎Aggiungere la versione all'archivio dopo aver fatto clic su Salva o CTRL+S‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Lingua della Formula", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Esempio: SOMMA; MINIMO; MASSIMO; CONTEGGIO", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Attivare visualizzazione dei commenti", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Impostazioni macro", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Taglia, copia e incolla", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Mostra il pulsante opzioni Incolla quando il contenuto viene incollato", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Abilita lo stile R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Impostazioni Regionali", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Esempio: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Attiva la visualizzazione dei commenti risolti", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separatore", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Rigorosa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema dell'interfaccia", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separatore delle migliaia", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "‎Giapponese‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "‎Coreano‎", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Visualizzazione dei Commenti", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "‎Lettone‎", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "come su OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Disabilita tutte le macro con notifica", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "come su Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Cinese", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Applica", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Lingua del dizionario", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignora le parole in MAIUSCOLO", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignora le parole con i numeri", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opzioni di correzione automatica ...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Correzione", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avviso", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "con Password", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteggi foglio di calcolo", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Le firme valide sono state aggiunte al foglio di calcolo. Il foglio di calcolo è protetto dalla modifica.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Alcune delle firme digitali presenti nel foglio di calcolo non sono valide o non possono essere verificate. Il foglio di calcolo è protetto dalla modifica.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Mostra firme", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Generale", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Impostazioni pagina", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Controllo ortografico", "SSE.Views.FormatRulesEditDlg.fillColor": "Colore di riempimento", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avviso", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Scala cromatica", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimo", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punto minimo", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Aggiungere un nuovo colore personalizzato", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Aggiungi Colore personalizzato", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Senza bordi", "SSE.Views.FormatRulesEditDlg.textNone": "niente", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Uno o più dei valori specificati non è una percentuale valida.", @@ -3429,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Inserisci tabella", "SSE.Views.Toolbar.tipInsertText": "Inserisci casella di testo", "SSE.Views.Toolbar.tipInsertTextart": "Inserisci Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Punti elenco a freccia", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Punti elenco a segno di spunta", - "SSE.Views.Toolbar.tipMarkersDash": "Punti elenco a trattino", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Punti elenco a rombo pieno", - "SSE.Views.Toolbar.tipMarkersFRound": "Punti elenco rotondi pieni", - "SSE.Views.Toolbar.tipMarkersFSquare": "Punti elenco quadrati pieni", - "SSE.Views.Toolbar.tipMarkersHRound": "Punti elenco rotondi vuoti", - "SSE.Views.Toolbar.tipMarkersStar": "Punti elenco a stella", "SSE.Views.Toolbar.tipMerge": "Unisci e centra", "SSE.Views.Toolbar.tipNone": "Nessuno", "SSE.Views.Toolbar.tipNumFormat": "Formato numero", diff --git a/apps/spreadsheeteditor/main/locale/ja.json b/apps/spreadsheeteditor/main/locale/ja.json index 4d1df8f67..2505d47d9 100644 --- a/apps/spreadsheeteditor/main/locale/ja.json +++ b/apps/spreadsheeteditor/main/locale/ja.json @@ -29,7 +29,7 @@ "Common.define.chartData.textHBarStacked3d": "3-D 積み上げ横棒", "Common.define.chartData.textHBarStackedPer": "100%積み上げ横棒", "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 積み上げ横棒", - "Common.define.chartData.textLine": "折れ線グラフ", + "Common.define.chartData.textLine": "グラプ", "Common.define.chartData.textLine3d": "3-D 折れ線", "Common.define.chartData.textLineMarker": "マーカー付き折れ線", "Common.define.chartData.textLineSpark": "グラプ", @@ -38,7 +38,7 @@ "Common.define.chartData.textLineStackedPer": "100% 積み上げ折れ線", "Common.define.chartData.textLineStackedPerMarker": "マーカー付き 100% 積み上げ折れ線", "Common.define.chartData.textPie": "円グラフ", - "Common.define.chartData.textPie3d": "3-D 円", + "Common.define.chartData.textPie3d": "3-D 円グラフ", "Common.define.chartData.textPoint": "XY (散布図)", "Common.define.chartData.textScatter": "散布図", "Common.define.chartData.textScatterLine": "直線付き散布図", @@ -46,7 +46,7 @@ "Common.define.chartData.textScatterSmooth": "平滑線付き散布図", "Common.define.chartData.textScatterSmoothMarker": "マーカーと平滑線付き散布図", "Common.define.chartData.textSparks": "スパークライン", - "Common.define.chartData.textStock": "株価チャート", + "Common.define.chartData.textStock": "株価グラフ", "Common.define.chartData.textSurface": "表面", "Common.define.chartData.textWinLossSpark": "勝ち/負け", "Common.define.conditionalData.exampleText": "AaBbCcYyZz", @@ -63,18 +63,18 @@ "Common.define.conditionalData.textBelow": "下に", "Common.define.conditionalData.textBetween": "間", "Common.define.conditionalData.textBlank": "空白", - "Common.define.conditionalData.textBlanks": "空白を含んでいます", - "Common.define.conditionalData.textBottom": "最下部", - "Common.define.conditionalData.textContains": " 含んでいます", + "Common.define.conditionalData.textBlanks": "空白を含んでいる", + "Common.define.conditionalData.textBottom": "最低", + "Common.define.conditionalData.textContains": "含んでいる", "Common.define.conditionalData.textDataBar": "データ バー", "Common.define.conditionalData.textDate": "日付", - "Common.define.conditionalData.textDuplicate": "複製する", - "Common.define.conditionalData.textEnds": "に終了", + "Common.define.conditionalData.textDuplicate": "複製", + "Common.define.conditionalData.textEnds": "終了", "Common.define.conditionalData.textEqAbove": "次の値に等しいまたは以上", "Common.define.conditionalData.textEqBelow": "次の値に等しいまたは以下", "Common.define.conditionalData.textEqual": "次の値に等しい", "Common.define.conditionalData.textError": "エラー", - "Common.define.conditionalData.textErrors": "エラーを含んでいます", + "Common.define.conditionalData.textErrors": "エラーを含んでいる", "Common.define.conditionalData.textFormula": "数式", "Common.define.conditionalData.textGreater": "より大きい", "Common.define.conditionalData.textGreaterEq": "以上か等号", @@ -96,8 +96,8 @@ "Common.define.conditionalData.textThisWeek": "今週", "Common.define.conditionalData.textToday": "今日", "Common.define.conditionalData.textTomorrow": "明日", - "Common.define.conditionalData.textTop": "上", - "Common.define.conditionalData.textUnique": "固有", + "Common.define.conditionalData.textTop": "トップ", + "Common.define.conditionalData.textUnique": "一意", "Common.define.conditionalData.textValue": "値が", "Common.define.conditionalData.textYesterday": "昨日", "Common.Translation.warnFileLocked": "文書が他のアプリで編集されています。編集を続けて、コピーとして保存できます。", @@ -114,11 +114,11 @@ "Common.UI.ExtendedColorDialog.textNew": "新しい", "Common.UI.ExtendedColorDialog.textRGBErr": "入力された値が正しくありません。
                              0〜255の数値を入力してください。", "Common.UI.HSBColorPicker.textNoColor": "色なし", - "Common.UI.InputFieldBtnPassword.textHintHidePwd": "パスワードを隠す", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "パスワードを表示しない", "Common.UI.InputFieldBtnPassword.textHintShowPwd": "パスワードを表示する", "Common.UI.SearchDialog.textHighlight": "結果を強調表示", "Common.UI.SearchDialog.textMatchCase": "大文字と小文字の区別", - "Common.UI.SearchDialog.textReplaceDef": "代替テキストの挿入", + "Common.UI.SearchDialog.textReplaceDef": "代替テキストを入力してください", "Common.UI.SearchDialog.textSearchStart": "ここでテキストを挿入してください。", "Common.UI.SearchDialog.textTitle": "検索と置換", "Common.UI.SearchDialog.textTitle2": "検索", @@ -146,16 +146,16 @@ "Common.Utils.Metric.txtCm": "センチ", "Common.Utils.Metric.txtPt": "pt", "Common.Views.About.txtAddress": "アドレス:", - "Common.Views.About.txtLicensee": "ライセンス", + "Common.Views.About.txtLicensee": "ライセンス所有者", "Common.Views.About.txtLicensor": "ライセンサー", "Common.Views.About.txtMail": "メール:", "Common.Views.About.txtPoweredBy": "Powered by", "Common.Views.About.txtTel": "電話番号:", "Common.Views.About.txtVersion": "バージョン", - "Common.Views.AutoCorrectDialog.textAdd": "追加する", + "Common.Views.AutoCorrectDialog.textAdd": "追加", "Common.Views.AutoCorrectDialog.textApplyAsWork": "作業中に適用する", "Common.Views.AutoCorrectDialog.textAutoCorrect": "オートコレクト", - "Common.Views.AutoCorrectDialog.textAutoFormat": "入力時にオートフォーマット", + "Common.Views.AutoCorrectDialog.textAutoFormat": "入力オートフォーマット", "Common.Views.AutoCorrectDialog.textBy": "幅", "Common.Views.AutoCorrectDialog.textDelete": "削除する", "Common.Views.AutoCorrectDialog.textHyperlink": "インターネットとネットワークのアドレスをハイパーリンクに変更する", @@ -171,9 +171,9 @@ "Common.Views.AutoCorrectDialog.textRestore": "復元する", "Common.Views.AutoCorrectDialog.textTitle": "オートコレクト", "Common.Views.AutoCorrectDialog.textWarnAddRec": "認識される関数には、大文字または小文字のAからZまでの文字のみを含める必要があります。", - "Common.Views.AutoCorrectDialog.textWarnResetRec": "追加した式はすべて削除され、削除された式が復元されます。 続けますか?", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "追加した式はすべて削除され、削除された式が復元されます。 このまま続けますか?", "Common.Views.AutoCorrectDialog.warnReplace": "%1のオートコレクトのエントリはすでに存在します。 取り替えますか?", - "Common.Views.AutoCorrectDialog.warnReset": "追加したオートコレクトはすべて削除され、変更されたものは元の値に復元されます。 続けますか?", + "Common.Views.AutoCorrectDialog.warnReset": "追加したオートコレクトはすべて削除され、変更されたものは元の値に復元されます。 このまま続けますか?", "Common.Views.AutoCorrectDialog.warnRestore": "%1のオートコレクトエントリは元の値にリセットされます。 続けますか?", "Common.Views.Chat.textSend": "送信", "Common.Views.Comments.mniAuthorAsc": "アルファベット順で作者を表示する", @@ -193,7 +193,7 @@ "Common.Views.Comments.textClose": "閉じる", "Common.Views.Comments.textClosePanel": "コメントを閉じる", "Common.Views.Comments.textComments": "コメント", - "Common.Views.Comments.textEdit": "編集", + "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "ここでコメントを挿入してください。", "Common.Views.Comments.textHintAddComment": "コメントを追加", "Common.Views.Comments.textOpenAgain": "もう一度開きます", @@ -202,12 +202,13 @@ "Common.Views.Comments.textResolved": "解決済み", "Common.Views.Comments.textSort": "コメントを並べ替える", "Common.Views.Comments.textViewResolved": "コメントを再開する権限がありません", + "Common.Views.Comments.txtEmpty": "シートにはコメントがありません", "Common.Views.CopyWarningDialog.textDontShow": "今後このメッセージを表示しない", "Common.Views.CopyWarningDialog.textMsg": "このタブの編集のツールバーのボタンとコンテキストメニューを使って、コピー、分割と貼り付けをすることができます。

                              他のアプリケーションにコピーと貼り付けのために、次のショートカットキー を使ってください:", - "Common.Views.CopyWarningDialog.textTitle": "コピー,切り取り,貼り付けの操作", + "Common.Views.CopyWarningDialog.textTitle": "コピー、切り取り、貼り付けの操作", "Common.Views.CopyWarningDialog.textToCopy": "コピーのため", "Common.Views.CopyWarningDialog.textToCut": "切り取りのため", - "Common.Views.CopyWarningDialog.textToPaste": "添付のため", + "Common.Views.CopyWarningDialog.textToPaste": "貼り付けのため", "Common.Views.DocumentAccessDialog.textLoading": "読み込み中...", "Common.Views.DocumentAccessDialog.textTitle": "共有設定", "Common.Views.EditNameDialog.textLabel": "ラベル:", @@ -215,7 +216,7 @@ "Common.Views.Header.labelCoUsersDescr": "ファイルを編集しているユーザー:", "Common.Views.Header.textAddFavorite": "お気に入りとしてマーク", "Common.Views.Header.textAdvSettings": "詳細設定", - "Common.Views.Header.textBack": "文書URLを開く", + "Common.Views.Header.textBack": "ファイルの場所を開く", "Common.Views.Header.textCompactView": "ツールバーを表示しない", "Common.Views.Header.textHideLines": "ルーラーを表示しない", "Common.Views.Header.textHideStatusBar": "ステータスバーとシートを結合する", @@ -230,26 +231,26 @@ "Common.Views.Header.tipGoEdit": "このファイルを編集する", "Common.Views.Header.tipPrint": "印刷", "Common.Views.Header.tipRedo": "やり直し", - "Common.Views.Header.tipSave": "上書き保存", + "Common.Views.Header.tipSave": "保存", "Common.Views.Header.tipUndo": "元に戻す", "Common.Views.Header.tipUndock": "別のウィンドウにドッキングを解除する", "Common.Views.Header.tipViewSettings": "表示の設定", "Common.Views.Header.tipViewUsers": "ユーザーの表示と文書のアクセス権の管理", - "Common.Views.Header.txtAccessRights": "アクセス権限の変更", + "Common.Views.Header.txtAccessRights": "アクセス許可の変更", "Common.Views.Header.txtRename": "名前を変更する", "Common.Views.History.textCloseHistory": "履歴を閉じる", "Common.Views.History.textHide": "折りたたみ", - "Common.Views.History.textHideAll": "詳細な変更を隠す", + "Common.Views.History.textHideAll": "詳細な変更を非表示", "Common.Views.History.textRestore": "復元する", - "Common.Views.History.textShow": "展開する", + "Common.Views.History.textShow": "拡張する", "Common.Views.History.textShowAll": "詳細な変更を表示する", "Common.Views.History.textVer": "ver.", - "Common.Views.ImageFromUrlDialog.textUrl": "画像のURLの貼り付け", + "Common.Views.ImageFromUrlDialog.textUrl": "画像のURLを貼り付け", "Common.Views.ImageFromUrlDialog.txtEmpty": "このフィールドは必須項目です", "Common.Views.ImageFromUrlDialog.txtNotUrl": "このフィールドは「http://www.example.com」の形式のURLである必要があります。", "Common.Views.ListSettingsDialog.textBulleted": "箇条書きがある", "Common.Views.ListSettingsDialog.textNumbering": "番号付き", - "Common.Views.ListSettingsDialog.tipChange": "箇条書きを変更する", + "Common.Views.ListSettingsDialog.tipChange": "箇条書きを変更", "Common.Views.ListSettingsDialog.txtBullet": "箇条書き", "Common.Views.ListSettingsDialog.txtColor": "色", "Common.Views.ListSettingsDialog.txtNewBullet": "新しい箇条書き", @@ -271,7 +272,7 @@ "Common.Views.OpenDialog.txtEmpty": "このフィールドは必須項目です", "Common.Views.OpenDialog.txtEncoding": "エンコーディング", "Common.Views.OpenDialog.txtIncorrectPwd": "パスワードが正しくありません。", - "Common.Views.OpenDialog.txtOpenFile": "ファイルを開くためのパスワードを入力する", + "Common.Views.OpenDialog.txtOpenFile": "ファイルを開くためにパスワードを入力してください。", "Common.Views.OpenDialog.txtOther": "その他", "Common.Views.OpenDialog.txtPassword": "パスワード", "Common.Views.OpenDialog.txtPreview": "プレビュー", @@ -279,7 +280,7 @@ "Common.Views.OpenDialog.txtSemicolon": "セミコロン", "Common.Views.OpenDialog.txtSpace": "スペース", "Common.Views.OpenDialog.txtTab": "タブ", - "Common.Views.OpenDialog.txtTitle": "%1オプションの選択", + "Common.Views.OpenDialog.txtTitle": "%1オプションを選択", "Common.Views.OpenDialog.txtTitleProtected": "保護されたファイル", "Common.Views.PasswordDialog.txtDescription": "この文書を保護するためのパスワードをご設定ください", "Common.Views.PasswordDialog.txtIncorrectPwd": "先に入力したパスワードと一致しません。", @@ -297,7 +298,7 @@ "Common.Views.Protection.hintPwd": "パスワードを変更するか削除する", "Common.Views.Protection.hintSignature": "デジタル署名かデジタル署名行を追加", "Common.Views.Protection.txtAddPwd": "パスワードを追加", - "Common.Views.Protection.txtChangePwd": "パスワードを変更する", + "Common.Views.Protection.txtChangePwd": "パスワードを変更", "Common.Views.Protection.txtDeletePwd": "パスワードを削除する", "Common.Views.Protection.txtEncrypt": "暗号化する", "Common.Views.Protection.txtInvisibleSignature": "デジタル署名を追加", @@ -307,11 +308,11 @@ "Common.Views.RenameDialog.txtInvalidName": "ファイル名に次の文字を使うことはできません。", "Common.Views.ReviewChanges.hintNext": "次の変更箇所へ", "Common.Views.ReviewChanges.hintPrev": "前の​​変更箇所へ", - "Common.Views.ReviewChanges.strFast": "ファスト", + "Common.Views.ReviewChanges.strFast": "速い", "Common.Views.ReviewChanges.strFastDesc": "リアルタイムの共同編集です。すべての変更は自動的に保存されます。", "Common.Views.ReviewChanges.strStrict": "厳格", - "Common.Views.ReviewChanges.strStrictDesc": "あなたや他の人が行った変更を同期するために、[保存]ボタンをご使用ください", - "Common.Views.ReviewChanges.tipAcceptCurrent": "今の変更を受け入れる", + "Common.Views.ReviewChanges.strStrictDesc": "あなたや他の人が行った変更を同期するために、「保存」ボタンを押してください", + "Common.Views.ReviewChanges.tipAcceptCurrent": "現在の変更を承諾する", "Common.Views.ReviewChanges.tipCoAuthMode": "共同編集モードを設定する", "Common.Views.ReviewChanges.tipCommentRem": "コメントを削除する", "Common.Views.ReviewChanges.tipCommentRemCurrent": "このコメントを削除する", @@ -327,7 +328,7 @@ "Common.Views.ReviewChanges.txtAccept": "承諾", "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": "共同編集モード", @@ -337,7 +338,7 @@ "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "自分の今のコメントを削除する", "Common.Views.ReviewChanges.txtCommentRemove": "削除する", "Common.Views.ReviewChanges.txtCommentResolve": "承諾する", - "Common.Views.ReviewChanges.txtCommentResolveAll": "すべてのコメントを解決する。", + "Common.Views.ReviewChanges.txtCommentResolveAll": "すべてのコメントを解決する", "Common.Views.ReviewChanges.txtCommentResolveCurrent": "現在のコメントを承諾する", "Common.Views.ReviewChanges.txtCommentResolveMy": "自分のコメントを承諾する", "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "現在のコメントを承諾する", @@ -355,7 +356,7 @@ "Common.Views.ReviewChanges.txtRejectAll": "すべての変更を元に戻す", "Common.Views.ReviewChanges.txtRejectChanges": "変更を拒否する", "Common.Views.ReviewChanges.txtRejectCurrent": "現在の変更を元に戻す", - "Common.Views.ReviewChanges.txtSharing": "共有する", + "Common.Views.ReviewChanges.txtSharing": "共有", "Common.Views.ReviewChanges.txtSpelling": "スペルチェック", "Common.Views.ReviewChanges.txtTurnon": "変更履歴", "Common.Views.ReviewChanges.txtView": "表示モード", @@ -365,12 +366,12 @@ "Common.Views.ReviewPopover.textClose": "閉じる", "Common.Views.ReviewPopover.textEdit": "OK", "Common.Views.ReviewPopover.textMention": "+言及されるユーザーに文書にアクセスを提供して、メールで通知する", - "Common.Views.ReviewPopover.textMentionNotify": "+言及されるユーザーはメールで通知されます", + "Common.Views.ReviewPopover.textMentionNotify": "+言及されるユーザーはメールで通知される", "Common.Views.ReviewPopover.textOpenAgain": "もう一度開く", "Common.Views.ReviewPopover.textReply": "返事する", "Common.Views.ReviewPopover.textResolve": "解決する", "Common.Views.ReviewPopover.textViewResolved": "コメントを再開する権限がありません", - "Common.Views.ReviewPopover.txtDeleteTip": "削除", + "Common.Views.ReviewPopover.txtDeleteTip": "削除する", "Common.Views.ReviewPopover.txtEditTip": "編集", "Common.Views.SaveAsDlg.textLoading": "読み込み中", "Common.Views.SaveAsDlg.textTitle": "保存先のフォルダ", @@ -379,7 +380,7 @@ "Common.Views.SignDialog.textBold": "太字", "Common.Views.SignDialog.textCertificate": "証明書", "Common.Views.SignDialog.textChange": "変更", - "Common.Views.SignDialog.textInputName": "署名者の名前をご入力ください", + "Common.Views.SignDialog.textInputName": "署名者の名前を入力してください", "Common.Views.SignDialog.textItalic": "イタリック体", "Common.Views.SignDialog.textNameError": "署名者の名前を空にしておくことはできません。", "Common.Views.SignDialog.textPurpose": "この文書にサインする目的", @@ -388,12 +389,12 @@ "Common.Views.SignDialog.textSignature": "署名は次のようになります:", "Common.Views.SignDialog.textTitle": "文書のサイン", "Common.Views.SignDialog.textUseImage": "または画像を署名として使用するため、「画像の選択」をクリックしてください", - "Common.Views.SignDialog.textValid": "%1から%2まで有効", + "Common.Views.SignDialog.textValid": "%1から%2までは有効", "Common.Views.SignDialog.tipFontName": "フォント名", "Common.Views.SignDialog.tipFontSize": "フォントのサイズ", - "Common.Views.SignSettingsDialog.textAllowComment": " 署名者が署名ダイアログにコメントを追加できるようにする", + "Common.Views.SignSettingsDialog.textAllowComment": "署名者が署名ダイアログボックスにコメントを追加できるようにする", "Common.Views.SignSettingsDialog.textInfo": "署名者情報", - "Common.Views.SignSettingsDialog.textInfoEmail": "メール", + "Common.Views.SignSettingsDialog.textInfoEmail": "メールアドレス", "Common.Views.SignSettingsDialog.textInfoName": "名前", "Common.Views.SignSettingsDialog.textInfoTitle": "署名者の役職", "Common.Views.SignSettingsDialog.textInstructions": "署名者への説明書", @@ -419,7 +420,7 @@ "Common.Views.SymbolTableDialog.textRecent": "最近使用した記号", "Common.Views.SymbolTableDialog.textRegistered": "登録商標マーク", "Common.Views.SymbolTableDialog.textSCQuote": "単一引用符(右)", - "Common.Views.SymbolTableDialog.textSection": "節記号", + "Common.Views.SymbolTableDialog.textSection": "「節」記号", "Common.Views.SymbolTableDialog.textShortcut": "ショートカットキー", "Common.Views.SymbolTableDialog.textSHyphen": "ソフトハイフン", "Common.Views.SymbolTableDialog.textSOQuote": "単一引用符(左)", @@ -445,8 +446,8 @@ "SSE.Controllers.DataTab.txtUrlTitle": "データのURLを貼り付け", "SSE.Controllers.DocumentHolder.alignmentText": "配置", "SSE.Controllers.DocumentHolder.centerText": "中央揃え", - "SSE.Controllers.DocumentHolder.deleteColumnText": "列の削除", - "SSE.Controllers.DocumentHolder.deleteRowText": "行の削除", + "SSE.Controllers.DocumentHolder.deleteColumnText": "列を削除", + "SSE.Controllers.DocumentHolder.deleteRowText": "行を削除", "SSE.Controllers.DocumentHolder.deleteText": "削除", "SSE.Controllers.DocumentHolder.errorInvalidLink": "リンク参照が存在しません。 リンクを修正するか、ご削除ください。", "SSE.Controllers.DocumentHolder.guestText": "ゲスト", @@ -462,24 +463,25 @@ "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "列の幅{0}記号({1}ピクセル)", "SSE.Controllers.DocumentHolder.textChangeRowHeight": "行の高さ{0}ポイント({1}ピクセル)", "SSE.Controllers.DocumentHolder.textCtrlClick": "開くようにリンクをクリックしてまたは、セルを選択しようにマウスボタンを保留してください。", - "SSE.Controllers.DocumentHolder.textInsertLeft": "左挿入", + "SSE.Controllers.DocumentHolder.textInsertLeft": "左に挿入", "SSE.Controllers.DocumentHolder.textInsertTop": "上に挿入", "SSE.Controllers.DocumentHolder.textPasteSpecial": "特殊貼付け", "SSE.Controllers.DocumentHolder.textStopExpand": "テーブルの自動拡を停止する", "SSE.Controllers.DocumentHolder.textSym": "記号", "SSE.Controllers.DocumentHolder.tipIsLocked": "この要素が別のユーザーによって編集されています。", "SSE.Controllers.DocumentHolder.txtAboveAve": "平均より上", - "SSE.Controllers.DocumentHolder.txtAddBottom": "下罫線の追加", - "SSE.Controllers.DocumentHolder.txtAddFractionBar": "分数線の追加", - "SSE.Controllers.DocumentHolder.txtAddHor": "水平線の追加", - "SSE.Controllers.DocumentHolder.txtAddLB": "左下罫線の追加", - "SSE.Controllers.DocumentHolder.txtAddLeft": "左罫線の追加", - "SSE.Controllers.DocumentHolder.txtAddLT": "左上罫線の追加", + "SSE.Controllers.DocumentHolder.txtAddBottom": "下罫線を追加", + "SSE.Controllers.DocumentHolder.txtAddFractionBar": "分数線を追加", + "SSE.Controllers.DocumentHolder.txtAddHor": "水平線を追加", + "SSE.Controllers.DocumentHolder.txtAddLB": "左下罫線を追加", + "SSE.Controllers.DocumentHolder.txtAddLeft": "左罫線を追加", + "SSE.Controllers.DocumentHolder.txtAddLT": "左上罫線を追加", "SSE.Controllers.DocumentHolder.txtAddRight": "右罫線を追加", - "SSE.Controllers.DocumentHolder.txtAddTop": "上罫線の追加", - "SSE.Controllers.DocumentHolder.txtAddVer": "縦線の追加", + "SSE.Controllers.DocumentHolder.txtAddTop": "上罫線を追加", + "SSE.Controllers.DocumentHolder.txtAddVer": "縦線を追加", "SSE.Controllers.DocumentHolder.txtAlignToChar": "文字に合わせる", - "SSE.Controllers.DocumentHolder.txtAll": "すべて", + "SSE.Controllers.DocumentHolder.txtAll": "(すべて)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "テーブルのすべての値、または、指定したテーブル列と列番号、データおよび集計行を返す", "SSE.Controllers.DocumentHolder.txtAnd": "と", "SSE.Controllers.DocumentHolder.txtBegins": "で始まる", "SSE.Controllers.DocumentHolder.txtBelowAve": "平均より下​​", @@ -489,29 +491,31 @@ "SSE.Controllers.DocumentHolder.txtColumn": "列", "SSE.Controllers.DocumentHolder.txtColumnAlign": "列の配置", "SSE.Controllers.DocumentHolder.txtContains": "含んでいる\t", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "テーブルまたは指定したテーブル列のデータセルを返す", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "引数のサイズの縮小", - "SSE.Controllers.DocumentHolder.txtDeleteArg": "引数の削除", + "SSE.Controllers.DocumentHolder.txtDeleteArg": "引数を削除", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "手動ブレークを削除する", - "SSE.Controllers.DocumentHolder.txtDeleteChars": "囲まれた文字の削除", - "SSE.Controllers.DocumentHolder.txtDeleteCharsAndSeparators": "開始文字、終了文字と区切り文字の削除", - "SSE.Controllers.DocumentHolder.txtDeleteEq": "数式の削除", - "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "文字の削除", + "SSE.Controllers.DocumentHolder.txtDeleteChars": "囲まれた文字を削除", + "SSE.Controllers.DocumentHolder.txtDeleteCharsAndSeparators": "開始文字、終了文字と区切り文字を削除", + "SSE.Controllers.DocumentHolder.txtDeleteEq": "数式を削除", + "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "文字を削除", "SSE.Controllers.DocumentHolder.txtDeleteRadical": "冪根を削除する", - "SSE.Controllers.DocumentHolder.txtEnds": "に終了", + "SSE.Controllers.DocumentHolder.txtEnds": "終了", "SSE.Controllers.DocumentHolder.txtEquals": "等号", "SSE.Controllers.DocumentHolder.txtEqualsToCellColor": "セルの色に等号", "SSE.Controllers.DocumentHolder.txtEqualsToFontColor": "フォントの色に等号", "SSE.Controllers.DocumentHolder.txtExpand": "拡張と並べ替え", "SSE.Controllers.DocumentHolder.txtExpandSort": "選択範囲の横のデータは並べ替えられません。 選択範囲を拡張して隣接するデータを含めるか、現在選択されているセルのみの並べ替えを続行しますか?", - "SSE.Controllers.DocumentHolder.txtFilterBottom": "最低", + "SSE.Controllers.DocumentHolder.txtFilterBottom": "下", "SSE.Controllers.DocumentHolder.txtFilterTop": "上", "SSE.Controllers.DocumentHolder.txtFractionLinear": "分数(横)に変更", - "SSE.Controllers.DocumentHolder.txtFractionSkewed": "斜めの分数罫に変更する", + "SSE.Controllers.DocumentHolder.txtFractionSkewed": "斜めの分数罫に変更", "SSE.Controllers.DocumentHolder.txtFractionStacked": "分数(縦)に変更\t", "SSE.Controllers.DocumentHolder.txtGreater": "より大きい", "SSE.Controllers.DocumentHolder.txtGreaterEquals": "以上か等号", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "テキストの上の文字", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "テキストの下の文字", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "テーブルまたは指定されたテーブルカラムのカラムヘッダを返す", "SSE.Controllers.DocumentHolder.txtHeight": "高さ", "SSE.Controllers.DocumentHolder.txtHideBottom": "下罫線を表示しない", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "下限を表示しない", @@ -527,18 +531,18 @@ "SSE.Controllers.DocumentHolder.txtHideTop": "上罫線を表示しない", "SSE.Controllers.DocumentHolder.txtHideTopLimit": "上限を表示しない", "SSE.Controllers.DocumentHolder.txtHideVer": "縦線を表示しない", - "SSE.Controllers.DocumentHolder.txtImportWizard": "テキストファイルウィザード", + "SSE.Controllers.DocumentHolder.txtImportWizard": "テキストインポートウィザード", "SSE.Controllers.DocumentHolder.txtIncreaseArg": "引数のサイズの拡大", "SSE.Controllers.DocumentHolder.txtInsertArgAfter": "後に引数を挿入", "SSE.Controllers.DocumentHolder.txtInsertArgBefore": "前に引数を挿入", - "SSE.Controllers.DocumentHolder.txtInsertBreak": "手動ブレークの挿入", - "SSE.Controllers.DocumentHolder.txtInsertEqAfter": "後に方程式の挿入", - "SSE.Controllers.DocumentHolder.txtInsertEqBefore": "前に方程式の挿入", + "SSE.Controllers.DocumentHolder.txtInsertBreak": "手動ブレークを挿入", + "SSE.Controllers.DocumentHolder.txtInsertEqAfter": "後に方程式を挿入", + "SSE.Controllers.DocumentHolder.txtInsertEqBefore": "前に方程式を挿入", "SSE.Controllers.DocumentHolder.txtItems": "アイテム", "SSE.Controllers.DocumentHolder.txtKeepTextOnly": "テキストのみ保存", "SSE.Controllers.DocumentHolder.txtLess": "次の値より小さい", - "SSE.Controllers.DocumentHolder.txtLessEquals": "次の値以下", - "SSE.Controllers.DocumentHolder.txtLimitChange": "極限の位置を変更します。", + "SSE.Controllers.DocumentHolder.txtLessEquals": "より小さいか等しい", + "SSE.Controllers.DocumentHolder.txtLimitChange": "極限の位置を変更", "SSE.Controllers.DocumentHolder.txtLimitOver": "テキストの上の限定", "SSE.Controllers.DocumentHolder.txtLimitUnder": "テキストの下の限定", "SSE.Controllers.DocumentHolder.txtLockSort": "選択の範囲の近くにデータが見つけられたけどこのセルを変更するに十分なアクセス許可がありません。
                              選択の範囲を続行してもよろしいですか?", @@ -548,18 +552,18 @@ "SSE.Controllers.DocumentHolder.txtNotBegins": "次の文字から始まらない", "SSE.Controllers.DocumentHolder.txtNotContains": "次の文字を含まない", "SSE.Controllers.DocumentHolder.txtNotEnds": "次の文字列で終わらない", - "SSE.Controllers.DocumentHolder.txtNotEquals": "不等号", + "SSE.Controllers.DocumentHolder.txtNotEquals": "次の値に等しくない", "SSE.Controllers.DocumentHolder.txtOr": "または", "SSE.Controllers.DocumentHolder.txtOverbar": "テキストの上にバー", "SSE.Controllers.DocumentHolder.txtPaste": "貼り付け", "SSE.Controllers.DocumentHolder.txtPasteBorders": "罫線のない数式", - "SSE.Controllers.DocumentHolder.txtPasteColWidths": "数式+列幅", + "SSE.Controllers.DocumentHolder.txtPasteColWidths": "数式と列幅", "SSE.Controllers.DocumentHolder.txtPasteDestFormat": "貼り付け先の書式に合わせる", "SSE.Controllers.DocumentHolder.txtPasteFormat": "書式のみ貼り付け", "SSE.Controllers.DocumentHolder.txtPasteFormulaNumFormat": "数式と数値の書式", "SSE.Controllers.DocumentHolder.txtPasteFormulas": "数式だけを貼り付ける", "SSE.Controllers.DocumentHolder.txtPasteKeepSourceFormat": "数式と全ての書式", - "SSE.Controllers.DocumentHolder.txtPasteLink": "リンク貼り付け", + "SSE.Controllers.DocumentHolder.txtPasteLink": "リンクを貼り付け", "SSE.Controllers.DocumentHolder.txtPasteLinkPicture": "リンクされた画像", "SSE.Controllers.DocumentHolder.txtPasteMerge": "条件付き書式を結合する", "SSE.Controllers.DocumentHolder.txtPastePicture": "画像", @@ -572,7 +576,7 @@ "SSE.Controllers.DocumentHolder.txtRedoExpansion": "テーブルの自動拡張のやり直し", "SSE.Controllers.DocumentHolder.txtRemFractionBar": "分数線の削除", "SSE.Controllers.DocumentHolder.txtRemLimit": "制限を削除する", - "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "アクセント記号の削除", + "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "アクセント記号を削除", "SSE.Controllers.DocumentHolder.txtRemoveBar": "線を削除する", "SSE.Controllers.DocumentHolder.txtRemoveWarning": "この署名を削除しますか?
                              この操作は元に戻せません。", "SSE.Controllers.DocumentHolder.txtRemScripts": "スクリプトの削除", @@ -590,11 +594,13 @@ "SSE.Controllers.DocumentHolder.txtSorting": "並べ替え", "SSE.Controllers.DocumentHolder.txtSortSelected": "選択した内容を並べ替える", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "かっこの拡大", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "指定した列のこの行のみを選択", "SSE.Controllers.DocumentHolder.txtTop": "上", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "テーブルまたは指定したテーブル列の集計行を返す", "SSE.Controllers.DocumentHolder.txtUnderbar": "テキストの下にバー", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "テーブルの自動拡をキャンセルする", - "SSE.Controllers.DocumentHolder.txtUseTextImport": "テキストファイルウィザードを使う", - "SSE.Controllers.DocumentHolder.txtWarnUrl": "このリンクをクリックすると、デバイスに害を及ぼす可能性があります。続けてもよろしいでしょうか?", + "SSE.Controllers.DocumentHolder.txtUseTextImport": "テキスト取り込みウィザードを使う", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "このリンクをクリックすると、デバイスに害を及ぼす可能性があります。このまま続けますか?", "SSE.Controllers.DocumentHolder.txtWidth": "幅", "SSE.Controllers.FormulaDialog.sCategoryAll": "すべて", "SSE.Controllers.FormulaDialog.sCategoryCube": "立方体", @@ -610,8 +616,8 @@ "SSE.Controllers.FormulaDialog.sCategoryStatistical": "統計", "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "テキストとデータ", "SSE.Controllers.LeftMenu.newDocumentTitle": "名前が付けられていないスプレッドシート", - "SSE.Controllers.LeftMenu.textByColumns": "列", - "SSE.Controllers.LeftMenu.textByRows": "行", + "SSE.Controllers.LeftMenu.textByColumns": "列で", + "SSE.Controllers.LeftMenu.textByRows": "行で", "SSE.Controllers.LeftMenu.textFormulas": "数式", "SSE.Controllers.LeftMenu.textItemEntireCell": "ここでセルのの​​内容を挿入してください。", "SSE.Controllers.LeftMenu.textLoadHistory": "バリエーションの履歴の読み込み中...", @@ -631,7 +637,7 @@ "SSE.Controllers.Main.confirmPutMergeRange": "ソースデータは結合されたセルを含まれています。
                              テーブルに貼り付る前にマージを削除しました。", "SSE.Controllers.Main.confirmReplaceFormulaInTable": "ヘーダ行の数式が削除されて、固定テキストに変換されます。続けてもよろしいですか?", "SSE.Controllers.Main.convertationTimeoutText": "変換のタイムアウトを超過しました。", - "SSE.Controllers.Main.criticalErrorExtText": "OKボタンを押すと文書リストに戻ることができます。", + "SSE.Controllers.Main.criticalErrorExtText": "OKボタンを押すと文書リストに戻ります", "SSE.Controllers.Main.criticalErrorTitle": "エラー", "SSE.Controllers.Main.downloadErrorText": "ダウンロードに失敗しました", "SSE.Controllers.Main.downloadTextText": "スプレッドシートのダウンロード中...", @@ -651,7 +657,7 @@ "SSE.Controllers.Main.errorChangeOnProtectedSheet": "変更しようとしているチャートには、保護されたシートにあります。変更するには保護を解除が必要です。パスワードの入力を要求されることもあります。", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "サーバーとの接続が失われました。今、文書を編集することができません。", "SSE.Controllers.Main.errorConnectToServer": "文書を保存できませんでした。接続設定を確認するか、管理者にお問い合わせください。
                              OKボタンをクリックするとドキュメントをダウンロードするように求められます。", - "SSE.Controllers.Main.errorCopyMultiselectArea": "カンマ", + "SSE.Controllers.Main.errorCopyMultiselectArea": "このコマンドを複数選択において使用することはできません。
                              単一の範囲を選択して、再ご試行ください。", "SSE.Controllers.Main.errorCountArg": "入力した数式は正しくありません。
                              引数の数が一致していません。", "SSE.Controllers.Main.errorCountArgExceed": "入力した数式は正しくありません。
                              引数の数を超過しました。", "SSE.Controllers.Main.errorCreateDefName": "存在する名前付き範囲を編集することはできません。
                              今、範囲が編集されているので、新しい名前付き範囲を作成することはできません。", @@ -662,8 +668,8 @@ "SSE.Controllers.Main.errorDefaultMessage": "エラー コード:%1", "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "削除しようとしている列には、ロックされたセルが含まれています。ワークシートが保護されている場合、ロックされたセルを削除することはできません。ロックされたセルを削除するには、ワークシートの保護を解除します。パスワードの入力を要求されることもあります。", "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "削除しようとしている行には、ロックされたセルが含まれています。ワークシートが保護されている場合、ロックされたセルを削除することはできません。ロックされたセルを削除するには、ワークシートの保護を解除します。パスワードの入力を要求されることもあります。", - "SSE.Controllers.Main.errorEditingDownloadas": "文書の処理中にエラーが発生しました。
                              コンピューターにファイルのバックアップコピーを保存するために、「…としてダウンロード」をご使用ください。", - "SSE.Controllers.Main.errorEditingSaveas": "文書の処理中にエラーが発生しました。
                              コンピューターにファイルのバックアップを保存するために、「…として保存する」をご使用ください。", + "SSE.Controllers.Main.errorEditingDownloadas": "文書の処理中にエラーが発生しました。
                              コンピューターにファイルのバックアップコピーを保存するために、「名前を付けてダウンロード」をご使用ください。", + "SSE.Controllers.Main.errorEditingSaveas": "文書の処理中にエラーが発生しました。
                              コンピューターにファイルのバックアップを保存するために、「名前を付けてダウンロード」をご使用ください。", "SSE.Controllers.Main.errorEditView": "既存のシートの表示を編集することはできません。今、編集されているので、新しいのを作成することはできません。", "SSE.Controllers.Main.errorEmailClient": "メールクライアントが見つかりませんでした。", "SSE.Controllers.Main.errorFilePassProtect": "文書がパスワードで保護されているため、開くことができません。", @@ -671,7 +677,7 @@ "SSE.Controllers.Main.errorFileSizeExceed": "ファイルサイズがサーバーで設定された制限を超過しています。
                              Documentサーバー管理者に詳細をお問い合わせください。", "SSE.Controllers.Main.errorFileVKey": "外部エラーです。
                              セキュリティキーが正しくありません。この問題は解決しない場合は、サポートにお問い合わせください。", "SSE.Controllers.Main.errorFillRange": "選択されたセルの範囲をフィルすることができません。
                              すべての結合されたセルは、同じサイズがある必要があります。", - "SSE.Controllers.Main.errorForceSave": "文書の保存中にエラーが発生しました。コンピューターにファイルを保存するために、「...としてダウンロード」を使用し、または後で再お試しください。", + "SSE.Controllers.Main.errorForceSave": "文書の保存中にエラーが発生しました。コンピューターにファイルを保存するために、「名前を付けてダウンロード」を使用し、または後で再お試しください。", "SSE.Controllers.Main.errorFormulaName": "入力した数式は正しくありません。
                              数式の名前が正しくありません。", "SSE.Controllers.Main.errorFormulaParsing": "数式を解析中に内部エラーが発生", "SSE.Controllers.Main.errorFrmlMaxLength": "数式の長さが8192文字の制限を超えています。
                              編集して再びお試しください。", @@ -684,7 +690,7 @@ "SSE.Controllers.Main.errorKeyEncrypt": "不明なキーの記述子", "SSE.Controllers.Main.errorKeyExpire": "署名キーは期限切れました。", "SSE.Controllers.Main.errorLabledColumnsPivot": "ピボットテーブルを作成するには、ラベル付きの列を持つリストとして編成されたデータをご使用ください。", - "SSE.Controllers.Main.errorLoadingFont": "フォントがダウンロードしませんでした。文書のサーバのアドミ二ストレータを連絡してください。", + "SSE.Controllers.Main.errorLoadingFont": "フォントが読み込まれていません。
                              ドキュメントサーバーの管理者に連絡してください。", "SSE.Controllers.Main.errorLocationOrDataRangeError": "場所またはデータ範囲の参照が正しくありません。", "SSE.Controllers.Main.errorLockedAll": "シートは他のユーザーによってロックされているので、操作を実行することができません。", "SSE.Controllers.Main.errorLockedCellPivot": "ピボットテーブル内のデータを変更することはできません。", @@ -730,10 +736,10 @@ "SSE.Controllers.Main.loadFontsTitleText": "データを読み込んでいます", "SSE.Controllers.Main.loadFontTextText": "データを読み込んでいます...", "SSE.Controllers.Main.loadFontTitleText": "データを読み込んでいます", - "SSE.Controllers.Main.loadImagesTextText": "イメージの読み込み中...", - "SSE.Controllers.Main.loadImagesTitleText": "イメージの読み込み中", - "SSE.Controllers.Main.loadImageTextText": "イメージの読み込み中...", - "SSE.Controllers.Main.loadImageTitleText": "イメージの読み込み中", + "SSE.Controllers.Main.loadImagesTextText": "イメージを読み込み中...", + "SSE.Controllers.Main.loadImagesTitleText": "イメージを読み込み中", + "SSE.Controllers.Main.loadImageTextText": "イメージを読み込み中...", + "SSE.Controllers.Main.loadImageTitleText": "イメージを読み込み中", "SSE.Controllers.Main.loadingDocumentTitleText": "スプレッドシートの読み込み中", "SSE.Controllers.Main.notcriticalErrorTitle": " 警告", "SSE.Controllers.Main.openErrorText": "ファイルを読み込み中にエラーが発生しました。", @@ -742,8 +748,8 @@ "SSE.Controllers.Main.pastInMergeAreaError": "結合されたセルの一部を変更することはできません。", "SSE.Controllers.Main.printTextText": "スプレッドシートの印刷...", "SSE.Controllers.Main.printTitleText": "スプレッドシートの印刷", - "SSE.Controllers.Main.reloadButtonText": "ージの再読み込み", - "SSE.Controllers.Main.requestEditFailedMessageText": "この文書は他のユーザによって編集しています。後で編集してください。", + "SSE.Controllers.Main.reloadButtonText": "ページの再読み込み", + "SSE.Controllers.Main.requestEditFailedMessageText": "この文書は他のユーザによって編集しています。後でもう一度試してみてください。", "SSE.Controllers.Main.requestEditFailedTitleText": "アクセスが拒否されました", "SSE.Controllers.Main.saveErrorText": "ファイルを保存中にエラーが発生しました。", "SSE.Controllers.Main.saveErrorTextDesktop": "このファイルは作成または保存できません。
                              考えられる理由は次のとおりです:
                              1. ファイルが読み取り専用です。
                              2. ファイルが他のユーザーによって編集されています。
                              3. ディスクがいっぱいか破損しています。", @@ -753,7 +759,7 @@ "SSE.Controllers.Main.textAnonymous": "匿名者", "SSE.Controllers.Main.textApplyAll": "全ての数式に適用する", "SSE.Controllers.Main.textBuyNow": "ウェブサイトを訪問する", - "SSE.Controllers.Main.textChangesSaved": "すべての変更が保存された", + "SSE.Controllers.Main.textChangesSaved": "すべての変更が保存されました", "SSE.Controllers.Main.textClose": "閉じる", "SSE.Controllers.Main.textCloseTip": "ヒントを閉じるためにクリックしてください。", "SSE.Controllers.Main.textConfirm": "確認", @@ -776,9 +782,10 @@ "SSE.Controllers.Main.textNoLicenseTitle": "ライセンス制限に達しました", "SSE.Controllers.Main.textPaidFeature": "有料機能", "SSE.Controllers.Main.textPleaseWait": "操作が予想以上に時間がかかります。しばらくお待ちください...", + "SSE.Controllers.Main.textReconnect": "接続が回復しました", "SSE.Controllers.Main.textRemember": "すべてのファイルに選択を保存する", "SSE.Controllers.Main.textRenameError": "ユーザー名は空にできません。", - "SSE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力します", + "SSE.Controllers.Main.textRenameLabel": "コラボレーションに使用する名前を入力してください。", "SSE.Controllers.Main.textShape": "図形", "SSE.Controllers.Main.textStrict": "厳格モード", "SSE.Controllers.Main.textTryUndoRedo": "ファスト共同編集モードに元に戻す/やり直しの機能は無効になります。
                              他のユーザーの干渉なし編集するために「厳密なモード」をクリックして、厳密な共同編集モードに切り替えてください。保存した後にのみ、変更を送信してください。編集の詳細設定を使用して共同編集モードを切り替えることができます。", @@ -787,15 +794,15 @@ "SSE.Controllers.Main.titleLicenseExp": "ライセンスの有効期限が切れています", "SSE.Controllers.Main.titleServerVersion": "エディターが更新された", "SSE.Controllers.Main.txtAccent": "アクセント", - "SSE.Controllers.Main.txtAll": "すべて", - "SSE.Controllers.Main.txtArt": "ここにテキストを入力", + "SSE.Controllers.Main.txtAll": "(すべて)", + "SSE.Controllers.Main.txtArt": "ここにテキストを入力してください", "SSE.Controllers.Main.txtBasicShapes": "基本図形", "SSE.Controllers.Main.txtBlank": "(空白)", "SSE.Controllers.Main.txtButtons": "ボタン", - "SSE.Controllers.Main.txtByField": "%2の%1", + "SSE.Controllers.Main.txtByField": "%2 の %1", "SSE.Controllers.Main.txtCallouts": "引き出し", - "SSE.Controllers.Main.txtCharts": "チャート", - "SSE.Controllers.Main.txtClearFilter": "フィルターをクリアする(Alt+C)", + "SSE.Controllers.Main.txtCharts": "グラフ", + "SSE.Controllers.Main.txtClearFilter": "フィルターを消去(Alt+C)", "SSE.Controllers.Main.txtColLbls": "列ラベル", "SSE.Controllers.Main.txtColumn": "列", "SSE.Controllers.Main.txtConfidential": "機密", @@ -809,14 +816,14 @@ "SSE.Controllers.Main.txtGrandTotal": "総計", "SSE.Controllers.Main.txtGroup": "グループ", "SSE.Controllers.Main.txtHours": "時間", - "SSE.Controllers.Main.txtLines": "行", + "SSE.Controllers.Main.txtLines": "線", "SSE.Controllers.Main.txtMath": "数学", "SSE.Controllers.Main.txtMinutes": "分", "SSE.Controllers.Main.txtMonths": "月", "SSE.Controllers.Main.txtMultiSelect": "複数選択(Alt+S)", "SSE.Controllers.Main.txtOr": "%1か%2", "SSE.Controllers.Main.txtPage": "ページ", - "SSE.Controllers.Main.txtPageOf": "%2のページ%1", + "SSE.Controllers.Main.txtPageOf": "%2のページ%1", "SSE.Controllers.Main.txtPages": "ページ", "SSE.Controllers.Main.txtPreparedBy": "作成者:", "SSE.Controllers.Main.txtPrintArea": "印刷範囲", @@ -833,17 +840,17 @@ "SSE.Controllers.Main.txtShape_accentCallout1": "引き出し線 1(強調線)", "SSE.Controllers.Main.txtShape_accentCallout2": "引き出し 2 (強調線)", "SSE.Controllers.Main.txtShape_accentCallout3": "引き出し 3(強調線)", - "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "[戻る]ボタン", - "SSE.Controllers.Main.txtShape_actionButtonBeginning": "[始めに]ボタン", - "SSE.Controllers.Main.txtShape_actionButtonBlank": "空白ボタン", - "SSE.Controllers.Main.txtShape_actionButtonDocument": "文書ボタン", - "SSE.Controllers.Main.txtShape_actionButtonEnd": "[最後]ボタン", - "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "[次へ]のボタン", - "SSE.Controllers.Main.txtShape_actionButtonHelp": "ヘルプボタン", - "SSE.Controllers.Main.txtShape_actionButtonHome": "ホームボタン", - "SSE.Controllers.Main.txtShape_actionButtonInformation": "[情報]ボタン", - "SSE.Controllers.Main.txtShape_actionButtonMovie": "[ビデオ]ボタン", - "SSE.Controllers.Main.txtShape_actionButtonReturn": "[戻る]ボタン", + "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "「戻る」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonBeginning": "「始めに」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonBlank": "「空白」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonDocument": "「文書」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonEnd": "「最後」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "「次へ」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonHelp": "「ヘルプ」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonHome": "「ホーム」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonInformation": "「情報」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonMovie": "「動画」ボタン", + "SSE.Controllers.Main.txtShape_actionButtonReturn": "「戻る」ボタン", "SSE.Controllers.Main.txtShape_actionButtonSound": "「音」ボタン", "SSE.Controllers.Main.txtShape_arc": "円弧", "SSE.Controllers.Main.txtShape_bentArrow": "曲線の矢印", @@ -864,7 +871,7 @@ "SSE.Controllers.Main.txtShape_chevron": "シェブロン", "SSE.Controllers.Main.txtShape_chord": "コード", "SSE.Controllers.Main.txtShape_circularArrow": "円弧の矢印", - "SSE.Controllers.Main.txtShape_cloud": "雲形", + "SSE.Controllers.Main.txtShape_cloud": "クラウド", "SSE.Controllers.Main.txtShape_cloudCallout": "雲形吹き出し", "SSE.Controllers.Main.txtShape_corner": "角", "SSE.Controllers.Main.txtShape_cube": "立方体", @@ -888,32 +895,32 @@ "SSE.Controllers.Main.txtShape_ellipseRibbon2": "曲線上向けのリボン", "SSE.Controllers.Main.txtShape_flowChartAlternateProcess": "フローチャート:代替処理", "SSE.Controllers.Main.txtShape_flowChartCollate": "フローチャート:照合", - "SSE.Controllers.Main.txtShape_flowChartConnector": "フローチャート: コネクタ", - "SSE.Controllers.Main.txtShape_flowChartDecision": "フローチャート: 判断", - "SSE.Controllers.Main.txtShape_flowChartDelay": "フローチャート: 遅延", - "SSE.Controllers.Main.txtShape_flowChartDisplay": "フローチャート: 表示", - "SSE.Controllers.Main.txtShape_flowChartDocument": "フローチャート: 文書", - "SSE.Controllers.Main.txtShape_flowChartExtract": "フローチャート: 抜き出し", - "SSE.Controllers.Main.txtShape_flowChartInputOutput": "フローチャート: データ", - "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "フローチャート: 内部ストレージ", - "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "フローチャート: 磁気ディスク", - "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "フローチャート: 直接アクセスのストレージ", - "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート: 順次アクセス記憶", - "SSE.Controllers.Main.txtShape_flowChartManualInput": "フローチャート: 手動入力", - "SSE.Controllers.Main.txtShape_flowChartManualOperation": "フローチャート: 手作業", - "SSE.Controllers.Main.txtShape_flowChartMerge": "フローチャート: 統合", - "SSE.Controllers.Main.txtShape_flowChartMultidocument": "フローチャート: 複数文書", - "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "フローチャート: 他ページへのリンク", - "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "フローチャート: 保存されたデータ", - "SSE.Controllers.Main.txtShape_flowChartOr": "フローチャート: また", - "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "フローチャート: 事前定義されたプロセス", - "SSE.Controllers.Main.txtShape_flowChartPreparation": "フローチャート: 準備", - "SSE.Controllers.Main.txtShape_flowChartProcess": "フローチャート: プロセス\n\t", + "SSE.Controllers.Main.txtShape_flowChartConnector": "フローチャート:コネクタ", + "SSE.Controllers.Main.txtShape_flowChartDecision": "フローチャート:判断", + "SSE.Controllers.Main.txtShape_flowChartDelay": "フローチャート:遅延", + "SSE.Controllers.Main.txtShape_flowChartDisplay": "フローチャート:表示", + "SSE.Controllers.Main.txtShape_flowChartDocument": "フローチャート:文書", + "SSE.Controllers.Main.txtShape_flowChartExtract": "フローチャート:抜き出し", + "SSE.Controllers.Main.txtShape_flowChartInputOutput": "フローチャート:データ", + "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "フローチャート:内部ストレージ", + "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "フローチャート:磁気ディスク", + "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "フローチャート:直接アクセスのストレージ", + "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "フローチャート:順次アクセス記憶", + "SSE.Controllers.Main.txtShape_flowChartManualInput": "フローチャート:手動入力", + "SSE.Controllers.Main.txtShape_flowChartManualOperation": "フローチャート:手作業", + "SSE.Controllers.Main.txtShape_flowChartMerge": "フローチャート:統合", + "SSE.Controllers.Main.txtShape_flowChartMultidocument": "フローチャート:複数文書", + "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "フローチャート:他ページへのリンク", + "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "フローチャート:保存されたデータ", + "SSE.Controllers.Main.txtShape_flowChartOr": "フローチャート: 論理和", + "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "フローチャート:事前定義されたプロセス", + "SSE.Controllers.Main.txtShape_flowChartPreparation": "フローチャート:準備", + "SSE.Controllers.Main.txtShape_flowChartProcess": "フローチャート:プロセス", "SSE.Controllers.Main.txtShape_flowChartPunchedCard": "フローチャート:カード", "SSE.Controllers.Main.txtShape_flowChartPunchedTape": "フローチャート: せん孔テープ", - "SSE.Controllers.Main.txtShape_flowChartSort": "フローチャート: 並べ替え", - "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "フローチャート: 和接合", - "SSE.Controllers.Main.txtShape_flowChartTerminator": "フローチャート:  端子", + "SSE.Controllers.Main.txtShape_flowChartSort": "フローチャート:並べ替え", + "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "フローチャート:和接合", + "SSE.Controllers.Main.txtShape_flowChartTerminator": "フローチャート:端子", "SSE.Controllers.Main.txtShape_foldedCorner": "折り曲げコーナー", "SSE.Controllers.Main.txtShape_frame": "フレーム", "SSE.Controllers.Main.txtShape_halfFrame": "半フレーム", @@ -937,13 +944,13 @@ "SSE.Controllers.Main.txtShape_lineWithArrow": "矢印", "SSE.Controllers.Main.txtShape_lineWithTwoArrows": "二重矢印", "SSE.Controllers.Main.txtShape_mathDivide": "除法", - "SSE.Controllers.Main.txtShape_mathEqual": "等号", + "SSE.Controllers.Main.txtShape_mathEqual": "等しい", "SSE.Controllers.Main.txtShape_mathMinus": "マイナス", "SSE.Controllers.Main.txtShape_mathMultiply": "乗算", "SSE.Controllers.Main.txtShape_mathNotEqual": "不等号", "SSE.Controllers.Main.txtShape_mathPlus": "プラス", "SSE.Controllers.Main.txtShape_moon": "月形", - "SSE.Controllers.Main.txtShape_noSmoking": "\"禁止\"マーク", + "SSE.Controllers.Main.txtShape_noSmoking": "「禁止」マーク", "SSE.Controllers.Main.txtShape_notchedRightArrow": "V 字形矢印", "SSE.Controllers.Main.txtShape_octagon": "八角形", "SSE.Controllers.Main.txtShape_parallelogram": "平行四辺形", @@ -973,16 +980,16 @@ "SSE.Controllers.Main.txtShape_snip2SameRect": "片側の2つの角を切り取った四角形", "SSE.Controllers.Main.txtShape_snipRoundRect": "1つの角を切り取り1つの角を丸めた四角形", "SSE.Controllers.Main.txtShape_spline": "曲線", - "SSE.Controllers.Main.txtShape_star10": "十芒星", - "SSE.Controllers.Main.txtShape_star12": "十二芒星", - "SSE.Controllers.Main.txtShape_star16": "十六芒星", - "SSE.Controllers.Main.txtShape_star24": "二十四芒星", - "SSE.Controllers.Main.txtShape_star32": "三十二芒星", - "SSE.Controllers.Main.txtShape_star4": "四芒星", - "SSE.Controllers.Main.txtShape_star5": "五芒星", - "SSE.Controllers.Main.txtShape_star6": "六芒星", - "SSE.Controllers.Main.txtShape_star7": "七芒星", - "SSE.Controllers.Main.txtShape_star8": "八芒星", + "SSE.Controllers.Main.txtShape_star10": "星10", + "SSE.Controllers.Main.txtShape_star12": "星12", + "SSE.Controllers.Main.txtShape_star16": "星16", + "SSE.Controllers.Main.txtShape_star24": "星24", + "SSE.Controllers.Main.txtShape_star32": "星32", + "SSE.Controllers.Main.txtShape_star4": "星4", + "SSE.Controllers.Main.txtShape_star5": "星5", + "SSE.Controllers.Main.txtShape_star6": "星6", + "SSE.Controllers.Main.txtShape_star7": "星7", + "SSE.Controllers.Main.txtShape_star8": "星8", "SSE.Controllers.Main.txtShape_stripedRightArrow": "ストライプの右矢印", "SSE.Controllers.Main.txtShape_sun": "太陽形", "SSE.Controllers.Main.txtShape_teardrop": "滴", @@ -998,7 +1005,7 @@ "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "円形引き出し", "SSE.Controllers.Main.txtShape_wedgeRectCallout": "長方形の吹き出し", "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "角丸長方形の引き出し", - "SSE.Controllers.Main.txtStarsRibbons": "スター&リボン", + "SSE.Controllers.Main.txtStarsRibbons": "星&リボン", "SSE.Controllers.Main.txtStyle_Bad": "悪い", "SSE.Controllers.Main.txtStyle_Calculation": "計算", "SSE.Controllers.Main.txtStyle_Check_Cell": "チェックセル", @@ -1012,7 +1019,7 @@ "SSE.Controllers.Main.txtStyle_Heading_4": "見出し4", "SSE.Controllers.Main.txtStyle_Input": "入力", "SSE.Controllers.Main.txtStyle_Linked_Cell": "リンクされたセル", - "SSE.Controllers.Main.txtStyle_Neutral": "どちらでもない", + "SSE.Controllers.Main.txtStyle_Neutral": "ニュートラル", "SSE.Controllers.Main.txtStyle_Normal": "標準", "SSE.Controllers.Main.txtStyle_Note": "注意", "SSE.Controllers.Main.txtStyle_Output": "出力", @@ -1024,7 +1031,7 @@ "SSE.Controllers.Main.txtTable": "表", "SSE.Controllers.Main.txtTime": "時刻", "SSE.Controllers.Main.txtUnlock": "ロックを解除する", - "SSE.Controllers.Main.txtUnlockRange": "一意の範囲", + "SSE.Controllers.Main.txtUnlockRange": "範囲のロック解除", "SSE.Controllers.Main.txtUnlockRangeDescription": "範囲を変更するようにパスワードを入力してください", "SSE.Controllers.Main.txtUnlockRangeWarning": "変更しようとしている範囲がパスワードで保護されています。", "SSE.Controllers.Main.txtValues": "値", @@ -1036,7 +1043,7 @@ "SSE.Controllers.Main.uploadDocExtMessage": "不明な文書形式", "SSE.Controllers.Main.uploadDocFileCountMessage": "アップロードされた文書がありません", "SSE.Controllers.Main.uploadDocSizeMessage": "文書の最大サイズ制限を超えました", - "SSE.Controllers.Main.uploadImageExtMessage": "不明なイメージの形式", + "SSE.Controllers.Main.uploadImageExtMessage": "不明な画像形式", "SSE.Controllers.Main.uploadImageFileCountMessage": "アップロードした画像なし", "SSE.Controllers.Main.uploadImageSizeMessage": "イメージのサイズの上限が超えさせました。サイズの上限が25MB。", "SSE.Controllers.Main.uploadImageTextText": "イメージをアップロードしています...", @@ -1045,14 +1052,14 @@ "SSE.Controllers.Main.warnBrowserIE9": "IE9にアプリケーションの機能のレベルが低いです。IE10または次のバージョンを使ってください。", "SSE.Controllers.Main.warnBrowserZoom": "お使いのブラウザの現在のズームの設定は完全にサポートされていません。Ctrl+0を押して、デフォルトのズームにリセットしてください。", "SSE.Controllers.Main.warnLicenseExceeded": "%1エディターへの同時接続の制限に達しました。 このドキュメントは表示専用で開かれます。
                              詳細については、管理者にお問い合わせください。", - "SSE.Controllers.Main.warnLicenseExp": "ライセンスの有効期限が切れています。
                              ライセンスを更新してページをリロードしてください。", + "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.Print.strAllSheets": "全てのシート", + "SSE.Controllers.Print.strAllSheets": "全シート", "SSE.Controllers.Print.textFirstCol": "最初の列", "SSE.Controllers.Print.textFirstRow": "最初の行", "SSE.Controllers.Print.textFrozenCols": "固定された列", @@ -1093,15 +1100,16 @@ "SSE.Controllers.Toolbar.textPivot": "ピボットテーブル", "SSE.Controllers.Toolbar.textRadical": "冪根", "SSE.Controllers.Toolbar.textRating": "評価", + "SSE.Controllers.Toolbar.textRecentlyUsed": "最近使用された", "SSE.Controllers.Toolbar.textScript": "スクリプト", - "SSE.Controllers.Toolbar.textShapes": "形", + "SSE.Controllers.Toolbar.textShapes": "図形", "SSE.Controllers.Toolbar.textSymbols": "記号と特殊文字", "SSE.Controllers.Toolbar.textWarning": "警告", - "SSE.Controllers.Toolbar.txtAccent_Accent": "アクサンテギュ", + "SSE.Controllers.Toolbar.txtAccent_Accent": "アキュート", "SSE.Controllers.Toolbar.txtAccent_ArrowD": "左右双方向矢印 (上)", "SSE.Controllers.Toolbar.txtAccent_ArrowL": "左に矢印 (上)", "SSE.Controllers.Toolbar.txtAccent_ArrowR": "右向き矢印 (上)", - "SSE.Controllers.Toolbar.txtAccent_Bar": "バー", + "SSE.Controllers.Toolbar.txtAccent_Bar": "横棒グラフ", "SSE.Controllers.Toolbar.txtAccent_BarBot": "下の棒", "SSE.Controllers.Toolbar.txtAccent_BarTop": "上の棒", "SSE.Controllers.Toolbar.txtAccent_BorderBox": "四角囲み数式 (プレースホルダ付き)", @@ -1134,7 +1142,7 @@ "SSE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "単一かっこ", "SSE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "単一かっこ", "SSE.Controllers.Toolbar.txtBracket_Custom_1": "場合分け(条件2つ)", - "SSE.Controllers.Toolbar.txtBracket_Custom_2": "場合分け (条件 3 つ)", + "SSE.Controllers.Toolbar.txtBracket_Custom_2": "場合分け (条件3つ)", "SSE.Controllers.Toolbar.txtBracket_Custom_3": "縦並びオブジェクト", "SSE.Controllers.Toolbar.txtBracket_Custom_4": "縦並びオブジェクト", "SSE.Controllers.Toolbar.txtBracket_Custom_5": "場合分けの例", @@ -1165,14 +1173,14 @@ "SSE.Controllers.Toolbar.txtBracket_UppLim": "括弧", "SSE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "単一かっこ", "SSE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "単一かっこ", - "SSE.Controllers.Toolbar.txtDeleteCells": "セルを削除する", + "SSE.Controllers.Toolbar.txtDeleteCells": "セルを削除", "SSE.Controllers.Toolbar.txtExpand": "拡張と並べ替え", "SSE.Controllers.Toolbar.txtExpandSort": "選択範囲の横のデータは並べ替えられません。 選択範囲を拡張して隣接するデータを含めるか、現在選択されているセルのみの並べ替えを続行しますか?", "SSE.Controllers.Toolbar.txtFractionDiagonal": "分数 (斜め)", "SSE.Controllers.Toolbar.txtFractionDifferential_1": "微分", "SSE.Controllers.Toolbar.txtFractionDifferential_2": "微分", "SSE.Controllers.Toolbar.txtFractionDifferential_3": "微分", - "SSE.Controllers.Toolbar.txtFractionDifferential_4": "関数の微分", + "SSE.Controllers.Toolbar.txtFractionDifferential_4": "微分", "SSE.Controllers.Toolbar.txtFractionHorizontal": "分数 (横)", "SSE.Controllers.Toolbar.txtFractionPi_2": "円周率を2で割る", "SSE.Controllers.Toolbar.txtFractionSmall": "分数 (小)", @@ -1204,7 +1212,7 @@ "SSE.Controllers.Toolbar.txtFunction_Sinh": "双曲線正弦関数", "SSE.Controllers.Toolbar.txtFunction_Tan": "逆正接関数", "SSE.Controllers.Toolbar.txtFunction_Tanh": "双曲線正接関数", - "SSE.Controllers.Toolbar.txtInsertCells": "セルの挿入", + "SSE.Controllers.Toolbar.txtInsertCells": "セルを挿入", "SSE.Controllers.Toolbar.txtIntegral": "積分", "SSE.Controllers.Toolbar.txtIntegral_dtheta": "微分 dθ", "SSE.Controllers.Toolbar.txtIntegral_dx": "微分dx", @@ -1284,7 +1292,7 @@ "SSE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "かっこ付き空行列", "SSE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "かっこ付き空行列", "SSE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "かっこ付き空行列", - "SSE.Controllers.Toolbar.txtMatrix_2_3": "2x3空行列", + "SSE.Controllers.Toolbar.txtMatrix_2_3": "2x3 空行列", "SSE.Controllers.Toolbar.txtMatrix_3_1": "3x1 空行列", "SSE.Controllers.Toolbar.txtMatrix_3_2": "3x2 空行列", "SSE.Controllers.Toolbar.txtMatrix_3_3": "3x3 空行列", @@ -1354,14 +1362,14 @@ "SSE.Controllers.Toolbar.txtSymbol_ddots": "下右斜めの省略記号", "SSE.Controllers.Toolbar.txtSymbol_degree": "度", "SSE.Controllers.Toolbar.txtSymbol_delta": "デルタ", - "SSE.Controllers.Toolbar.txtSymbol_div": "除算記号", + "SSE.Controllers.Toolbar.txtSymbol_div": "「除算」記号", "SSE.Controllers.Toolbar.txtSymbol_downarrow": "下矢印", "SSE.Controllers.Toolbar.txtSymbol_emptyset": "空集合", - "SSE.Controllers.Toolbar.txtSymbol_epsilon": "エプシロン", - "SSE.Controllers.Toolbar.txtSymbol_equals": "等号", + "SSE.Controllers.Toolbar.txtSymbol_epsilon": "イプシロン", + "SSE.Controllers.Toolbar.txtSymbol_equals": "等しい", "SSE.Controllers.Toolbar.txtSymbol_equiv": "恒等", "SSE.Controllers.Toolbar.txtSymbol_eta": "エータ", - "SSE.Controllers.Toolbar.txtSymbol_exists": "存在する\t", + "SSE.Controllers.Toolbar.txtSymbol_exists": "存在します\t", "SSE.Controllers.Toolbar.txtSymbol_factorial": "階乗", "SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "華氏", "SSE.Controllers.Toolbar.txtSymbol_forall": "全てに", @@ -1371,13 +1379,13 @@ "SSE.Controllers.Toolbar.txtSymbol_greater": "より大きい", "SSE.Controllers.Toolbar.txtSymbol_in": "要素", "SSE.Controllers.Toolbar.txtSymbol_inc": "増分", - "SSE.Controllers.Toolbar.txtSymbol_infinity": "無限", + "SSE.Controllers.Toolbar.txtSymbol_infinity": "無限大", "SSE.Controllers.Toolbar.txtSymbol_iota": "イオタ", "SSE.Controllers.Toolbar.txtSymbol_kappa": "カッパ", "SSE.Controllers.Toolbar.txtSymbol_lambda": "ラムダ", "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "左矢印", "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "左右矢印", - "SSE.Controllers.Toolbar.txtSymbol_leq": "次の値以下", + "SSE.Controllers.Toolbar.txtSymbol_leq": "より小さいか等しい", "SSE.Controllers.Toolbar.txtSymbol_less": "次の値より小さい", "SSE.Controllers.Toolbar.txtSymbol_ll": "よりもっと小さい", "SSE.Controllers.Toolbar.txtSymbol_minus": "マイナス", @@ -1386,7 +1394,7 @@ "SSE.Controllers.Toolbar.txtSymbol_nabla": "ナブラ", "SSE.Controllers.Toolbar.txtSymbol_neq": "と等しくない", "SSE.Controllers.Toolbar.txtSymbol_ni": "元として含む", - "SSE.Controllers.Toolbar.txtSymbol_not": "否定記号", + "SSE.Controllers.Toolbar.txtSymbol_not": "「否定」記号", "SSE.Controllers.Toolbar.txtSymbol_notexists": "存在しません", "SSE.Controllers.Toolbar.txtSymbol_nu": "ニュー", "SSE.Controllers.Toolbar.txtSymbol_o": "オミクロン", @@ -1409,7 +1417,7 @@ "SSE.Controllers.Toolbar.txtSymbol_tau": "タウ", "SSE.Controllers.Toolbar.txtSymbol_therefore": "従って", "SSE.Controllers.Toolbar.txtSymbol_theta": "シータ", - "SSE.Controllers.Toolbar.txtSymbol_times": "乗算記号", + "SSE.Controllers.Toolbar.txtSymbol_times": "「乗算」記号", "SSE.Controllers.Toolbar.txtSymbol_uparrow": "上矢印", "SSE.Controllers.Toolbar.txtSymbol_upsilon": "ウプシロン", "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "イプシロン (別形)", @@ -1434,30 +1442,32 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "小数点区切り", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "桁区切り", "SSE.Views.AdvancedSeparatorDialog.textLabel": "数値の桁区切り設定", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "文字列の引用符", "SSE.Views.AdvancedSeparatorDialog.textTitle": "詳細設定", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(なし)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "ユーザー設定フィルター", "SSE.Views.AutoFilterDialog.textAddSelection": "現在の選択範囲をフィルターに追加する", - "SSE.Views.AutoFilterDialog.textEmptyItem": "{空白セル}", + "SSE.Views.AutoFilterDialog.textEmptyItem": "{空白}", "SSE.Views.AutoFilterDialog.textSelectAll": "すべての選択", "SSE.Views.AutoFilterDialog.textSelectAllResults": "検索の全ての結果を選択する", "SSE.Views.AutoFilterDialog.textWarning": "警告", "SSE.Views.AutoFilterDialog.txtAboveAve": "平均より上", "SSE.Views.AutoFilterDialog.txtBegins": "...で始まる", "SSE.Views.AutoFilterDialog.txtBelowAve": "平均より下​​", - "SSE.Views.AutoFilterDialog.txtBetween": "...間に", - "SSE.Views.AutoFilterDialog.txtClear": "クリア", + "SSE.Views.AutoFilterDialog.txtBetween": "…の間に", + "SSE.Views.AutoFilterDialog.txtClear": "消去", "SSE.Views.AutoFilterDialog.txtContains": "...が値を含む", "SSE.Views.AutoFilterDialog.txtEmpty": "セルのフィルタを挿入してください。", - "SSE.Views.AutoFilterDialog.txtEnds": "終了...", + "SSE.Views.AutoFilterDialog.txtEnds": "終了", "SSE.Views.AutoFilterDialog.txtEquals": "...に等しい", "SSE.Views.AutoFilterDialog.txtFilterCellColor": "セルの色でフィルター", "SSE.Views.AutoFilterDialog.txtFilterFontColor": "フォントの色でフィルター", "SSE.Views.AutoFilterDialog.txtGreater": "...より大きい", - "SSE.Views.AutoFilterDialog.txtGreaterEquals": "次の値以上...", + "SSE.Views.AutoFilterDialog.txtGreaterEquals": "以上か等号", "SSE.Views.AutoFilterDialog.txtLabelFilter": "ラベル・フィルター", "SSE.Views.AutoFilterDialog.txtLess": "...より小", "SSE.Views.AutoFilterDialog.txtLessEquals": "より小か等しい", - "SSE.Views.AutoFilterDialog.txtNotBegins": "次の値で始まらない", + "SSE.Views.AutoFilterDialog.txtNotBegins": "…の値で始まらない", "SSE.Views.AutoFilterDialog.txtNotBetween": "間ではない", "SSE.Views.AutoFilterDialog.txtNotContains": "次の値を含まない...", "SSE.Views.AutoFilterDialog.txtNotEnds": "次の値で終わらない...", @@ -1470,26 +1480,26 @@ "SSE.Views.AutoFilterDialog.txtSortLow2High": "小さい順に並べ替えます。", "SSE.Views.AutoFilterDialog.txtSortOption": "並べ替えの他の設定...", "SSE.Views.AutoFilterDialog.txtTextFilter": "テキストのフィルタ-", - "SSE.Views.AutoFilterDialog.txtTitle": "フィルタ", + "SSE.Views.AutoFilterDialog.txtTitle": "フィルター​​", "SSE.Views.AutoFilterDialog.txtTop10": "トップ10", "SSE.Views.AutoFilterDialog.txtValueFilter": "値フィルター", - "SSE.Views.AutoFilterDialog.warnFilterError": "値フィルターを適用するには、[値]範囲に少なくとも1つのフィールドが必要です。", - "SSE.Views.AutoFilterDialog.warnNoSelected": "値を1つ以上指定してください。", + "SSE.Views.AutoFilterDialog.warnFilterError": "値フィルターを適用するには、「値」範囲に少なくとも1つのフィールドが必要です。", + "SSE.Views.AutoFilterDialog.warnNoSelected": "値を少なくとも1つを指定してください。", "SSE.Views.CellEditor.textManager": "名前の管理", - "SSE.Views.CellEditor.tipFormula": "関数の挿入", + "SSE.Views.CellEditor.tipFormula": "関数を挿入", "SSE.Views.CellRangeDialog.errorMaxRows": "エラー!使用可能なデータ系列の数は、1グラフあたり最大255個です。", "SSE.Views.CellRangeDialog.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、
                              始値、高値、安値、終値の順でシートのデータを配置してください。", "SSE.Views.CellRangeDialog.txtEmpty": "このフィールドは必須項目です", "SSE.Views.CellRangeDialog.txtInvalidRange": "エラー!セルの範囲が正しくありません。", "SSE.Views.CellRangeDialog.txtTitle": "データ範囲の選択", - "SSE.Views.CellSettings.strShrink": "フィットするように縮小", + "SSE.Views.CellSettings.strShrink": "縮小して全体を表示する", "SSE.Views.CellSettings.strWrap": "テキストの折り返し", "SSE.Views.CellSettings.textAngle": "角", "SSE.Views.CellSettings.textBackColor": "背景色", - "SSE.Views.CellSettings.textBackground": "背景の色", + "SSE.Views.CellSettings.textBackground": "背景色", "SSE.Views.CellSettings.textBorderColor": "色", "SSE.Views.CellSettings.textBorders": "罫線のスタイル", - "SSE.Views.CellSettings.textClearRule": "ルールを消去する", + "SSE.Views.CellSettings.textClearRule": "ルールを解除", "SSE.Views.CellSettings.textColor": "色で塗りつぶし", "SSE.Views.CellSettings.textColorScales": "色​​スケール", "SSE.Views.CellSettings.textCondFormat": "条件付き書式", @@ -1498,7 +1508,7 @@ "SSE.Views.CellSettings.textDirection": "方向", "SSE.Views.CellSettings.textFill": "塗りつぶし", "SSE.Views.CellSettings.textForeground": "前景色", - "SSE.Views.CellSettings.textGradient": "グラデーション", + "SSE.Views.CellSettings.textGradient": "グラデーションのポイント", "SSE.Views.CellSettings.textGradientColor": "色", "SSE.Views.CellSettings.textGradientFill": "グラデーション塗りつぶし", "SSE.Views.CellSettings.textIndent": "インデント", @@ -1508,8 +1518,8 @@ "SSE.Views.CellSettings.textNewRule": "新しいルール", "SSE.Views.CellSettings.textNoFill": "塗りつぶしなし", "SSE.Views.CellSettings.textOrientation": "テキストの方向", - "SSE.Views.CellSettings.textPattern": "模様", - "SSE.Views.CellSettings.textPatternFill": "模様", + "SSE.Views.CellSettings.textPattern": "パターン", + "SSE.Views.CellSettings.textPatternFill": "パターン", "SSE.Views.CellSettings.textPosition": "位置", "SSE.Views.CellSettings.textRadial": "放射状", "SSE.Views.CellSettings.textSelectBorders": "選択したスタイルを適用する罫線をご選択ください", @@ -1517,7 +1527,7 @@ "SSE.Views.CellSettings.textThisPivot": "このピボットから", "SSE.Views.CellSettings.textThisSheet": "このシートから", "SSE.Views.CellSettings.textThisTable": "この表から", - "SSE.Views.CellSettings.tipAddGradientPoint": "グラデーションポイントを追加する", + "SSE.Views.CellSettings.tipAddGradientPoint": "グラデーションポイントを追加", "SSE.Views.CellSettings.tipAll": "外部の罫線と全ての内部の線", "SSE.Views.CellSettings.tipBottom": "外部の罫線(下)だけを設定する", "SSE.Views.CellSettings.tipDiagD": "斜め罫線 (右下がり)を設定する", @@ -1538,12 +1548,12 @@ "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "参照が無効です。 タイトル、値、サイズ、またはデータラベルの参照は、単一のセル、行、または列である必要があります。", "SSE.Views.ChartDataDialog.errorNoValues": "グラフを作成するには、系列に少なくとも1つの値がある必要があります。", "SSE.Views.ChartDataDialog.errorStockChart": "行の順序が正しくありません。この株価チャートを作成するには、
                              始値、高値、安値、終値の順でシートのデータを配置してください。", - "SSE.Views.ChartDataDialog.textAdd": "追加する", + "SSE.Views.ChartDataDialog.textAdd": "追加", "SSE.Views.ChartDataDialog.textCategory": "水平(カテゴリ)軸ラベル", "SSE.Views.ChartDataDialog.textData": "グラフのデータ範囲", "SSE.Views.ChartDataDialog.textDelete": "削除する", "SSE.Views.ChartDataDialog.textDown": "下", - "SSE.Views.ChartDataDialog.textEdit": "編集する", + "SSE.Views.ChartDataDialog.textEdit": "編集", "SSE.Views.ChartDataDialog.textInvalidRange": "無効なセル範囲", "SSE.Views.ChartDataDialog.textSelectData": "データの選択", "SSE.Views.ChartDataDialog.textSeries": "凡例項目 (系列)", @@ -1560,10 +1570,10 @@ "SSE.Views.ChartDataRangeDialog.textInvalidRange": "無効なセル範囲", "SSE.Views.ChartDataRangeDialog.textSelectData": "データの選択", "SSE.Views.ChartDataRangeDialog.txtAxisLabel": "軸ラベル範囲", - "SSE.Views.ChartDataRangeDialog.txtChoose": "範囲を選択する", + "SSE.Views.ChartDataRangeDialog.txtChoose": "範囲を選択", "SSE.Views.ChartDataRangeDialog.txtSeriesName": "系列の名前", "SSE.Views.ChartDataRangeDialog.txtTitleCategory": "軸ラベル", - "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "行を変更する", + "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "行を編集する", "SSE.Views.ChartDataRangeDialog.txtValues": "値", "SSE.Views.ChartDataRangeDialog.txtXValues": "X値", "SSE.Views.ChartDataRangeDialog.txtYValues": "Y値", @@ -1572,9 +1582,9 @@ "SSE.Views.ChartSettings.strTemplate": "テンプレート", "SSE.Views.ChartSettings.textAdvanced": "詳細設定の表示", "SSE.Views.ChartSettings.textBorderSizeErr": "入力された値が正しくありません。
                              0〜1584の数値をご入力ください。", - "SSE.Views.ChartSettings.textChangeType": "タイプを変更する", - "SSE.Views.ChartSettings.textChartType": "チャートのタイプを変更する", - "SSE.Views.ChartSettings.textEditData": "データの編集", + "SSE.Views.ChartSettings.textChangeType": "タイプを変更", + "SSE.Views.ChartSettings.textChartType": "グラフの種類を変更", + "SSE.Views.ChartSettings.textEditData": "データと場所を編集", "SSE.Views.ChartSettings.textFirstPoint": "最初のポイント", "SSE.Views.ChartSettings.textHeight": "高さ", "SSE.Views.ChartSettings.textHighPoint": "最高ポイント", @@ -1601,8 +1611,8 @@ "SSE.Views.ChartSettingsDlg.textAuto": "自動", "SSE.Views.ChartSettingsDlg.textAutoEach": "各に自動的", "SSE.Views.ChartSettingsDlg.textAxisCrosses": "軸との交点", - "SSE.Views.ChartSettingsDlg.textAxisOptions": "軸のオプション", - "SSE.Views.ChartSettingsDlg.textAxisPos": "軸位置", + "SSE.Views.ChartSettingsDlg.textAxisOptions": "軸の設定", + "SSE.Views.ChartSettingsDlg.textAxisPos": "軸の位置", "SSE.Views.ChartSettingsDlg.textAxisSettings": "軸の設定", "SSE.Views.ChartSettingsDlg.textAxisTitle": "タイトル", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "目盛りの間", @@ -1617,7 +1627,7 @@ "SSE.Views.ChartSettingsDlg.textDataColumns": "列に", "SSE.Views.ChartSettingsDlg.textDataLabels": "データ ラベル", "SSE.Views.ChartSettingsDlg.textDataRows": "行に", - "SSE.Views.ChartSettingsDlg.textDisplayLegend": "凡例の表示", + "SSE.Views.ChartSettingsDlg.textDisplayLegend": "凡例を表示", "SSE.Views.ChartSettingsDlg.textEmptyCells": "空のセルと非表示のセル", "SSE.Views.ChartSettingsDlg.textEmptyLine": "データポイントを線で接続する", "SSE.Views.ChartSettingsDlg.textFit": "幅に合わせる", @@ -1651,13 +1661,13 @@ "SSE.Views.ChartSettingsDlg.textLegendPos": "凡例", "SSE.Views.ChartSettingsDlg.textLegendRight": "右に", "SSE.Views.ChartSettingsDlg.textLegendTop": "トップ", - "SSE.Views.ChartSettingsDlg.textLines": "行", + "SSE.Views.ChartSettingsDlg.textLines": "線", "SSE.Views.ChartSettingsDlg.textLocationRange": "場所の範囲", - "SSE.Views.ChartSettingsDlg.textLow": "ロー", + "SSE.Views.ChartSettingsDlg.textLow": "低", "SSE.Views.ChartSettingsDlg.textMajor": "メジャー", "SSE.Views.ChartSettingsDlg.textMajorMinor": "メジャーまたはマイナー", "SSE.Views.ChartSettingsDlg.textMajorType": "目盛の種類", - "SSE.Views.ChartSettingsDlg.textManual": "マニュアル", + "SSE.Views.ChartSettingsDlg.textManual": "手動的に", "SSE.Views.ChartSettingsDlg.textMarkers": "マーカー", "SSE.Views.ChartSettingsDlg.textMarksInterval": "マークの間の間隔", "SSE.Views.ChartSettingsDlg.textMaxValue": "最大値", @@ -1683,11 +1693,11 @@ "SSE.Views.ChartSettingsDlg.textSeparator": "日付のラベルの区切り記号", "SSE.Views.ChartSettingsDlg.textSeriesName": "系列の名前", "SSE.Views.ChartSettingsDlg.textShow": "表示", - "SSE.Views.ChartSettingsDlg.textShowBorders": "グラフの罫線の表示", + "SSE.Views.ChartSettingsDlg.textShowBorders": "グラフの罫線を表示", "SSE.Views.ChartSettingsDlg.textShowData": "非表示の行と列にデータを表示する", "SSE.Views.ChartSettingsDlg.textShowEmptyCells": "空のセルを表示する", "SSE.Views.ChartSettingsDlg.textShowSparkAxis": "軸を表示する", - "SSE.Views.ChartSettingsDlg.textShowValues": "グラフ値の表示", + "SSE.Views.ChartSettingsDlg.textShowValues": "グラフ値を表示", "SSE.Views.ChartSettingsDlg.textSingle": "単一スパークライン", "SSE.Views.ChartSettingsDlg.textSmooth": "スムーズ", "SSE.Views.ChartSettingsDlg.textSnap": "セルに合わせる", @@ -1721,7 +1731,7 @@ "SSE.Views.ChartTypeDialog.textTitle": "グラフの種類", "SSE.Views.ChartTypeDialog.textType": "タイプ", "SSE.Views.CreatePivotDialog.textDataRange": "ソースデータ範囲", - "SSE.Views.CreatePivotDialog.textDestination": "テーブルを配置する場所をご選択ください", + "SSE.Views.CreatePivotDialog.textDestination": "テーブルを配置する場所を選択してください", "SSE.Views.CreatePivotDialog.textExist": "既存のワークシート", "SSE.Views.CreatePivotDialog.textInvalidRange": "無効なセル範囲", "SSE.Views.CreatePivotDialog.textNew": "新しいワークシート", @@ -1745,8 +1755,8 @@ "SSE.Views.DataTab.mniFromUrl": "TXT/CSVWeb アドレスから", "SSE.Views.DataTab.textBelow": "詳細の下の要約行", "SSE.Views.DataTab.textClear": "グループを解除", - "SSE.Views.DataTab.textColumns": "カラムのグループを解除", - "SSE.Views.DataTab.textGroupColumns": "カラムをグループ化", + "SSE.Views.DataTab.textColumns": "列のグループを解除", + "SSE.Views.DataTab.textGroupColumns": "列をグループ化", "SSE.Views.DataTab.textGroupRows": "行をグループ化", "SSE.Views.DataTab.textRightOf": "詳細の右側にある要約列", "SSE.Views.DataTab.textRows": "行のグループを解除", @@ -1756,7 +1766,7 @@ "SSE.Views.DataTab.tipGroup": "セルの範囲をグループ化する", "SSE.Views.DataTab.tipRemDuplicates": "シート内の重複を削除", "SSE.Views.DataTab.tipToColumns": "セルテキストを列に分割する", - "SSE.Views.DataTab.tipUngroup": "セルの範囲をグループ解除する", + "SSE.Views.DataTab.tipUngroup": "セルの範囲をグループ解除", "SSE.Views.DataValidationDialog.errorFormula": "現在、値がエラーと評価されています。続けますか?", "SSE.Views.DataValidationDialog.errorInvalid": "フィールド \"{0}\"に入力した値が無効です。", "SSE.Views.DataValidationDialog.errorInvalidDate": "フィールド \"{0}\"に入力した日付が無効です。", @@ -1769,11 +1779,11 @@ "SSE.Views.DataValidationDialog.errorNegativeTextLength": "条件 \"{0}\"では負の値を使用できません。", "SSE.Views.DataValidationDialog.errorNotNumeric": "フィールド \"{0}\"は、数値または数式であるか、数値を含むセルを参照している必要があります。", "SSE.Views.DataValidationDialog.strError": "エラー警告", - "SSE.Views.DataValidationDialog.strInput": "メッセージ入力", + "SSE.Views.DataValidationDialog.strInput": "メッセージを入力", "SSE.Views.DataValidationDialog.strSettings": "設定", "SSE.Views.DataValidationDialog.textAlert": "警告", "SSE.Views.DataValidationDialog.textAllow": "許可", - "SSE.Views.DataValidationDialog.textApply": "これらの変更を同じ設定の他のすべてのセルに適用します", + "SSE.Views.DataValidationDialog.textApply": "これらの変更を同じ設定の他のすべてのセルに適用する", "SSE.Views.DataValidationDialog.textCellSelected": "セルを選択すると、この入力メッセージを表示します", "SSE.Views.DataValidationDialog.textCompare": "次と比較", "SSE.Views.DataValidationDialog.textData": "データ", @@ -1782,7 +1792,7 @@ "SSE.Views.DataValidationDialog.textError": "エラーメッセージ", "SSE.Views.DataValidationDialog.textFormula": "数式", "SSE.Views.DataValidationDialog.textIgnore": "空白を無視", - "SSE.Views.DataValidationDialog.textInput": "メッセージ入力", + "SSE.Views.DataValidationDialog.textInput": "メッセージを入力", "SSE.Views.DataValidationDialog.textMax": "最大", "SSE.Views.DataValidationDialog.textMessage": "メッセージ", "SSE.Views.DataValidationDialog.textMin": "最小", @@ -1798,7 +1808,7 @@ "SSE.Views.DataValidationDialog.textTitle": "タイトル", "SSE.Views.DataValidationDialog.textUserEnters": "ユーザーが無効なデータを入力した場合、このエラーアラートを表示します", "SSE.Views.DataValidationDialog.txtAny": "すべての値", - "SSE.Views.DataValidationDialog.txtBetween": "次の値の間", + "SSE.Views.DataValidationDialog.txtBetween": "間", "SSE.Views.DataValidationDialog.txtDate": "日付", "SSE.Views.DataValidationDialog.txtDecimal": "小数点数", "SSE.Views.DataValidationDialog.txtElTime": "経過時間", @@ -1806,12 +1816,12 @@ "SSE.Views.DataValidationDialog.txtEndTime": "終了時間", "SSE.Views.DataValidationDialog.txtEqual": "次の値に等しい", "SSE.Views.DataValidationDialog.txtGreaterThan": "より大きい", - "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "次の値以上", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "以上か等号", "SSE.Views.DataValidationDialog.txtLength": "長さ", "SSE.Views.DataValidationDialog.txtLessThan": "より小さい", - "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "次の値以下", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "より小さいか等しい", "SSE.Views.DataValidationDialog.txtList": "リスト", - "SSE.Views.DataValidationDialog.txtNotBetween": "次の値の間以外", + "SSE.Views.DataValidationDialog.txtNotBetween": "間ではない", "SSE.Views.DataValidationDialog.txtNotEqual": "次の値に等しくない", "SSE.Views.DataValidationDialog.txtOther": "その他", "SSE.Views.DataValidationDialog.txtStartDate": "開始日", @@ -1827,7 +1837,7 @@ "SSE.Views.DigitalFilterDialog.capCondition2": "指定の値に等しくない", "SSE.Views.DigitalFilterDialog.capCondition3": "がより大きい", "SSE.Views.DigitalFilterDialog.capCondition4": "より大きいか等しい", - "SSE.Views.DigitalFilterDialog.capCondition5": "より小", + "SSE.Views.DigitalFilterDialog.capCondition5": "より小さい", "SSE.Views.DigitalFilterDialog.capCondition6": "より小か等しい", "SSE.Views.DigitalFilterDialog.capCondition7": "で始まる", "SSE.Views.DigitalFilterDialog.capCondition8": "次の文字列で始まらない", @@ -1845,23 +1855,23 @@ "SSE.Views.DocumentHolder.bulletsText": "箇条書きと段落番号", "SSE.Views.DocumentHolder.centerCellText": "中央揃え", "SSE.Views.DocumentHolder.chartText": "グラフの詳細設定", - "SSE.Views.DocumentHolder.deleteColumnText": "列の削除", + "SSE.Views.DocumentHolder.deleteColumnText": "列", "SSE.Views.DocumentHolder.deleteRowText": "行の削除", - "SSE.Views.DocumentHolder.deleteTableText": "表の削除", + "SSE.Views.DocumentHolder.deleteTableText": "表", "SSE.Views.DocumentHolder.direct270Text": "270度回転", "SSE.Views.DocumentHolder.direct90Text": "90度回転", "SSE.Views.DocumentHolder.directHText": "水平", "SSE.Views.DocumentHolder.directionText": "文字列の方向", - "SSE.Views.DocumentHolder.editChartText": "データの編集", - "SSE.Views.DocumentHolder.editHyperlinkText": "ハイパーリンクの編集", + "SSE.Views.DocumentHolder.editChartText": "データを編集", + "SSE.Views.DocumentHolder.editHyperlinkText": "ハイパーリンクを編集", "SSE.Views.DocumentHolder.insertColumnLeftText": "左に列の挿入", "SSE.Views.DocumentHolder.insertColumnRightText": "右に列の挿入", "SSE.Views.DocumentHolder.insertRowAboveText": "上に行の挿入", "SSE.Views.DocumentHolder.insertRowBelowText": "下に行の挿入", "SSE.Views.DocumentHolder.originalSizeText": "実際のサイズ", "SSE.Views.DocumentHolder.removeHyperlinkText": "ハイパーリンクの削除", - "SSE.Views.DocumentHolder.selectColumnText": "列全体の選択", - "SSE.Views.DocumentHolder.selectDataText": "列データの選択", + "SSE.Views.DocumentHolder.selectColumnText": "列全体", + "SSE.Views.DocumentHolder.selectDataText": "列のデータ", "SSE.Views.DocumentHolder.selectRowText": "行の選択", "SSE.Views.DocumentHolder.selectTableText": "テーブルの選択", "SSE.Views.DocumentHolder.strDelete": "署名の削除", @@ -1880,6 +1890,7 @@ "SSE.Views.DocumentHolder.textCrop": "トリミング", "SSE.Views.DocumentHolder.textCropFill": "塗りつぶし", "SSE.Views.DocumentHolder.textCropFit": "合わせる", + "SSE.Views.DocumentHolder.textEditPoints": "頂点を編集", "SSE.Views.DocumentHolder.textEntriesList": "ドロップダウンリストから選択する", "SSE.Views.DocumentHolder.textFlipH": "左右反転", "SSE.Views.DocumentHolder.textFlipV": "上下反転", @@ -1910,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "元に戻す", "SSE.Views.DocumentHolder.textUnFreezePanes": "ウインドウ枠固定の解除", "SSE.Views.DocumentHolder.textVar": "標本分散", + "SSE.Views.DocumentHolder.tipMarkersArrow": "箇条書き(矢印)", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "箇条書き(チェックマーク)", + "SSE.Views.DocumentHolder.tipMarkersDash": "「ダッシュ」記号", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "箇条書き(ひし形)", + "SSE.Views.DocumentHolder.tipMarkersFRound": "箇条書き(丸)", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "箇条書き(四角)", + "SSE.Views.DocumentHolder.tipMarkersHRound": "箇条書き(円)", + "SSE.Views.DocumentHolder.tipMarkersStar": "箇条書き(星)", "SSE.Views.DocumentHolder.topCellText": "上揃え", "SSE.Views.DocumentHolder.txtAccounting": "会計", "SSE.Views.DocumentHolder.txtAddComment": "コメントを追加", @@ -1918,13 +1937,13 @@ "SSE.Views.DocumentHolder.txtAscending": "昇順", "SSE.Views.DocumentHolder.txtAutoColumnWidth": "列幅の自動調整", "SSE.Views.DocumentHolder.txtAutoRowHeight": "列の幅の自動調整", - "SSE.Views.DocumentHolder.txtClear": "クリア", + "SSE.Views.DocumentHolder.txtClear": "消去", "SSE.Views.DocumentHolder.txtClearAll": "すべて", "SSE.Views.DocumentHolder.txtClearComments": "コメント", "SSE.Views.DocumentHolder.txtClearFormat": "形式", "SSE.Views.DocumentHolder.txtClearHyper": "ハイパーリンク", - "SSE.Views.DocumentHolder.txtClearSparklineGroups": "選択されたスパークライン・グループをクリアする", - "SSE.Views.DocumentHolder.txtClearSparklines": "選択されたスパークラインをクリアする", + "SSE.Views.DocumentHolder.txtClearSparklineGroups": "選択されたスパークライン・グループを解除", + "SSE.Views.DocumentHolder.txtClearSparklines": "選択されたスパークラインを解除", "SSE.Views.DocumentHolder.txtClearText": "テキスト", "SSE.Views.DocumentHolder.txtColumn": "列全体", "SSE.Views.DocumentHolder.txtColumnWidth": "列の幅", @@ -1933,7 +1952,7 @@ "SSE.Views.DocumentHolder.txtCurrency": "通貨", "SSE.Views.DocumentHolder.txtCustomColumnWidth": "ユーザー設定の列幅", "SSE.Views.DocumentHolder.txtCustomRowHeight": "ユーザー設定の行の高さ", - "SSE.Views.DocumentHolder.txtCustomSort": "ユーザー設定ソート", + "SSE.Views.DocumentHolder.txtCustomSort": "ユーザー設定の並べ替え", "SSE.Views.DocumentHolder.txtCut": "切り取り", "SSE.Views.DocumentHolder.txtDate": "日付", "SSE.Views.DocumentHolder.txtDelete": "削除", @@ -1941,14 +1960,14 @@ "SSE.Views.DocumentHolder.txtDistribHor": "左右に整列", "SSE.Views.DocumentHolder.txtDistribVert": "上下に整列", "SSE.Views.DocumentHolder.txtEditComment": "コメントの編集", - "SSE.Views.DocumentHolder.txtFilter": "フィルタ", + "SSE.Views.DocumentHolder.txtFilter": "フィルター​​", "SSE.Views.DocumentHolder.txtFilterCellColor": "セルの色でフィルター", "SSE.Views.DocumentHolder.txtFilterFontColor": "フォントの色でフィルター", "SSE.Views.DocumentHolder.txtFilterValue": "選択したセルの値でフィルター", - "SSE.Views.DocumentHolder.txtFormula": "関数の挿入", + "SSE.Views.DocumentHolder.txtFormula": "関数を挿入", "SSE.Views.DocumentHolder.txtFraction": "分数", "SSE.Views.DocumentHolder.txtGeneral": "標準", - "SSE.Views.DocumentHolder.txtGroup": "グループ", + "SSE.Views.DocumentHolder.txtGroup": "グループ化", "SSE.Views.DocumentHolder.txtHide": "表示しない", "SSE.Views.DocumentHolder.txtInsert": "挿入", "SSE.Views.DocumentHolder.txtInsHyperlink": "ハイパーリンク", @@ -1985,9 +2004,9 @@ "SSE.Views.FieldSettingsDialog.txtBlank": "各項目の後に空白行を挿入する", "SSE.Views.FieldSettingsDialog.txtBottom": "グループの下部に表示する", "SSE.Views.FieldSettingsDialog.txtCompact": "コンパクト", - "SSE.Views.FieldSettingsDialog.txtCount": "カウント", - "SSE.Views.FieldSettingsDialog.txtCountNums": "数を集計", - "SSE.Views.FieldSettingsDialog.txtCustomName": "カスタム名", + "SSE.Views.FieldSettingsDialog.txtCount": "データの個数", + "SSE.Views.FieldSettingsDialog.txtCountNums": "数値の個数", + "SSE.Views.FieldSettingsDialog.txtCustomName": "ユーザー設定の名前", "SSE.Views.FieldSettingsDialog.txtEmpty": "データのないアイテムを表示する", "SSE.Views.FieldSettingsDialog.txtMax": "最大", "SSE.Views.FieldSettingsDialog.txtMin": "最小", @@ -2005,27 +2024,27 @@ "SSE.Views.FieldSettingsDialog.txtVar": "標本分散", "SSE.Views.FieldSettingsDialog.txtVarp": "分散", "SSE.Views.FileMenu.btnBackCaption": "ファイルの場所を開く", - "SSE.Views.FileMenu.btnCloseMenuCaption": "(←戻る)", + "SSE.Views.FileMenu.btnCloseMenuCaption": "メニューを閉じる", "SSE.Views.FileMenu.btnCreateNewCaption": "新規作成", "SSE.Views.FileMenu.btnDownloadCaption": "名前を付けてダウンロード", - "SSE.Views.FileMenu.btnExitCaption": "終了", + "SSE.Views.FileMenu.btnExitCaption": "閉じる", "SSE.Views.FileMenu.btnFileOpenCaption": "開く", "SSE.Views.FileMenu.btnHelpCaption": "ヘルプ...", "SSE.Views.FileMenu.btnHistoryCaption": "バージョン履歴", "SSE.Views.FileMenu.btnInfoCaption": "スプレッドシートの情報...", "SSE.Views.FileMenu.btnPrintCaption": "印刷", "SSE.Views.FileMenu.btnProtectCaption": "保護する", - "SSE.Views.FileMenu.btnRecentFilesCaption": "最近使ったファイル", - "SSE.Views.FileMenu.btnRenameCaption": "...変更する", + "SSE.Views.FileMenu.btnRecentFilesCaption": "最近使ったファイルを開く", + "SSE.Views.FileMenu.btnRenameCaption": "名前を変更する", "SSE.Views.FileMenu.btnReturnCaption": "スプレッドシートに戻る", - "SSE.Views.FileMenu.btnRightsCaption": "アクセス許可...", + "SSE.Views.FileMenu.btnRightsCaption": "アクセス権...", "SSE.Views.FileMenu.btnSaveAsCaption": "名前を付けて保存", "SSE.Views.FileMenu.btnSaveCaption": "保存", "SSE.Views.FileMenu.btnSaveCopyAsCaption": "別名で保存...", "SSE.Views.FileMenu.btnSettingsCaption": "詳細設定...", - "SSE.Views.FileMenu.btnToEditCaption": "スプレッドシートの編集", + "SSE.Views.FileMenu.btnToEditCaption": "スプレッドシートを編集", "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "空白のスプレッドシート", - "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "新しいを作成", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "新規作成", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "適用", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "著者を追加", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "テキストを追加", @@ -2040,32 +2059,24 @@ "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "場所", "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "権利を持っている者", "SSE.Views.FileMenuPanels.DocumentInfo.txtSubject": "件名", - "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "名", - "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "アップロードされた", + "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "タイトル", + "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "アップロードされました", "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "アクセス許可の変更", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "権利を持っている者", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "適用", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "自動バックアップをターンにします。", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "自動保存をオンにします。", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "共同編集モード", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "他のユーザーにすぐに変更が表示されます", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "変更を見れる前に、変更を受け入れる必要があります。", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "小数点区切り", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "速い", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "フォント・ヒンティング", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "保存またはCtrl + Sを押した後、バージョンをサーバーに保存する。", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "保存または「Ctrl + S」を押した後、バージョンをサーバーに保存する", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "数式の言語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "例えば:合計;最小;最大;カウント", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "テキストコメントの表示をオンにします。", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "マクロの設定", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "切り取り、コピー、貼り付け", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "貼り付けるときに[貼り付けオプション]ボタンを表示する", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "R1C1形式を有効にする", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "地域の設定", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "例えば:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "解決されたコメントの表示をオンにする", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "区切り", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "高レベル", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "厳格", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "インターフェイスのテーマ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "桁区切り", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "測定単位", @@ -2091,23 +2102,22 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "ドイツ語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "ギリシャ語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "英語", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "スペイン", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "スペイン語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "フィンランド語", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "フランス", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "フランス語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "ハンガリー語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "インドネシア語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "インチ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "イタリア", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "イタリア語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "日本語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "韓国語", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "コメントの表示", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "ラオス語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "ラトビア語", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OS Xのような", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OSXのように", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "ネイティブ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "ノルウェー語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "オランダ語", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "ポーランド", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "ポーランド語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "ポイント", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "ポルトガル語 (ブラジル)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "ポルトガル語(ポルトガル)", @@ -2125,35 +2135,26 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "ベトナム語", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "通知を表示する", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "マクロを無効にして、通知する", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windowsのような", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windowsのように", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "中国語", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "適用", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "辞書言語", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "大文字がある言葉を無視する", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "数字のある単語は無視する", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "オートコレクト設定", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "文章校正", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "パスワードを使って", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "スプレッドシートを保護する", "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "サインを使って", "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "スプレッドシートを編集する", - "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編集すると、スプレッドシートから署名が削除されます。
                              続けますか?", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編集すると、スプレッドシートから署名が削除されます。
                              このまま続けますか?", "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "このスプレッドシートはパスワードで保護されています", "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "このスプレッドシートはサインする必要があります。", "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有効な署名がスプレッドシートに追加されました。 スプレッドシートは編集から保護されています。", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "スプレッドシートの一部のデジタル署名が無効であるか、検証できませんでした。 スプレッドシートは編集から保護されています。", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "署名の表示", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "全般", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "ページの設定", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "スペルチェック", "SSE.Views.FormatRulesEditDlg.fillColor": "塗りつぶしの色", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "警告", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 色スケール", "SSE.Views.FormatRulesEditDlg.text3Scales": "3 色スケール", - "SSE.Views.FormatRulesEditDlg.textAllBorders": "全ての境界線", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "すべての罫線", "SSE.Views.FormatRulesEditDlg.textAppearance": "列の外観", - "SSE.Views.FormatRulesEditDlg.textApply": "範囲に適用する", + "SSE.Views.FormatRulesEditDlg.textApply": "範囲に適用", "SSE.Views.FormatRulesEditDlg.textAutomatic": "自動", "SSE.Views.FormatRulesEditDlg.textAxis": "軸", "SSE.Views.FormatRulesEditDlg.textBarDirection": "列の方向", @@ -2161,22 +2162,22 @@ "SSE.Views.FormatRulesEditDlg.textBorder": "境界線", "SSE.Views.FormatRulesEditDlg.textBordersColor": "境界線の色", "SSE.Views.FormatRulesEditDlg.textBordersStyle": "境界線のスタイル", - "SSE.Views.FormatRulesEditDlg.textBottomBorders": "最下部の境界線", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "下の罫線", "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "条件付き書式を追加できません。", "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "セルの中点", "SSE.Views.FormatRulesEditDlg.textCenterBorders": "内側の垂直方向の罫線", - "SSE.Views.FormatRulesEditDlg.textClear": "消去する", + "SSE.Views.FormatRulesEditDlg.textClear": "消去", "SSE.Views.FormatRulesEditDlg.textColor": "文字の色", "SSE.Views.FormatRulesEditDlg.textContext": "コンテキスト", "SSE.Views.FormatRulesEditDlg.textCustom": "ユーザー設定", "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "斜め境界線(上から下に)", "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "斜め境界線(下から上に)", - "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "有効な数式を入力する", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "有効な数式を入力してください", "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "入力した数式は、有効な数値、日付、時刻、または文字列に評価されません。", "SSE.Views.FormatRulesEditDlg.textEmptyText": "値を入力してください", "SSE.Views.FormatRulesEditDlg.textEmptyValue": "入力した値は、有効な数値、日付、時刻、または文字列ではありません。", "SSE.Views.FormatRulesEditDlg.textErrorGreater": "{0}値は、{1}値より大きい値でなければなりません。", - "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "{0} と {1} の間の数値を入力します", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "{0} と {1} の間の数値を入力してください。", "SSE.Views.FormatRulesEditDlg.textFill": "塗りつぶし", "SSE.Views.FormatRulesEditDlg.textFormat": "形式", "SSE.Views.FormatRulesEditDlg.textFormula": "数式", @@ -2200,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMidpoint": "中央のポイント", "SSE.Views.FormatRulesEditDlg.textMinimum": "最小", "SSE.Views.FormatRulesEditDlg.textMinpoint": "最小のポイント", - "SSE.Views.FormatRulesEditDlg.textNegative": "陰性", + "SSE.Views.FormatRulesEditDlg.textNegative": "負", "SSE.Views.FormatRulesEditDlg.textNewColor": "ユーザー設定の色を追加する", "SSE.Views.FormatRulesEditDlg.textNoBorders": "罫線なし", "SSE.Views.FormatRulesEditDlg.textNone": "なし", @@ -2249,6 +2250,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "フォーマットルールを編集する", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "新しい書式ルール", "SSE.Views.FormatRulesManagerDlg.guestText": "ゲスト", + "SSE.Views.FormatRulesManagerDlg.lockText": "ロックされた", "SSE.Views.FormatRulesManagerDlg.text1Above": "平均より 1 標準偏差上", "SSE.Views.FormatRulesManagerDlg.text1Below": "平均より 1 標準偏差下", "SSE.Views.FormatRulesManagerDlg.text2Above": "平均より 2 標準偏差上", @@ -2265,9 +2267,9 @@ "SSE.Views.FormatRulesManagerDlg.textContains": "セルの値に含まれる", "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "セルは空白の値があります", "SSE.Views.FormatRulesManagerDlg.textContainsError": "セルはエラーがあります", - "SSE.Views.FormatRulesManagerDlg.textDelete": "削除", + "SSE.Views.FormatRulesManagerDlg.textDelete": "削除する", "SSE.Views.FormatRulesManagerDlg.textDown": "ルールを下に動かす", - "SSE.Views.FormatRulesManagerDlg.textDuplicate": "値の重複", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "重複値", "SSE.Views.FormatRulesManagerDlg.textEdit": "編集", "SSE.Views.FormatRulesManagerDlg.textEnds": "セルの値の末尾", "SSE.Views.FormatRulesManagerDlg.textEqAbove": "次の値に等しいまたは平均以上", @@ -2284,7 +2286,7 @@ "SSE.Views.FormatRulesManagerDlg.textSelectData": "データの選択", "SSE.Views.FormatRulesManagerDlg.textSelection": "現在の選択", "SSE.Views.FormatRulesManagerDlg.textThisPivot": "このピボット", - "SSE.Views.FormatRulesManagerDlg.textThisSheet": "このワークシート", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "このシート", "SSE.Views.FormatRulesManagerDlg.textThisTable": "この表", "SSE.Views.FormatRulesManagerDlg.textUnique": "一意の値", "SSE.Views.FormatRulesManagerDlg.textUp": "ルールを上に動かす", @@ -2325,19 +2327,19 @@ "SSE.Views.FormulaDialog.textListDescription": "機能の選択", "SSE.Views.FormulaDialog.txtRecommended": "おすすめ", "SSE.Views.FormulaDialog.txtSearch": "検索", - "SSE.Views.FormulaDialog.txtTitle": "関数の挿入", + "SSE.Views.FormulaDialog.txtTitle": "関数を挿入", "SSE.Views.FormulaTab.textAutomatic": "自動", "SSE.Views.FormulaTab.textCalculateCurrentSheet": "このシートを計算する", "SSE.Views.FormulaTab.textCalculateWorkbook": "ワークブックを計算する", "SSE.Views.FormulaTab.textManual": "手動的に", "SSE.Views.FormulaTab.tipCalculate": "計算", "SSE.Views.FormulaTab.tipCalculateTheEntireWorkbook": "ワークブック全体を計算する", - "SSE.Views.FormulaTab.txtAdditional": "追加の", + "SSE.Views.FormulaTab.txtAdditional": "追加", "SSE.Views.FormulaTab.txtAutosum": "自動合計", "SSE.Views.FormulaTab.txtAutosumTip": "合計", "SSE.Views.FormulaTab.txtCalculation": "計算", "SSE.Views.FormulaTab.txtFormula": "関数", - "SSE.Views.FormulaTab.txtFormulaTip": "関数の挿入", + "SSE.Views.FormulaTab.txtFormulaTip": "関数を挿入", "SSE.Views.FormulaTab.txtMore": "その他の関数", "SSE.Views.FormulaTab.txtRecent": "最近使用された", "SSE.Views.FormulaWizard.textAny": "すべて", @@ -2410,6 +2412,7 @@ "SSE.Views.ImageSettings.textCrop": "トリミング", "SSE.Views.ImageSettings.textCropFill": "塗りつぶし", "SSE.Views.ImageSettings.textCropFit": "合わせる", + "SSE.Views.ImageSettings.textCropToShape": "図形に合わせてトリミング", "SSE.Views.ImageSettings.textEdit": "編集", "SSE.Views.ImageSettings.textEditObject": "オブジェクトを編集する", "SSE.Views.ImageSettings.textFlip": "反転する", @@ -2424,6 +2427,7 @@ "SSE.Views.ImageSettings.textInsert": "画像の置き換え", "SSE.Views.ImageSettings.textKeepRatio": "比例の定数", "SSE.Views.ImageSettings.textOriginalSize": "実際のサイズ", + "SSE.Views.ImageSettings.textRecentlyUsed": "最近使用された", "SSE.Views.ImageSettings.textRotate90": "90度回転", "SSE.Views.ImageSettings.textRotation": "回転", "SSE.Views.ImageSettings.textSize": "サイズ", @@ -2469,18 +2473,18 @@ "SSE.Views.MainSettingsPrint.textActualSize": "実際のサイズ", "SSE.Views.MainSettingsPrint.textCustom": "ユーザー設定", "SSE.Views.MainSettingsPrint.textCustomOptions": "ユーザー設定", - "SSE.Views.MainSettingsPrint.textFitCols": "すべての列を 1 ページに印刷", - "SSE.Views.MainSettingsPrint.textFitPage": "シートを 1 ページに印刷", - "SSE.Views.MainSettingsPrint.textFitRows": "すべての行を 1 ページに印刷", + "SSE.Views.MainSettingsPrint.textFitCols": "すべての列を 1 ページに表示", + "SSE.Views.MainSettingsPrint.textFitPage": "シートを 1 ページに表示", + "SSE.Views.MainSettingsPrint.textFitRows": "すべての行を 1 ページに表示", "SSE.Views.MainSettingsPrint.textPageOrientation": "ページの向き", "SSE.Views.MainSettingsPrint.textPageScaling": "拡大縮小", "SSE.Views.MainSettingsPrint.textPageSize": "ページのサイズ", "SSE.Views.MainSettingsPrint.textPrintGrid": "枠線の印刷", - "SSE.Views.MainSettingsPrint.textPrintHeadings": "行列番号", + "SSE.Views.MainSettingsPrint.textPrintHeadings": "行と列の見出しを印刷", "SSE.Views.MainSettingsPrint.textRepeat": "繰り返す...", "SSE.Views.MainSettingsPrint.textRepeatLeft": "左側の列を繰り返す", "SSE.Views.MainSettingsPrint.textRepeatTop": "上の行を繰り返す", - "SSE.Views.MainSettingsPrint.textSettings": "設定のために", + "SSE.Views.MainSettingsPrint.textSettings": "設定", "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "存在する名前付き範囲を編集することはできません。
                              今、範囲が編集されているので、新しい名前付き範囲を作成することはできません。", "SSE.Views.NamedRangeEditDlg.namePlaceholder": "定義された名前", "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "警告", @@ -2495,21 +2499,22 @@ "SSE.Views.NamedRangeEditDlg.textScope": "スコープ", "SSE.Views.NamedRangeEditDlg.textSelectData": "データの選択", "SSE.Views.NamedRangeEditDlg.txtEmpty": "このフィールドは必須項目です", - "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "名前の編集", + "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "名前を編集", "SSE.Views.NamedRangeEditDlg.txtTitleNew": "新しい名前", "SSE.Views.NamedRangePasteDlg.textNames": "名前付き一覧\t", - "SSE.Views.NamedRangePasteDlg.txtTitle": "名前の貼り付", + "SSE.Views.NamedRangePasteDlg.txtTitle": "名前を貼り付", "SSE.Views.NameManagerDlg.closeButtonText": "閉じる", "SSE.Views.NameManagerDlg.guestText": "ゲスト", + "SSE.Views.NameManagerDlg.lockText": "ロックされた", "SSE.Views.NameManagerDlg.textDataRange": "データ範囲", "SSE.Views.NameManagerDlg.textDelete": "削除", "SSE.Views.NameManagerDlg.textEdit": "編集", "SSE.Views.NameManagerDlg.textEmpty": "名前付き範囲は、まだ作成されていません。
                              最低で一つの名前付き範囲を作成すると、このフィールドに表示されます。", - "SSE.Views.NameManagerDlg.textFilter": "フィルタ", + "SSE.Views.NameManagerDlg.textFilter": "フィルター​​", "SSE.Views.NameManagerDlg.textFilterAll": "すべて", "SSE.Views.NameManagerDlg.textFilterDefNames": "定義された名前", "SSE.Views.NameManagerDlg.textFilterSheet": "シートに名前の範囲指定", - "SSE.Views.NameManagerDlg.textFilterTableNames": "テーブル名", + "SSE.Views.NameManagerDlg.textFilterTableNames": "表の名前", "SSE.Views.NameManagerDlg.textFilterWorkbook": "ワークブックに名前の範囲指定", "SSE.Views.NameManagerDlg.textNew": "新しい", "SSE.Views.NameManagerDlg.textnoNames": "フィルタ条件に一致する名前付き一覧が見つかりませんでした。", @@ -2518,8 +2523,8 @@ "SSE.Views.NameManagerDlg.textWorkbook": "ブック", "SSE.Views.NameManagerDlg.tipIsLocked": "この要素が別のユーザーによって編集されています。", "SSE.Views.NameManagerDlg.txtTitle": "名前の管理", - "SSE.Views.NameManagerDlg.warnDelete": "名前{0}を削除してもよろしいですか?", - "SSE.Views.PageMarginsDialog.textBottom": "低", + "SSE.Views.NameManagerDlg.warnDelete": "{0}名前を削除してもよろしいですか?", + "SSE.Views.PageMarginsDialog.textBottom": "下", "SSE.Views.PageMarginsDialog.textLeft": "左", "SSE.Views.PageMarginsDialog.textRight": "右", "SSE.Views.PageMarginsDialog.textTitle": "余白", @@ -2529,13 +2534,13 @@ "SSE.Views.ParagraphSettings.strSpacingAfter": "後", "SSE.Views.ParagraphSettings.strSpacingBefore": "前", "SSE.Views.ParagraphSettings.textAdvanced": "詳細設定の表示", - "SSE.Views.ParagraphSettings.textAt": "に", + "SSE.Views.ParagraphSettings.textAt": "行間", "SSE.Views.ParagraphSettings.textAtLeast": "最小", "SSE.Views.ParagraphSettings.textAuto": "複数", "SSE.Views.ParagraphSettings.textExact": "固定値", "SSE.Views.ParagraphSettings.txtAutoText": "自動", "SSE.Views.ParagraphSettingsAdvanced.noTabs": "指定されたタブは、このフィールドに表示されます。", - "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "全てのキャップ", + "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "すべて大文字", "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "二重取り消し線", "SSE.Views.ParagraphSettingsAdvanced.strIndent": "インデント", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", @@ -2554,8 +2559,8 @@ "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "上付き文字", "SSE.Views.ParagraphSettingsAdvanced.strTabs": "タブ", "SSE.Views.ParagraphSettingsAdvanced.textAlign": "配置", - "SSE.Views.ParagraphSettingsAdvanced.textAuto": "因子", - "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "文字間のスペース", + "SSE.Views.ParagraphSettingsAdvanced.textAuto": "複数", + "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "文字間隔", "SSE.Views.ParagraphSettingsAdvanced.textDefault": "既定のタブ", "SSE.Views.ParagraphSettingsAdvanced.textEffects": "効果", "SSE.Views.ParagraphSettingsAdvanced.textExact": "固定値", @@ -2585,7 +2590,7 @@ "SSE.Views.PivotDigitalFilterDialog.capCondition6": "より以下か等しい", "SSE.Views.PivotDigitalFilterDialog.capCondition7": "で始まる", "SSE.Views.PivotDigitalFilterDialog.capCondition8": "次の文字から始まらない", - "SSE.Views.PivotDigitalFilterDialog.capCondition9": "に終了", + "SSE.Views.PivotDigitalFilterDialog.capCondition9": "終了", "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "ラベルが次の条件に一致する項目を表示する", "SSE.Views.PivotDigitalFilterDialog.textShowValue": "次の条件に一致する項目を表示する:", "SSE.Views.PivotDigitalFilterDialog.textUse1": "?を使って、任意の1文字を表すことができます。", @@ -2594,7 +2599,7 @@ "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "ラベル・フィルター", "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "値フィルター", "SSE.Views.PivotGroupDialog.textAuto": "自動", - "SSE.Views.PivotGroupDialog.textBy": "バイ", + "SSE.Views.PivotGroupDialog.textBy": "幅", "SSE.Views.PivotGroupDialog.textDays": "日", "SSE.Views.PivotGroupDialog.textEnd": "終了", "SSE.Views.PivotGroupDialog.textError": "このフィールドは数値である必要があります", @@ -2611,10 +2616,10 @@ "SSE.Views.PivotSettings.textAdvanced": "詳細設定の表示", "SSE.Views.PivotSettings.textColumns": "列", "SSE.Views.PivotSettings.textFields": "フィールドを選択する", - "SSE.Views.PivotSettings.textFilters": "フィルタ", + "SSE.Views.PivotSettings.textFilters": "フィルター", "SSE.Views.PivotSettings.textRows": "行", "SSE.Views.PivotSettings.textValues": "値", - "SSE.Views.PivotSettings.txtAddColumn": "カラムの追加", + "SSE.Views.PivotSettings.txtAddColumn": "カラムを追加", "SSE.Views.PivotSettings.txtAddFilter": "フィルターに追加", "SSE.Views.PivotSettings.txtAddRow": "行に追加", "SSE.Views.PivotSettings.txtAddValues": "値に追加", @@ -2672,12 +2677,12 @@ "SSE.Views.PivotTable.textColHeader": "列のヘッダー", "SSE.Views.PivotTable.textRowBanded": "縞模様の行", "SSE.Views.PivotTable.textRowHeader": "行のヘッダー", - "SSE.Views.PivotTable.tipCreatePivot": "ピボットテーブルの挿入", + "SSE.Views.PivotTable.tipCreatePivot": "ピボットテーブルを挿入", "SSE.Views.PivotTable.tipGrandTotals": "総計を表示か非表示する", - "SSE.Views.PivotTable.tipRefresh": "データソースからの情報を更新します", + "SSE.Views.PivotTable.tipRefresh": "データソースからの情報を更新する", "SSE.Views.PivotTable.tipSelect": "ピボットテーブル全体を選択する", "SSE.Views.PivotTable.tipSubtotals": "小計を表示か非表示する", - "SSE.Views.PivotTable.txtCreate": "表の挿入", + "SSE.Views.PivotTable.txtCreate": "表を挿入", "SSE.Views.PivotTable.txtPivotTable": "ピボットテーブル", "SSE.Views.PivotTable.txtRefresh": "更新", "SSE.Views.PivotTable.txtSelect": "選択する", @@ -2694,21 +2699,21 @@ "SSE.Views.PrintSettings.strShow": "表示する", "SSE.Views.PrintSettings.strTop": "トップ", "SSE.Views.PrintSettings.textActualSize": "実際のサイズ", - "SSE.Views.PrintSettings.textAllSheets": "全てのシート", + "SSE.Views.PrintSettings.textAllSheets": "全シート", "SSE.Views.PrintSettings.textCurrentSheet": "現在のシート", "SSE.Views.PrintSettings.textCustom": "ユーザー設定", "SSE.Views.PrintSettings.textCustomOptions": "ユーザー設定", - "SSE.Views.PrintSettings.textFitCols": "すべての列を 1 ページに印刷", - "SSE.Views.PrintSettings.textFitPage": "シートを 1 ページに印刷", - "SSE.Views.PrintSettings.textFitRows": "すべての行を 1 ページに印刷", - "SSE.Views.PrintSettings.textHideDetails": "詳細の非表示", + "SSE.Views.PrintSettings.textFitCols": "すべての列を 1 ページに表示", + "SSE.Views.PrintSettings.textFitPage": "シートを 1 ページに表示", + "SSE.Views.PrintSettings.textFitRows": "すべての行を 1 ページに表示", + "SSE.Views.PrintSettings.textHideDetails": "詳細を非表示", "SSE.Views.PrintSettings.textIgnore": "印刷範囲を無視する", "SSE.Views.PrintSettings.textLayout": "レイアウト", "SSE.Views.PrintSettings.textPageOrientation": "ページの向き", "SSE.Views.PrintSettings.textPageScaling": "拡大縮小", "SSE.Views.PrintSettings.textPageSize": "ページのサイズ", "SSE.Views.PrintSettings.textPrintGrid": "枠線の印刷", - "SSE.Views.PrintSettings.textPrintHeadings": "行列番号", + "SSE.Views.PrintSettings.textPrintHeadings": "行と列の見出しを印刷", "SSE.Views.PrintSettings.textPrintRange": "印刷範囲\t", "SSE.Views.PrintSettings.textRange": "範囲", "SSE.Views.PrintSettings.textRepeat": "繰り返す...", @@ -2719,7 +2724,7 @@ "SSE.Views.PrintSettings.textShowDetails": "詳細の表示", "SSE.Views.PrintSettings.textShowGrid": "枠線を表示する", "SSE.Views.PrintSettings.textShowHeadings": "行と列の見出しを表示する", - "SSE.Views.PrintSettings.textTitle": "設定の印刷", + "SSE.Views.PrintSettings.textTitle": "印刷の設定", "SSE.Views.PrintSettings.textTitlePDF": "PDFの設定", "SSE.Views.PrintTitlesDialog.textFirstCol": "最初の列", "SSE.Views.PrintTitlesDialog.textFirstRow": "最初の行", @@ -2732,27 +2737,58 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "範囲の選択", "SSE.Views.PrintTitlesDialog.textTitle": "タイトルを印刷する", "SSE.Views.PrintTitlesDialog.textTop": "上の行を繰り返す", - "SSE.Views.PrintWithPreview.txtActualSize": "実際の大きさ", - "SSE.Views.PrintWithPreview.txtAllSheets": "全てのシート", - "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "全てのシートに適用", + "SSE.Views.PrintWithPreview.txtActualSize": "実際のサイズ", + "SSE.Views.PrintWithPreview.txtAllSheets": "全シート", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "全シートに適用", + "SSE.Views.PrintWithPreview.txtBottom": "下", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "現在のシート", + "SSE.Views.PrintWithPreview.txtCustom": "ユーザー設定", + "SSE.Views.PrintWithPreview.txtCustomOptions": "ユーザー設定", + "SSE.Views.PrintWithPreview.txtEmptyTable": "テーブルが空で印刷できるものはありません", + "SSE.Views.PrintWithPreview.txtFitCols": "すべての列を 1 ページに表示", + "SSE.Views.PrintWithPreview.txtFitPage": "シートを 1 ページに表示", + "SSE.Views.PrintWithPreview.txtFitRows": "すべての行を 1 ページに表示", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "グリッド線と見出し​​", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "ヘッダー/フッター設定", + "SSE.Views.PrintWithPreview.txtIgnore": "印刷範囲を無視する", + "SSE.Views.PrintWithPreview.txtLandscape": "横", "SSE.Views.PrintWithPreview.txtLeft": "左", + "SSE.Views.PrintWithPreview.txtMargins": "余白", + "SSE.Views.PrintWithPreview.txtOf": "{0}から", + "SSE.Views.PrintWithPreview.txtPage": "ページ", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "ページ番号が正しくありません。", + "SSE.Views.PrintWithPreview.txtPageOrientation": "ページの向き", + "SSE.Views.PrintWithPreview.txtPageSize": "ページ サイズ", + "SSE.Views.PrintWithPreview.txtPortrait": "縦", "SSE.Views.PrintWithPreview.txtPrint": "印刷", "SSE.Views.PrintWithPreview.txtPrintGrid": "枠線の印刷", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "行と列の見出しを印刷", "SSE.Views.PrintWithPreview.txtPrintRange": "印刷範囲\t", - "SSE.Views.ProtectDialog.textExistName": "エラー!この名がある範囲があります。", + "SSE.Views.PrintWithPreview.txtPrintTitles": "タイトルを印刷する", + "SSE.Views.PrintWithPreview.txtRepeat": "繰り返す…", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "左側の列を繰り返す", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "上の行を繰り返す", + "SSE.Views.PrintWithPreview.txtRight": "右", + "SSE.Views.PrintWithPreview.txtSave": "保存", + "SSE.Views.PrintWithPreview.txtScaling": "拡大縮小", + "SSE.Views.PrintWithPreview.txtSelection": "選択", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "シート設定", + "SSE.Views.PrintWithPreview.txtSheet": "シート:{0}", + "SSE.Views.PrintWithPreview.txtTop": "トップ", + "SSE.Views.ProtectDialog.textExistName": "エラー!すでに同じ名前の範囲があります。", "SSE.Views.ProtectDialog.textInvalidName": "範囲の名前に含めることができるのは、文字、数字、およびスペースだけです", "SSE.Views.ProtectDialog.textInvalidRange": "エラー!セルの範囲が正しくありません。", "SSE.Views.ProtectDialog.textSelectData": "データを選択する", "SSE.Views.ProtectDialog.txtAllow": "このシートのユーザーに許可する", "SSE.Views.ProtectDialog.txtAutofilter": "オートフィルター", - "SSE.Views.ProtectDialog.txtDelCols": "列を削除する", - "SSE.Views.ProtectDialog.txtDelRows": "行を削除する", + "SSE.Views.ProtectDialog.txtDelCols": "列を削除", + "SSE.Views.ProtectDialog.txtDelRows": "行を削除", "SSE.Views.ProtectDialog.txtEmpty": "このフィールドは必須項目です", "SSE.Views.ProtectDialog.txtFormatCells": "セルをフォーマットする", "SSE.Views.ProtectDialog.txtFormatCols": "列をフォーマットする", "SSE.Views.ProtectDialog.txtFormatRows": "行をフォーマットする", "SSE.Views.ProtectDialog.txtIncorrectPwd": "先に入力したパスワードと一致しません。", - "SSE.Views.ProtectDialog.txtInsCols": "列の挿入する", + "SSE.Views.ProtectDialog.txtInsCols": "列を挿入する", "SSE.Views.ProtectDialog.txtInsHyper": "ハイパーリンクを挿入する", "SSE.Views.ProtectDialog.txtInsRows": "行を挿入する", "SSE.Views.ProtectDialog.txtObjs": "オブジェクトを編集する", @@ -2761,7 +2797,7 @@ "SSE.Views.ProtectDialog.txtPivot": "ピボット表とピボットチャートを使う", "SSE.Views.ProtectDialog.txtProtect": "保護する", "SSE.Views.ProtectDialog.txtRange": "範囲", - "SSE.Views.ProtectDialog.txtRangeName": "名", + "SSE.Views.ProtectDialog.txtRangeName": "タイトル", "SSE.Views.ProtectDialog.txtRepeat": "パスワードを再入力", "SSE.Views.ProtectDialog.txtScen": "シナリオを編集する", "SSE.Views.ProtectDialog.txtSelLocked": "ロックしたセルを選択する", @@ -2771,27 +2807,28 @@ "SSE.Views.ProtectDialog.txtSort": "並べ替え", "SSE.Views.ProtectDialog.txtWarning": "注意: パスワードを忘れると元に戻せません。安全な場所に記録してください。", "SSE.Views.ProtectDialog.txtWBDescription": "他のユーザは非表示のワークシートを表示したり、シート追加、移動、削除したり、シートを非表示、名の変更することができないようにブックの構造をパスワードで保護できます", - "SSE.Views.ProtectDialog.txtWBTitle": "ブックを保護する", + "SSE.Views.ProtectDialog.txtWBTitle": "ブック構成を保護する", "SSE.Views.ProtectRangesDlg.guestText": "ゲスト", + "SSE.Views.ProtectRangesDlg.lockText": "ロックされた", "SSE.Views.ProtectRangesDlg.textDelete": "削除する", - "SSE.Views.ProtectRangesDlg.textEdit": "編集する", + "SSE.Views.ProtectRangesDlg.textEdit": "編集", "SSE.Views.ProtectRangesDlg.textEmpty": "編集するには許した範囲がない", "SSE.Views.ProtectRangesDlg.textNew": "新しい", "SSE.Views.ProtectRangesDlg.textProtect": "シートを保護する", "SSE.Views.ProtectRangesDlg.textPwd": "パスワード", "SSE.Views.ProtectRangesDlg.textRange": "範囲", "SSE.Views.ProtectRangesDlg.textRangesDesc": "シートが保護されているときにパスワードでロックを解除する範囲(ロックしたセルとだけ)", - "SSE.Views.ProtectRangesDlg.textTitle": "名", + "SSE.Views.ProtectRangesDlg.textTitle": "タイトル", "SSE.Views.ProtectRangesDlg.tipIsLocked": "この要素が別のユーザーによって編集されています。", "SSE.Views.ProtectRangesDlg.txtEditRange": "範囲を編集する", "SSE.Views.ProtectRangesDlg.txtNewRange": "新しい範囲", "SSE.Views.ProtectRangesDlg.txtNo": "いいえ", "SSE.Views.ProtectRangesDlg.txtTitle": "ユーザーに範囲の編集を許可する", - "SSE.Views.ProtectRangesDlg.txtYes": "Yes", - "SSE.Views.ProtectRangesDlg.warnDelete": "名前{0}を削除してもよろしいですか?", + "SSE.Views.ProtectRangesDlg.txtYes": "はい", + "SSE.Views.ProtectRangesDlg.warnDelete": "{0}名前を削除してもよろしいですか?", "SSE.Views.RemoveDuplicatesDialog.textColumns": "列", - "SSE.Views.RemoveDuplicatesDialog.textDescription": "重複する値を削除するには、重複する列を1つ以上ご選択ください。", - "SSE.Views.RemoveDuplicatesDialog.textHeaders": "先頭行は見出し", + "SSE.Views.RemoveDuplicatesDialog.textDescription": "重複する値を削除するには、重複する列を1つか以上ご選択ください。", + "SSE.Views.RemoveDuplicatesDialog.textHeaders": "先頭行は見出しがある場合", "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "すべてを選択する", "SSE.Views.RemoveDuplicatesDialog.txtTitle": "重複データを削除", "SSE.Views.RightMenu.txtCellSettings": "セル設定", @@ -2819,7 +2856,7 @@ "SSE.Views.SetValueDialog.txtMaxText": "このフィールドの最大値は、{0}です。", "SSE.Views.SetValueDialog.txtMinText": "このフィールドの最小値は、{0}です。", "SSE.Views.ShapeSettings.strBackground": "背景色", - "SSE.Views.ShapeSettings.strChange": "オートシェイプの変更", + "SSE.Views.ShapeSettings.strChange": "オートシェイプを変更", "SSE.Views.ShapeSettings.strColor": "色", "SSE.Views.ShapeSettings.strFill": "塗りつぶし", "SSE.Views.ShapeSettings.strForeground": "前景色", @@ -2852,6 +2889,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "パターン", "SSE.Views.ShapeSettings.textPosition": "位置", "SSE.Views.ShapeSettings.textRadial": "放射状", + "SSE.Views.ShapeSettings.textRecentlyUsed": "最近使用された", "SSE.Views.ShapeSettings.textRotate90": "90度回転", "SSE.Views.ShapeSettings.textRotation": "回転", "SSE.Views.ShapeSettings.textSelectImage": "画像の選択", @@ -2860,7 +2898,7 @@ "SSE.Views.ShapeSettings.textStyle": "スタイル", "SSE.Views.ShapeSettings.textTexture": "テクスチャから", "SSE.Views.ShapeSettings.textTile": "タイル", - "SSE.Views.ShapeSettings.tipAddGradientPoint": "グラデーションポイントを追加する", + "SSE.Views.ShapeSettings.tipAddGradientPoint": "グラデーションポイントを追加", "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "グラデーションポイントを削除する", "SSE.Views.ShapeSettings.txtBrownPaper": "クラフト紙", "SSE.Views.ShapeSettings.txtCanvas": "キャンバス", @@ -2902,7 +2940,7 @@ "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "線のスタイル", "SSE.Views.ShapeSettingsAdvanced.textMiter": "角", "SSE.Views.ShapeSettingsAdvanced.textOneCell": "移動するが、セルでサイズを変更しない", - "SSE.Views.ShapeSettingsAdvanced.textOverflow": "テキストのはみ出しを許可", + "SSE.Views.ShapeSettingsAdvanced.textOverflow": "テキストを図形からはみ出して表示する", "SSE.Views.ShapeSettingsAdvanced.textResizeFit": "テキストに合わせて図形を調整", "SSE.Views.ShapeSettingsAdvanced.textRight": "右に", "SSE.Views.ShapeSettingsAdvanced.textRotation": "回転", @@ -2921,7 +2959,7 @@ "SSE.Views.SignatureSettings.notcriticalErrorTitle": "警告", "SSE.Views.SignatureSettings.strDelete": "署名の削除", "SSE.Views.SignatureSettings.strDetails": "サインの詳細", - "SSE.Views.SignatureSettings.strInvalid": "不正な署名", + "SSE.Views.SignatureSettings.strInvalid": "無効な署名", "SSE.Views.SignatureSettings.strRequested": "要求された署名", "SSE.Views.SignatureSettings.strSetup": "サインの設定", "SSE.Views.SignatureSettings.strSign": "サインする", @@ -2929,14 +2967,14 @@ "SSE.Views.SignatureSettings.strSigner": "署名者", "SSE.Views.SignatureSettings.strValid": "有効な署名", "SSE.Views.SignatureSettings.txtContinueEditing": "無視して編集する", - "SSE.Views.SignatureSettings.txtEditWarning": "編集すると、スプレッドシートから署名が削除されます。
                              続けますか?", + "SSE.Views.SignatureSettings.txtEditWarning": "編集すると、スプレッドシートから署名が削除されます。
                              このまま続けますか?", "SSE.Views.SignatureSettings.txtRemoveWarning": "この署名を削除しますか?
                              この操作は元に戻せません。", "SSE.Views.SignatureSettings.txtRequestedSignatures": "このスプレッドシートはサインする必要があります。", "SSE.Views.SignatureSettings.txtSigned": "有効な署名がスプレッドシートに追加されました。 スプレッドシートは編集から保護されています。", "SSE.Views.SignatureSettings.txtSignedInvalid": "スプレッドシートの一部のデジタル署名が無効であるか、検証できませんでした。 スプレッドシートは編集から保護されています。", "SSE.Views.SlicerAddDialog.textColumns": "列", - "SSE.Views.SlicerAddDialog.txtTitle": "スライサーの挿入", - "SSE.Views.SlicerSettings.strHideNoData": "データがないのを非表示にする", + "SSE.Views.SlicerAddDialog.txtTitle": "スライサーを挿入", + "SSE.Views.SlicerSettings.strHideNoData": "データがないのを非表示", "SSE.Views.SlicerSettings.strIndNoData": "データのないアイテムを視覚的に示す", "SSE.Views.SlicerSettings.strShowDel": "データソースから削除されたアイテムを表示する", "SSE.Views.SlicerSettings.strShowNoData": "最後にデータのないアイテムを表示する", @@ -2964,7 +3002,7 @@ "SSE.Views.SlicerSettingsAdvanced.strButtons": "ボタン", "SSE.Views.SlicerSettingsAdvanced.strColumns": "列", "SSE.Views.SlicerSettingsAdvanced.strHeight": "高さ", - "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "データがないのを非表示にする", + "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "データがないのを非表示", "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "データのないアイテムを視覚的に示す", "SSE.Views.SlicerSettingsAdvanced.strReferences": "参考資料", "SSE.Views.SlicerSettingsAdvanced.strShowDel": "データソースから削除されたアイテムを表示する", @@ -3006,7 +3044,7 @@ "SSE.Views.SortDialog.errorNotOriginalRow": "選択した行が元の選択範囲にありません。", "SSE.Views.SortDialog.errorSameColumnColor": "%1は同じ色で複数回並べ替えられています。
                              重複する並べ替えの基準を削除して、再びお試しください。", "SSE.Views.SortDialog.errorSameColumnValue": "%1は値で複数回並べ替えられています。
                              重複する並べ替えの基準を削除して、再びお試しください。", - "SSE.Views.SortDialog.textAdd": "レベルの追加", + "SSE.Views.SortDialog.textAdd": "レベルを追加", "SSE.Views.SortDialog.textAsc": "昇順", "SSE.Views.SortDialog.textAuto": "自動", "SSE.Views.SortDialog.textAZ": "昇順", @@ -3039,7 +3077,7 @@ "SSE.Views.SortFilterDialog.textDesc": "次の値で昇順", "SSE.Views.SortFilterDialog.txtTitle": "並べ替え", "SSE.Views.SortOptionsDialog.textCase": "大文字と小文字の区別する", - "SSE.Views.SortOptionsDialog.textHeaders": "先頭行は見出し", + "SSE.Views.SortOptionsDialog.textHeaders": "先頭行は見出しがある場合", "SSE.Views.SortOptionsDialog.textLeftRight": "左から右に並べ替え", "SSE.Views.SortOptionsDialog.textOrientation": "印刷の向き", "SSE.Views.SortOptionsDialog.textTitle": "並べ替えの設定", @@ -3065,14 +3103,14 @@ "SSE.Views.SpecialPasteDialog.textValues": "値", "SSE.Views.SpecialPasteDialog.textVFormat": "値と書式", "SSE.Views.SpecialPasteDialog.textVNFormat": "値と数値の書式", - "SSE.Views.SpecialPasteDialog.textWBorders": "罫線なし", + "SSE.Views.SpecialPasteDialog.textWBorders": "罫線を除くすべて", "SSE.Views.Spellcheck.noSuggestions": "修正候補なし", "SSE.Views.Spellcheck.textChange": "変更", - "SSE.Views.Spellcheck.textChangeAll": "全て更新", + "SSE.Views.Spellcheck.textChangeAll": "すべて修正", "SSE.Views.Spellcheck.textIgnore": "無視", "SSE.Views.Spellcheck.textIgnoreAll": "全てを無視する", "SSE.Views.Spellcheck.txtAddToDictionary": "辞書に追加", - "SSE.Views.Spellcheck.txtComplete": "スペル・チェックが完了しました", + "SSE.Views.Spellcheck.txtComplete": "スペルチェックが完了しました", "SSE.Views.Spellcheck.txtDictionaryLanguage": "辞書言語", "SSE.Views.Spellcheck.txtNextTip": "次の言葉へ", "SSE.Views.Spellcheck.txtSpelling": "スペル", @@ -3080,7 +3118,7 @@ "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(末尾へ移動)", "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "シートの前に貼り付く", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "シートの前へ移動", - "SSE.Views.Statusbar.filteredRecordsText": "{0}の{1}がフィルタされた", + "SSE.Views.Statusbar.filteredRecordsText": "{0}の{1}がフィルタリングされた", "SSE.Views.Statusbar.filteredText": "フィルタモード", "SSE.Views.Statusbar.itemAverage": "平均", "SSE.Views.Statusbar.itemCopy": "コピー", @@ -3102,40 +3140,41 @@ "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "シート名に次の文字を含むことはできません:\\/*?[]:", "SSE.Views.Statusbar.RenameDialog.labelSheetName": "シートの名前", "SSE.Views.Statusbar.selectAllSheets": "すべてのシートを選択する", - "SSE.Views.Statusbar.sheetIndexText": "シート0/1", + "SSE.Views.Statusbar.sheetIndexText": "シート{0}/{1}", "SSE.Views.Statusbar.textAverage": "平均", - "SSE.Views.Statusbar.textCount": "カウント", + "SSE.Views.Statusbar.textCount": "データの個数", "SSE.Views.Statusbar.textMax": "最大", "SSE.Views.Statusbar.textMin": "最小", "SSE.Views.Statusbar.textNewColor": "ユーザー設定の色を追加する", "SSE.Views.Statusbar.textNoColor": "色なし", "SSE.Views.Statusbar.textSum": "合計", - "SSE.Views.Statusbar.tipAddTab": "ワークシートの追加", + "SSE.Views.Statusbar.tipAddTab": "ワークシートを追加", "SSE.Views.Statusbar.tipFirst": "最初のリストまでスクロール", "SSE.Views.Statusbar.tipLast": "最後のリストまでスクロール", + "SSE.Views.Statusbar.tipListOfSheets": "シートリスト", "SSE.Views.Statusbar.tipNext": "シートリストの右にスクロール", "SSE.Views.Statusbar.tipPrev": "シートリストの左にスクロール", - "SSE.Views.Statusbar.tipZoomFactor": "拡大率", + "SSE.Views.Statusbar.tipZoomFactor": "ズーム", "SSE.Views.Statusbar.tipZoomIn": "拡大", "SSE.Views.Statusbar.tipZoomOut": "縮小", - "SSE.Views.Statusbar.ungroupSheets": "セシートをグループ解除する", + "SSE.Views.Statusbar.ungroupSheets": "シートをグループ解除する", "SSE.Views.Statusbar.zoomText": "ズーム{0}%", "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "選択されたセルの範囲には操作を実行することができません。
                              他のデータの範囲を存在の範囲に異なる選択し、もう一度お試しください。", "SSE.Views.TableOptionsDialog.errorFTChangeTableRangeError": "選択したセル範囲で操作を完了できませんでした。
                              最初のテーブルの行は同じ行にあったように、範囲を選択してください。
                              新しいテーブル範囲が元のテーブル範囲に重なるようにしてください。", "SSE.Views.TableOptionsDialog.errorFTRangeIncludedOtherTables": "選択したセル範囲で操作を完了できませんでした。
                              他のテーブルが含まれていない範囲を選択してください。", "SSE.Views.TableOptionsDialog.errorMultiCellFormula": "複数セルの配列数式はテーブルでは使用できません。", "SSE.Views.TableOptionsDialog.txtEmpty": "このフィールドは必須項目です", - "SSE.Views.TableOptionsDialog.txtFormat": "表を作成", + "SSE.Views.TableOptionsDialog.txtFormat": "表を作成する", "SSE.Views.TableOptionsDialog.txtInvalidRange": "エラー!セルの範囲が正しくありません。", "SSE.Views.TableOptionsDialog.txtNote": "ヘッダーは同じ行に残しておく必要があり、結果のテーブル範囲は元のテーブル範囲と重ねる必要があります。", "SSE.Views.TableOptionsDialog.txtTitle": "タイトル", - "SSE.Views.TableSettings.deleteColumnText": "列の削除", - "SSE.Views.TableSettings.deleteRowText": "行の削除", - "SSE.Views.TableSettings.deleteTableText": "表の削除", - "SSE.Views.TableSettings.insertColumnLeftText": "左に列の挿入", - "SSE.Views.TableSettings.insertColumnRightText": "右に列の挿入", - "SSE.Views.TableSettings.insertRowAboveText": "上に行の挿入", - "SSE.Views.TableSettings.insertRowBelowText": "下に行の挿入", + "SSE.Views.TableSettings.deleteColumnText": "列を削除", + "SSE.Views.TableSettings.deleteRowText": "行を削除", + "SSE.Views.TableSettings.deleteTableText": "表を削除", + "SSE.Views.TableSettings.insertColumnLeftText": "左に列を挿入", + "SSE.Views.TableSettings.insertColumnRightText": "右に列を挿入", + "SSE.Views.TableSettings.insertRowAboveText": "上に行を挿入", + "SSE.Views.TableSettings.insertRowBelowText": "下に行を挿入", "SSE.Views.TableSettings.notcriticalErrorTitle": "警告", "SSE.Views.TableSettings.selectColumnText": "列全体の選択", "SSE.Views.TableSettings.selectDataText": "列データの選択", @@ -3149,20 +3188,20 @@ "SSE.Views.TableSettings.textEdit": "行&列", "SSE.Views.TableSettings.textEmptyTemplate": "テンプレートなし", "SSE.Views.TableSettings.textExistName": "エラー!すでに同じ名前がある範囲も存在しています。", - "SSE.Views.TableSettings.textFilter": "フィルタのボタン", + "SSE.Views.TableSettings.textFilter": "「フィルター」ボタン", "SSE.Views.TableSettings.textFirst": "最初の", "SSE.Views.TableSettings.textHeader": "ヘッダー", "SSE.Views.TableSettings.textInvalidName": "エラー!表の名前が正しくありません。", "SSE.Views.TableSettings.textIsLocked": "この要素が別のユーザーによって編集されています。", "SSE.Views.TableSettings.textLast": "最後の", "SSE.Views.TableSettings.textLongOperation": "長時間の操作", - "SSE.Views.TableSettings.textPivot": "ピボットテーブルの挿入", + "SSE.Views.TableSettings.textPivot": "ピボットテーブルを挿入", "SSE.Views.TableSettings.textRemDuplicates": "重複データを削除", "SSE.Views.TableSettings.textReservedName": "使用しようとしている名前は、既にセルの数式で参照されています。他の名前を使用してください。", "SSE.Views.TableSettings.textResize": "テーブルのサイズ変更", "SSE.Views.TableSettings.textRows": "行", "SSE.Views.TableSettings.textSelectData": "データの選択", - "SSE.Views.TableSettings.textSlicer": "スライサーの挿入", + "SSE.Views.TableSettings.textSlicer": "スライサーを挿入", "SSE.Views.TableSettings.textTableName": "表の名前", "SSE.Views.TableSettings.textTemplate": "テンプレートから選択する", "SSE.Views.TableSettings.textTotal": "合計", @@ -3203,7 +3242,7 @@ "SSE.Views.TextArtSettings.textTexture": "テクスチャから", "SSE.Views.TextArtSettings.textTile": "タイル", "SSE.Views.TextArtSettings.textTransform": "変換", - "SSE.Views.TextArtSettings.tipAddGradientPoint": "グラデーションポイントを追加する", + "SSE.Views.TextArtSettings.tipAddGradientPoint": "グラデーションポイントを追加", "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "グラデーションポイントを削除する", "SSE.Views.TextArtSettings.txtBrownPaper": "クラフト紙", "SSE.Views.TextArtSettings.txtCanvas": "キャンバス", @@ -3242,9 +3281,9 @@ "SSE.Views.Toolbar.capInsertTable": "表", "SSE.Views.Toolbar.capInsertText": "テキストボックス", "SSE.Views.Toolbar.mniImageFromFile": "ファイルからの画像", - "SSE.Views.Toolbar.mniImageFromStorage": "ストレージから画像を読み込む", - "SSE.Views.Toolbar.mniImageFromUrl": "ファイルからのURL", - "SSE.Views.Toolbar.textAddPrintArea": "印刷範囲の追加", + "SSE.Views.Toolbar.mniImageFromStorage": "ストレージからの画像", + "SSE.Views.Toolbar.mniImageFromUrl": "URLからの画像", + "SSE.Views.Toolbar.textAddPrintArea": "印刷範囲に追加", "SSE.Views.Toolbar.textAlignBottom": "下揃え", "SSE.Views.Toolbar.textAlignCenter": "中央揃え", "SSE.Views.Toolbar.textAlignJust": "両端揃え", @@ -3252,32 +3291,32 @@ "SSE.Views.Toolbar.textAlignMiddle": "中央揃え", "SSE.Views.Toolbar.textAlignRight": "右揃え", "SSE.Views.Toolbar.textAlignTop": "上揃え", - "SSE.Views.Toolbar.textAllBorders": "全てのボーダー", + "SSE.Views.Toolbar.textAllBorders": "すべての罫線", "SSE.Views.Toolbar.textAuto": "自動", "SSE.Views.Toolbar.textAutoColor": "自動", "SSE.Views.Toolbar.textBold": "太字", "SSE.Views.Toolbar.textBordersColor": "罫線の色", "SSE.Views.Toolbar.textBordersStyle": "罫線スタイル", "SSE.Views.Toolbar.textBottom": "低:", - "SSE.Views.Toolbar.textBottomBorders": "罫線の下", + "SSE.Views.Toolbar.textBottomBorders": "下の罫線", "SSE.Views.Toolbar.textCenterBorders": "内側の垂直方向の罫線", - "SSE.Views.Toolbar.textClearPrintArea": "印刷範囲をクリアする", - "SSE.Views.Toolbar.textClearRule": "ルールを消去する", + "SSE.Views.Toolbar.textClearPrintArea": "印刷範囲を解除", + "SSE.Views.Toolbar.textClearRule": "ルールを消去", "SSE.Views.Toolbar.textClockwise": "右回りに​​回転", "SSE.Views.Toolbar.textColorScales": "色​​スケール", "SSE.Views.Toolbar.textCounterCw": "左回りに​​回転", "SSE.Views.Toolbar.textDataBars": "データ バー", "SSE.Views.Toolbar.textDelLeft": "左方向にシフト", "SSE.Views.Toolbar.textDelUp": "上方向にシフト", - "SSE.Views.Toolbar.textDiagDownBorder": "斜め罫線 (右下がり)", - "SSE.Views.Toolbar.textDiagUpBorder": "斜め罫線 ​​(右上がり)", + "SSE.Views.Toolbar.textDiagDownBorder": "斜め境界線(上から下に)", + "SSE.Views.Toolbar.textDiagUpBorder": "斜め境界線(下から上に)", "SSE.Views.Toolbar.textEntireCol": "列全体", "SSE.Views.Toolbar.textEntireRow": "行全体", "SSE.Views.Toolbar.textFewPages": "ページ", "SSE.Views.Toolbar.textHeight": "高さ", "SSE.Views.Toolbar.textHorizontal": "横書きテキスト", "SSE.Views.Toolbar.textInsDown": "下方向にシフト", - "SSE.Views.Toolbar.textInsideBorders": "罫線の購入", + "SSE.Views.Toolbar.textInsideBorders": "罫線を購入", "SSE.Views.Toolbar.textInsRight": "右方向にシフト", "SSE.Views.Toolbar.textItalic": "イタリック", "SSE.Views.Toolbar.textItems": "アイテム", @@ -3302,7 +3341,8 @@ "SSE.Views.Toolbar.textPortrait": "縦向き", "SSE.Views.Toolbar.textPrint": "印刷", "SSE.Views.Toolbar.textPrintGridlines": "枠線の印刷", - "SSE.Views.Toolbar.textPrintOptions": "設定の印刷", + "SSE.Views.Toolbar.textPrintHeadings": "見出しの印刷", + "SSE.Views.Toolbar.textPrintOptions": "印刷の設定", "SSE.Views.Toolbar.textRight": "右:", "SSE.Views.Toolbar.textRightBorders": "右の罫線", "SSE.Views.Toolbar.textRotateDown": "右へ90度回転", @@ -3321,7 +3361,7 @@ "SSE.Views.Toolbar.textTabFormula": "数式", "SSE.Views.Toolbar.textTabHome": "ホーム", "SSE.Views.Toolbar.textTabInsert": "挿入", - "SSE.Views.Toolbar.textTabLayout": "ページレイアウト", + "SSE.Views.Toolbar.textTabLayout": "レイアウト", "SSE.Views.Toolbar.textTabProtect": "保護", "SSE.Views.Toolbar.textTabView": "表示", "SSE.Views.Toolbar.textThisPivot": "このピボットから", @@ -3337,7 +3377,7 @@ "SSE.Views.Toolbar.tipAlignCenter": "中央揃え", "SSE.Views.Toolbar.tipAlignJust": "両端揃え", "SSE.Views.Toolbar.tipAlignLeft": "左揃え", - "SSE.Views.Toolbar.tipAlignMiddle": "上下中央揃え", + "SSE.Views.Toolbar.tipAlignMiddle": "中央揃え", "SSE.Views.Toolbar.tipAlignRight": "右揃え", "SSE.Views.Toolbar.tipAlignTop": "上揃え", "SSE.Views.Toolbar.tipAutofilter": "並べ替えとフィルタ", @@ -3345,43 +3385,43 @@ "SSE.Views.Toolbar.tipBorders": "罫線", "SSE.Views.Toolbar.tipCellStyle": "セルのスタイル", "SSE.Views.Toolbar.tipChangeChart": "グラフの種類を変更", - "SSE.Views.Toolbar.tipClearStyle": "クリア", - "SSE.Views.Toolbar.tipColorSchemas": "配色の変更", + "SSE.Views.Toolbar.tipClearStyle": "消去", + "SSE.Views.Toolbar.tipColorSchemas": "配色を変更", "SSE.Views.Toolbar.tipCondFormat": "条件付き書式", "SSE.Views.Toolbar.tipCopy": "コピー", - "SSE.Views.Toolbar.tipCopyStyle": "スタイルのコピー", + "SSE.Views.Toolbar.tipCopyStyle": "スタイルをコピーする", "SSE.Views.Toolbar.tipDecDecimal": "小数点表示桁下げ", "SSE.Views.Toolbar.tipDecFont": "フォントのサイズの減分", - "SSE.Views.Toolbar.tipDeleteOpt": "セルの削除", + "SSE.Views.Toolbar.tipDeleteOpt": "セルを削除", "SSE.Views.Toolbar.tipDigStyleAccounting": "会計のスタイル", "SSE.Views.Toolbar.tipDigStyleCurrency": "通貨スタイル", - "SSE.Views.Toolbar.tipDigStylePercent": "パーセント スタイル", + "SSE.Views.Toolbar.tipDigStylePercent": "パーセントのスタイル", "SSE.Views.Toolbar.tipEditChart": "グラフの編集", "SSE.Views.Toolbar.tipEditChartData": "データの選択", "SSE.Views.Toolbar.tipEditChartType": "グラフの種類を変更", - "SSE.Views.Toolbar.tipEditHeader": "ヘッダーやフッターの編集", + "SSE.Views.Toolbar.tipEditHeader": "ヘッダーやフッターを編集する", "SSE.Views.Toolbar.tipFontColor": "フォントの色", "SSE.Views.Toolbar.tipFontName": "フォント", - "SSE.Views.Toolbar.tipFontSize": "フォントサイズ", + "SSE.Views.Toolbar.tipFontSize": "フォントのサイズ", "SSE.Views.Toolbar.tipImgAlign": "オブジェクトを整列する", "SSE.Views.Toolbar.tipImgGroup": "オブジェクトをグループ化する", "SSE.Views.Toolbar.tipIncDecimal": "進数を増やす", "SSE.Views.Toolbar.tipIncFont": "フォントサイズの増分", - "SSE.Views.Toolbar.tipInsertChart": "グラフの挿入", - "SSE.Views.Toolbar.tipInsertChartSpark": "グラフの挿入", - "SSE.Views.Toolbar.tipInsertEquation": "方程式の挿入", - "SSE.Views.Toolbar.tipInsertHyperlink": "ハイパーリンクの追加", - "SSE.Views.Toolbar.tipInsertImage": "画像の挿入", - "SSE.Views.Toolbar.tipInsertOpt": "セルの挿入", - "SSE.Views.Toolbar.tipInsertShape": "オートシェイプの挿入", - "SSE.Views.Toolbar.tipInsertSlicer": "スライサーの挿入", + "SSE.Views.Toolbar.tipInsertChart": "グラフを挿入", + "SSE.Views.Toolbar.tipInsertChartSpark": "グラフを挿入", + "SSE.Views.Toolbar.tipInsertEquation": "方程式を挿入", + "SSE.Views.Toolbar.tipInsertHyperlink": "ハイパーリンクを追加", + "SSE.Views.Toolbar.tipInsertImage": "画像を挿入", + "SSE.Views.Toolbar.tipInsertOpt": "セルを挿入", + "SSE.Views.Toolbar.tipInsertShape": "オートシェイプを挿入", + "SSE.Views.Toolbar.tipInsertSlicer": "スライサーのを挿入", "SSE.Views.Toolbar.tipInsertSpark": "スパークラインを挿入する", - "SSE.Views.Toolbar.tipInsertSymbol": "記号の挿入", - "SSE.Views.Toolbar.tipInsertTable": "テーブルの挿入", + "SSE.Views.Toolbar.tipInsertSymbol": "記号を挿入", + "SSE.Views.Toolbar.tipInsertTable": "テーブルを挿入", "SSE.Views.Toolbar.tipInsertText": "テキストボックスを挿入する", - "SSE.Views.Toolbar.tipInsertTextart": "ワードアートの挿入", - "SSE.Views.Toolbar.tipMarkersArrow": "箇条書き(矢印)", + "SSE.Views.Toolbar.tipInsertTextart": "ワードアートを挿入", "SSE.Views.Toolbar.tipMerge": "結合して、中央に配置する", + "SSE.Views.Toolbar.tipNone": "なし", "SSE.Views.Toolbar.tipNumFormat": "数値の書式", "SSE.Views.Toolbar.tipPageMargins": "余白", "SSE.Views.Toolbar.tipPageOrient": "印刷の向き", @@ -3407,9 +3447,9 @@ "SSE.Views.Toolbar.txtAutosumTip": "合計", "SSE.Views.Toolbar.txtClearAll": "すべて", "SSE.Views.Toolbar.txtClearComments": "コメント", - "SSE.Views.Toolbar.txtClearFilter": "フィルタのクリア", + "SSE.Views.Toolbar.txtClearFilter": "フィルタを消去", "SSE.Views.Toolbar.txtClearFormat": "形式", - "SSE.Views.Toolbar.txtClearFormula": "機能", + "SSE.Views.Toolbar.txtClearFormula": "関数", "SSE.Views.Toolbar.txtClearHyper": "ハイパーリンク", "SSE.Views.Toolbar.txtClearText": "テキスト", "SSE.Views.Toolbar.txtCurrency": "通貨", @@ -3420,8 +3460,8 @@ "SSE.Views.Toolbar.txtDollar": "$ ドル", "SSE.Views.Toolbar.txtEuro": "€ ユーロ", "SSE.Views.Toolbar.txtExp": "指数", - "SSE.Views.Toolbar.txtFilter": "フィルタ", - "SSE.Views.Toolbar.txtFormula": "関数の挿入", + "SSE.Views.Toolbar.txtFilter": "フィルター​​", + "SSE.Views.Toolbar.txtFormula": "関数を挿入", "SSE.Views.Toolbar.txtFraction": "分数", "SSE.Views.Toolbar.txtFranc": "CHF スイス フラン", "SSE.Views.Toolbar.txtGeneral": "標準", @@ -3472,22 +3512,22 @@ "SSE.Views.Toolbar.txtUnmerge": "セル結合の解除", "SSE.Views.Toolbar.txtYen": "¥ 円", "SSE.Views.Top10FilterDialog.textType": "表示", - "SSE.Views.Top10FilterDialog.txtBottom": "下", + "SSE.Views.Top10FilterDialog.txtBottom": "最低", "SSE.Views.Top10FilterDialog.txtBy": "対象", "SSE.Views.Top10FilterDialog.txtItems": "アイテム", "SSE.Views.Top10FilterDialog.txtPercent": "パーセント", "SSE.Views.Top10FilterDialog.txtSum": "合計", - "SSE.Views.Top10FilterDialog.txtTitle": "トップテン オートフィルタ", + "SSE.Views.Top10FilterDialog.txtTitle": "トップ 10 オートフィルタ", "SSE.Views.Top10FilterDialog.txtTop": "トップ", "SSE.Views.Top10FilterDialog.txtValueTitle": "トップ10フィルター", "SSE.Views.ValueFieldSettingsDialog.textTitle": "値フィールド設定", "SSE.Views.ValueFieldSettingsDialog.txtAverage": "平均", "SSE.Views.ValueFieldSettingsDialog.txtBaseField": "基本フィールド", "SSE.Views.ValueFieldSettingsDialog.txtBaseItem": "基本アイテム\n\t", - "SSE.Views.ValueFieldSettingsDialog.txtByField": "%2の%1", - "SSE.Views.ValueFieldSettingsDialog.txtCount": "カウント", - "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "数を集計", - "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "カスタム名", + "SSE.Views.ValueFieldSettingsDialog.txtByField": "%2 の %1", + "SSE.Views.ValueFieldSettingsDialog.txtCount": "データの個数", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "数値の個数", + "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "ユーザー設定の名前", "SSE.Views.ValueFieldSettingsDialog.txtDifference": "基準値との差分", "SSE.Views.ValueFieldSettingsDialog.txtIndex": "インデックス", "SSE.Views.ValueFieldSettingsDialog.txtMax": "最大", @@ -3500,7 +3540,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtPercentOfTotal": "行のパーセント", "SSE.Views.ValueFieldSettingsDialog.txtProduct": "乗積", "SSE.Views.ValueFieldSettingsDialog.txtRunTotal": "累計", - "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "計算の種類", + "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "計算の種類を表示", "SSE.Views.ValueFieldSettingsDialog.txtSourceName": "ソース名:", "SSE.Views.ValueFieldSettingsDialog.txtStdDev": "標準偏差", "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "標準偏差", @@ -3510,6 +3550,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "分散", "SSE.Views.ViewManagerDlg.closeButtonText": "閉じる", "SSE.Views.ViewManagerDlg.guestText": "ゲスト", + "SSE.Views.ViewManagerDlg.lockText": "ロックされた", "SSE.Views.ViewManagerDlg.textDelete": "削除する", "SSE.Views.ViewManagerDlg.textDuplicate": "複製する", "SSE.Views.ViewManagerDlg.textEmpty": "表示はまだ作成されていません。", @@ -3527,6 +3568,7 @@ "SSE.Views.ViewTab.capBtnSheetView": "シートの表示", "SSE.Views.ViewTab.textAlwaysShowToolbar": "ツールバーを常に表示する", "SSE.Views.ViewTab.textClose": "閉じる", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "ステータスバーとシートを結合する", "SSE.Views.ViewTab.textCreate": "新しい", "SSE.Views.ViewTab.textDefault": "デフォルト", "SSE.Views.ViewTab.textFormula": "数式バー", @@ -3534,7 +3576,9 @@ "SSE.Views.ViewTab.textFreezeRow": "先頭行を固定する", "SSE.Views.ViewTab.textGridlines": "枠線表示", "SSE.Views.ViewTab.textHeadings": "見出し", + "SSE.Views.ViewTab.textInterfaceTheme": "インターフェイスのテーマ", "SSE.Views.ViewTab.textManager": "表示マネージャー", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "固定されたウィンドウ枠の影を表示する", "SSE.Views.ViewTab.textUnFreeze": "ウインドウ枠固定の解除", "SSE.Views.ViewTab.textZeros": "0を表示する", "SSE.Views.ViewTab.textZoom": "ズーム", @@ -3546,8 +3590,8 @@ "SSE.Views.WBProtection.hintProtectSheet": "シートを保護する", "SSE.Views.WBProtection.hintProtectWB": "ブックを保護する", "SSE.Views.WBProtection.txtAllowRanges": "範囲の編集を許可する", - "SSE.Views.WBProtection.txtHiddenFormula": "数式を非表示", - "SSE.Views.WBProtection.txtLockedCell": "ロックしたセル", + "SSE.Views.WBProtection.txtHiddenFormula": "非表示の数式", + "SSE.Views.WBProtection.txtLockedCell": "ロックされたセル", "SSE.Views.WBProtection.txtLockedShape": "図形をロック", "SSE.Views.WBProtection.txtLockedText": "テキストをロックする", "SSE.Views.WBProtection.txtProtectSheet": "シートを保護する", diff --git a/apps/spreadsheeteditor/main/locale/ko.json b/apps/spreadsheeteditor/main/locale/ko.json index de3d7e66b..8dcd44191 100644 --- a/apps/spreadsheeteditor/main/locale/ko.json +++ b/apps/spreadsheeteditor/main/locale/ko.json @@ -114,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "New", "Common.UI.ExtendedColorDialog.textRGBErr": "입력 한 값이 잘못되었습니다.
                              0에서 255 사이의 숫자 값을 입력하십시오.", "Common.UI.HSBColorPicker.textNoColor": "색상 없음", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "비밀번호 숨기기", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "비밀번호 표시", "Common.UI.SearchDialog.textHighlight": "결과 강조 표시", "Common.UI.SearchDialog.textMatchCase": "대소 문자를 구분합니다", "Common.UI.SearchDialog.textReplaceDef": "대체 텍스트 입력", @@ -178,12 +180,14 @@ "Common.Views.Comments.mniAuthorDesc": "작성자 Z > A", "Common.Views.Comments.mniDateAsc": "가장 오래된", "Common.Views.Comments.mniDateDesc": "최신", + "Common.Views.Comments.mniFilterGroups": "그룹별 필터링", "Common.Views.Comments.mniPositionAsc": "위에서 부터", "Common.Views.Comments.mniPositionDesc": "아래로 부터", "Common.Views.Comments.textAdd": "추가", "Common.Views.Comments.textAddComment": "덧글 추가", "Common.Views.Comments.textAddCommentToDoc": "문서에 설명 추가", "Common.Views.Comments.textAddReply": "답장 추가", + "Common.Views.Comments.textAll": "모두", "Common.Views.Comments.textAnonym": "손님", "Common.Views.Comments.textCancel": "취소", "Common.Views.Comments.textClose": "닫기", @@ -197,6 +201,8 @@ "Common.Views.Comments.textResolve": "해결", "Common.Views.Comments.textResolved": "해결됨", "Common.Views.Comments.textSort": "코멘트 분류", + "Common.Views.Comments.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", + "Common.Views.Comments.txtEmpty": "시트에 코멘트가 없습니다", "Common.Views.CopyWarningDialog.textDontShow": "이 메시지를 다시 표시하지 않음", "Common.Views.CopyWarningDialog.textMsg": "편집기 도구 모음 단추 및 컨텍스트 메뉴 작업을 사용하여 복사, 잘라 내기 및 붙여 넣기 작업은이 편집기 탭 내에서만 수행됩니다.

                              외부 응용 프로그램으로 복사하거나 붙여 넣으려면 편집기 탭은 다음과 같은 키보드 조합을 사용합니다 : ", "Common.Views.CopyWarningDialog.textTitle": "작업 복사, 잘라 내기 및 붙여 넣기", @@ -364,6 +370,7 @@ "Common.Views.ReviewPopover.textOpenAgain": "다시 열기", "Common.Views.ReviewPopover.textReply": "답변", "Common.Views.ReviewPopover.textResolve": "해결", + "Common.Views.ReviewPopover.textViewResolved": "코멘트를 다시 열 수 있는 권한이 없습니다", "Common.Views.ReviewPopover.txtDeleteTip": "삭제", "Common.Views.ReviewPopover.txtEditTip": "편집", "Common.Views.SaveAsDlg.textLoading": "로드 중", @@ -474,6 +481,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "세로선 추가", "SSE.Controllers.DocumentHolder.txtAlignToChar": "문자에 정렬", "SSE.Controllers.DocumentHolder.txtAll": "(전체)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "열 머리글, 데이터 및 총 행을 포함하여 테이블 또는 지정된 테이블 열의 전체 내용을 반환합니다", "SSE.Controllers.DocumentHolder.txtAnd": "그리고", "SSE.Controllers.DocumentHolder.txtBegins": "~와 함께 시작하다.\n~로 시작하다", "SSE.Controllers.DocumentHolder.txtBelowAve": "평균 이하", @@ -483,6 +491,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "열", "SSE.Controllers.DocumentHolder.txtColumnAlign": "열 정렬", "SSE.Controllers.DocumentHolder.txtContains": "포함", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "테이블 또는 지정된 테이블 열의 데이터 셀을 반환합니다", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "인수 크기 감소", "SSE.Controllers.DocumentHolder.txtDeleteArg": "인수 삭제", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "수동 브레이크 삭제", @@ -506,6 +515,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "크거나 같음", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "텍스트를 덮는 문자", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "문자 아래의 문자", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "테이블 또는 지정된 테이블 열에 대한 열 머리글을 반환합니다", "SSE.Controllers.DocumentHolder.txtHeight": "높이", "SSE.Controllers.DocumentHolder.txtHideBottom": "아래쪽 테두리 숨기기", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "하단 제한 숨기기", @@ -584,7 +594,9 @@ "SSE.Controllers.DocumentHolder.txtSorting": "정렬", "SSE.Controllers.DocumentHolder.txtSortSelected": "정렬 선택", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "스트레치 괄호", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "지정된 열의 이 행만 선택", "SSE.Controllers.DocumentHolder.txtTop": "Top", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "테이블 또는 지정된 테이블 열의 총 행을 반환합니다", "SSE.Controllers.DocumentHolder.txtUnderbar": "텍스트 아래에 바", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "테이블 자동확장 하지 않기", "SSE.Controllers.DocumentHolder.txtUseTextImport": "텍스트 마법사를 사용", @@ -639,6 +651,7 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "영역에 필터링 된 셀이 포함되어있어 작업을 수행 할 수 없습니다.
                              필터링 된 요소를 숨김 해제하고 다시 시도하십시오.", "SSE.Controllers.Main.errorBadImageUrl": "이미지 URL이 잘못되었습니다.", "SSE.Controllers.Main.errorCannotUngroup": "그룹 지정 해제가 되지 않습니다. 특정 열 또는 줄을 지정해서 그룹 지정을 다시 하시기 바랍니다.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "보호된 시트에서는 이 명령을 사용할 수 없습니다. 이 명령을 사용하려면 시트 보호를 해제하세요.
                              비밀번호를 입력하라는 메시지가 표시될 수 있습니다.", "SSE.Controllers.Main.errorChangeArray": "배열의 일부를 변경할 수 없습니다.", "SSE.Controllers.Main.errorChangeFilteredRange": "이렇게 하면 워크시트의 필터 범위가 변경됩니다.
                              이 작업을 완료하려면 \"자동 필터\"를 삭제하십시오.", "SSE.Controllers.Main.errorChangeOnProtectedSheet": "변경하려는 셀 또는 차트가 보호된 워크시트에 있습니다.
                              변경하려면 워크시트의 잠금을 해제하세요. 입력한 비밀번호를 수정해야 할 수도 있습니다.", @@ -754,6 +767,11 @@ "SSE.Controllers.Main.textConvertEquation": "방정식은 더 이상 지원되지 않는 이전 버전의 방정식 편집기를 사용하여 생성되었습니다. 편집하려면 수식을 Office Math ML 형식으로 변환하세요.
                              지금 변환하시겠습니까?", "SSE.Controllers.Main.textCustomLoader": "라이센스 조건에 따라 교체할 권한이 없습니다.
                              견적은 당사 영업부에 문의해 주십시오.", "SSE.Controllers.Main.textDisconnect": "네트워크 연결 끊김", + "SSE.Controllers.Main.textFillOtherRows": "다른 행 채우기", + "SSE.Controllers.Main.textFormulaFilledAllRows": "수식이 채워진 {0} 행에 데이터가 있습니다. 다른 빈 행을 채우는 데 몇 분 정도 걸릴 수 있습니다.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "수식이 첫 {0}행을 채웠습니다. 다른 빈 행을 채우는 데 몇 분 정도 걸릴 수 있습니다.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "메모리 절약 이유로 수식은 첫 {0}행만 채웠습니다. 이 시트의 다른 행에는 데이터가 없습니다.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "메모리 절약 이유로 수식은 첫 {0}행만 채웠습니다. 이 시트의 다른 행에는 데이터가 없습니다.", "SSE.Controllers.Main.textGuest": "게스트", "SSE.Controllers.Main.textHasMacros": "파일에 자동 매크로가 포함되어 있습니다.
                              매크로를 실행 하시겠습니까?", "SSE.Controllers.Main.textLearnMore": "자세히", @@ -764,6 +782,7 @@ "SSE.Controllers.Main.textNoLicenseTitle": "라이센스 수를 제한했습니다.", "SSE.Controllers.Main.textPaidFeature": "유료기능", "SSE.Controllers.Main.textPleaseWait": "작업이 예상보다 많은 시간이 걸릴 수 있습니다. 잠시 기다려주십시오 ...", + "SSE.Controllers.Main.textReconnect": "연결이 복원되었습니다", "SSE.Controllers.Main.textRemember": "모든 파일에 대한 선택 사항을 기억하기", "SSE.Controllers.Main.textRenameError": "사용자 이름은 비워둘 수 없습니다.", "SSE.Controllers.Main.textRenameLabel": "협업에 사용할 이름을 입력합니다", @@ -1080,6 +1099,7 @@ "SSE.Controllers.Toolbar.textPivot": "피벗 테이블", "SSE.Controllers.Toolbar.textRadical": "Radicals", "SSE.Controllers.Toolbar.textRating": "평가", + "SSE.Controllers.Toolbar.textRecentlyUsed": "최근 사용된", "SSE.Controllers.Toolbar.textScript": "Scripts", "SSE.Controllers.Toolbar.textShapes": "도형", "SSE.Controllers.Toolbar.textSymbols": "Symbols", @@ -1421,7 +1441,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "소수점 구분 기호", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "천 단위 구분자", "SSE.Views.AdvancedSeparatorDialog.textLabel": "디지털 데이터 식별을 위한 설정", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "텍스트 퀄리파이어", "SSE.Views.AdvancedSeparatorDialog.textTitle": "고급 설정", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(없음)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "사용자 지정 자동 필터", "SSE.Views.AutoFilterDialog.textAddSelection": "현재 선택을 필터에 추가", "SSE.Views.AutoFilterDialog.textEmptyItem": "{공백}", @@ -1867,6 +1889,7 @@ "SSE.Views.DocumentHolder.textCrop": "자르기", "SSE.Views.DocumentHolder.textCropFill": "채우기", "SSE.Views.DocumentHolder.textCropFit": "맞춤", + "SSE.Views.DocumentHolder.textEditPoints": "꼭지점 수정", "SSE.Views.DocumentHolder.textEntriesList": "드롭 다운 목록에서 선택", "SSE.Views.DocumentHolder.textFlipH": "좌우대칭", "SSE.Views.DocumentHolder.textFlipV": "상하대칭", @@ -1897,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "실행 취소", "SSE.Views.DocumentHolder.textUnFreezePanes": "창 고정 취소", "SSE.Views.DocumentHolder.textVar": "표본분산", + "SSE.Views.DocumentHolder.tipMarkersArrow": "화살 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "체크 표시 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersDash": "대시 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "채워진 마름모 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersFRound": "채워진 원형 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "채워진 사각형 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersHRound": "빈 원형 글머리 기호", + "SSE.Views.DocumentHolder.tipMarkersStar": "별 글머리 기호", "SSE.Views.DocumentHolder.topCellText": "정렬 위쪽", "SSE.Views.DocumentHolder.txtAccounting": "회계", "SSE.Views.DocumentHolder.txtAddComment": "주석 추가", @@ -1995,7 +2026,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "메뉴 닫기", "SSE.Views.FileMenu.btnCreateNewCaption": "새로 만들기", "SSE.Views.FileMenu.btnDownloadCaption": "다운로드 방법 ...", - "SSE.Views.FileMenu.btnExitCaption": "나가기", + "SSE.Views.FileMenu.btnExitCaption": "완료", "SSE.Views.FileMenu.btnFileOpenCaption": "열기", "SSE.Views.FileMenu.btnHelpCaption": "Help ...", "SSE.Views.FileMenu.btnHistoryCaption": "버전 기록", @@ -2032,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "액세스 권한 변경", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "권한이있는 사람", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "적용", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "자동 검색 켜기", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "자동 저장 기능 켜기", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "공동 편집 모드", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "다른 사용자가 변경 사항을 한 번에 보게됩니다", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "변경 사항을 적용하기 전에 변경 내용을 적용해야합니다.", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "소수점 구분 기호", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "글꼴 힌트", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "저장과 동시에 서버에 업로드 (아니면 문서가 닫힐 때 업로드)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "수식 언어", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "예 : SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "주석 표시 켜기", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "매크로 설정", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "잘라내기, 복사 및 붙여넣기", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "내용을 붙여넣을 때 \"붙여넣기 옵션\" 표시", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "R1C1 형식을 사용", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "국가 별 설정", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "예 :", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "해결 된 주석 표시 켜기", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "구분자", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "인터페이스 테마", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "천 단위 구분자", @@ -2087,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "이탈리아어", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "일본어", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "한국어", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "표시 설명", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "라오스어", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "라트비아어", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "as OS X", @@ -2114,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "모든 매크로를 비활성화로 알림", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windows로", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "중국어", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "적용", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "사전 언어", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "대문자 무시", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "숫자가 있는 단어 무시", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "자동 고침 옵션...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "보정", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "경고", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "비밀번호로", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "스프레드시트 보호", @@ -2131,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "유효한 서명이 당 스프레드시트에 추가되었슴. 이 스프레드시트는 편집할 수 없도록 보호됨.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "스프레드시트에 몇 가지 디지털 서명이 유효하지 않거나 확인되지 않음. 스프레드시트는 편집할 수 없도록 보호됨.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "서명 보기", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "일반", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "페이지 설정", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "맞춤법 검사", "SSE.Views.FormatRulesEditDlg.fillColor": "채우기 색", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "경고", "SSE.Views.FormatRulesEditDlg.text2Scales": "2색 눈금", @@ -2236,6 +2249,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "포맷 규칙을 편집", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "새로운 형식 규칙", "SSE.Views.FormatRulesManagerDlg.guestText": "게스트", + "SSE.Views.FormatRulesManagerDlg.lockText": "잠김", "SSE.Views.FormatRulesManagerDlg.text1Above": "표준편차 1이상 평균", "SSE.Views.FormatRulesManagerDlg.text1Below": "표준편차 1이하 평균", "SSE.Views.FormatRulesManagerDlg.text2Above": "표준편차 2이상 평균", @@ -2397,6 +2411,7 @@ "SSE.Views.ImageSettings.textCrop": "자르기", "SSE.Views.ImageSettings.textCropFill": "채우기", "SSE.Views.ImageSettings.textCropFit": "맞춤", + "SSE.Views.ImageSettings.textCropToShape": "도형에 맞게 자르기", "SSE.Views.ImageSettings.textEdit": "편집", "SSE.Views.ImageSettings.textEditObject": "개체 편집", "SSE.Views.ImageSettings.textFlip": "대칭", @@ -2411,6 +2426,7 @@ "SSE.Views.ImageSettings.textInsert": "이미지 바꾸기", "SSE.Views.ImageSettings.textKeepRatio": "상수 비율", "SSE.Views.ImageSettings.textOriginalSize": "실제 크기", + "SSE.Views.ImageSettings.textRecentlyUsed": "최근 사용된", "SSE.Views.ImageSettings.textRotate90": "90도 회전", "SSE.Views.ImageSettings.textRotation": "회전", "SSE.Views.ImageSettings.textSize": "크기", @@ -2488,6 +2504,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "붙여 넣기 이름", "SSE.Views.NameManagerDlg.closeButtonText": "닫기", "SSE.Views.NameManagerDlg.guestText": "Guest", + "SSE.Views.NameManagerDlg.lockText": "잠김", "SSE.Views.NameManagerDlg.textDataRange": "참조 대상", "SSE.Views.NameManagerDlg.textDelete": "삭제", "SSE.Views.NameManagerDlg.textEdit": "편집", @@ -2719,6 +2736,44 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "범위 선택", "SSE.Views.PrintTitlesDialog.textTitle": "제목 인쇄", "SSE.Views.PrintTitlesDialog.textTop": "위의 행을 반복", + "SSE.Views.PrintWithPreview.txtActualSize": "실제 크기", + "SSE.Views.PrintWithPreview.txtAllSheets": "모든 시트", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "모든 시트에 적용", + "SSE.Views.PrintWithPreview.txtBottom": "바닥", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "현재 시트", + "SSE.Views.PrintWithPreview.txtCustom": "사용자 정의", + "SSE.Views.PrintWithPreview.txtCustomOptions": "사용자 정의 옵션", + "SSE.Views.PrintWithPreview.txtEmptyTable": "표가 비어 있어 인쇄할 내용이 없습니다", + "SSE.Views.PrintWithPreview.txtFitCols": "한 페이지에 모든 열 맞추기", + "SSE.Views.PrintWithPreview.txtFitPage": "한 페이지에 시트 맞추기", + "SSE.Views.PrintWithPreview.txtFitRows": "한 페이지에 모든 행 맞추기", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "눈금선 및 글머리", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "머리글/바닥글 설정", + "SSE.Views.PrintWithPreview.txtIgnore": "인쇄 영역 무시", + "SSE.Views.PrintWithPreview.txtLandscape": "가로 모드", + "SSE.Views.PrintWithPreview.txtLeft": "왼쪽", + "SSE.Views.PrintWithPreview.txtMargins": "여백", + "SSE.Views.PrintWithPreview.txtOf": "/ {0}", + "SSE.Views.PrintWithPreview.txtPage": "페이지", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "페이지 번호가 잘못되었습니다.", + "SSE.Views.PrintWithPreview.txtPageOrientation": "페이지 방향", + "SSE.Views.PrintWithPreview.txtPageSize": "페이지 크기", + "SSE.Views.PrintWithPreview.txtPortrait": "세로", + "SSE.Views.PrintWithPreview.txtPrint": "인쇄", + "SSE.Views.PrintWithPreview.txtPrintGrid": "눈금 선 인쇄", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "행 및 열 머리글 인쇄", + "SSE.Views.PrintWithPreview.txtPrintRange": "인쇄 범위", + "SSE.Views.PrintWithPreview.txtPrintTitles": "제목 인쇄", + "SSE.Views.PrintWithPreview.txtRepeat": "반복...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "왼쪽 열을 반복", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "위의 행을 반복", + "SSE.Views.PrintWithPreview.txtRight": "오른쪽", + "SSE.Views.PrintWithPreview.txtSave": "저장", + "SSE.Views.PrintWithPreview.txtScaling": "스케일링", + "SSE.Views.PrintWithPreview.txtSelection": "선택", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "시트 설정", + "SSE.Views.PrintWithPreview.txtSheet": "시트: {0}", + "SSE.Views.PrintWithPreview.txtTop": "맨 위", "SSE.Views.ProtectDialog.textExistName": "오류! 제목이 지정된 범위가 이미 있습니다.", "SSE.Views.ProtectDialog.textInvalidName": "범위 표준은 문자로 시작해야 하며 숫자, 문자 및 공백만 포함할 수 있습니다.", "SSE.Views.ProtectDialog.textInvalidRange": "오류! 셀 범위가 잘못되었습니다.", @@ -2753,6 +2808,7 @@ "SSE.Views.ProtectDialog.txtWBDescription": "다른 사용자가 숨겨진 워크시트를 보고, 워크시트를 추가, 이동, 삭제 또는 숨기고 워크시트 이름을 바꾸는 것을 방지하기 위해 암호를 설정하여 워크시트 구조를 보호할 수 있습니다.", "SSE.Views.ProtectDialog.txtWBTitle": "통합 문서 구조 보호", "SSE.Views.ProtectRangesDlg.guestText": "게스트", + "SSE.Views.ProtectRangesDlg.lockText": "잠김", "SSE.Views.ProtectRangesDlg.textDelete": "삭제", "SSE.Views.ProtectRangesDlg.textEdit": "편집", "SSE.Views.ProtectRangesDlg.textEmpty": "수정할 범위가 없습니다.", @@ -2832,6 +2888,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "패턴", "SSE.Views.ShapeSettings.textPosition": "위치", "SSE.Views.ShapeSettings.textRadial": "방사형", + "SSE.Views.ShapeSettings.textRecentlyUsed": "최근 사용된", "SSE.Views.ShapeSettings.textRotate90": "90도 회전", "SSE.Views.ShapeSettings.textRotation": "회전", "SSE.Views.ShapeSettings.textSelectImage": "그림선택", @@ -3093,6 +3150,7 @@ "SSE.Views.Statusbar.tipAddTab": "워크 시트 추가", "SSE.Views.Statusbar.tipFirst": "첫 번째 시트로 스크롤", "SSE.Views.Statusbar.tipLast": "마지막 시트로 스크롤", + "SSE.Views.Statusbar.tipListOfSheets": "시트 목록", "SSE.Views.Statusbar.tipNext": "오른쪽 스크롤 목록", "SSE.Views.Statusbar.tipPrev": "왼쪽으로 스크롤 목록", "SSE.Views.Statusbar.tipZoomFactor": "확대/축소", @@ -3281,6 +3339,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "사용자 정의 여백", "SSE.Views.Toolbar.textPortrait": "세로", "SSE.Views.Toolbar.textPrint": "인쇄", + "SSE.Views.Toolbar.textPrintGridlines": "눈금 선 인쇄", + "SSE.Views.Toolbar.textPrintHeadings": "글머리 인쇄", "SSE.Views.Toolbar.textPrintOptions": "인쇄 설정", "SSE.Views.Toolbar.textRight": "오른쪽 :", "SSE.Views.Toolbar.textRightBorders": "오른쪽 테두리", @@ -3360,6 +3420,7 @@ "SSE.Views.Toolbar.tipInsertText": "텍스트 상자 삽입", "SSE.Views.Toolbar.tipInsertTextart": "텍스트 아트 삽입", "SSE.Views.Toolbar.tipMerge": "병합하고 가운데 맞춤", + "SSE.Views.Toolbar.tipNone": "없음", "SSE.Views.Toolbar.tipNumFormat": "숫자 형식", "SSE.Views.Toolbar.tipPageMargins": "페이지 여백", "SSE.Views.Toolbar.tipPageOrient": "페이지 방향", @@ -3488,6 +3549,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "분산", "SSE.Views.ViewManagerDlg.closeButtonText": "닫기", "SSE.Views.ViewManagerDlg.guestText": "게스트", + "SSE.Views.ViewManagerDlg.lockText": "잠김", "SSE.Views.ViewManagerDlg.textDelete": "삭제", "SSE.Views.ViewManagerDlg.textDuplicate": "중복", "SSE.Views.ViewManagerDlg.textEmpty": "아직 생성된 보기가 없습니다.", @@ -3503,7 +3565,9 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "현재 활성화된 보기 '%1'을(를) 삭제하려고 합니다.
                              이 보기를 닫고 삭제하시겠습니까?", "SSE.Views.ViewTab.capBtnFreeze": "창 고정", "SSE.Views.ViewTab.capBtnSheetView": "시트보기", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "항상 도구 모음 표시", "SSE.Views.ViewTab.textClose": "닫기", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "상태 표시 줄 숨기기", "SSE.Views.ViewTab.textCreate": "새로만들기", "SSE.Views.ViewTab.textDefault": "기본", "SSE.Views.ViewTab.textFormula": "수식 입력줄", @@ -3511,7 +3575,9 @@ "SSE.Views.ViewTab.textFreezeRow": "첫 번째 행 고정", "SSE.Views.ViewTab.textGridlines": "눈금선", "SSE.Views.ViewTab.textHeadings": "제목", + "SSE.Views.ViewTab.textInterfaceTheme": "인터페이스 테마", "SSE.Views.ViewTab.textManager": "보기 관리자", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "틀 고정 음영 표시", "SSE.Views.ViewTab.textUnFreeze": "틀고정 취소", "SSE.Views.ViewTab.textZeros": "0표시", "SSE.Views.ViewTab.textZoom": "확대/축소", diff --git a/apps/spreadsheeteditor/main/locale/lo.json b/apps/spreadsheeteditor/main/locale/lo.json index a736eee2b..412af75ef 100644 --- a/apps/spreadsheeteditor/main/locale/lo.json +++ b/apps/spreadsheeteditor/main/locale/lo.json @@ -2,6 +2,7 @@ "cancelButtonText": "ຍົກເລີກ", "Common.Controllers.Chat.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "Common.Controllers.Chat.textEnterMessage": "ໃສ່ຂໍ້ຄວາມຂອງທ່ານທີ່ນີ້", + "Common.Controllers.History.notcriticalErrorTitle": "ເຕືອນ", "Common.define.chartData.textArea": "ພື້ນທີ່", "Common.define.chartData.textAreaStacked": "ພື້ນທີ່ຈັດລຽງລໍາດັບ", "Common.define.chartData.textAreaStackedPer": "100% ແຜ່ນຢອງກັນ", @@ -102,6 +103,8 @@ "Common.Translation.warnFileLocked": "ແຟ້ມ ກຳ ລັງຖືກດັດແກ້ຢູ່ໃນແອັບ ອື່ນ. ທ່ານສາມາດສືບຕໍ່ດັດແກ້ແລະບັນທຶກເປັນ ສຳ ເນົາ", "Common.Translation.warnFileLockedBtnEdit": "ສ້າງສຳເນົາ", "Common.Translation.warnFileLockedBtnView": "ເປີດເບິ່ງ", + "Common.UI.ButtonColored.textAutoColor": "ອັດຕະໂນມັດ", + "Common.UI.ButtonColored.textNewColor": "ເພີ່ມສີທີ່ກຳໜົດເອງໃໝ່", "Common.UI.ComboBorderSize.txtNoBorders": "ບໍ່ມີຂອບ", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "ບໍ່ມີຂອບ", "Common.UI.ComboDataView.emptyComboText": "ບໍ່ມີແບບ", @@ -111,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "ໃຫມ່", "Common.UI.ExtendedColorDialog.textRGBErr": "ຄ່າທີ່ຕື່ມໃສ່ບໍ່ຖືກຕ້ອງ.
                              ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 0 ຫາ 255.", "Common.UI.HSBColorPicker.textNoColor": "ບໍ່ມີສີ", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "ເຊື່ອງລະຫັດຜ່ານ", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "ສະແດງລະຫັດຜ່ານ", "Common.UI.SearchDialog.textHighlight": "ໄຮໄລ້ ຜົນລັບ", "Common.UI.SearchDialog.textMatchCase": "ກໍລະນີທີ່ສຳຄັນ", "Common.UI.SearchDialog.textReplaceDef": "ກະລຸນາໃສ່ຕົວ ໜັງ ສືທົດແທນເນື້ອຫາ", @@ -159,6 +164,7 @@ "Common.Views.AutoCorrectDialog.textRecognized": "ຫນ້າທີ່ຮັບຮູ້", "Common.Views.AutoCorrectDialog.textRecognizedDesc": "ສຳນວນດັ່ງຕໍ່ໄປນີ້ແມ່ນການສະແດງອອກທາງຄະນິດສາດ. ແລະ ຈະບໍ່ຖືກປັບໄໝໂດຍອັດຕະໂນມັດ.", "Common.Views.AutoCorrectDialog.textReplace": "ປ່ຽນແທນ", + "Common.Views.AutoCorrectDialog.textReplaceText": "ປ່ຽນແທນໃນຂະນະທີ່ທ່ານພິມ", "Common.Views.AutoCorrectDialog.textReplaceType": "ປ່ຽນຫົວຂໍ້ ໃນຂະນະທີ່ທ່ານພິມ", "Common.Views.AutoCorrectDialog.textReset": "ປັບໃໝ່", "Common.Views.AutoCorrectDialog.textResetAll": "ປັບເປັນຄ່າເລີ່ມຕົ້ນ", @@ -170,13 +176,22 @@ "Common.Views.AutoCorrectDialog.warnReset": "ທຸກໆການແກ້ໄຂອັດຕະໂນມັດທີ່ທ່ານເພີ່ມຈະຖືກລຶບອອກແລະສິ່ງທີ່ຖືກປ່ຽນແປງຈະຖືກ ນຳ ກັບມາໃຊ້ແບບເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", "Common.Views.AutoCorrectDialog.warnRestore": "ການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງສຳລັບ %1 ຈະຖືກຕັ້ງຄ່າໃຫ້ກັບມາເປັນຄ່າເດີມ. ທ່ານຕ້ອງການດຳເນີນການຕໍ່ບໍ່?", "Common.Views.Chat.textSend": "ສົ່ງ", + "Common.Views.Comments.mniAuthorAsc": "ລຽງ A ຫາ Z", + "Common.Views.Comments.mniAuthorDesc": "ລຽງ Z ເຖິງ A", + "Common.Views.Comments.mniDateAsc": "ເກົ່າທີ່ສຸດ", + "Common.Views.Comments.mniDateDesc": "ໃໝ່ລ່າສຸດ", + "Common.Views.Comments.mniFilterGroups": "ກັ່ນຕອງຕາມກຸ່ມ", + "Common.Views.Comments.mniPositionAsc": "ຈາກດ້ານເທິງ", + "Common.Views.Comments.mniPositionDesc": "ຈາກລຸ່ມ", "Common.Views.Comments.textAdd": "ເພີ່ມ", "Common.Views.Comments.textAddComment": "ເພີ່ມຄວາມຄິດເຫັນ", "Common.Views.Comments.textAddCommentToDoc": "ເພີ່ມຄວາມຄິດເຫັນໃນເອກະສານ", "Common.Views.Comments.textAddReply": "ຕອບຄີືນ", + "Common.Views.Comments.textAll": "ທັງໝົດ", "Common.Views.Comments.textAnonym": " ແຂກ", "Common.Views.Comments.textCancel": "ຍົກເລີກ", "Common.Views.Comments.textClose": " ປິດ", + "Common.Views.Comments.textClosePanel": "ປິດຄຳເຫັນ", "Common.Views.Comments.textComments": "ຄໍາເຫັນ", "Common.Views.Comments.textEdit": "ຕົກລົງ", "Common.Views.Comments.textEnterCommentHint": "ໃສ່ຄຳເຫັນຂອງທ່ານທີ່ນີ້", @@ -185,6 +200,9 @@ "Common.Views.Comments.textReply": "ຕອບ", "Common.Views.Comments.textResolve": "ແກ້ໄຂ", "Common.Views.Comments.textResolved": "ແກ້ໄຂແລ້ວ", + "Common.Views.Comments.textSort": "ຈັດຮຽງຄຳເຫັນ", + "Common.Views.Comments.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.Comments.txtEmpty": "ບໍ່ມີຄຳເຫັນຢູ່ແຜ່ນນີ້", "Common.Views.CopyWarningDialog.textDontShow": "ຢ່າສະແດງຂໍ້ຄວາມນີ້ອີກ", "Common.Views.CopyWarningDialog.textMsg": "ດຳເນີນການສຳເນົາ,ຕັດ ແລະ ວາງ ໂດຍໃຊ້ປຸ່ມເຄື່ອງມືແກ້ໄຂ ແລະ ", "Common.Views.CopyWarningDialog.textTitle": "ປະຕິບັດການສໍາເນົາ, ຕັດ ແລະ ວາງ", @@ -201,7 +219,7 @@ "Common.Views.Header.textBack": "ເປີດບ່ອນຕຳແໜ່ງເອກະສານ", "Common.Views.Header.textCompactView": "ເຊື້ອງເຄື່ອງມື", "Common.Views.Header.textHideLines": "ເຊື່ອງໄມ້ບັນທັດ", - "Common.Views.Header.textHideStatusBar": "ເຊື່ອງແຖບສະຖານະກີດ", + "Common.Views.Header.textHideStatusBar": "ປະສົມໜ້າຕະລາງແລະແຖບສະຖານະ", "Common.Views.Header.textRemoveFavorite": "ລຶບອອກຈາກລາຍການທີ່ມັກ", "Common.Views.Header.textSaveBegin": "ກຳລັງບັນທຶກ...", "Common.Views.Header.textSaveChanged": "ແກ້ໄຂ", @@ -220,6 +238,13 @@ "Common.Views.Header.tipViewUsers": "ເບິ່ງຜູ້ໃຊ້ແລະຈັດການສິດເຂົ້າເຖິງເອກະສານ", "Common.Views.Header.txtAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", "Common.Views.Header.txtRename": "ປ່ຽນຊື່", + "Common.Views.History.textCloseHistory": "ປິດປະຫວັດການເຄື່ອນໄຫວ", + "Common.Views.History.textHide": "ພັງທະລາຍ", + "Common.Views.History.textHideAll": "ເຊື່ອງລາຍລະອຽດການປ່ຽນແປງ", + "Common.Views.History.textRestore": "ກູ້ຄືນ", + "Common.Views.History.textShow": "ຂະຫຍາຍສ່ວນ", + "Common.Views.History.textShowAll": "ສະແດງການປ່ຽນແປງໂດຍລະອຽດ", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "ວາງ URL ຂອງຮູບພາບ:", "Common.Views.ImageFromUrlDialog.txtEmpty": "ຈຳເປັນຕ້ອງມີສ່ວນນີ້", "Common.Views.ImageFromUrlDialog.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", @@ -345,6 +370,9 @@ "Common.Views.ReviewPopover.textOpenAgain": "ເປີດໃໝ່ອີກຄັ້ງ", "Common.Views.ReviewPopover.textReply": "ຕອບ", "Common.Views.ReviewPopover.textResolve": "ແກ້ໄຂ", + "Common.Views.ReviewPopover.textViewResolved": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເປີດຄໍາຄິດເຫັນຄືນ", + "Common.Views.ReviewPopover.txtDeleteTip": "ລົບ", + "Common.Views.ReviewPopover.txtEditTip": "ແກ້ໄຂ", "Common.Views.SaveAsDlg.textLoading": "ກຳລັງໂຫລດ", "Common.Views.SaveAsDlg.textTitle": "ແຟ້ມສຳລັບບັນທຶກ", "Common.Views.SelectFileDlg.textLoading": "ກຳລັງໂຫລດ", @@ -415,6 +443,7 @@ "SSE.Controllers.DataTab.txtRemDuplicates": "ລົບລາຍການທີ່ຊໍ້າກັນ", "SSE.Controllers.DataTab.txtRemoveDataValidation": "ການເລືອກປະເພດຕ້ອງລືອກຫຼາຍກ່ອນ 1 ປະເພດ.
                              ການຕັ້ງຄ່າປັດຈຸບັນດຳເນີນການຕໍ່?", "SSE.Controllers.DataTab.txtRemSelected": "ລົບໃນລາຍການທີ່ເລືອກ", + "SSE.Controllers.DataTab.txtUrlTitle": "ວາງ URL ຂໍ້ມູນ", "SSE.Controllers.DocumentHolder.alignmentText": "ການຈັດຕຳແໜ່ງ", "SSE.Controllers.DocumentHolder.centerText": "ທາງກາງ", "SSE.Controllers.DocumentHolder.deleteColumnText": "ລົບຖັນ", @@ -452,6 +481,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "ເພີ່ມເສັ້ນແນວຕັ້ງ", "SSE.Controllers.DocumentHolder.txtAlignToChar": "ຈັດຕຳແໜ່ງໃຫ້ຊື່ກັບຕົວອັກສອນ", "SSE.Controllers.DocumentHolder.txtAll": "(ທັງໝົດ)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "ສົ່ງຄືນເນື້ອຫາທັງໝົດຂອງຕາຕະລາງ ຫຼື ຖັນຕາຕະລາງທີ່ລະບຸໄວ້ ລວມທັງສ່ວນຫົວຖັນ, ຂໍ້ມູນ ແລະແຖວທັງໝົດ", "SSE.Controllers.DocumentHolder.txtAnd": "ແລະ", "SSE.Controllers.DocumentHolder.txtBegins": "ເລີ້ມຕົ້ນດ້ວຍ", "SSE.Controllers.DocumentHolder.txtBelowAve": "ຕ່ຳກ່ວາຄ່າສະເລ່ຍ", @@ -461,6 +491,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "ຄໍລັ້ມ", "SSE.Controllers.DocumentHolder.txtColumnAlign": "ການຈັດແນວຄໍລັ້ມ", "SSE.Controllers.DocumentHolder.txtContains": "ປະກອບດ້ວຍ", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "ສົ່ງຄືນຕາລາງຂໍ້ມູນຂອງຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "ຫຼູດຜ່ອນຄວາມຜິດພາດ", "SSE.Controllers.DocumentHolder.txtDeleteArg": "ລົບຂໍ້ຂັດແຍ່ງທັງໝົດ", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "ຢຸດການລົບດ້ວຍຕົວເອງ", @@ -484,6 +515,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "ໃຫຍ່ກວ່າ ຫລື ເທົ່າກັບ", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "ຂຽນທັບຂໍ້ຄວາມ", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "ຂຽນກ້ອງຂໍ້ຄວາມ", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "ສົ່ງຄືນສ່ວນຫົວຖັນສຳລັບຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", "SSE.Controllers.DocumentHolder.txtHeight": "ລວງສູງ", "SSE.Controllers.DocumentHolder.txtHideBottom": "ເຊື່ອງຂອບດ້ານລູ່ມ", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "ເຊື່ອງຂີດຈຳກັດດ້ານລູ່ມ", @@ -513,6 +545,7 @@ "SSE.Controllers.DocumentHolder.txtLimitChange": "ປ່ຽນສະຖານທີ່ຈຳກັດ", "SSE.Controllers.DocumentHolder.txtLimitOver": "ຈຳກັດຂໍ້ຄວາມ", "SSE.Controllers.DocumentHolder.txtLimitUnder": "ຈຳກັດເນື້ອ", + "SSE.Controllers.DocumentHolder.txtLockSort": "ພົບຂໍ້ມູນຢູ່ຖັດຈາກການເລືອກຂອງທ່ານ, ແຕ່ທ່ານບໍ່ມີສິດພຽງພໍເພື່ອປ່ຽນຕາລາງເຫຼົ່ານັ້ນ.
                              ທ່ານຕ້ອງການສືບຕໍ່ກັບການເລືອກປັດຈຸບັນບໍ?", "SSE.Controllers.DocumentHolder.txtMatchBrackets": "ຈັບຄູ່ວົງເລັບເພື່ອຄວາມສູງຂອງການໂຕ້ຖຽງ", "SSE.Controllers.DocumentHolder.txtMatrixAlign": "ຈັດລຽງການຈັດຊຸດຂໍ້ມູນ", "SSE.Controllers.DocumentHolder.txtNoChoices": "ບໍ່ມີຕົວເລືອກໃຫ້ຕື່ມເຊວ.
                              ມີແຕ່ຄ່າຂໍ້ຄວາມຈາກຖັນເທົ່ານັ້ນທີ່ສາມາດເລືອກມາເພື່ອປ່ຽນແທນໄດ້.", @@ -545,6 +578,7 @@ "SSE.Controllers.DocumentHolder.txtRemLimit": "ລົບຂໍ້ຈຳກັດ", "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "ລົບອັກສອນເນັ້ນສຽງ", "SSE.Controllers.DocumentHolder.txtRemoveBar": "ລຶບແຖບ", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "ທ່ານຕ້ອງການຕັດລາຍເຊັນນີ້ອອກບໍ່?
                              ຈະບໍ່ສາມາດກູ້ຄືນໄດ້", "SSE.Controllers.DocumentHolder.txtRemScripts": "ລືບເນື້ອເລື່ອງອອກ", "SSE.Controllers.DocumentHolder.txtRemSubscript": "ລົບອອກຈາກຕົວຫຍໍ້", "SSE.Controllers.DocumentHolder.txtRemSuperscript": "ເອົາຕົວຫຍໍ້ອອກ (ລົບຕົວຫຍໍ້ອອກ)", @@ -560,10 +594,13 @@ "SSE.Controllers.DocumentHolder.txtSorting": "ການລຽງລຳດັບ", "SSE.Controllers.DocumentHolder.txtSortSelected": "ຈັດລຽງທີ່ເລືອກ", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "ຂະຫຍາຍວົງເລັບ", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "ເລືອກສະເພາະຄໍລຳທີ່ລະບຸ", "SSE.Controllers.DocumentHolder.txtTop": "ຂ້າງເທີງ", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "ສົ່ງຄືນແຖວທັງໝົດສຳລັບຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", "SSE.Controllers.DocumentHolder.txtUnderbar": "ຂີດກອ້ງຕົວໜັງສື", "SSE.Controllers.DocumentHolder.txtUndoExpansion": "ຍົກເລີກການຂະຫຍານຕາຕະລາງແບບອັດຕະໂນມັດ", "SSE.Controllers.DocumentHolder.txtUseTextImport": "ໃຊ້ຕົວຊ່ວຍສ້າງການນຳເຂົ້າຂໍ້ຄວາມ", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "ການຄລິກລິ້ງນີ້ອາດເປັນອັນຕະລາຍຕໍ່ອຸປະກອນ ແລະຂໍ້ມູນຂອງທ່ານ.
                              ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການສືບຕໍ່?", "SSE.Controllers.DocumentHolder.txtWidth": "ລວງກວ້າງ", "SSE.Controllers.FormulaDialog.sCategoryAll": "ທັງໝົດ", "SSE.Controllers.FormulaDialog.sCategoryCube": "ກຳລັງສາມ", @@ -583,6 +620,7 @@ "SSE.Controllers.LeftMenu.textByRows": "ໂດຍ ແຖວ", "SSE.Controllers.LeftMenu.textFormulas": "ສູດ", "SSE.Controllers.LeftMenu.textItemEntireCell": "ເນື້ອຫາຂອງເຊວທັງໝົດ", + "SSE.Controllers.LeftMenu.textLoadHistory": "ກຳລັງໂຫລດປະຫວັດ", "SSE.Controllers.LeftMenu.textLookin": "ເບິ່ງເຂົ້າໄປ", "SSE.Controllers.LeftMenu.textNoTextFound": "ຂໍ້ມູນທີ່ທ່ານກຳລັງຄົ້ນຫາບໍ່ສາມາດຊອກຫາໄດ້. ກະລຸນາປັບຕົວເລືອກການຊອກຫາຂອງທ່ານ.", "SSE.Controllers.LeftMenu.textReplaceSkipped": "ການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", @@ -597,6 +635,7 @@ "SSE.Controllers.LeftMenu.warnDownloadAs": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ທຸກລັກສະນະ ຍົກເວັ້ນຂໍ້ຄວາມຈະຫາຍໄປ.
                              ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດໍາເນີນຕໍ່?", "SSE.Controllers.Main.confirmMoveCellRange": "ຊ່ວງເຊວປາຍທາງສາມາດບັນຈຸຂໍ້ມູນໄດ້. ດຳເນີນການຕໍ່ຫຼືບໍ່?", "SSE.Controllers.Main.confirmPutMergeRange": "ແຫ່ງຂໍ້ມູນບັນຈຸບັນລວມເຊວກັນ.
                              ຂໍ້ມູນໄດ້ລວມກັນກ່ອນໜ້າທີ່ໄດ້ບັນທຶກລົງໃນຕາຕະລາງ.", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "ສູດໃນຫົວແຖວຈະຖືກລຶບອອກ ແລະ ປ່ຽນເປັນຂໍ້ຄວາມໃນສູດ.
                              ທ່ານຕ້ອງການສືບຕໍ່ບໍ?", "SSE.Controllers.Main.convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", "SSE.Controllers.Main.criticalErrorExtText": "ກົດປຸ່ມ \"OK\" ເພື່ອກັບໄປຫາລາຍການເອກະສານ.", "SSE.Controllers.Main.criticalErrorTitle": "ຂໍ້ຜິດພາດ", @@ -612,8 +651,10 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "ການດຳເນີນການດັ່ງກ່າວບໍ່ສາມາດດຳເນີນການໄດ້ ເນື່ອງຈາກພື້ນທີ່ເຊວທີ່ຖືກຄັດກອງ.
                              ກະລຸນາສະແດງອົງປະກອບທີ່ຄັດກອງແລ້ວລອງໃໝ່ອີກຄັ້ງ.", "SSE.Controllers.Main.errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", "SSE.Controllers.Main.errorCannotUngroup": "ບໍ່ສາມາດຍົກເລີກການຈັດກຸ່ມໄດ້, ໃນການເລີ້ມໂຄງຮ່າງໃຫ້ເລືອກລາຍລະອຽດຂອງແຖວຫຼືຄໍລັມແລ້ວຈັດກຸ່ມ", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "ທ່ານບໍ່ສາມາດໃຊ້ຄໍາສັ່ງນີ້ຢູ່ໃນໜ້າທີ່ມີການປ້ອງກັນ. ເພື່ອໃຊ້ຄໍາສັ່ງນີ້, ຍົກເລີກການປົກປັກຮັກສາແຜ່ນ.
                              ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", "SSE.Controllers.Main.errorChangeArray": "ທ່ານບໍ່ສາມາດປ່ຽນສ່ວນ ໜຶ່ງ ຂອງອາເລໄດ້.", "SSE.Controllers.Main.errorChangeFilteredRange": "ການດຳເນີນການໃນຄັ້ງນີ້ຈະປ່ຽນແປງຊ່ວງການກັ່ນຕອງເທິງເວີກຊີດຂອງທ່ານ
                              ເພື່ອໃຫ້ວຽກນີ້ສຳເລັດສົມບູນ, ກະລຸນາລົບຕົວກັ່ນຕອງແບບອັດຕະໂນມັດ.", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "ຕາລາງ ຫຼື ແຜນກ້າບທີ່ທ່ານກຳລັງພະຍາຍາມປ່ຽນແປງແມ່ນຢູ່ໃນແຜ່ນທີ່ປ້ອງກັນໄວ້. ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "ຂາດການເຊື່ອມຕໍ່ອິນເຕີເນັດ, ເອກະສານບໍ່ສາມາດແກ້ໄຂໄດ້ໃນປັດຈຸບັນ.", "SSE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ ຫລື ຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
                              ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການແຈ້ງເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", "SSE.Controllers.Main.errorCopyMultiselectArea": "ຄຳ ສັ່ງນີ້ບໍ່ສາມາດໃຊ້ກັບການເລືອກຫລາຍໆອັນໄດ້
                              ເລືອກຊ່ວງດຽວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ", @@ -625,6 +666,8 @@ "SSE.Controllers.Main.errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", "SSE.Controllers.Main.errorDataValidate": "ຄ່າທີ່ທ່ານປ້ອນບໍ່ຖືກຕ້ອງ.
                              ຜູ້ໃຊ້ໄດ້ຈຳກັດຄ່າທີ່ສາມາດປ້ອນລົງໃນເຊວນີ້ໄດ້.", "SSE.Controllers.Main.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "ທ່ານກຳລັງພະຍາຍາມລຶບຖັນທີ່ມີຕາລາງທີ່ຖືກລັອກໄວ້. ຕາລາງທີ່ຖືກລັອກບໍ່ສາມາດຖືກລຶບໃນຂະນະທີ່ແຜ່ນວຽກຖືກລັອກ. ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "ຕາລາງທີ່ຖືກລັອກບໍ່ສາມາດຖືກລຶບໃນຂະນະທີ່ແຜ່ນວຽກຖືກລັອກ. ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", "SSE.Controllers.Main.errorEditingDownloadas": "ເກີດຂໍ້ຜິດພາດໃນລະຫວ່າງການເຮັດວຽກກັບເອກກະສານ.
                              ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດເປັນ ... ' ເພື່ອບັນທຶກເອກະສານເກັບໄວ້ໃນຮາດໄດຄອມພິວເຕີຂອງທ່ານ.", "SSE.Controllers.Main.errorEditingSaveas": "ເກີດຂໍ້ຜິດພາດໃນລະຫວ່າງການເຮັດວຽກກັບເອກກະສານ.
                              ໃຊ້ຕົວເລືອກ 'ບັນທຶກເປັນ ... ' ເພື່ອບັນທຶກເອກະສານເກັບໄວ້ໃນຮາດໄດຄອມພິວເຕີຂອງທ່ານ.", "SSE.Controllers.Main.errorEditView": "ບໍ່ສາມາດແກ້ໄຂມຸມມອງແຜ່ນວຽກທີ່ມີຢູ່ແລ້ວໄດ້ ແລະ ບໍ່ສາມາດສ້າງມຸມມອງໃໝ່ໄດ້ໃນຂະນະນີ້ເນື່ອງຈາກມີບາງສ່ວນກຳລັງແກ້ໄຂ.", @@ -647,6 +690,8 @@ "SSE.Controllers.Main.errorKeyEncrypt": "ບໍ່ຮູ້ຄຳອະທິບາຍຫຼັກ", "SSE.Controllers.Main.errorKeyExpire": "ລະຫັດໝົດອາຍຸ", "SSE.Controllers.Main.errorLabledColumnsPivot": "ການທີ່ຈະສ້າງຕາຕະລາງພິວອດ ຄວນຈະນຳໃຊ້ຂໍ້ມູນທີ່ຖືກຈັດເປັນລະບຽບຢູ່ລາຍການທີ່ມີປ້າຍໝາຍຢູ່ຖັນ.", + "SSE.Controllers.Main.errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
                              ກະລຸນາແອດມີນຂອງທ່ານ.", + "SSE.Controllers.Main.errorLocationOrDataRangeError": "ການອ້າງອີງສະຖານທີ່ ຫຼືໄລຍະຂໍ້ມູນບໍ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errorLockedAll": "ການປະຕິບັດງານບໍ່ສາມາດດຳເນີນການໄດ້ເນື່ອງຈາກວ່າ ແຜ່ນເຈ້ຍໄດ້ຖືກລັອກໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", "SSE.Controllers.Main.errorLockedCellPivot": "ທ່ານບໍ່ສາມາດປ່ຽນແປງຂໍ້ມູນທີ່ຢູ່ໃນຕາຕະລາງພິວອດໄດ້.", "SSE.Controllers.Main.errorLockedWorksheetRename": "ບໍ່ສາມາດປ່ຽນຊື່ເອກະສານໄດ້ໃນເວລານີ້ຍ້ອນວ່າຖືກປ່ຽນຊື່ໂດຍຜູ້ໃຊ້ຄົນອື່ນ", @@ -657,6 +702,7 @@ "SSE.Controllers.Main.errorNoDataToParse": "ບໍ່ໄດ້ເລືອກຂໍ້ມູນທີ່ຈະແຍກວິເຄາະ", "SSE.Controllers.Main.errorOpenWarning": "ສູດແຟ້ມໃດໜຶ່ງມີຕົວອັກສອນເກີນຂີດຈຳກັດ 8192.
                              ສູດໄດ້ຖືກລົບອອກ.", "SSE.Controllers.Main.errorOperandExpected": "ການເຂົ້າຟັງຊັນທີ່ຖືກເຂົ້າມາແມ່ນບໍ່ຖືກຕ້ອງ. ກະລຸນາກວດເບິ່ງວ່າທ່ານ ກຳ ລັງຂາດໃນວົງເລັບໜຶ່ງ", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "ລະຫັດຜ່ານທີ່ທ່ານລະບຸນັ້ນບໍ່ຖືກຕ້ອງ.
                              ກວດສອບວ່າກະແຈ CAPS LOCK ປິດຢູ່ ແລະໃຫ້ແນ່ໃຈວ່າໃຊ້ຕົວພິມໃຫຍ່ທີ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errorPasteMaxRange": "ພື້ນທີ່ສໍາເນົາ ແລະ ວາງບໍ່ກົງກັນ.
                              ກະລຸນາເລືອກພື້ນທີ່ທີ່ມີຂະໜາດດຽວກັນ ຫຼື ກົດທີ່ເຊວທຳອິດຕິດຕໍ່ກັນເພື່ອວາງເຊວທີ່ຖືກຄັດລອກ.", "SSE.Controllers.Main.errorPasteMultiSelect": "ການດໍາເນີນການນີ້ບໍ່ສາມາດເຮັດໄດ້ໃນການເລືອກຫຼາຍຊ່ອງ
                              ໃຫ້ທ່ານເລືອກຊ່ອງດຽວ ແລະ ລອງໃຫມ່ອີກຄັ້ງ", "SSE.Controllers.Main.errorPasteSlicerError": "ບໍ່ສາມາດສຳເນົາຕົວແບ່ງຂໍ້ມູນຕາຕະລາງຈາກງານໜື່ງໄປຍັງງານອື່ນ.", @@ -670,6 +716,7 @@ "SSE.Controllers.Main.errorSessionIdle": "ເອກະສານດັ່ງກ່າວບໍ່ໄດ້ຖືກແກ້ໄຂມາດົນແລ້ວ. ກະລຸນາໂຫລດໜ້ານີ້ຄືນໃໝ່.", "SSE.Controllers.Main.errorSessionToken": "ການເຊື່ອມຕໍ່ຫາເຊີເວີຖືກລົບກວນ, ກະລຸນາໂຫຼດໜ້າຄືນໃໝ່.", "SSE.Controllers.Main.errorSetPassword": "ບໍ່ສາມາດຕັ້ງລະຫັດຜ່ານໄດ້", + "SSE.Controllers.Main.errorSingleColumnOrRowError": "ການອ້າງອີງຕຳແໜ່ງທີ່ບໍ່ຖືກຕ້ອງ ເພາະວ່າຕາລາງທັງໝົດບໍ່ແມ່ນຢູ່ໃນຖັນ ຫຼື ແຖວດຽວກັນ.
                              ກະລຸນາ ເລືອກຕາລາງທີ່ຢູ່ໃນຖັນ ຫຼື ແຖວດຽວ.", "SSE.Controllers.Main.errorStockChart": "ຄໍາສັ່ງແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງຫຸ້ນ ໃຫ້ວາງຂໍ້ມູນໃສ່ເຈັ້ຍຕາມ ລຳດັບຕໍ່ໄປນີ້:
                              ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ. ", "SSE.Controllers.Main.errorToken": "ເຄື່ອງໝາຍຄວາມປອດໄພເອກະສານບໍ່ຖືກຕ້ອງ.
                              ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບເອກະສານຂອງທ່ານ.", "SSE.Controllers.Main.errorTokenExpire": "ເຄື່ອງໝາຍຄວາມປອດໄພຂອງເອກະສານໄດ້ໝົດອາຍຸແລ້ວ.
                              ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບເອກະສານຂອງທ່ານ.", @@ -681,6 +728,7 @@ "SSE.Controllers.Main.errorViewerDisconnect": "ຂາດການເຊື່ອມຕໍ່. ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້,
                              ແຕ່ຈະບໍ່ສາມາດດາວໂຫລດຫລືພິມໄດ້ຈົນກວ່າການເຊື່ອມຕໍ່ຈະຖືກກັັບຄືນ ແລະ ໜ້າ ຈະຖືກໂຫລດຄືນ", "SSE.Controllers.Main.errorWrongBracketsCount": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້.
                              ຈຳນວນວົງເລັບບໍ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errorWrongOperator": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້, ຕົວດຳເນີນການບໍ່ຖືກຕ້ອງ.
                              ກະລຸນາແກ້ໄຂຂໍ້ຜິດພາດ", + "SSE.Controllers.Main.errorWrongPassword": "ລະຫັດຜ່ານທີ່ທ່ານໃຫ້ນັ້ນບໍ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errRemDuplicates": "ພົບຄ່າທີ່ຊ້ຳກັນ ແລະ ຖືກລົບ {0},​ຄ່າທີ່ບໍ່ຊ້ຳກັນ {1}.", "SSE.Controllers.Main.leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ຖືກບັນທຶກຢູ່ spreadsheet ນີ້. ກົດປຸ່ມ ' ຢູ່ໜ້ານີ້ ' ແລ້ວ ກົດ 'ບັນທຶກ' ເພື່ອບັນທຶກມັນ. ກົດປຸ່ມ 'ອອກຈາກໜ້ານີ້' ເພື່ອລະເລີຍການປ່ຽນແປງທີ່ບໍ່ໄດ້ຖືກບັນທຶກ.", "SSE.Controllers.Main.leavePageTextOnClose": "ທຸກໆການປ່ຽນແປງທີ່ບໍ່ໄດ້ເກັບຮັກສາໄວ້ໃນຕາຕະລາງນີ້ຈະຫາຍໄປ. ກົດ \"ຍົກເລິກ\" ຈາກນັ້ນ ກົດ \"ບັນທຶກ\" ເພື່ອກົດບັນທຶກ. ກົດ \"OK\" ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກ.", @@ -709,20 +757,32 @@ "SSE.Controllers.Main.saveTitleText": "ກຳລັງບັນທຶກສະເປຣດຊີດ", "SSE.Controllers.Main.scriptLoadError": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາໂຫຼດໜ້ານີ້ຄືນໃໝ່", "SSE.Controllers.Main.textAnonymous": "ບໍ່ລະບຸຊື່", + "SSE.Controllers.Main.textApplyAll": "ນຳໃຊ້ກັບສົມມະການທັງໝົດ", "SSE.Controllers.Main.textBuyNow": "ເຂົ້າໄປເວັບໄຊ", + "SSE.Controllers.Main.textChangesSaved": "ບັນທຶກການປ່ຽນແປງທັງໝົດ", "SSE.Controllers.Main.textClose": " ປິດ", "SSE.Controllers.Main.textCloseTip": "ກົດເພື່ອປິດຂໍ້ແນະນຳ", "SSE.Controllers.Main.textConfirm": "ການຢັ້ງຢືນຕົວຕົນ", "SSE.Controllers.Main.textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", + "SSE.Controllers.Main.textConvertEquation": "ສົມຜົນນີ້ໄດ້ຖືກສ້າງຂື້ນມາກັບບັນນາທິການສົມຜົນລຸ້ນເກົ່າເຊິ່ງບໍ່ໄດ້ຮັບການສະ ໜັບ ສະ ໜູນ ອີກຕໍ່ໄປ ເພື່ອດັດແກ້ມັນ, ປ່ຽນສົມຜົນໃຫ້ເປັນຮູບແບບ Office Math ML.
                              ປ່ຽນດຽວນີ້ບໍ?", "SSE.Controllers.Main.textCustomLoader": "ກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
                              ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", + "SSE.Controllers.Main.textDisconnect": "ຂາດການເຊື່ອມຕໍ່", + "SSE.Controllers.Main.textFillOtherRows": "ຕື່ມຂໍ້ມູນໃສ່ແຖວອື່ນ", + "SSE.Controllers.Main.textFormulaFilledAllRows": "ຕື່ມສູດໃສ່ສະເພາະ {0 }. ຕື່ມແຖວຫວ່າງອື່ນໆອາດໃຊ້ເວລາສອງສາມນາທີ.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "ຕື່ມສູດໃສ່ສະເພາະ {0 }. ຕື່ມແຖວຫວ່າງອື່ນໆອາດໃຊ້ເວລາສອງສາມນາທີ.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "ສູດທີ່ຕື່ມໃສ່ພຽງແຕ່ {0} ແຖວທໍາອິດທີ່ມີຂໍ້ມູນໃນການບັນທືກ. ເພື່ອການປະຫຍັດໜ່ວຍວຍຄວາມຈໍາ. ມີ {1} ແຖວອື່ນທີ່ມີຂໍ້ມູນຢູ່ໃນຊີດນີ້. ທ່ານສາມາດຕື່ມຂໍ້ມູນໃຫ້ຄົນອື່ນດ້ວຍຕົນເອງ.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "ສູດຕື່ມໃສ່ພຽງແຕ່ {0} ແຖວທຳອິດໃນການບັນທືກ. ແຖວອື່ນໃນແຜ່ນຊີດນີ້ບໍ່ມີຂໍ້ມູນ.", "SSE.Controllers.Main.textGuest": "ບຸກຄົນທົ່ວໄປ", "SSE.Controllers.Main.textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
                              ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", + "SSE.Controllers.Main.textLearnMore": "ຮຽນຮູ້ເພີ່ມຕື່ມ", "SSE.Controllers.Main.textLoadingDocument": "ກຳລັງໂຫຼດ spreadsheet", "SSE.Controllers.Main.textLongName": "ໃສ່ຊື່ທີ່ມີຄວາມຍາວໜ້ອຍກວ່າ 128 ຕົວອັກສອນ.", + "SSE.Controllers.Main.textNeedSynchronize": "ທ່ານໄດ້ປັບປຸງ", "SSE.Controllers.Main.textNo": "ບໍ່", "SSE.Controllers.Main.textNoLicenseTitle": "ໃບອະນຸຍາດໄດ້ເຖິງຈຳນວນທີ່ຈຳກັດແລ້ວ", "SSE.Controllers.Main.textPaidFeature": "ຄຸນສົມບັດທີ່ຈ່າຍ", "SSE.Controllers.Main.textPleaseWait": "ການດຳເນີນງານອາດຈະໃຊ້ເວລາຫຼາຍກວ່າທີ່ຄາດໄວ້. ກະລຸນາລໍຖ້າ...", + "SSE.Controllers.Main.textReconnect": "ການເຊື່ອມຕໍ່ຖືກກູ້ຄືນມາ", "SSE.Controllers.Main.textRemember": "ຈື່ທາງເລືອກຂອງຂ້ອຍ", "SSE.Controllers.Main.textRenameError": "ຊື່ຜູ້ໃຊ້ຕ້ອງບໍ່ວ່າງ", "SSE.Controllers.Main.textRenameLabel": "ໃສ່ຊື່ສຳລັບເປັນຜູ້ປະສານງານ", @@ -750,6 +810,7 @@ "SSE.Controllers.Main.txtDays": "ວັນ", "SSE.Controllers.Main.txtDiagramTitle": "ໃສ່ຊື່ແຜນຮູບວາດ", "SSE.Controllers.Main.txtEditingMode": "ຕັ້ງຄ່າຮູບແບບການແກ້ໄຂ...", + "SSE.Controllers.Main.txtErrorLoadHistory": "ປະຫວັດການດຶງຂໍ້ມູນບໍ່ສຳເລັດ", "SSE.Controllers.Main.txtFiguredArrows": "ເຄື່ອງໝາຍລູກສອນ", "SSE.Controllers.Main.txtFile": "ຟາຍ ", "SSE.Controllers.Main.txtGrandTotal": "ຜົນລວມທັງໝົດ", @@ -969,15 +1030,22 @@ "SSE.Controllers.Main.txtTab": "ແທບ", "SSE.Controllers.Main.txtTable": "ຕາຕະລາງ", "SSE.Controllers.Main.txtTime": "ເວລາ", + "SSE.Controllers.Main.txtUnlock": "ປົດລັອກ", + "SSE.Controllers.Main.txtUnlockRange": "ປົດລັອກໄລຍະ", + "SSE.Controllers.Main.txtUnlockRangeDescription": "ໃສ່ລະຫັດຜ່ານເພື່ອປ່ຽນໄລຍະ:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "ການປ່ຽນແມ່ນຖືກເຂົ້າລະຫັດຜ່ານ.", "SSE.Controllers.Main.txtValues": "ການຕີລາຄາ, ປະເມີນ", "SSE.Controllers.Main.txtXAxis": "ແກນ X", "SSE.Controllers.Main.txtYAxis": "ແກນ Y", "SSE.Controllers.Main.txtYears": "ປີ", "SSE.Controllers.Main.unknownErrorText": "ມີຂໍ້ຜິດພາດທີ່ບໍ່ຮູ້ສາເຫດ", "SSE.Controllers.Main.unsupportedBrowserErrorText": "ບຣາວເຊີຂອງທ່ານບໍ່ສາມາດນຳໃຊ້ໄດ້.", + "SSE.Controllers.Main.uploadDocExtMessage": "ຮູບແບບເອກະສານທີ່ບໍ່ຮູ້.", + "SSE.Controllers.Main.uploadDocFileCountMessage": "ບໍ່ມີເອກະສານຖືກອັບໂຫລດ.", + "SSE.Controllers.Main.uploadDocSizeMessage": "ເກີນຂີດ ຈຳ ກັດຂະ ໜາດ ເອກະສານ.", "SSE.Controllers.Main.uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິດຜາດຮູບແບບຂອງຮູບ", "SSE.Controllers.Main.uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", - "SSE.Controllers.Main.uploadImageSizeMessage": "ຂະໜາດຂອງຮູບພາບໃຫ່ຍເກີນກໍານົດ", + "SSE.Controllers.Main.uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "SSE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", "SSE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", @@ -1006,6 +1074,7 @@ "SSE.Controllers.Statusbar.errorLastSheet": "ສະໝຸດເຮັດວຽກຕ້ອງມີຢ່າງໜ້ອຍໜື່ງແຜ່ນທີ່ເບິ່ງເຫັນ.", "SSE.Controllers.Statusbar.errorRemoveSheet": "ບໍ່ສາມາດລົບແຜ່ນງານໄດ້", "SSE.Controllers.Statusbar.strSheet": "ແຜ່ນງານ", + "SSE.Controllers.Statusbar.textDisconnect": "ຂາດເຊື່ອມຕໍ່
                              ກຳລັງພະຍາຍາມເຊື່ອມຕໍ່. ກະລຸນາກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່.", "SSE.Controllers.Statusbar.textSheetViewTip": "ທ່ານຢຸ່ໃນໂຫມດເບີ່ງແຜ່ນວຽກ. ການກັ່ນຕອງ ແລະ ການຈັດລຽງ ປະກົດໃຫ້ເຫັນສະເພາະທ່ານ ແລະ ຜູ້ທີ່ຍັງຢູ່ໃນມຸມມອງນີ້ເທົ່ານັ້ນ", "SSE.Controllers.Statusbar.textSheetViewTipFilters": "ທ່ານຢູ່ໃນໂໝດເບິ່ງແຜ່ນງານ. ຕົວຄັດກອງຈະເບິ່ງເຫັນໄດ້ສະເພາະແຕ່ທ່ານ ແລະ ຜູ້ທີ່ຍັງຢູ່ໃນມຸມມອງນີ້ຢູ່.", "SSE.Controllers.Statusbar.warnDeleteSheet": "ແຜ່ນເຈ້ຍທີ່ເລືອກໄວ້ອາດຈະມີຂໍ້ມູນ. ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດຳເນີນການ?", @@ -1031,6 +1100,7 @@ "SSE.Controllers.Toolbar.textPivot": "ຕາຕະລາງພິວອດ", "SSE.Controllers.Toolbar.textRadical": "ຮາກຖານ", "SSE.Controllers.Toolbar.textRating": "ການໃຫ້ຄະແນນ", + "SSE.Controllers.Toolbar.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "SSE.Controllers.Toolbar.textScript": "ບົດເລື່ອງ,ບົດລະຄອນ ", "SSE.Controllers.Toolbar.textShapes": "ຮູບຮ່າງ", "SSE.Controllers.Toolbar.textSymbols": "ສັນຍາລັກ", @@ -1213,6 +1283,7 @@ "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "ເລກກຳລັງ", "SSE.Controllers.Toolbar.txtLimitLog_Max": "ໃຫຍ່ສຸດ", "SSE.Controllers.Toolbar.txtLimitLog_Min": "ໜ້ອຍສຸດ", + "SSE.Controllers.Toolbar.txtLockSort": "ພົບຂໍ້ມູນຢູ່ຖັດຈາກການເລືອກຂອງທ່ານ, ແຕ່ທ່ານບໍ່ມີສິດພຽງພໍເພື່ອປ່ຽນຕາລາງເຫຼົ່ານັ້ນ.
                              ທ່ານຕ້ອງການສືບຕໍ່ກັບການເລືອກປັດຈຸບັນບໍ?", "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 ເມັດທຣິກວ່າງ", "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 ເມັດທຣິກວ່າງ", "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 ເມັດທຣິກວ່າງ", @@ -1371,7 +1442,9 @@ "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "ຕົວຂັ້ນທົດນິຍົມ", "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "ໜື່ງພັນຕົວແຍກ", "SSE.Views.AdvancedSeparatorDialog.textLabel": "ການຕັ້ງຄ່າທີ່ໃຊ້ໃນການຮັບຮູ້ຂໍ້ມູນໂຕເລກ", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "ຄຸນສົມບັດຂໍ້ຄວາມ", "SSE.Views.AdvancedSeparatorDialog.textTitle": "ຕັ້ງຄ່າຂັ້ນສູງ", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(ບໍ່ມີ)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "ຕົວກຣອງທີ່ກຳນົດເອງ", "SSE.Views.AutoFilterDialog.textAddSelection": "ເພີ່ມການເລືອກປະຈຸບັນເພື່ອກຣອງ", "SSE.Views.AutoFilterDialog.textEmptyItem": "{ຊ່ອງວ່າງ}", @@ -1677,9 +1750,9 @@ "SSE.Views.DataTab.capBtnTextRemDuplicates": "ລົບລາຍການທີ່ຊໍ້າກັນ", "SSE.Views.DataTab.capBtnTextToCol": "ຂໍ້ຄວາມເປັນຖັນ", "SSE.Views.DataTab.capBtnUngroup": "ຍົກເລີກການຈັດກຸ່ມ", - "SSE.Views.DataTab.capDataFromText": "ຈາກ ຂໍ້ຄວາມ/CSV", - "SSE.Views.DataTab.mniFromFile": "ຮັບຂໍ້ມູນຈາກຟາຍ", - "SSE.Views.DataTab.mniFromUrl": "ຮັບຂໍ້ມູນຈາກ URL", + "SSE.Views.DataTab.capDataFromText": "ເອົາຂໍ້ມູນ", + "SSE.Views.DataTab.mniFromFile": "ຈາກ TXT/CSV ໃນເຄື່ອງ", + "SSE.Views.DataTab.mniFromUrl": "ຈາກ TXT/CSV ທີ່ຢູ່ເວັບ", "SSE.Views.DataTab.textBelow": "ສະຫຼຸບລາຍລະອຽດແຖວດ້ານລຸ່ມ", "SSE.Views.DataTab.textClear": "ລ້າງໂຄງສ້າງ", "SSE.Views.DataTab.textColumns": "ຍົກເລີກການຈັດກຸ່ມຖັນ ", @@ -1817,6 +1890,7 @@ "SSE.Views.DocumentHolder.textCrop": "ຕັດເປັນສ່ວນ", "SSE.Views.DocumentHolder.textCropFill": "ຕື່ມ", "SSE.Views.DocumentHolder.textCropFit": "ພໍດີ", + "SSE.Views.DocumentHolder.textEditPoints": "ແກ້ໄຂຄະແນນ", "SSE.Views.DocumentHolder.textEntriesList": "ເລືອກໃນລາຍການທີ່ກຳນົດ", "SSE.Views.DocumentHolder.textFlipH": "ປີ້ນແນວນອນ", "SSE.Views.DocumentHolder.textFlipV": "ປີ້ນແນວຕັ້ງ", @@ -1847,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "ຍົກເລີກ", "SSE.Views.DocumentHolder.textUnFreezePanes": "ຍົກເລີກໝາຍຕາຕະລາງ", "SSE.Views.DocumentHolder.textVar": "ຄ່າຄວາມແປປວນ", + "SSE.Views.DocumentHolder.tipMarkersArrow": "ລູກສອນ", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "ເຄື່ອງໝາຍຖືກ ສະແດງຫົວຂໍ້", + "SSE.Views.DocumentHolder.tipMarkersDash": "ຫົວແຫລມ", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "ຕື່ມຮູບສີ່ຫຼ່ຽມ", + "SSE.Views.DocumentHolder.tipMarkersFRound": "ເພີ່ມຮູບວົງມົນ", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "ເພີ່ມຮູບສີ່ຫຼ່ຽມ", + "SSE.Views.DocumentHolder.tipMarkersHRound": "ແບບຮອບກວ້າງ", + "SSE.Views.DocumentHolder.tipMarkersStar": "ຮູບແບບດາວ", "SSE.Views.DocumentHolder.topCellText": "ຈັດຕຳແໜ່ງດ້ານເທິງ", "SSE.Views.DocumentHolder.txtAccounting": "ການບັນຊີ", "SSE.Views.DocumentHolder.txtAddComment": "ເພີ່ມຄວາມຄິດເຫັນ", @@ -1865,6 +1947,7 @@ "SSE.Views.DocumentHolder.txtClearText": "ຂໍ້ຄວາມ", "SSE.Views.DocumentHolder.txtColumn": "ຖັນທັງໝົດ", "SSE.Views.DocumentHolder.txtColumnWidth": "ຕັ້ງຄ່າຄວາມກ້ວາງຂອງຖັນ", + "SSE.Views.DocumentHolder.txtCondFormat": "ການຈັດຮູບແບບຕາມເງື່ອນໄຂ", "SSE.Views.DocumentHolder.txtCopy": "ສໍາເນົາ", "SSE.Views.DocumentHolder.txtCurrency": "ສະກຸນເງິນ", "SSE.Views.DocumentHolder.txtCustomColumnWidth": "ຄວາມກ້ວາງຂອງຖັນທີ່ກຳນົດເອງ", @@ -1908,7 +1991,7 @@ "SSE.Views.DocumentHolder.txtSortFontColor": "ສີຕົວອັກສອນທີ່ເລືອກໄວ້ດ້ານເທິງ", "SSE.Views.DocumentHolder.txtSparklines": "Sparkline", "SSE.Views.DocumentHolder.txtText": "ຂໍ້ຄວາມ", - "SSE.Views.DocumentHolder.txtTextAdvanced": "ການຕັ້ງຄ່າຂັ້ນສູງຂອງຂໍ້ຄວາມ", + "SSE.Views.DocumentHolder.txtTextAdvanced": "ການຕັ້ງຄ່າຂັ້ນສູງຫຍໍ້ ໜ້າ", "SSE.Views.DocumentHolder.txtTime": "ເວລາ", "SSE.Views.DocumentHolder.txtUngroup": "ຍົກເລີກການຈັດກຸ່ມ", "SSE.Views.DocumentHolder.txtWidth": "ລວງກວ້າງ ", @@ -1944,7 +2027,10 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "ປິດເມນູ", "SSE.Views.FileMenu.btnCreateNewCaption": "ສ້າງໃໝ່", "SSE.Views.FileMenu.btnDownloadCaption": "ດາວໂຫລດເປັນ...", + "SSE.Views.FileMenu.btnExitCaption": " ປິດ", + "SSE.Views.FileMenu.btnFileOpenCaption": "ເປີດ...", "SSE.Views.FileMenu.btnHelpCaption": "ຊ່ວຍເຫຼືອ", + "SSE.Views.FileMenu.btnHistoryCaption": "ປະຫວັດ", "SSE.Views.FileMenu.btnInfoCaption": "ຂໍ້ມູນ Spreadsheet", "SSE.Views.FileMenu.btnPrintCaption": "ພິມ", "SSE.Views.FileMenu.btnProtectCaption": "ຄວາມປອດໄພ", @@ -1957,6 +2043,8 @@ "SSE.Views.FileMenu.btnSaveCopyAsCaption": "ບັນທຶກສຳເນົາເປັນ...", "SSE.Views.FileMenu.btnSettingsCaption": "ຕັ້ງ​ຄ່າ​ຂັ້ນ​ສູງ...", "SSE.Views.FileMenu.btnToEditCaption": "ແກ້ໄຂແຜ່ນງານ", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "ຕາຕະລາງເປົ່າ", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "ສ້າງໃໝ່", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "ໃຊ້", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "ເພີ່ມຜູ້ຂຽນ", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "ເພີ່ມຂໍ້ຄວາມ", @@ -1976,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "ບຸກຄົນທີ່ມີສິດ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "ໃຊ້", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "ເປີດໃຊ້ງານການກູ້ຄືນອັດຕະໂນມັດ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "ເປີດໃຊ້ງານບັນທຶກອັດຕະໂນມັດ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "ໂຫມດແກ້ໄຂລວມ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "ຜູ້ໃຊ້ຊື່ອຶ່ນຈະເຫັນການປ່ຽນແປງຂອງເຈົ້າ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "ທ່ານຈະຕ້ອງຍອມຮັບການປ່ຽນແປງກ່ອນທີ່ທ່ານຈະເຫັນການປ່ຽນແປງ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "ຕົວຂັ້ນທົດນິຍົມ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "ໄວ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "ຕົວອັກສອນມົວ ບໍ່ເເຈ້ງ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "ເກັບຮັກສາໄວ້ໃນເຊີບເວີຢູ່ສະ ເໝີ (ຖ້າບໍ່ດັ່ງນັ້ນບັນທຶກໄວ້ໃນ ເຊີບເວີ ຢູ່ບ່ອນປິດເອກະສານ)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "ເກັບຮັກສາໄວ້ໃນເຊີບເວີຢູ່ສະເໝີ (ຖ້າບໍ່ດັ່ງນັ້ນບັນທຶກໄວ້ໃນ ເຊີບເວີ ຢູ່ບ່ອນປິດເອກະສານ)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "ຕຳລາພາສາ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "ຕົວຢ່າງ:​ຜົນທັງໝົດ, ນ້ອບສຸດ, ສູງສຸດ, ນັບ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "ເປີດການສະແດງຄຳເຫັນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "ການຕັ້ງຄ່າ Macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "ຕັດ, ສໍາເນົາ ແລະ ວາງ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "ສະແດງປຸ່ມເລືອກວາງ ເມື່ອເນື້ອຫາໄດ້ຖືກຄັດຕິດ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "ເປີດຮູບແບບ R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "ການຕັ້ງຄ່າຂອບເຂດ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "ຕົວຢ່າງ:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "ເປີດການສະແດງຄຳເຫັນທີ່ຖືກແກ້ໄຂ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "ຕົວແຍກ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "ຫນ້າຕາຂອງ theme", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "ໜື່ງພັນຕົວແຍກ", @@ -2009,7 +2089,7 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "ກູ້ຄືນອັດຕະໂນມັດ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "ບັນທຶກອັດຕະໂນມັດ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "ປິດ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "ບັນທຶກໃສ່ Server", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "ບັນທຶກສະບັບກາງ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "ທຸກໆນາທີ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "ປະເພດການອ້າງອີງ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "ເບລາຣູດ", @@ -2031,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "ອິຕາລີ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "ພາສາຍີ່ປຸ່ນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "ພາສາເກົາຫລີ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "ການສະແດງຄວາມຄິດເຫັນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "ພາສາລາວ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "ພາສາລັດເວຍ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ເປັນ OS X", @@ -2040,7 +2119,8 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "ພາສາດັສ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "ໂປແລນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "ຈຸດ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "ພາສາໂປຕຸເກດ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "ປາຕຸເກດ (ບຣາຊິວ)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "ປອກຕຸຍການ (ປອກຕຸຍການ)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "ພາສາໂລມັນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "ພາສາຣັດເຊຍ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "ເປີດທັງໝົດ", @@ -2057,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "ປິດທຸກ ມາກໂຄ ດ້ວຍ ການແຈ້ງເຕືອນ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ເປັນວິນໂດ້", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "ພາສາຈີນ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "ໃຊ້", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "ພາສາພົດຈະນານຸກົມ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "ບໍ່ສົນຕົວອັກສອນໃຫ່ຍ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "ບໍ່ສົນຕົວໜັງສືກັບໂຕເລກ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "ຕົວເລືອກ ແກ້ໄຂອັດຕະໂນມັດ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "ການພິສູດອັກສອນ", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "ກັບລະຫັດຜ່ານ", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "ປົກປ້ອງ Spreadsheet", @@ -2074,10 +2148,7 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "ລາຍເຊັນທີ່ຖືກຕ້ອງໄດ້ຖືກເພີ່ມໃສ່spreadsheet.​ spreadsheet ໄດ້ຖືກປົກປ້ອງຈາກການດັດແກ້.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "ລາຍເຊັນດີຈີຕອນບາງສ່ວນໃນ spreadsheet ບໍ່ຖືກຕ້ອງ ຫຼື ບໍ່ສາມາດຢືນຢັນໄດ້. spreadsheet ຖືກປົກປ້ອງຈາກການແກ້ໄຂ.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "ເບິ່ງລາຍເຊັນ", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "ທົ່ວໄປ", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "ຕັ້ງຄ່າໜ້າເຈ້ຍ", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "ກວດກາການສະກົດຄໍາ", - "SSE.Views.FormatRulesEditDlg.fillColor": "ສີພື້ນຫຼັງ", + "SSE.Views.FormatRulesEditDlg.fillColor": "ຕື່ມສີ", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "SSE.Views.FormatRulesEditDlg.text2Scales": "ສີ 2 ລະດັບ", "SSE.Views.FormatRulesEditDlg.text3Scales": "ສີ 3 ລະດັບ", @@ -2170,6 +2241,7 @@ "SSE.Views.FormatRulesEditDlg.txtEmpty": "ຈຳເປັນຕ້ອງມີສ່ວນນີ້", "SSE.Views.FormatRulesEditDlg.txtFraction": "ເສດສ່ວນ", "SSE.Views.FormatRulesEditDlg.txtGeneral": "ທົ່ວໄປ", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "ບໍ່ມີໄອຄອນ", "SSE.Views.FormatRulesEditDlg.txtNumber": "ຕົວເລກ", "SSE.Views.FormatRulesEditDlg.txtPercentage": "ເປີເຊັນ", "SSE.Views.FormatRulesEditDlg.txtScientific": "ວິທະຍາສາດ", @@ -2178,6 +2250,7 @@ "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "ແກ້ໄຂການຈັດຮູບແບບ", "SSE.Views.FormatRulesEditDlg.txtTitleNew": "ຈັດການຮູບແບບໃຫມ່", "SSE.Views.FormatRulesManagerDlg.guestText": "ບຸກຄົນທົ່ວໄປ", + "SSE.Views.FormatRulesManagerDlg.lockText": "ລັອກ", "SSE.Views.FormatRulesManagerDlg.text1Above": "1 ຄ່າບ່ຽງເບນມາດຕະຖານສູງກວ່າຄ່າສະເລຍ", "SSE.Views.FormatRulesManagerDlg.text1Below": "1 ຄ່າບ່ຽງເບນມາດຕະຖານຕໍ່າກວ່າຄ່າສະເລ່ຍ", "SSE.Views.FormatRulesManagerDlg.text2Above": "2 ຄ່າບ່ຽງເບນມາດຕະຖານສູງກວ່າຄ່າສະເລ່ຍ", @@ -2339,6 +2412,7 @@ "SSE.Views.ImageSettings.textCrop": "ຕັດເປັນສ່ວນ", "SSE.Views.ImageSettings.textCropFill": "ຕື່ມ", "SSE.Views.ImageSettings.textCropFit": "ພໍດີ", + "SSE.Views.ImageSettings.textCropToShape": "ຂອບຕັດເພືອເປັນຮູ້ຮ່າງ", "SSE.Views.ImageSettings.textEdit": "ແກ້ໄຂ", "SSE.Views.ImageSettings.textEditObject": "ແກໄຂຈຸດປະສົງ", "SSE.Views.ImageSettings.textFlip": "ປີ້ນ", @@ -2353,6 +2427,7 @@ "SSE.Views.ImageSettings.textInsert": "ປ່ຽນແທນຮູບພາບ", "SSE.Views.ImageSettings.textKeepRatio": "ອັດຕາສ່ວນຄົງທີ່", "SSE.Views.ImageSettings.textOriginalSize": "ຂະໜາດແທ້ຈິງ", + "SSE.Views.ImageSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "SSE.Views.ImageSettings.textRotate90": "ໝຸນ 90°", "SSE.Views.ImageSettings.textRotation": "ການໝຸນ", "SSE.Views.ImageSettings.textSize": "ຂະໜາດ", @@ -2430,6 +2505,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "ວາງຊື່", "SSE.Views.NameManagerDlg.closeButtonText": " ປິດ", "SSE.Views.NameManagerDlg.guestText": " ແຂກ", + "SSE.Views.NameManagerDlg.lockText": "ລັອກ", "SSE.Views.NameManagerDlg.textDataRange": "ແຖວຂໍ້ມູນ", "SSE.Views.NameManagerDlg.textDelete": "ລົບ", "SSE.Views.NameManagerDlg.textEdit": "ແກ້ໄຂ", @@ -2661,6 +2737,95 @@ "SSE.Views.PrintTitlesDialog.textSelectRange": "ເລືອກຂອບເຂດ", "SSE.Views.PrintTitlesDialog.textTitle": "ພິມຫົວຂໍ້", "SSE.Views.PrintTitlesDialog.textTop": "ເຮັດແຖວດ້ານເທິງຄືນໃໝ່", + "SSE.Views.PrintWithPreview.txtActualSize": "ຂະໜາດແທ້ຈິງ", + "SSE.Views.PrintWithPreview.txtAllSheets": "ທຸກແຜ່ນ", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "ນຳໃຊ້ກັບທຸກແຜ່ນຊີດ", + "SSE.Views.PrintWithPreview.txtBottom": "ລຸ່ມສຸດ", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "ແຜ່ນງານປັດຈະບັນ", + "SSE.Views.PrintWithPreview.txtCustom": "ລູກຄ້າ", + "SSE.Views.PrintWithPreview.txtCustomOptions": "ຕົວເລືອກທີ່ກຳນົດເອງ", + "SSE.Views.PrintWithPreview.txtEmptyTable": "ບໍ່ມີຫຍັງທີ່ຈະພິມເພາະວ່າຕາຕະລາງຫວ່າງເປົ່າ", + "SSE.Views.PrintWithPreview.txtFitCols": "ຈັດທຸກຖັນໃຫ້ພໍດີໃນໜ້າດຽວ", + "SSE.Views.PrintWithPreview.txtFitPage": "ຈັດແຜ່ນໃຫ້ພໍດີໃນໜ້າດຽວ", + "SSE.Views.PrintWithPreview.txtFitRows": "ຈັດທຸກແຖວໃຫ້ພໍດີໃນໜ້າດຽວ", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "ເສັ້ນຕາຕະລາງ ແລະ ຫົວຂໍ້", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "ການຕັ້ງຄ່າສ່ວນຫົວ ແລະ ສ່ວນທ້າຍ", + "SSE.Views.PrintWithPreview.txtIgnore": "ບໍ່ສົນໃຈພື້ນທີ່ພິມ", + "SSE.Views.PrintWithPreview.txtLandscape": "ພູມສັນຖານ", + "SSE.Views.PrintWithPreview.txtLeft": "ຊ້າຍ", + "SSE.Views.PrintWithPreview.txtMargins": "ຂອບ", + "SSE.Views.PrintWithPreview.txtOf": "ຂອງ {0}", + "SSE.Views.PrintWithPreview.txtPage": "ໜ້າ", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "ໝາຍ ເລກ ໜ້າ ບໍ່ຖືກຕ້ອງ", + "SSE.Views.PrintWithPreview.txtPageOrientation": "ທິດທາງໜ້າ", + "SSE.Views.PrintWithPreview.txtPageSize": "ຂະໜາດໜ້າ", + "SSE.Views.PrintWithPreview.txtPortrait": "ລວງຕັ້ງ", + "SSE.Views.PrintWithPreview.txtPrint": "ພິມ", + "SSE.Views.PrintWithPreview.txtPrintGrid": "ພິມເສັ້ນຕາຕະລາງ", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "ພິມແຖວ ແລະ ຖັນ", + "SSE.Views.PrintWithPreview.txtPrintRange": "ຊ້ວງພິມ", + "SSE.Views.PrintWithPreview.txtPrintTitles": "ພິມຫົວຂໍ້", + "SSE.Views.PrintWithPreview.txtRepeat": "ເຮັດຊ້ຳ...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "ເຮັດຢູ່ຖັນເບື້ອງຊ້າຍຄືນໃໝ່", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "ເຮັດແຖວດ້ານເທິງຄືນໃໝ່", + "SSE.Views.PrintWithPreview.txtRight": "ຂວາ", + "SSE.Views.PrintWithPreview.txtSave": "ບັນທຶກ", + "SSE.Views.PrintWithPreview.txtScaling": "ການປັບຂະໜາດ", + "SSE.Views.PrintWithPreview.txtSelection": "ການເລືອກ", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "ການຕັ້ງຄ່າແຜ່ນຊີດ", + "SSE.Views.PrintWithPreview.txtSheet": "ແຜ່ນ: {0}", + "SSE.Views.PrintWithPreview.txtTop": "ເບື້ອງເທີງ", + "SSE.Views.ProtectDialog.textExistName": "ຜິດພາດ! ໄລຍະຫົວຂໍ້ດັ່ງກ່າວມີຢູ່ແລ້ວ", + "SSE.Views.ProtectDialog.textInvalidName": "ຫົວຂໍ້ໄລຍະຈະຕ້ອງຂຶ້ນຕົ້ນດ້ວຍຕົວອັກສອນ ແລະອາດມີຕົວອັກສອນ, ຕົວເລກ, ແລະຍະຫວ່າງເທົ່ານັ້ນ.", + "SSE.Views.ProtectDialog.textInvalidRange": "ຜິດພາດ! ໄລຍະຕາລາງ ບໍ່ຖືກຕ້ອງ", + "SSE.Views.ProtectDialog.textSelectData": "ເລືອກຂໍ້ມູນ", + "SSE.Views.ProtectDialog.txtAllow": "ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ທັງໝົດຂອງແຜ່ນຊີດນີ້", + "SSE.Views.ProtectDialog.txtAutofilter": "ໃຊ້ຕົວກອງອັດຕະໂນມັດ", + "SSE.Views.ProtectDialog.txtDelCols": "ລຶບຄໍລ້ຳ", + "SSE.Views.ProtectDialog.txtDelRows": "ລຶບແຖວ", + "SSE.Views.ProtectDialog.txtEmpty": "ຈຳເປັນຕ້ອງມີສ່ວນນີ້", + "SSE.Views.ProtectDialog.txtFormatCells": "ຈັດຮູບແບບຕາລາງ", + "SSE.Views.ProtectDialog.txtFormatCols": "ຈັດຮູບແບບຖັນ", + "SSE.Views.ProtectDialog.txtFormatRows": "ຈັດຮູບແບບແຖວ", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "ການຢັ້ງຢືນລະຫັດຜ່ານແມ່ນ", + "SSE.Views.ProtectDialog.txtInsCols": "ເພີ່ມຖັນ", + "SSE.Views.ProtectDialog.txtInsHyper": "ໃສ່ລິ້ງໄປຫາ...", + "SSE.Views.ProtectDialog.txtInsRows": "ເພີ່ມແຖວ", + "SSE.Views.ProtectDialog.txtObjs": "ແກ້ໄຂເລື່ອງ", + "SSE.Views.ProtectDialog.txtOptional": "ທາງເລືອກ", + "SSE.Views.ProtectDialog.txtPassword": "ລະຫັດຜ່ານ", + "SSE.Views.ProtectDialog.txtPivot": "ໃຊ້ PivotTable ແລະ PivotChart", + "SSE.Views.ProtectDialog.txtProtect": "ຄວາມປອດໄພ", + "SSE.Views.ProtectDialog.txtRange": "ຊ່ວງ", + "SSE.Views.ProtectDialog.txtRangeName": "ຫົວຂໍ້", + "SSE.Views.ProtectDialog.txtRepeat": "ໃສ່ລະຫັດຜ່ານຄືນໃໝ່", + "SSE.Views.ProtectDialog.txtScen": "ແກ້ໄຂສະຖານະ", + "SSE.Views.ProtectDialog.txtSelLocked": "ເລືອກຕາລາງທີ່ຖືກລັອກ", + "SSE.Views.ProtectDialog.txtSelUnLocked": "ເລືອກຕາລາງປົດລັອກ", + "SSE.Views.ProtectDialog.txtSheetDescription": "ປ້ອງກັນການປ່ຽນແປງທີ່ບໍ່ຕ້ອງການຈາກຜູ້ອື່ນໂດຍການຈໍາກັດຄວາມສາມາດໃນການແກ້ໄຂຂອງພວກເຂົາ.", + "SSE.Views.ProtectDialog.txtSheetTitle": "ປ້ອງກັນແຜ່ນ", + "SSE.Views.ProtectDialog.txtSort": "ລຽງລຳດັບ", + "SSE.Views.ProtectDialog.txtWarning": "ຄຳເຕືອນ: ຖ້າທ່ານລືມລະຫັດຜ່ານ, ທ່ານບໍ່ສາມາດກູ້ຄືນໄດ້. ກະລຸນາຮັກສາມັນໄວ້ໃນບ່ອນທີ່ປອດໄພ.", + "SSE.Views.ProtectDialog.txtWBDescription": "ເພື່ອປ້ອງກັນບໍ່ໃຫ້ຜູ້ໃຊ້ອື່ນເບິ່ງແຜ່ນວຽກທີ່ເຊື່ອງໄວ້, ເພີ່ມ, ຍ້າຍ, ລຶບ, ຫຼື ເຊື່ອງແຜ່ນຊີດ ແລະ ປ່ຽນຊື່ແຜ່ນຊີດ, ທ່ານສາມາດປ້ອງກັນໂຄງສ້າງຂອງປື້ມບັນທືກຂອງທ່ານດ້ວຍລະຫັດຜ່ານ.", + "SSE.Views.ProtectDialog.txtWBTitle": "ປ້ອງກັນໂຄງສ້າງຂອງປຶ້ມບັນທືກ", + "SSE.Views.ProtectRangesDlg.guestText": " ແຂກ", + "SSE.Views.ProtectRangesDlg.lockText": "ລັອກ", + "SSE.Views.ProtectRangesDlg.textDelete": "ລົບ", + "SSE.Views.ProtectRangesDlg.textEdit": "ແກ້ໄຂ", + "SSE.Views.ProtectRangesDlg.textEmpty": "ບໍ່ມີຂອບເຂດອະນຸຍາດໃຫ້ແກ້ໄຂ.", + "SSE.Views.ProtectRangesDlg.textNew": "ໃຫມ່", + "SSE.Views.ProtectRangesDlg.textProtect": "ປ້ອງກັນແຜ່ນ", + "SSE.Views.ProtectRangesDlg.textPwd": "ລະຫັດຜ່ານ", + "SSE.Views.ProtectRangesDlg.textRange": "ຊ່ວງ", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "ໄລຍະທີ່ຖືກປົດລັອກດ້ວຍລະຫັດຜ່ານເມື່ອແຜ່ນຊີດຖືກປ້ອງກັນ (ອັນນີ້ໃຊ້ໄດ້ກັບຕາລາງທີ່ຖືກລັອກເທົ່ານັ້ນ)", + "SSE.Views.ProtectRangesDlg.textTitle": "ຫົວຂໍ້", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "ອົງປະກອບນີ້ໄດ້ຖືກແກ້ໄຂໂດຍຜູ້ນຳໃຊ້ຄົນອື່ນ.", + "SSE.Views.ProtectRangesDlg.txtEditRange": "ແກ້ໄຂໄລຍະ", + "SSE.Views.ProtectRangesDlg.txtNewRange": "ຊ່ວງໃໝ່", + "SSE.Views.ProtectRangesDlg.txtNo": "ບໍ່", + "SSE.Views.ProtectRangesDlg.txtTitle": "ໄລຍະທີ່ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ແກ້ໄຂ", + "SSE.Views.ProtectRangesDlg.txtYes": "ແມ່ນແລ້ວ", + "SSE.Views.ProtectRangesDlg.warnDelete": "ເຈົ້າຫມັ້ນໃຈບໍທີ່ຈະລຶບຊື່ນີ້{0}?", "SSE.Views.RemoveDuplicatesDialog.textColumns": "ຖັນ", "SSE.Views.RemoveDuplicatesDialog.textDescription": "ການທີ່ຈະລືບຄ່າທີ່ຊ້ຳກັນ ຄວນເລືອກໜຶ່ງ ຫຼື ຫຼາຍຖັນທີ່ມີຄ່າຊ້ຳກັນ.", "SSE.Views.RemoveDuplicatesDialog.textHeaders": "ຂໍ້ມູນຂ້ອຍມີສ່ວນຫົວ", @@ -2669,7 +2834,7 @@ "SSE.Views.RightMenu.txtCellSettings": "ການຕັ້ງຄ່າຂອງເຊວ", "SSE.Views.RightMenu.txtChartSettings": "ການຕັ້ງຄ່າແຜ່ນຮູບພາບ", "SSE.Views.RightMenu.txtImageSettings": "ການຕັ້ງຄ່າຮູບພາບ", - "SSE.Views.RightMenu.txtParagraphSettings": "ການຕັ້ງຄ່າຂໍ້ຄວາມ", + "SSE.Views.RightMenu.txtParagraphSettings": "ການຕັ້ງຄ່າວັກ", "SSE.Views.RightMenu.txtPivotSettings": "ການຕັ້ງຄ່າຂອງຕາຕະລາງພິວອດ", "SSE.Views.RightMenu.txtSettings": "ການຕັ້ງຄ່າທົ່ວໄປ", "SSE.Views.RightMenu.txtShapeSettings": "ການຕັ້ງຄ່າຮູບຮ່າງ", @@ -2724,6 +2889,7 @@ "SSE.Views.ShapeSettings.textPatternFill": "ຮູບແບບ", "SSE.Views.ShapeSettings.textPosition": "ຕໍາແໜ່ງ", "SSE.Views.ShapeSettings.textRadial": "ລັງສີ", + "SSE.Views.ShapeSettings.textRecentlyUsed": "ໃຊ້ລ່າສຸດ", "SSE.Views.ShapeSettings.textRotate90": "ໝຸນ 90°", "SSE.Views.ShapeSettings.textRotation": "ການໝຸນ", "SSE.Views.ShapeSettings.textSelectImage": "ເລືອກຮູບພາບ", @@ -2964,13 +3130,17 @@ "SSE.Views.Statusbar.itemMaximum": "ໃຫຍ່ສຸດ", "SSE.Views.Statusbar.itemMinimum": "ໜ້ອຍສຸດ", "SSE.Views.Statusbar.itemMove": "ຍ້າຍ", + "SSE.Views.Statusbar.itemProtect": "ຄວາມປອດໄພ", "SSE.Views.Statusbar.itemRename": "ປ່ຽນຊື່", + "SSE.Views.Statusbar.itemStatus": "ກຳລັງບັນທຶກສະຖານະ", "SSE.Views.Statusbar.itemSum": "ຜົນລວມ", "SSE.Views.Statusbar.itemTabColor": "ສີຫຍໍ້ໜ້າ", + "SSE.Views.Statusbar.itemUnProtect": "ບໍ່ປ້ອງກັນ", "SSE.Views.Statusbar.RenameDialog.errNameExists": "ມີຊື່ແຜນວຽກດັ່ງກ່າວແລ້ວ.", "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "ຊື່ແຜ່ນງານຕ້ອງບໍ່ມີຕົວອັກສອນດັ່ງຕໍ່ໄປນີ້: \\/*?[]:", "SSE.Views.Statusbar.RenameDialog.labelSheetName": "ຊື່ແຜ່ນເຈ້ຍ", "SSE.Views.Statusbar.selectAllSheets": "ເລືອກແຜນງານທັງໝົດ", + "SSE.Views.Statusbar.sheetIndexText": "ໃບທີ {0} ຈາກທັງໝົດ {1}", "SSE.Views.Statusbar.textAverage": "ສະເລ່ຍ", "SSE.Views.Statusbar.textCount": "ນັບ", "SSE.Views.Statusbar.textMax": "ສູງສຸດ", @@ -2981,6 +3151,7 @@ "SSE.Views.Statusbar.tipAddTab": "ເພີ່ມແຜນງານ", "SSE.Views.Statusbar.tipFirst": "ເລື່ອນໄປທີ່ແຜນງານທຳອິດ", "SSE.Views.Statusbar.tipLast": "ເລື່ອໄປທີ່ແຜນງານສຸດທ້າຍ", + "SSE.Views.Statusbar.tipListOfSheets": "ບັນຊີລາຍຊື່ຂອງແຜ່ນຊີດ", "SSE.Views.Statusbar.tipNext": "ເລື່ອນລາຍຊື່ເອກະສານໄປເບື້ອງຂວາ", "SSE.Views.Statusbar.tipPrev": "ເລື່ອນບັນຊີລາຍຊື່ເອກກະສານໄປເບື້ອງຊ້າຍ", "SSE.Views.Statusbar.tipZoomFactor": "ຂະຫຍາຍ ", @@ -3169,6 +3340,8 @@ "SSE.Views.Toolbar.textPageMarginsCustom": "ກຳນົດໄລຍະຫ່າງຈາກຂອບ", "SSE.Views.Toolbar.textPortrait": "ລວງຕັ້ງ", "SSE.Views.Toolbar.textPrint": "ພິມ", + "SSE.Views.Toolbar.textPrintGridlines": "ພິມເສັ້ນຕາຕະລາງ", + "SSE.Views.Toolbar.textPrintHeadings": "ພິມຫົວເລື່ອງ", "SSE.Views.Toolbar.textPrintOptions": "ການຕັ້ງຄ່າພິມ", "SSE.Views.Toolbar.textRight": "ຂວາ:", "SSE.Views.Toolbar.textRightBorders": "ຂອບຂວາ", @@ -3248,12 +3421,13 @@ "SSE.Views.Toolbar.tipInsertText": "ເພີ່ມປ່ອງຂໍ້ຄວາມ", "SSE.Views.Toolbar.tipInsertTextart": "ເພີ່ມສີລະປະໃສ່່ຂໍ້ຄວາມ", "SSE.Views.Toolbar.tipMerge": "ຮ່ວມ ແລະ ຢູ່ກາງ", + "SSE.Views.Toolbar.tipNone": "ບໍ່ມີ", "SSE.Views.Toolbar.tipNumFormat": "ຮູບແບບຕົວເລກ", "SSE.Views.Toolbar.tipPageMargins": "ຂອບໜ້າ", "SSE.Views.Toolbar.tipPageOrient": "ການກຳນົດໜ້າ", "SSE.Views.Toolbar.tipPageSize": "ຂະໜາດໜ້າ", "SSE.Views.Toolbar.tipPaste": "ວາງ", - "SSE.Views.Toolbar.tipPrColor": "ສີພື້ນຫຼັງ", + "SSE.Views.Toolbar.tipPrColor": "ຕື່ມສີ", "SSE.Views.Toolbar.tipPrint": "ພິມ", "SSE.Views.Toolbar.tipPrintArea": "ເນື້ອທີ່ພິມ", "SSE.Views.Toolbar.tipPrintTitles": "ພິມຫົວຂໍ້", @@ -3303,7 +3477,7 @@ "SSE.Views.Toolbar.txtPasteRange": "ວາງຊື່", "SSE.Views.Toolbar.txtPercentage": "ເປີເຊັນ", "SSE.Views.Toolbar.txtPound": "£ ປອນ", - "SSE.Views.Toolbar.txtRouble": "₽ຮູເບີນ", + "SSE.Views.Toolbar.txtRouble": "₽ ຮູເບີນ", "SSE.Views.Toolbar.txtScheme1": "ຫ້ອງການ", "SSE.Views.Toolbar.txtScheme10": "ເສັ້ນແບ່ງກາງ", "SSE.Views.Toolbar.txtScheme11": "ລົດໄຟຟ້າ", @@ -3318,6 +3492,7 @@ "SSE.Views.Toolbar.txtScheme2": "ໂທນສີເທົາ", "SSE.Views.Toolbar.txtScheme20": "ໃນເມືອງ", "SSE.Views.Toolbar.txtScheme21": "Verve", + "SSE.Views.Toolbar.txtScheme22": "ຫ້ອງການໃໝ່", "SSE.Views.Toolbar.txtScheme3": "ເອເພັກສ", "SSE.Views.Toolbar.txtScheme4": "ມຸມມອງ", "SSE.Views.Toolbar.txtScheme5": "ປະຫວັດ", @@ -3375,6 +3550,7 @@ "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": " ປິດ", "SSE.Views.ViewManagerDlg.guestText": " ແຂກ", + "SSE.Views.ViewManagerDlg.lockText": "ລັອກ", "SSE.Views.ViewManagerDlg.textDelete": "ລົບ", "SSE.Views.ViewManagerDlg.textDuplicate": "ກ໋ອບປີ້, ສຳເນົາ", "SSE.Views.ViewManagerDlg.textEmpty": "ຍັງບໍ່ມີການສ້າງມຸມມອງ", @@ -3390,16 +3566,38 @@ "SSE.Views.ViewManagerDlg.warnDeleteView": "ທ່ານກຳລັງພະຍາຍາມທີ່ຈະລົບມຸມມອງທີ່ເປີດໃຊ້ງານປັດຈຸບັນ '%1'.
                              ປິດມຸມມອງນີ້ ແລະ ລົບອອກ ຫຼື ບໍ່?", "SSE.Views.ViewTab.capBtnFreeze": "ຕິກໃສ່ບໍລິເວນທີ່ຕ້ອງການໃຫ້ເຫັນແຈ້ງ", "SSE.Views.ViewTab.capBtnSheetView": "ມູມມອງແຜ່ນງານ", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "ສະແດງແຖບເຄື່ອງມືສະເໝີ", "SSE.Views.ViewTab.textClose": " ປິດ", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "ເຊື່ອງແຖບສະຖານະກີດ", "SSE.Views.ViewTab.textCreate": "ໃຫມ່", "SSE.Views.ViewTab.textDefault": "ຄ່າເລີ້ມຕົ້ນ", "SSE.Views.ViewTab.textFormula": "ແຖບສູດ", + "SSE.Views.ViewTab.textFreezeCol": "ລ໊ອກການເບີ່ງເຫັນຖັນທຳອິດ", + "SSE.Views.ViewTab.textFreezeRow": "ລ໊ອກການເບີ່ງເຫັນແຖວເທິງ", "SSE.Views.ViewTab.textGridlines": "ເສັ້ນຕາຕະລາງ", "SSE.Views.ViewTab.textHeadings": "ຫົວເລື່ອງ", + "SSE.Views.ViewTab.textInterfaceTheme": "้ຮູບແບບການສະແດງຜົນ", "SSE.Views.ViewTab.textManager": "ການຈັດການມຸມມອງ", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "ສະແດງເງົາຂອງແຖບແຂງ", + "SSE.Views.ViewTab.textUnFreeze": "ຍົກເລີກໝາຍຕາຕະລາງ", + "SSE.Views.ViewTab.textZeros": "ບໍ່ມີເນື້ອຫາ", "SSE.Views.ViewTab.textZoom": "ຂະຫຍາຍ ", "SSE.Views.ViewTab.tipClose": "ປິດມູມມອງແຜ່ນງານ", "SSE.Views.ViewTab.tipCreate": "ສ້າງມຸມມອງແຜ່ນງານ", "SSE.Views.ViewTab.tipFreeze": "ຕິກໃສ່ບໍລິເວນທີ່ຕ້ອງການໃຫ້ເຫັນແຈ້ງ", - "SSE.Views.ViewTab.tipSheetView": "ມູມມອງແຜ່ນງານ" + "SSE.Views.ViewTab.tipSheetView": "ມູມມອງແຜ່ນງານ", + "SSE.Views.WBProtection.hintAllowRanges": "ໄລຍະທີ່ອະນຸຍາດໃຫ້ແກ້ໄຂ", + "SSE.Views.WBProtection.hintProtectSheet": "ປ້ອງກັນແຜ່ນ", + "SSE.Views.WBProtection.hintProtectWB": "ປ້ອງກັນປຶ້ມບັນທືກ", + "SSE.Views.WBProtection.txtAllowRanges": "ໄລຍະທີ່ອະນຸຍາດໃຫ້ແກ້ໄຂ", + "SSE.Views.WBProtection.txtHiddenFormula": "ສູດທີ່ເຊື່ອງໄວ້", + "SSE.Views.WBProtection.txtLockedCell": "ຕາລາງທີ່ຖືກລັອກ", + "SSE.Views.WBProtection.txtLockedShape": "ຮູບຮ່າງຖືກລັອກ", + "SSE.Views.WBProtection.txtLockedText": "ລັອກຂໍ້ຄວາມ", + "SSE.Views.WBProtection.txtProtectSheet": "ປ້ອງກັນແຜ່ນ", + "SSE.Views.WBProtection.txtProtectWB": "ປ້ອງກັນປຶ້ມບັນທືກ", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "ໃສ່ລະຫັດຜ່ານເພື່ອຍົກເລີກການປ້ອງກັນແຜ່ນ", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "ບໍ່ປ້ອງກັນແຜ່ນຊີດ", + "SSE.Views.WBProtection.txtWBUnlockDescription": "ປ້ອນລະຫັດຜ່ານເພື່ອບໍ່ປົກປ້ອງປື້ມບັນທືກ", + "SSE.Views.WBProtection.txtWBUnlockTitle": "ບໍ່ປ້ອງ ປື້ມບັນທືກ" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/lv.json b/apps/spreadsheeteditor/main/locale/lv.json index 57891c8c8..5fb5f6680 100644 --- a/apps/spreadsheeteditor/main/locale/lv.json +++ b/apps/spreadsheeteditor/main/locale/lv.json @@ -2,6 +2,7 @@ "cancelButtonText": "Atcelt", "Common.Controllers.Chat.notcriticalErrorTitle": "Warning", "Common.Controllers.Chat.textEnterMessage": "Ievadiet savu ziņu šeit", + "Common.UI.ButtonColored.textNewColor": "Pievienot jauno krāsu", "Common.UI.ComboBorderSize.txtNoBorders": "No borders", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "No borders", "Common.UI.ComboDataView.emptyComboText": "No styles", @@ -1150,20 +1151,14 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Change access rights", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personas kuriem ir tiesības", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Piemērot", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Ieslēgt automātisko atjaunošanu", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Turn on autosave", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Font Hinting", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Vienmēr noglabāt serverī (pretējā gadījumā noglabāt serverī dokumenta aizvēršanas laikā)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Turn on live commenting option", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Iespējot atrisināto komentāru rādīšanu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unit of Measurement", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Noklusējuma tālummaiņas vērtība", @@ -1182,7 +1177,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Spāņu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francijas", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Colla", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Live Commenting", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "as OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Native", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Poļu", @@ -1200,8 +1194,7 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Rēķintabulai ir pievienoti derīgi paraksti. Rēķintabulu nevar rediģēt.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Daži rēķintabulas digitālie paraksti nav derīgi vai tos nevar pārbaudīt. Rēķintabulu nevar rediģēt.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Apskatīt parakstus", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Lapas iestatījumi", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Pievienot jauno krāsu", "SSE.Views.FormatSettingsDialog.textCategory": "Kategorija", "SSE.Views.FormatSettingsDialog.textDecimal": "Decimālis", "SSE.Views.FormatSettingsDialog.textFormat": "Formāts", @@ -1234,6 +1227,7 @@ "SSE.Views.FormulaDialog.textGroupDescription": "Izvēlieties funkcijas grupu", "SSE.Views.FormulaDialog.textListDescription": "Izvēlieties funkciju", "SSE.Views.FormulaDialog.txtTitle": "Ievietot funkciju", + "SSE.Views.HeaderFooterDialog.textNewColor": "Pievienot jauno krāsu", "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Parādīt", "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Saistīt ar", "SSE.Views.HyperlinkSettingsDialog.strRange": "Diapazons", diff --git a/apps/spreadsheeteditor/main/locale/nl.json b/apps/spreadsheeteditor/main/locale/nl.json index c73e4e3df..c2ee23a0f 100644 --- a/apps/spreadsheeteditor/main/locale/nl.json +++ b/apps/spreadsheeteditor/main/locale/nl.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Maak een kopie", "Common.Translation.warnFileLockedBtnView": "Open voor lezen", "Common.UI.ButtonColored.textAutoColor": "Automatisch", - "Common.UI.ButtonColored.textNewColor": "Voeg nieuwe aangepaste kleur toe", + "Common.UI.ButtonColored.textNewColor": "Nieuwe aangepaste kleur", "Common.UI.ComboBorderSize.txtNoBorders": "Geen randen", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Geen randen", "Common.UI.ComboDataView.emptyComboText": "Geen stijlen", @@ -2037,26 +2037,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Toegangsrechten wijzigen", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personen met rechten", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Toepassen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "AutoHerstel inschakelen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Automatisch opslaan inschakelen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modus Gezamenlijk bewerken", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Andere gebruikers zien uw wijzigingen onmiddellijk", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "U moet de wijzigingen accepteren om die te kunnen zien", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Decimaalscheidingsteken", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Snel", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Hints voor lettertype", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Altijd op de server opslaan in plaats van bij het sluiten van het document", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Taal formule", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Voorbeeld: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Weergave van opmerkingen inschakelen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Macro instellingen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Knippen, kopiëren en plakken", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Toon de knop Plakopties wanneer de inhoud is geplakt", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Schakel R1C1-stijl in", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regionale instellingen", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Voorbeeld:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Weergave van opgeloste opmerkingen inschakelen", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Scheidingsteken", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strikt", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Thema van de interface", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Duizenden scheidingsteken", @@ -2092,7 +2084,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiaans", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japans", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Koreaans", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Commentaarweergave", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laotiaans", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letlands", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "als OS X", @@ -2119,12 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Schakel alle macro's uit met een melding", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "als Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinees", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Toepassen", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Woordenboek taal", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Negeer woorden in HOOFDLETTERS", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Negeer woorden met cijfers", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Instellingen automatische spellingscontrole", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Controlleren", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Waarschuwing", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Met wachtwoord", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Werkblad beveiligen", @@ -2136,9 +2121,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Geldige handtekeningen zijn toegevoegd aan het werkblad. Dit werkblad is beveiligd tegen aanpassingen.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Een of meer digitale handtekeningen in het werkblad zijn ongeldig of konden niet geverifieerd worden. Dit werkblad is beveiligd tegen aanpassingen.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Toon handtekeningen", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Algemeen", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Pagina-instellingen", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Spellingcontrole", "SSE.Views.FormatRulesEditDlg.fillColor": "Opvulkleur", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Waarschuwing", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Kleurenschaal", @@ -2193,7 +2175,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Minimum waarde", "SSE.Views.FormatRulesEditDlg.textNegative": "Negatief", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Nieuwe aangepaste kleur", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Geen randen", "SSE.Views.FormatRulesEditDlg.textNone": "Geen", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Een of meer van de opgegeven waarden is geen geldig percentage.", @@ -2361,7 +2343,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Cursief", "SSE.Views.HeaderFooterDialog.textLeft": "Links", "SSE.Views.HeaderFooterDialog.textMaxError": "De tekstreeks die u heeft ingevoerd, is te lang. Verminder het aantal gebruikte tekens.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "SSE.Views.HeaderFooterDialog.textNewColor": "Nieuwe aangepaste kleur", "SSE.Views.HeaderFooterDialog.textOdd": "Oneven pagina", "SSE.Views.HeaderFooterDialog.textPageCount": "Aantal pagina's", "SSE.Views.HeaderFooterDialog.textPageNum": "Paginanummer", @@ -3092,7 +3074,7 @@ "SSE.Views.Statusbar.textCount": "AANTAL", "SSE.Views.Statusbar.textMax": "Max", "SSE.Views.Statusbar.textMin": "Min", - "SSE.Views.Statusbar.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "SSE.Views.Statusbar.textNewColor": "Nieuwe aangepaste kleur", "SSE.Views.Statusbar.textNoColor": "Geen kleur", "SSE.Views.Statusbar.textSum": "SOM", "SSE.Views.Statusbar.tipAddTab": "Werkblad yoevoegen", @@ -3278,7 +3260,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Horizontale binnenranden", "SSE.Views.Toolbar.textMoreFormats": "Meer indelingen", "SSE.Views.Toolbar.textMorePages": "Meer pagina's", - "SSE.Views.Toolbar.textNewColor": "Nieuwe aangepaste kleur toevoegen", + "SSE.Views.Toolbar.textNewColor": "Nieuwe aangepaste kleur", "SSE.Views.Toolbar.textNewRule": "Nieuwe regel", "SSE.Views.Toolbar.textNoBorders": "Geen randen", "SSE.Views.Toolbar.textOnePage": "Pagina", diff --git a/apps/spreadsheeteditor/main/locale/pl.json b/apps/spreadsheeteditor/main/locale/pl.json index f5ab82322..a84d48bb0 100644 --- a/apps/spreadsheeteditor/main/locale/pl.json +++ b/apps/spreadsheeteditor/main/locale/pl.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Utwórz kopię", "Common.Translation.warnFileLockedBtnView": "Otwórz do oglądania", "Common.UI.ButtonColored.textAutoColor": "Automatyczny", - "Common.UI.ButtonColored.textNewColor": "Dodaj nowy niestandardowy kolor", + "Common.UI.ButtonColored.textNewColor": "Nowy niestandardowy kolor", "Common.UI.ComboBorderSize.txtNoBorders": "Bez krawędzi", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Bez krawędzi", "Common.UI.ComboDataView.emptyComboText": "Brak styli", @@ -2041,26 +2041,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmień prawa dostępu", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby, które mają prawa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Zatwierdź", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Włącz auto odzyskiwanie", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Włącz automatyczny zapis", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Tryb współtworzenia", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Zobaczysz zmiany innych użytkowników od razu", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Zanim będziesz mógł zobaczyć zmiany wprowadzone przez innych użytkowników, musisz je najpierw zaakceptować.", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separator liczb dziesiętnych", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Szybki", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Podpowiedź czcionki", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Dodaj wersję do pamięci po kliknięciu przycisku Zapisz lub Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Język formuły", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Przykład: SUMA; MIN; MAX; LICZYĆ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Włącz wyświetlanie komentarzy", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Ustawienia Makr", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Wycinanie, kopiowanie i wklejanie", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Pokaż przycisk opcji wklejania po wklejeniu zawartości", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Włącz styl R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Ustawienia regionaln", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Przykład:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Włącz wyświetlanie rozwiązanych komentarzy", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separator", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Ścisły", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Motyw interfejsu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separator tysięcy", @@ -2096,7 +2088,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Włoski", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japoński", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Koreański", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Widok komentarzy", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laotański", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Łotewski", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "jak OS X", @@ -2123,12 +2114,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Wyłącz wszystkie makra z powiadomieniem", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "jak Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chiński", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Zatwierdź", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Język słownika", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignoruj słowa pisane WIELKIMI LITERAMI", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignoruj słowa z liczbami", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opcje Autokorekty...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Sprawdzanie", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Ostrzeżenie", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "z hasłem", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "\nChroń arkusz kalkulacyjny", @@ -2140,9 +2125,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Prawidłowe podpisy zostały dodane do arkusza kalkulacyjnego. Arkusz kalkulacyjny jest chroniony przed edycją.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Niektóre podpisy cyfrowe w arkuszu kalkulacyjnym są nieprawidłowe lub nie można ich zweryfikować. Arkusz kalkulacyjny jest chroniony przed edycją", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobacz sygnatury", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Ogólne", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Ustawienia strony", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Sprawdzanie pisowni", "SSE.Views.FormatRulesEditDlg.fillColor": "Kolor wypełnienia", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Ostrzeżenie", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 skala kolorów", @@ -2197,7 +2179,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimalny", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Min. punkt", "SSE.Views.FormatRulesEditDlg.textNegative": "Negatywny", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Dodaj nowy niestandardowy kolor", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Nowy niestandardowy kolor", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Bez krawędzi", "SSE.Views.FormatRulesEditDlg.textNone": "Żaden", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Co najmniej jedna z podanych wartości nie jest prawidłową wartością procentową.", @@ -2366,7 +2348,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Kursywa", "SSE.Views.HeaderFooterDialog.textLeft": "Do Lewej", "SSE.Views.HeaderFooterDialog.textMaxError": "Wpisany ciąg tekstowy jest za długi. Zmniejsz liczbę używanych znaków.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Dodaj nowy niestandardowy kolor", + "SSE.Views.HeaderFooterDialog.textNewColor": "Nowy niestandardowy kolor", "SSE.Views.HeaderFooterDialog.textOdd": "Nieparzysta strona", "SSE.Views.HeaderFooterDialog.textPageCount": "Liczba stron", "SSE.Views.HeaderFooterDialog.textPageNum": "Numer strony", @@ -3121,7 +3103,7 @@ "SSE.Views.Statusbar.textCount": "Licz", "SSE.Views.Statusbar.textMax": "Maksimum", "SSE.Views.Statusbar.textMin": "Minimum", - "SSE.Views.Statusbar.textNewColor": "Dodaj nowy niestandardowy kolor", + "SSE.Views.Statusbar.textNewColor": "Nowy niestandardowy kolor", "SSE.Views.Statusbar.textNoColor": "Bez koloru", "SSE.Views.Statusbar.textSum": "Suma", "SSE.Views.Statusbar.tipAddTab": "Dodaj arkusz", @@ -3308,7 +3290,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Wewnątrz poziomych granic", "SSE.Views.Toolbar.textMoreFormats": "Więcej formatów", "SSE.Views.Toolbar.textMorePages": "Inne strony", - "SSE.Views.Toolbar.textNewColor": "Dodaj nowy niestandardowy kolor", + "SSE.Views.Toolbar.textNewColor": "Nowy niestandardowy kolor", "SSE.Views.Toolbar.textNewRule": "Nowa reguła", "SSE.Views.Toolbar.textNoBorders": "Bez krawędzi", "SSE.Views.Toolbar.textOnePage": "Strona", diff --git a/apps/spreadsheeteditor/main/locale/pt-PT.json b/apps/spreadsheeteditor/main/locale/pt-PT.json new file mode 100644 index 000000000..deeb0d4bc --- /dev/null +++ b/apps/spreadsheeteditor/main/locale/pt-PT.json @@ -0,0 +1,3601 @@ +{ + "cancelButtonText": "Cancelar", + "Common.Controllers.Chat.notcriticalErrorTitle": "Aviso", + "Common.Controllers.Chat.textEnterMessage": "Inserir sua mensagem aqui", + "Common.Controllers.History.notcriticalErrorTitle": "Aviso", + "Common.define.chartData.textArea": "Área", + "Common.define.chartData.textAreaStacked": "Área empilhada", + "Common.define.chartData.textAreaStackedPer": "Área 100% alinhada", + "Common.define.chartData.textBar": "Barra", + "Common.define.chartData.textBarNormal": "Coluna agrupada", + "Common.define.chartData.textBarNormal3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarNormal3dPerspective": "Coluna 3-D", + "Common.define.chartData.textBarStacked": "Coluna empilhada", + "Common.define.chartData.textBarStacked3d": "Coluna 3-D agrupada", + "Common.define.chartData.textBarStackedPer": "Coluna 100% alinhada", + "Common.define.chartData.textBarStackedPer3d": "Coluna 3-D 100% alinhada", + "Common.define.chartData.textCharts": "Gráficos", + "Common.define.chartData.textColumn": "Coluna", + "Common.define.chartData.textColumnSpark": "Coluna", + "Common.define.chartData.textCombo": "Combinação", + "Common.define.chartData.textComboAreaBar": "Área empilhada – coluna agrupada", + "Common.define.chartData.textComboBarLine": "Coluna agrupada – linha", + "Common.define.chartData.textComboBarLineSecondary": "Coluna agrupada – linha num eixo secundário", + "Common.define.chartData.textComboCustom": "Combinação personalizada", + "Common.define.chartData.textDoughnut": "Rosquinha", + "Common.define.chartData.textHBarNormal": "Barra Agrupada", + "Common.define.chartData.textHBarNormal3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStacked": "Barra empilhada", + "Common.define.chartData.textHBarStacked3d": "Barra 3-D agrupada", + "Common.define.chartData.textHBarStackedPer": "Barra 100% alinhada", + "Common.define.chartData.textHBarStackedPer3d": "Barra 3-D 100% alinhada", + "Common.define.chartData.textLine": "Linha", + "Common.define.chartData.textLine3d": "Linha 3-D", + "Common.define.chartData.textLineMarker": "Linha com marcadores", + "Common.define.chartData.textLineSpark": "Linha", + "Common.define.chartData.textLineStacked": "Linha empilhada", + "Common.define.chartData.textLineStackedMarker": "Linha empilhada com marcadores", + "Common.define.chartData.textLineStackedPer": "100% Alinhado", + "Common.define.chartData.textLineStackedPerMarker": "Alinhado com 100%", + "Common.define.chartData.textPie": "Tarte", + "Common.define.chartData.textPie3d": "Tarte 3-D", + "Common.define.chartData.textPoint": "XY (gráfico de dispersão)", + "Common.define.chartData.textScatter": "Dispersão", + "Common.define.chartData.textScatterLine": "Dispersão com Linhas Retas", + "Common.define.chartData.textScatterLineMarker": "Dispersão com Linhas e Marcadores Retos", + "Common.define.chartData.textScatterSmooth": "Dispersão com Linhas Suaves", + "Common.define.chartData.textScatterSmoothMarker": "Dispersão com Linhas Suaves e Marcadores", + "Common.define.chartData.textSparks": "Sparklines", + "Common.define.chartData.textStock": "Gráfico de ações", + "Common.define.chartData.textSurface": "Superfície", + "Common.define.chartData.textWinLossSpark": "Ganho/Perda", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "Nenhum formato definido", + "Common.define.conditionalData.text1Above": "1 acima do desv. padr. ", + "Common.define.conditionalData.text1Below": "1 abaixo do desv. padr.", + "Common.define.conditionalData.text2Above": "2 desv. padr. acima", + "Common.define.conditionalData.text2Below": "2 abaixo do desv. padr.", + "Common.define.conditionalData.text3Above": "3 acima do desv. padr. ", + "Common.define.conditionalData.text3Below": "3 abaixo do desv. padr.", + "Common.define.conditionalData.textAbove": "Acima", + "Common.define.conditionalData.textAverage": "Média", + "Common.define.conditionalData.textBegins": "Começa com", + "Common.define.conditionalData.textBelow": "Abaixo", + "Common.define.conditionalData.textBetween": "Entre", + "Common.define.conditionalData.textBlank": "Branco", + "Common.define.conditionalData.textBlanks": "Contém espaços em branco", + "Common.define.conditionalData.textBottom": "Inferior", + "Common.define.conditionalData.textContains": "Contém", + "Common.define.conditionalData.textDataBar": "Barra de dados", + "Common.define.conditionalData.textDate": "Data", + "Common.define.conditionalData.textDuplicate": "Duplicar", + "Common.define.conditionalData.textEnds": "termina com", + "Common.define.conditionalData.textEqAbove": "Igual ou maior", + "Common.define.conditionalData.textEqBelow": "Igual ou menor", + "Common.define.conditionalData.textEqual": "Igual a", + "Common.define.conditionalData.textError": "Erro", + "Common.define.conditionalData.textErrors": "Contém erros", + "Common.define.conditionalData.textFormula": "Fórmula", + "Common.define.conditionalData.textGreater": "Superior a", + "Common.define.conditionalData.textGreaterEq": "Superior a ou igual a", + "Common.define.conditionalData.textIconSets": "Conjuntos de ícones", + "Common.define.conditionalData.textLast7days": "Nos últimos 7 dias", + "Common.define.conditionalData.textLastMonth": "último mês", + "Common.define.conditionalData.textLastWeek": "A semana passada", + "Common.define.conditionalData.textLess": "Inferior a", + "Common.define.conditionalData.textLessEq": "Inferior a ou igual a", + "Common.define.conditionalData.textNextMonth": "Próximo Mês", + "Common.define.conditionalData.textNextWeek": "Próxima semana", + "Common.define.conditionalData.textNotBetween": "Não está entre", + "Common.define.conditionalData.textNotBlanks": "Não contém células em branco", + "Common.define.conditionalData.textNotContains": "não contém", + "Common.define.conditionalData.textNotEqual": "Não igual a", + "Common.define.conditionalData.textNotErrors": "Não contem erros", + "Common.define.conditionalData.textText": "Тexto", + "Common.define.conditionalData.textThisMonth": "Este mês", + "Common.define.conditionalData.textThisWeek": "Esta semana", + "Common.define.conditionalData.textToday": "Hoje", + "Common.define.conditionalData.textTomorrow": "Amanhã", + "Common.define.conditionalData.textTop": "Parte superior", + "Common.define.conditionalData.textUnique": "Único", + "Common.define.conditionalData.textValue": "Valor é", + "Common.define.conditionalData.textYesterday": "Ontem", + "Common.Translation.warnFileLocked": "O ficheiro está a ser editado por outra aplicação. Pode continuar a trabalhar mas terá que guardar uma cópia.", + "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", + "Common.Translation.warnFileLockedBtnView": "Abrir para visualizar", + "Common.UI.ButtonColored.textAutoColor": "Automático", + "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.ComboBorderSize.txtNoBorders": "Sem bordas", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sem bordas", + "Common.UI.ComboDataView.emptyComboText": "Sem estilos", + "Common.UI.ExtendedColorDialog.addButtonText": "Adicionar", + "Common.UI.ExtendedColorDialog.textCurrent": "Atual", + "Common.UI.ExtendedColorDialog.textHexErr": "O valor inserido não está correto.
                              Introduza um valor entre 000000 e FFFFFF.", + "Common.UI.ExtendedColorDialog.textNew": "Novo", + "Common.UI.ExtendedColorDialog.textRGBErr": "O valor inserido não está correto.
                              Introduza um valor numérico entre 0 e 255.", + "Common.UI.HSBColorPicker.textNoColor": "Sem cor", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Ocultar palavra-passe", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Mostrar palavra-passe", + "Common.UI.SearchDialog.textHighlight": "Destacar resultados", + "Common.UI.SearchDialog.textMatchCase": "Diferenciar maiúsculas de minúsculas", + "Common.UI.SearchDialog.textReplaceDef": "Inserir o texto de substituição", + "Common.UI.SearchDialog.textSearchStart": "Insira seu texto aqui", + "Common.UI.SearchDialog.textTitle": "Localizar e Substituir", + "Common.UI.SearchDialog.textTitle2": "Localizar", + "Common.UI.SearchDialog.textWholeWords": "Palavras inteiras apenas", + "Common.UI.SearchDialog.txtBtnHideReplace": "Ocultar substituição", + "Common.UI.SearchDialog.txtBtnReplace": "Substituir", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Substituir tudo", + "Common.UI.SynchronizeTip.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.SynchronizeTip.textSynchronize": "O documento foi alterado por outro utilizador.
                              Clique para guardar as suas alterações e recarregar o documento.", + "Common.UI.ThemeColorPalette.textStandartColors": "Cores padrão", + "Common.UI.ThemeColorPalette.textThemeColors": "Cores do tema", + "Common.UI.Themes.txtThemeClassicLight": "Clássico claro", + "Common.UI.Themes.txtThemeDark": "Escuro", + "Common.UI.Themes.txtThemeLight": "Claro", + "Common.UI.Window.cancelButtonText": "Cancelar", + "Common.UI.Window.closeButtonText": "Fechar", + "Common.UI.Window.noButtonText": "Não", + "Common.UI.Window.okButtonText": "OK", + "Common.UI.Window.textConfirmation": "Confirmação", + "Common.UI.Window.textDontShow": "Não exibir esta mensagem novamente", + "Common.UI.Window.textError": "Erro", + "Common.UI.Window.textInformation": "Informações", + "Common.UI.Window.textWarning": "Aviso", + "Common.UI.Window.yesButtonText": "Sim", + "Common.Utils.Metric.txtCm": "cm", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "endereço:", + "Common.Views.About.txtLicensee": "LICENÇA", + "Common.Views.About.txtLicensor": "LICENCIANTE", + "Common.Views.About.txtMail": "e-mail:", + "Common.Views.About.txtPoweredBy": "Desenvolvido por", + "Common.Views.About.txtTel": "tel.:", + "Common.Views.About.txtVersion": "Versão", + "Common.Views.AutoCorrectDialog.textAdd": "Adicionar", + "Common.Views.AutoCorrectDialog.textApplyAsWork": "Aplicar ao trabalhar", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Correção automática", + "Common.Views.AutoCorrectDialog.textAutoFormat": "Formato automático ao escrever", + "Common.Views.AutoCorrectDialog.textBy": "Por", + "Common.Views.AutoCorrectDialog.textDelete": "Eliminar", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internet e locais de rede com hiperligações", + "Common.Views.AutoCorrectDialog.textMathCorrect": " Correção automática de matemática", + "Common.Views.AutoCorrectDialog.textNewRowCol": "Incluir novas linhas e colunas na tabela", + "Common.Views.AutoCorrectDialog.textRecognized": "Funções Reconhecidas", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "As seguintes expressões são expressões matemáticas reconhecidas. Não serão colocadas automaticamente em itálico.", + "Common.Views.AutoCorrectDialog.textReplace": "Substituir", + "Common.Views.AutoCorrectDialog.textReplaceText": "Substituir à medida que digita", + "Common.Views.AutoCorrectDialog.textReplaceType": "Substitua o texto à medida que digita", + "Common.Views.AutoCorrectDialog.textReset": "Redefinir", + "Common.Views.AutoCorrectDialog.textResetAll": "Repor para a predefinição", + "Common.Views.AutoCorrectDialog.textRestore": "Restaurar", + "Common.Views.AutoCorrectDialog.textTitle": "Correção automática", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "As funções reconhecidas devem conter apenas as letras de A a Z, maiúsculas ou minúsculas.", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "Qualquer expressão que tenha adicionado será removida e as expressões removidas serão restauradas. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnReplace": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.AutoCorrectDialog.warnReset": "Qualquer correção automática que tenha adicionado será removida e as alterações serão restauradas aos seus valores originais. Quer continuar?", + "Common.Views.AutoCorrectDialog.warnRestore": "A correção automática para %1 já existe. Quer substituí-la?", + "Common.Views.Chat.textSend": "Enviar", + "Common.Views.Comments.mniAuthorAsc": "Autor de A a Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z a A", + "Common.Views.Comments.mniDateAsc": "Mais antigo", + "Common.Views.Comments.mniDateDesc": "Novidades", + "Common.Views.Comments.mniFilterGroups": "Filtrar por Grupo", + "Common.Views.Comments.mniPositionAsc": "De cima", + "Common.Views.Comments.mniPositionDesc": "Do fundo", + "Common.Views.Comments.textAdd": "Adicionar", + "Common.Views.Comments.textAddComment": "Adicionar", + "Common.Views.Comments.textAddCommentToDoc": "Adicionar comentário ao documento", + "Common.Views.Comments.textAddReply": "Adicionar resposta", + "Common.Views.Comments.textAll": "Todos", + "Common.Views.Comments.textAnonym": "Visitante", + "Common.Views.Comments.textCancel": "Cancelar", + "Common.Views.Comments.textClose": "Fechar", + "Common.Views.Comments.textClosePanel": "Fechar comentários", + "Common.Views.Comments.textComments": "Comentários", + "Common.Views.Comments.textEdit": "Editar", + "Common.Views.Comments.textEnterCommentHint": "Inserir seu comentário aqui", + "Common.Views.Comments.textHintAddComment": "Adicionar comentário", + "Common.Views.Comments.textOpenAgain": "Abrir novamente", + "Common.Views.Comments.textReply": "Responder", + "Common.Views.Comments.textResolve": "Resolver", + "Common.Views.Comments.textResolved": "Resolvido", + "Common.Views.Comments.textSort": "Ordenar comentários", + "Common.Views.Comments.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.CopyWarningDialog.textDontShow": "Não exibir esta mensagem novamente", + "Common.Views.CopyWarningDialog.textMsg": "As ações copiar, cortar e colar através dos botões da barra de ferramentas ou através do menu de contexto apenas serão executadas neste separador.

                              Para copiar ou colar de outras aplicações deve utilizar estas teclas de atalho:", + "Common.Views.CopyWarningDialog.textTitle": "Ações copiar, cortar e colar", + "Common.Views.CopyWarningDialog.textToCopy": "para copiar", + "Common.Views.CopyWarningDialog.textToCut": "para cortar", + "Common.Views.CopyWarningDialog.textToPaste": "para Colar", + "Common.Views.DocumentAccessDialog.textLoading": "Carregando ...", + "Common.Views.DocumentAccessDialog.textTitle": "Definições de partilha", + "Common.Views.EditNameDialog.textLabel": "Etiqueta:", + "Common.Views.EditNameDialog.textLabelError": "Etiqueta não deve estar em branco.", + "Common.Views.Header.labelCoUsersDescr": "Utilizadores a editar o ficheiro:", + "Common.Views.Header.textAddFavorite": "Marcar como favorito", + "Common.Views.Header.textAdvSettings": "Definições avançadas", + "Common.Views.Header.textBack": "Abrir localização", + "Common.Views.Header.textCompactView": "Ocultar barra de ferramentas", + "Common.Views.Header.textHideLines": "Ocultar réguas", + "Common.Views.Header.textHideStatusBar": "Combinar as barras da folha e de estado", + "Common.Views.Header.textRemoveFavorite": "Remover dos favoritos", + "Common.Views.Header.textSaveBegin": "Salvando...", + "Common.Views.Header.textSaveChanged": "Modificado", + "Common.Views.Header.textSaveEnd": "Todas as alterações foram guardadas", + "Common.Views.Header.textSaveExpander": "Todas as alterações foram guardadas", + "Common.Views.Header.textZoom": "Ampliação", + "Common.Views.Header.tipAccessRights": "Gerir direitos de acesso ao documento", + "Common.Views.Header.tipDownload": "Descarregar ficheiro", + "Common.Views.Header.tipGoEdit": "Editar ficheiro atual", + "Common.Views.Header.tipPrint": "Imprimir ficheiro", + "Common.Views.Header.tipRedo": "Refazer", + "Common.Views.Header.tipSave": "Salvar", + "Common.Views.Header.tipUndo": "Desfazer", + "Common.Views.Header.tipUndock": "Desacoplar em janela separada", + "Common.Views.Header.tipViewSettings": "Definições de visualização", + "Common.Views.Header.tipViewUsers": "Ver utilizadores e gerir direitos de acesso", + "Common.Views.Header.txtAccessRights": "Alterar direitos de acesso", + "Common.Views.Header.txtRename": "Renomear", + "Common.Views.History.textCloseHistory": "Fechar histórico", + "Common.Views.History.textHide": "Recolher", + "Common.Views.History.textHideAll": "Ocultar alterações detalhadas", + "Common.Views.History.textRestore": "Restaurar", + "Common.Views.History.textShow": "Expandir", + "Common.Views.History.textShowAll": "Mostrar alterações detalhadas", + "Common.Views.History.textVer": "ver.", + "Common.Views.ImageFromUrlDialog.textUrl": "Colar URL de uma imagem:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "Common.Views.ListSettingsDialog.textBulleted": "Com Marcas de Lista", + "Common.Views.ListSettingsDialog.textNumbering": "Numerado", + "Common.Views.ListSettingsDialog.tipChange": "Alterar lista", + "Common.Views.ListSettingsDialog.txtBullet": "Marcador", + "Common.Views.ListSettingsDialog.txtColor": "Cor", + "Common.Views.ListSettingsDialog.txtNewBullet": "Nova marca", + "Common.Views.ListSettingsDialog.txtNone": "Nenhum", + "Common.Views.ListSettingsDialog.txtOfText": "% do texto", + "Common.Views.ListSettingsDialog.txtSize": "Tamanho", + "Common.Views.ListSettingsDialog.txtStart": "Iniciar em", + "Common.Views.ListSettingsDialog.txtSymbol": "Símbolo", + "Common.Views.ListSettingsDialog.txtTitle": "Definições da lista", + "Common.Views.ListSettingsDialog.txtType": "Tipo", + "Common.Views.OpenDialog.closeButtonText": "Fechar ficheiro", + "Common.Views.OpenDialog.textInvalidRange": "Intervalo de células inválido", + "Common.Views.OpenDialog.textSelectData": "Selecionar dados", + "Common.Views.OpenDialog.txtAdvanced": "Avançado", + "Common.Views.OpenDialog.txtColon": "Dois pontos", + "Common.Views.OpenDialog.txtComma": "Vírgula", + "Common.Views.OpenDialog.txtDelimiter": "Delimiter", + "Common.Views.OpenDialog.txtDestData": "Escolher onde colocar os dados", + "Common.Views.OpenDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.OpenDialog.txtEncoding": "Codificação", + "Common.Views.OpenDialog.txtIncorrectPwd": "Palavra-passe inválida.", + "Common.Views.OpenDialog.txtOpenFile": "Introduza a palavra-passe para abrir o ficheiro", + "Common.Views.OpenDialog.txtOther": "Outro", + "Common.Views.OpenDialog.txtPassword": "Palavra-passe", + "Common.Views.OpenDialog.txtPreview": "Pré-visualizar", + "Common.Views.OpenDialog.txtProtected": "Assim que introduzir a palavra-passe e abrir o ficheiro, a palavra-passe atual será reposta.", + "Common.Views.OpenDialog.txtSemicolon": "Ponto e vírgula", + "Common.Views.OpenDialog.txtSpace": "Espaço", + "Common.Views.OpenDialog.txtTab": "Tab", + "Common.Views.OpenDialog.txtTitle": "Escolher opções %1", + "Common.Views.OpenDialog.txtTitleProtected": "Ficheiro protegido", + "Common.Views.PasswordDialog.txtDescription": "Defina uma palavra-passe para proteger este documento", + "Common.Views.PasswordDialog.txtIncorrectPwd": "Disparidade nas palavras-passe introduzidas", + "Common.Views.PasswordDialog.txtPassword": "Palavra-passe", + "Common.Views.PasswordDialog.txtRepeat": "Repetição de palavra-passe", + "Common.Views.PasswordDialog.txtTitle": "Definir palavra-passe", + "Common.Views.PasswordDialog.txtWarning": "Aviso: Se perder ou esquecer a palavra-passe, não será possível recuperá-la. Guarde-a num local seguro.", + "Common.Views.PluginDlg.textLoading": "Carregamento", + "Common.Views.Plugins.groupCaption": "Plugins", + "Common.Views.Plugins.strPlugins": "Plugins", + "Common.Views.Plugins.textLoading": "Carregamento", + "Common.Views.Plugins.textStart": "Iniciar", + "Common.Views.Plugins.textStop": "Parar", + "Common.Views.Protection.hintAddPwd": "Cifrar com palavra-passe", + "Common.Views.Protection.hintPwd": "Alterar ou eliminar palavra-passe", + "Common.Views.Protection.hintSignature": "Adicionar assinatura digital ou linha de assinatura", + "Common.Views.Protection.txtAddPwd": "Adicionar palavra-passe", + "Common.Views.Protection.txtChangePwd": "Alterar palavra-passe", + "Common.Views.Protection.txtDeletePwd": "Eliminar palavra-passe", + "Common.Views.Protection.txtEncrypt": "Encriptar", + "Common.Views.Protection.txtInvisibleSignature": "Adicionar assinatura digital", + "Common.Views.Protection.txtSignature": "Assinatura", + "Common.Views.Protection.txtSignatureLine": "Adicionar linha de assinatura", + "Common.Views.RenameDialog.textName": "Nome do ficheiro", + "Common.Views.RenameDialog.txtInvalidName": "O nome do ficheiro não pode ter qualquer um dos seguintes caracteres:", + "Common.Views.ReviewChanges.hintNext": "Para a próxima alteração", + "Common.Views.ReviewChanges.hintPrev": "Para a alteração anterior", + "Common.Views.ReviewChanges.strFast": "Rápido", + "Common.Views.ReviewChanges.strFastDesc": "Edição em tempo real. Todas as alterações foram guardadas.", + "Common.Views.ReviewChanges.strStrict": "Estrito", + "Common.Views.ReviewChanges.strStrictDesc": "Utilize o botão 'Guardar' para sincronizar as alterações efetuadas ao documento.", + "Common.Views.ReviewChanges.tipAcceptCurrent": "Aceitar alteração atual", + "Common.Views.ReviewChanges.tipCoAuthMode": "Definir modo de coedição", + "Common.Views.ReviewChanges.tipCommentRem": "Remover comentários", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.tipCommentResolve": "Resolver comentários", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.tipHistory": "Mostrar histórico de versão", + "Common.Views.ReviewChanges.tipRejectCurrent": "Rejeitar alterações atuais", + "Common.Views.ReviewChanges.tipReview": "Rastreio de alterações", + "Common.Views.ReviewChanges.tipReviewView": "Selecione o modo em que pretende que as alterações sejam apresentadas", + "Common.Views.ReviewChanges.tipSetDocLang": "Definir idioma do documento", + "Common.Views.ReviewChanges.tipSetSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.tipSharing": "Gerir direitos de acesso ao documento", + "Common.Views.ReviewChanges.txtAccept": "Aceitar", + "Common.Views.ReviewChanges.txtAcceptAll": "Aceitar todas as alterações", + "Common.Views.ReviewChanges.txtAcceptChanges": "Aceitar alterações", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Aceitar alteração atual", + "Common.Views.ReviewChanges.txtChat": "Gráfico", + "Common.Views.ReviewChanges.txtClose": "Fechar", + "Common.Views.ReviewChanges.txtCoAuthMode": "Modo de co-edição", + "Common.Views.ReviewChanges.txtCommentRemAll": "Remover todos os comentários", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Remover comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemMy": "Remover os meus comentários", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Remover os meus comentários atuais", + "Common.Views.ReviewChanges.txtCommentRemove": "Remover", + "Common.Views.ReviewChanges.txtCommentResolve": "Resolver", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Resolver todos os comentários", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Resolver comentários atuais", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Resolver os meus comentários", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Resolver os meus comentários atuais", + "Common.Views.ReviewChanges.txtDocLang": "Língua", + "Common.Views.ReviewChanges.txtFinal": "Todas as alterações aceites (Pré-visualizar)", + "Common.Views.ReviewChanges.txtFinalCap": "Final", + "Common.Views.ReviewChanges.txtHistory": "Histórico da versão", + "Common.Views.ReviewChanges.txtMarkup": "Todas as alterações (Editar)", + "Common.Views.ReviewChanges.txtMarkupCap": "Marcação", + "Common.Views.ReviewChanges.txtNext": "Próximo", + "Common.Views.ReviewChanges.txtOriginal": "Todas as alterações recusadas (Pré-visualizar)", + "Common.Views.ReviewChanges.txtOriginalCap": "Original", + "Common.Views.ReviewChanges.txtPrev": "Anterior", + "Common.Views.ReviewChanges.txtReject": "Rejeitar", + "Common.Views.ReviewChanges.txtRejectAll": "Rejeitar todas as alterações", + "Common.Views.ReviewChanges.txtRejectChanges": "Rejeitar alterações", + "Common.Views.ReviewChanges.txtRejectCurrent": "Rejeitar alterações atuais", + "Common.Views.ReviewChanges.txtSharing": "Partilhar", + "Common.Views.ReviewChanges.txtSpelling": "Verificação ortográfica", + "Common.Views.ReviewChanges.txtTurnon": "Rastreio de alterações", + "Common.Views.ReviewChanges.txtView": "Modo de exibição", + "Common.Views.ReviewPopover.textAdd": "Adicionar", + "Common.Views.ReviewPopover.textAddReply": "Adicionar resposta", + "Common.Views.ReviewPopover.textCancel": "Cancelar", + "Common.Views.ReviewPopover.textClose": "Fechar", + "Common.Views.ReviewPopover.textEdit": "Ok", + "Common.Views.ReviewPopover.textMention": "+menção disponibiliza o acesso ao documento e envia um e-mail ao utilizador", + "Common.Views.ReviewPopover.textMentionNotify": "+menção notifica o utilizador por e-mail", + "Common.Views.ReviewPopover.textOpenAgain": "Abrir novamente", + "Common.Views.ReviewPopover.textReply": "Responder", + "Common.Views.ReviewPopover.textResolve": "Resolver", + "Common.Views.ReviewPopover.textViewResolved": "Não tem permissão para reabrir o comentário", + "Common.Views.ReviewPopover.txtDeleteTip": "Eliminar", + "Common.Views.ReviewPopover.txtEditTip": "Editar", + "Common.Views.SaveAsDlg.textLoading": "Carregamento", + "Common.Views.SaveAsDlg.textTitle": "Pasta para guardar", + "Common.Views.SelectFileDlg.textLoading": "Carregamento", + "Common.Views.SelectFileDlg.textTitle": "Selecionar fonte de dados", + "Common.Views.SignDialog.textBold": "Negrito", + "Common.Views.SignDialog.textCertificate": "Certificado", + "Common.Views.SignDialog.textChange": "Alterar", + "Common.Views.SignDialog.textInputName": "Inserir nome do assinante", + "Common.Views.SignDialog.textItalic": "Itálico", + "Common.Views.SignDialog.textNameError": "O nome do assinante não pode estar vazio", + "Common.Views.SignDialog.textPurpose": "Objetivo para assinar este documento", + "Common.Views.SignDialog.textSelect": "Selecionar", + "Common.Views.SignDialog.textSelectImage": "Selecionar imagem", + "Common.Views.SignDialog.textSignature": "A assinatura parece ser", + "Common.Views.SignDialog.textTitle": "Assinar o documento", + "Common.Views.SignDialog.textUseImage": "ou clique \"Selecionar imagem\" para a utilizar como assinatura", + "Common.Views.SignDialog.textValid": "Válida de %1 até %2", + "Common.Views.SignDialog.tipFontName": "Nome do tipo de letra", + "Common.Views.SignDialog.tipFontSize": "Tamanho do tipo de letra", + "Common.Views.SignSettingsDialog.textAllowComment": "Permitir ao signatário inserir comentários no diálogo de assinatura", + "Common.Views.SignSettingsDialog.textInfo": "Informação sobre o Assinante", + "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", + "Common.Views.SignSettingsDialog.textInfoName": "Nome", + "Common.Views.SignSettingsDialog.textInfoTitle": "Título do Assinante", + "Common.Views.SignSettingsDialog.textInstructions": "Instruções para o assinante", + "Common.Views.SignSettingsDialog.textShowDate": "Mostrar data na linha de assinatura", + "Common.Views.SignSettingsDialog.textTitle": "Definições de Assinatura", + "Common.Views.SignSettingsDialog.txtEmpty": "Este campo é obrigatório", + "Common.Views.SymbolTableDialog.textCharacter": "Caractere", + "Common.Views.SymbolTableDialog.textCode": "Valor Unicode HEX", + "Common.Views.SymbolTableDialog.textCopyright": "Assinatura Copyright", + "Common.Views.SymbolTableDialog.textDCQuote": "Aspas Duplas de Fechamento", + "Common.Views.SymbolTableDialog.textDOQuote": "Aspas de abertura", + "Common.Views.SymbolTableDialog.textEllipsis": "Elipse horizontal", + "Common.Views.SymbolTableDialog.textEmDash": "Travessão", + "Common.Views.SymbolTableDialog.textEmSpace": "Espaço", + "Common.Views.SymbolTableDialog.textEnDash": "Travessão", + "Common.Views.SymbolTableDialog.textEnSpace": "Espaço", + "Common.Views.SymbolTableDialog.textFont": "Tipo de letra", + "Common.Views.SymbolTableDialog.textNBHyphen": "Hífen inseparável", + "Common.Views.SymbolTableDialog.textNBSpace": "Espaço sem interrupção", + "Common.Views.SymbolTableDialog.textPilcrow": "Sinal de antígrafo", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4 de espaço (Em)", + "Common.Views.SymbolTableDialog.textRange": "Intervalo", + "Common.Views.SymbolTableDialog.textRecent": "Símbolos usados recentemente", + "Common.Views.SymbolTableDialog.textRegistered": "Sinal Registado", + "Common.Views.SymbolTableDialog.textSCQuote": "Aspas de Fechamento", + "Common.Views.SymbolTableDialog.textSection": "Sinal de secção", + "Common.Views.SymbolTableDialog.textShortcut": "Tecla de atalho", + "Common.Views.SymbolTableDialog.textSHyphen": "Hífen virtual", + "Common.Views.SymbolTableDialog.textSOQuote": "Apóstrofo de abertura", + "Common.Views.SymbolTableDialog.textSpecial": "Caracteres especiais", + "Common.Views.SymbolTableDialog.textSymbols": "Símbolos", + "Common.Views.SymbolTableDialog.textTitle": "Símbolo", + "Common.Views.SymbolTableDialog.textTradeMark": "Símbolo de Marca Registada.", + "Common.Views.UserNameDialog.textDontShow": "Não perguntar novamente", + "Common.Views.UserNameDialog.textLabel": "Etiqueta:", + "Common.Views.UserNameDialog.textLabelError": "Etiqueta não deve estar em branco.", + "SSE.Controllers.DataTab.textColumns": "Colunas", + "SSE.Controllers.DataTab.textEmptyUrl": "Precisa de especificar o URL.", + "SSE.Controllers.DataTab.textRows": "Linhas", + "SSE.Controllers.DataTab.textWizard": "Texto para Colunas", + "SSE.Controllers.DataTab.txtDataValidation": "Validação dos dados", + "SSE.Controllers.DataTab.txtExpand": "Expandir", + "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Os dados adjacentes à seleção não serão removidos. Deseja expandir a seleção para incluir os dados adjacentes ou continuar com a ordenação apenas das células atualmente selecionadas?", + "SSE.Controllers.DataTab.txtExtendDataValidation": "A seleção contém algumas células sem definições de Validação de dados.
                              Deseja estender a validação de dados a estas células?", + "SSE.Controllers.DataTab.txtImportWizard": "Wizard de Importação de Texto", + "SSE.Controllers.DataTab.txtRemDuplicates": "Remover duplicados", + "SSE.Controllers.DataTab.txtRemoveDataValidation": "A seleção contém mais do que um tipo de validação.
                              Eliminar as definições atuais e continuar?", + "SSE.Controllers.DataTab.txtRemSelected": "Remover nos Selecionados", + "SSE.Controllers.DataTab.txtUrlTitle": "Colar um URL de dados", + "SSE.Controllers.DocumentHolder.alignmentText": "Alinhamento", + "SSE.Controllers.DocumentHolder.centerText": "Centro", + "SSE.Controllers.DocumentHolder.deleteColumnText": "Eliminar coluna", + "SSE.Controllers.DocumentHolder.deleteRowText": "Excluir linha", + "SSE.Controllers.DocumentHolder.deleteText": "Eliminar", + "SSE.Controllers.DocumentHolder.errorInvalidLink": "A referência da ligação não existe. Deve corrigir ou eliminar a ligação.", + "SSE.Controllers.DocumentHolder.guestText": "Visitante", + "SSE.Controllers.DocumentHolder.insertColumnLeftText": "Coluna esquerda", + "SSE.Controllers.DocumentHolder.insertColumnRightText": "Coluna direita", + "SSE.Controllers.DocumentHolder.insertRowAboveText": "Linha acima", + "SSE.Controllers.DocumentHolder.insertRowBelowText": "Linha abaixo", + "SSE.Controllers.DocumentHolder.insertText": "Inserir", + "SSE.Controllers.DocumentHolder.leftText": "Esquerda", + "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "Aviso", + "SSE.Controllers.DocumentHolder.rightText": "Direita", + "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "Opções de correção automática", + "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Largura da coluna {0} símbolos ({1} pixels)", + "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Altura da linha {0} pontos ({1} pixels)", + "SSE.Controllers.DocumentHolder.textCtrlClick": "Clique na ligação para a abrir ou clique e prima o botão do rato para selecionar a célula.", + "SSE.Controllers.DocumentHolder.textInsertLeft": "Insert Left", + "SSE.Controllers.DocumentHolder.textInsertTop": "Insert Top", + "SSE.Controllers.DocumentHolder.textPasteSpecial": "Colar especial", + "SSE.Controllers.DocumentHolder.textStopExpand": "Parar de expandir automaticamente as tabelas", + "SSE.Controllers.DocumentHolder.textSym": "Sim.", + "SSE.Controllers.DocumentHolder.tipIsLocked": "Este elemento está a ser editado por outro utilizador.", + "SSE.Controllers.DocumentHolder.txtAboveAve": "Abaixo da média", + "SSE.Controllers.DocumentHolder.txtAddBottom": "Adicionar contorno inferior", + "SSE.Controllers.DocumentHolder.txtAddFractionBar": "Adicionar barra de fração", + "SSE.Controllers.DocumentHolder.txtAddHor": "Adicionar linha horizontal", + "SSE.Controllers.DocumentHolder.txtAddLB": "Adicionar linha inferior esquerda", + "SSE.Controllers.DocumentHolder.txtAddLeft": "Adicionar contorno esquerdo", + "SSE.Controllers.DocumentHolder.txtAddLT": "Adicionar linha superior esquerda", + "SSE.Controllers.DocumentHolder.txtAddRight": "Adicionar contorno direito", + "SSE.Controllers.DocumentHolder.txtAddTop": "Adicionar contorno superior", + "SSE.Controllers.DocumentHolder.txtAddVer": "Adicionar linha vertical", + "SSE.Controllers.DocumentHolder.txtAlignToChar": "Alinhar ao carácter", + "SSE.Controllers.DocumentHolder.txtAll": "(Tudo)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Retorna todo o conteúdo da tabela ou colunas especificadas da tabela, incluindo os cabeçalhos de coluna, dados e linhas totais", + "SSE.Controllers.DocumentHolder.txtAnd": "e", + "SSE.Controllers.DocumentHolder.txtBegins": "Começa com", + "SSE.Controllers.DocumentHolder.txtBelowAve": "Abaixo da média", + "SSE.Controllers.DocumentHolder.txtBlanks": "(Vazios)", + "SSE.Controllers.DocumentHolder.txtBorderProps": "Propriedades do contorno", + "SSE.Controllers.DocumentHolder.txtBottom": "Baixo", + "SSE.Controllers.DocumentHolder.txtColumn": "Coluna", + "SSE.Controllers.DocumentHolder.txtColumnAlign": "Alinhamento de colunas", + "SSE.Controllers.DocumentHolder.txtContains": "Contém", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Devolve as células de dados da tabela ou as colunas da tabela especificadas", + "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Diminuir tamanho do argumento", + "SSE.Controllers.DocumentHolder.txtDeleteArg": "Eliminar argumento", + "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Eliminar quebra manual", + "SSE.Controllers.DocumentHolder.txtDeleteChars": "Eliminar caracteres anexos ", + "SSE.Controllers.DocumentHolder.txtDeleteCharsAndSeparators": "Eliminar separadores e caracteres anexos", + "SSE.Controllers.DocumentHolder.txtDeleteEq": "Eliminar equação", + "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "Eliminar carácter", + "SSE.Controllers.DocumentHolder.txtDeleteRadical": "Eliminar radical", + "SSE.Controllers.DocumentHolder.txtEnds": "termina com", + "SSE.Controllers.DocumentHolder.txtEquals": "igual", + "SSE.Controllers.DocumentHolder.txtEqualsToCellColor": "Igual à cor da célula", + "SSE.Controllers.DocumentHolder.txtEqualsToFontColor": "Igual à cor do tipo de letra", + "SSE.Controllers.DocumentHolder.txtExpand": "Expandir e Ordenar", + "SSE.Controllers.DocumentHolder.txtExpandSort": "Os dados adjacentes à seleção não serão classificados. Deseja expandir a seleção para incluir os dados adjacentes ou continuar com a ordenação apenas das células atualmente selecionadas?", + "SSE.Controllers.DocumentHolder.txtFilterBottom": "Baixo", + "SSE.Controllers.DocumentHolder.txtFilterTop": "Parte superior", + "SSE.Controllers.DocumentHolder.txtFractionLinear": "Alterar para fração linear", + "SSE.Controllers.DocumentHolder.txtFractionSkewed": "Alterar para fração inclinada", + "SSE.Controllers.DocumentHolder.txtFractionStacked": "Alterar para fração empilhada", + "SSE.Controllers.DocumentHolder.txtGreater": "Superior a", + "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Superior a ou igual a", + "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Caractere sobre texto", + "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Carácter sob texto", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Devolve os cabeçalhos das colunas para a tabela ou colunas de tabela especificadas", + "SSE.Controllers.DocumentHolder.txtHeight": "Altura", + "SSE.Controllers.DocumentHolder.txtHideBottom": "Ocultar borda inferior", + "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Ocultar limite inferior", + "SSE.Controllers.DocumentHolder.txtHideCloseBracket": "Ocultar o parêntesis de fecho", + "SSE.Controllers.DocumentHolder.txtHideDegree": "Ocultar grau", + "SSE.Controllers.DocumentHolder.txtHideHor": "Ocultar linha horizontal", + "SSE.Controllers.DocumentHolder.txtHideLB": "Ocultar linha inferior esquerda", + "SSE.Controllers.DocumentHolder.txtHideLeft": "Ocultar borda esquerda", + "SSE.Controllers.DocumentHolder.txtHideLT": "Ocultar linha superior esquerda", + "SSE.Controllers.DocumentHolder.txtHideOpenBracket": "Ocultar parêntese de abertura", + "SSE.Controllers.DocumentHolder.txtHidePlaceholder": "Ocultar espaço reservado", + "SSE.Controllers.DocumentHolder.txtHideRight": "Ocultar borda direita", + "SSE.Controllers.DocumentHolder.txtHideTop": "Ocultar contorno superior", + "SSE.Controllers.DocumentHolder.txtHideTopLimit": "Ocultar limite superior", + "SSE.Controllers.DocumentHolder.txtHideVer": "Ocultar linha vertical", + "SSE.Controllers.DocumentHolder.txtImportWizard": "Wizard de Importação de Texto", + "SSE.Controllers.DocumentHolder.txtIncreaseArg": "Aumentar tamanho do argumento", + "SSE.Controllers.DocumentHolder.txtInsertArgAfter": "Inserir argumento após", + "SSE.Controllers.DocumentHolder.txtInsertArgBefore": "Inserir argumento antes", + "SSE.Controllers.DocumentHolder.txtInsertBreak": "Inserir quebra manual", + "SSE.Controllers.DocumentHolder.txtInsertEqAfter": "Inserir equação a seguir", + "SSE.Controllers.DocumentHolder.txtInsertEqBefore": "Inserir equação à frente", + "SSE.Controllers.DocumentHolder.txtItems": "Itens", + "SSE.Controllers.DocumentHolder.txtKeepTextOnly": "Manter apenas texto", + "SSE.Controllers.DocumentHolder.txtLess": "Inferior a", + "SSE.Controllers.DocumentHolder.txtLessEquals": "Inferior a ou igual a", + "SSE.Controllers.DocumentHolder.txtLimitChange": "Alterar localização de limites", + "SSE.Controllers.DocumentHolder.txtLimitOver": "Limite sobre o texto", + "SSE.Controllers.DocumentHolder.txtLimitUnder": "Limite sob o texto", + "SSE.Controllers.DocumentHolder.txtLockSort": "Os dados foram encontrados ao lado da sua seleção, mas não tem permissões suficientes para alterar essas células.
                              Deseja continuar com a seleção atual?", + "SSE.Controllers.DocumentHolder.txtMatchBrackets": "Combinar parênteses com a altura do argumento", + "SSE.Controllers.DocumentHolder.txtMatrixAlign": "Alinhamento de matriz", + "SSE.Controllers.DocumentHolder.txtNoChoices": "Não há escolhas para preencher a célula.
                              Apenas os valores de texto da coluna podem ser selecionados para substituição.", + "SSE.Controllers.DocumentHolder.txtNotBegins": "não começa com", + "SSE.Controllers.DocumentHolder.txtNotContains": "não contém", + "SSE.Controllers.DocumentHolder.txtNotEnds": "não termina com", + "SSE.Controllers.DocumentHolder.txtNotEquals": "não é igual a", + "SSE.Controllers.DocumentHolder.txtOr": "Ou", + "SSE.Controllers.DocumentHolder.txtOverbar": "Barra por cima do texto", + "SSE.Controllers.DocumentHolder.txtPaste": "Colar", + "SSE.Controllers.DocumentHolder.txtPasteBorders": "Formula sem limites", + "SSE.Controllers.DocumentHolder.txtPasteColWidths": "Fórmula + largura da coluna", + "SSE.Controllers.DocumentHolder.txtPasteDestFormat": "Formatação de destino", + "SSE.Controllers.DocumentHolder.txtPasteFormat": "Colar apenas a formatação", + "SSE.Controllers.DocumentHolder.txtPasteFormulaNumFormat": "Fórmula + formato dos números", + "SSE.Controllers.DocumentHolder.txtPasteFormulas": "Colar apenas a fórmula", + "SSE.Controllers.DocumentHolder.txtPasteKeepSourceFormat": "Fórmula + toda a formatação", + "SSE.Controllers.DocumentHolder.txtPasteLink": "Colar ligação", + "SSE.Controllers.DocumentHolder.txtPasteLinkPicture": "Imagem vinculada", + "SSE.Controllers.DocumentHolder.txtPasteMerge": "Intercalar Formatação Condicional", + "SSE.Controllers.DocumentHolder.txtPastePicture": "Imagem", + "SSE.Controllers.DocumentHolder.txtPasteSourceFormat": "Formatação da origem", + "SSE.Controllers.DocumentHolder.txtPasteTranspose": "Transpor", + "SSE.Controllers.DocumentHolder.txtPasteValFormat": "Valor + toda a formatação", + "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Valor + formato numérico", + "SSE.Controllers.DocumentHolder.txtPasteValues": "Colar apenas os valores", + "SSE.Controllers.DocumentHolder.txtPercent": "Percentagem", + "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Refazer a Expansão Automática da Tabela", + "SSE.Controllers.DocumentHolder.txtRemFractionBar": "Remover barra de fração", + "SSE.Controllers.DocumentHolder.txtRemLimit": "Remover limite", + "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "Remover caractere destacado", + "SSE.Controllers.DocumentHolder.txtRemoveBar": "Remover barra", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "Quer remover esta assinatura?
                              Isto não pode ser anulado.", + "SSE.Controllers.DocumentHolder.txtRemScripts": "Remover scripts", + "SSE.Controllers.DocumentHolder.txtRemSubscript": "Remover subscrito", + "SSE.Controllers.DocumentHolder.txtRemSuperscript": "Remover sobrescrito", + "SSE.Controllers.DocumentHolder.txtRowHeight": "Altura da Linha", + "SSE.Controllers.DocumentHolder.txtScriptsAfter": "Scripts após o texto", + "SSE.Controllers.DocumentHolder.txtScriptsBefore": "Scripts antes do texto", + "SSE.Controllers.DocumentHolder.txtShowBottomLimit": "Mostrar limite inferior", + "SSE.Controllers.DocumentHolder.txtShowCloseBracket": "Mostrar colchetes de fechamento", + "SSE.Controllers.DocumentHolder.txtShowDegree": "Exibir grau", + "SSE.Controllers.DocumentHolder.txtShowOpenBracket": "Mostrar chaveta de abertura", + "SSE.Controllers.DocumentHolder.txtShowPlaceholder": "Exibir espaço reservado", + "SSE.Controllers.DocumentHolder.txtShowTopLimit": "Exibir limite superior", + "SSE.Controllers.DocumentHolder.txtSorting": "A Ordenar", + "SSE.Controllers.DocumentHolder.txtSortSelected": "Ordenar o que está selecionado", + "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Esticar colchetes", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Escolher apenas esta linha de uma coluna específica", + "SSE.Controllers.DocumentHolder.txtTop": "Parte superior", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Devolve o total de linhas para a tabela ou coluna da tabela especificada", + "SSE.Controllers.DocumentHolder.txtUnderbar": "Barra por baixo do texto", + "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Anular a Expansão Automática da Tabela", + "SSE.Controllers.DocumentHolder.txtUseTextImport": "Utilizar Assistente de Importação de Texto", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "Clicar nesta ligação pode ser prejudicial ao seu dispositivo e dados.
                              Deseja continuar?", + "SSE.Controllers.DocumentHolder.txtWidth": "Largura", + "SSE.Controllers.FormulaDialog.sCategoryAll": "Todas", + "SSE.Controllers.FormulaDialog.sCategoryCube": "Cubo", + "SSE.Controllers.FormulaDialog.sCategoryDatabase": "Base de dados", + "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "Data e Hora", + "SSE.Controllers.FormulaDialog.sCategoryEngineering": "Engenharia", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "Financeiras", + "SSE.Controllers.FormulaDialog.sCategoryInformation": "Informação", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "10 últimos utilizados", + "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logical", + "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Procura e referência", + "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matemática e trigonometria", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Estatísticas", + "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Texto e Dados", + "SSE.Controllers.LeftMenu.newDocumentTitle": "Planilha sem nome", + "SSE.Controllers.LeftMenu.textByColumns": "Por colunas", + "SSE.Controllers.LeftMenu.textByRows": "Por linhas", + "SSE.Controllers.LeftMenu.textFormulas": "Fórmulas", + "SSE.Controllers.LeftMenu.textItemEntireCell": "Inserir conteúdo da célula", + "SSE.Controllers.LeftMenu.textLoadHistory": "A carregar o histórico de versões...", + "SSE.Controllers.LeftMenu.textLookin": "Olhar em", + "SSE.Controllers.LeftMenu.textNoTextFound": "Não foi possível localizar os dados procurados. Por favor ajuste as opções de pesquisa.", + "SSE.Controllers.LeftMenu.textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "SSE.Controllers.LeftMenu.textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "SSE.Controllers.LeftMenu.textSearch": "Pesquisa", + "SSE.Controllers.LeftMenu.textSheet": "Folha", + "SSE.Controllers.LeftMenu.textValues": "Valores", + "SSE.Controllers.LeftMenu.textWarning": "Aviso", + "SSE.Controllers.LeftMenu.textWithin": "Dentro", + "SSE.Controllers.LeftMenu.textWorkbook": "Pasta de trabalho", + "SSE.Controllers.LeftMenu.txtUntitled": "Sem título", + "SSE.Controllers.LeftMenu.warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos exceto o texto serão perdidos.
                              Você tem certeza que quer continuar?", + "SSE.Controllers.Main.confirmMoveCellRange": "O intervalo de célula de destino pode conter dados. Continuar a operação?", + "SSE.Controllers.Main.confirmPutMergeRange": "Os dados de origem continham células unidas.
                              Elas não estavam unidas antes de serem coladas na tabela.", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "As fórmulas na linha de cabeçalho serão removidas e convertidas para texto estático.
                              Deseja continuar?", + "SSE.Controllers.Main.convertationTimeoutText": "Excedeu o tempo limite de conversão.", + "SSE.Controllers.Main.criticalErrorExtText": "Prima \"OK\" para voltar para a lista de documentos.", + "SSE.Controllers.Main.criticalErrorTitle": "Erro", + "SSE.Controllers.Main.downloadErrorText": "Falha ao descarregar.", + "SSE.Controllers.Main.downloadTextText": "A descarregar folha de cálculo...", + "SSE.Controllers.Main.downloadTitleText": "Descarregar folha de cálculo", + "SSE.Controllers.Main.errNoDuplicates": "Nenhum valor duplicado foi encontrado.", + "SSE.Controllers.Main.errorAccessDeny": "Está a tentar executar uma ação para a qual não tem permissões.
                              Por favor contacte o administrador do servidor de documentos.", + "SSE.Controllers.Main.errorArgsRange": "Existe um erro na fórmula.
                              Utilizou um argumento inválido.", + "SSE.Controllers.Main.errorAutoFilterChange": "A operação não é permitida, uma vez que ela está tentando deslocar células na tabela em sua planilha.", + "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "A operação não pode ser executada porque não é possível mover apenas uma parte da tabela.
                              Selecione outro intervalo de dados para que possa mover toda a tabela e tente novamente.", + "SSE.Controllers.Main.errorAutoFilterDataRange": "Não foi possível concluir a operação para o intervalo de células selecionado.
                              Selecione um intervalo de dados diferente e tente novamente.", + "SSE.Controllers.Main.errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
                              Please unhide the filtered elements and try again.", + "SSE.Controllers.Main.errorBadImageUrl": "URL inválido", + "SSE.Controllers.Main.errorCannotUngroup": "Não foi possível desagrupar. Para começar um contorno do gráfico, selecione as linhas ou colunas e agrupe-as.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Não se pode utilizar este comando numa folha protegida. Para utilizar este comando, desproteja a folha.
                              Poderá ser-lhe solicitado que introduza uma palavra-passe.", + "SSE.Controllers.Main.errorChangeArray": "Não se pode alterar parte de uma matriz.", + "SSE.Controllers.Main.errorChangeFilteredRange": "Isto irá alterar um intervalo filtrado na sua folha de cálculo.
                              Para completar esta tarefa, por favor remova os filtros automáticos.", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "A célula ou gráfico que está a tentar mudar está numa folha protegida.
                              Para fazer uma mudança, desbloqueia a folha. Poderá ser-lhe solicitado que introduza uma palavra-passe.", + "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", + "SSE.Controllers.Main.errorConnectToServer": "Não foi possível guardar o documento. Verifique a sua ligação de rede ou contacte o administrador.
                              Ao clicar em 'OK', surgirá uma caixa de diálogo para descarregar o documento.", + "SSE.Controllers.Main.errorCopyMultiselectArea": "Este comando não pode ser utilizado com várias seleções.
                              Selecionar uma única gama e tentar novamente.", + "SSE.Controllers.Main.errorCountArg": "Existe um erro na fórmula.
                              Utilizou um número de argumentos inválido.", + "SSE.Controllers.Main.errorCountArgExceed": "Um erro na fórmula inserida.
                              Número de argumentos está excedido.", + "SSE.Controllers.Main.errorCreateDefName": "Os intervalos nomeados existentes não podem ser criados e os novos também não podem ser editados porque alguns deles estão a ser editados.", + "SSE.Controllers.Main.errorDatabaseConnection": "Erro externo.
                              Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", + "SSE.Controllers.Main.errorDataEncrypted": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "SSE.Controllers.Main.errorDataRange": "Intervalo de dados inválido.", + "SSE.Controllers.Main.errorDataValidate": "O valor introduzido não é válido.
                              Um utilizador restringiu os valores que podem ser utilizados neste campo.", + "SSE.Controllers.Main.errorDefaultMessage": "Código do erro: %1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "Está a tentar apagar uma coluna que contém uma célula protegida. As células protegidas não podem ser apagadas enquanto a folha de cálculo estiver protegida.
                              Para apagar uma célula bloqueada, desproteja a folha. É possível ter que introduzir uma palavra-passe.", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "Está a tentar apagar uma linha que contém uma célula protegida. As células protegidas não podem ser apagadas enquanto a folha de cálculo estiver protegida.
                              Para apagar uma célula bloqueada, desproteja a folha. É possível ter que introduzir uma palavra-passe.", + "SSE.Controllers.Main.errorEditingDownloadas": "Ocorreu um erro ao trabalhar no documento.
                              Utilize a opção 'Descarregar como...' para guardar uma cópia do ficheiro no seu computador.", + "SSE.Controllers.Main.errorEditingSaveas": "Ocorreu um erro ao trabalhar no documento.
                              Utilize a opção 'Guardar como...' para guardar uma cópia do ficheiro no seu computador.", + "SSE.Controllers.Main.errorEditView": "A vista de folha existente não pode ser editada e as novas também não podem ser editadas porque algumas delas estão a ser editadas.", + "SSE.Controllers.Main.errorEmailClient": "Não foi possível encontrar nenhum cliente de e-mail.", + "SSE.Controllers.Main.errorFilePassProtect": "O ficheiro está protegido por palavra-passe e não pode ser aberto.", + "SSE.Controllers.Main.errorFileRequest": "Erro externo.
                              Erro ao pedir o ficheiro. Se o erro se mantiver, deve contactar o suporte.", + "SSE.Controllers.Main.errorFileSizeExceed": "O tamanho do ficheiro excede o limite do servidor.
                              Contacte o administrador do servidor de documentos para mais detalhes.", + "SSE.Controllers.Main.errorFileVKey": "Erro externo.
                              Chave de segurança inválida. Se este erro se mantiver, deve contactar o suporte.", + "SSE.Controllers.Main.errorFillRange": "Não foi possível preencher o intervalo de células.
                              Todas as células unidas têm que ter o mesmo tamanho.", + "SSE.Controllers.Main.errorForceSave": "Ocorreu um erro ao guardar o ficheiro. Utilize a opção 'Descarregar' para guardar o ficheiro no seu computador e tentar mais tarde.", + "SSE.Controllers.Main.errorFormulaName": "Existe um erro na fórmula.
                              Utilizou um nome de fórmula inválido.", + "SSE.Controllers.Main.errorFormulaParsing": "Erro interno ao analisar a fórmula.", + "SSE.Controllers.Main.errorFrmlMaxLength": "O comprimento da sua fórmula excede o limite de 8192 caracteres.
                              Por favor, edite-a e tente novamente.", + "SSE.Controllers.Main.errorFrmlMaxReference": "Não pode inserir esta fórmula porque possui demasiados valores,
                              referências de célula, e/ou nomes.", + "SSE.Controllers.Main.errorFrmlMaxTextLength": "Os valores de texto em fórmulas estão limitados a 255 caracteres.
                              Utilize a função CONCATENATE ou o operador de concatenação (&).", + "SSE.Controllers.Main.errorFrmlWrongReferences": "A função refere-se a uma folha que não existe.
                              Por favor, verifique os dados e tente novamente.", + "SSE.Controllers.Main.errorFTChangeTableRangeError": "Não foi possível completar a operação para o intervalo de células selecionado.
                              Selecionou um intervalo de uma forma que a primeira linha da tabela estava na mesma linha
                              então a tabela que criou sobrepôs-se à atual.", + "SSE.Controllers.Main.errorFTRangeIncludedOtherTables": "Não foi possível completar a operação para o intervalo de células selecionado. Selecione um intervalo que não inclua outras tabelas.", + "SSE.Controllers.Main.errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", + "SSE.Controllers.Main.errorKeyEncrypt": "Descritor de chave desconhecido", + "SSE.Controllers.Main.errorKeyExpire": "Descritor de chave expirado", + "SSE.Controllers.Main.errorLabledColumnsPivot": "Para criar uma tabela dinâmica, deve utilizar dados organizados em lista e com cabeçalho de colunas.", + "SSE.Controllers.Main.errorLoadingFont": "Tipos de letra não carregados.
                              Por favor contacte o administrador do servidor de documentos.", + "SSE.Controllers.Main.errorLocationOrDataRangeError": "A referência para a localização ou intervalo de dados não é válida.", + "SSE.Controllers.Main.errorLockedAll": "Não foi possível efetuar a ação porque a folha está bloqueada por outro utilizador.", + "SSE.Controllers.Main.errorLockedCellPivot": "Não pode alterar dados dentro de uma tabela dinâmica.", + "SSE.Controllers.Main.errorLockedWorksheetRename": "Não foi possível alterar o nome da folha porque o nome está a ser alterado por outro utilizador.", + "SSE.Controllers.Main.errorMaxPoints": "O número máximo de pontos em série, por gráfico, é 4096.", + "SSE.Controllers.Main.errorMoveRange": "Não é possível alterar parte de uma célula mesclada", + "SSE.Controllers.Main.errorMoveSlicerError": "As segmentações de dados não podem ser copiadas de um livro para outro.
                              Tente de novo selecionando a tabela inteira tal como as segmentações de dados.", + "SSE.Controllers.Main.errorMultiCellFormula": "Intervalo de fórmulas multi-célula não são permitidas em tabelas.", + "SSE.Controllers.Main.errorNoDataToParse": "Nenhum dado foi selecionado para análise.", + "SSE.Controllers.Main.errorOpenWarning": "Uma das fórmulas excede o limite de 8192 caracteres.
                              A fórmula foi removida.", + "SSE.Controllers.Main.errorOperandExpected": "Operando esperado", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "A palavra-passe que introduziu não está correta.
                              Verifique se a tecla CAPS LOCK está desligada e não se esqueça de utilizar a capitalização correta.", + "SSE.Controllers.Main.errorPasteMaxRange": "Disparidade nas áreas copiar e colar.
                              Deve selecionar áreas com o mesmo tamanho ou então clique na primeira célula de uma linha para colar as células copiadas.", + "SSE.Controllers.Main.errorPasteMultiSelect": "Esta ação não pode ser feita com uma seleção de múltiplos intervalos.
                              Selecionar uma única gama e tentar novamente.", + "SSE.Controllers.Main.errorPasteSlicerError": "As segmentações de dados não podem ser copiadas de um livro para outro.", + "SSE.Controllers.Main.errorPivotGroup": "Não foi possível agrupar essa seleção.", + "SSE.Controllers.Main.errorPivotOverlap": "O relatório da tabela dinâmica não se pode sobrepor a uma tabela.", + "SSE.Controllers.Main.errorPivotWithoutUnderlying": "O relatório da Tabela Pivot foi guardado sem os dados subjacentes.
                              Utilize o botão 'Atualizar' para atualizar o relatório.", + "SSE.Controllers.Main.errorPrintMaxPagesCount": "Infelizmente, não é possível imprimir mais do que 1500 páginas de uma vez na atual versão do programa.
                              Esta restrição será removida em versões futuras.", + "SSE.Controllers.Main.errorProcessSaveResult": "Salvamento falhou", + "SSE.Controllers.Main.errorServerVersion": "A versão do editor foi atualizada. A página será recarregada para aplicar as alterações.", + "SSE.Controllers.Main.errorSessionAbsolute": "A sessão de edição expirou. Tente recarregar a página.", + "SSE.Controllers.Main.errorSessionIdle": "Este documento não foi editado durante muito tempo. Tente recarregar a página.", + "SSE.Controllers.Main.errorSessionToken": "A ligação ao servidor foi interrompida. Tente recarregar a página.", + "SSE.Controllers.Main.errorSetPassword": "Não foi possível definir a palavra-passe.", + "SSE.Controllers.Main.errorSingleColumnOrRowError": "A referência de localização não é válida porque as células não estão todas na mesma coluna ou linha.
                              Selecione as células que estejam todas numa única coluna ou linha.", + "SSE.Controllers.Main.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Controllers.Main.errorToken": "O token do documento não está correctamente formado.
                              Por favor contacte o seu administrador do Servidor de Documentos.", + "SSE.Controllers.Main.errorTokenExpire": "O token de segurança do documento expirou.
                              Entre em contato com o administrador do Servidor de Documentos.", + "SSE.Controllers.Main.errorUnexpectedGuid": "Erro externo.
                              GUID inesperado. Entre em contato com o suporte caso o erro persista.", + "SSE.Controllers.Main.errorUpdateVersion": "A versão do ficheiro foi alterada. A página será recarregada.", + "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro alterada.
                              Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e recarregue a página.", + "SSE.Controllers.Main.errorUserDrop": "De momento, não é possível aceder ao ficheiro.", + "SSE.Controllers.Main.errorUsersExceed": "Excedeu o número máximo de utilizadores permitidos pelo seu plano", + "SSE.Controllers.Main.errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas
                              não o conseguirá descarregar até que a ligação seja restaurada e a página recarregada.", + "SSE.Controllers.Main.errorWrongBracketsCount": "Um erro na fórmula inserida.
                              Número errado de parênteses está sendo usado.", + "SSE.Controllers.Main.errorWrongOperator": "Um erro na fórmula inserida.
                              Operador errado está sendo usado.", + "SSE.Controllers.Main.errorWrongPassword": "A palavra-passe que introduziu não está correta.", + "SSE.Controllers.Main.errRemDuplicates": "Duplicar valores encontrados e apagados; {0}, valores únicos restantes: {1}.", + "SSE.Controllers.Main.leavePageText": "Este documento tem alterações não guardadas. Clique 'Ficar na página' para que o documento seja guardado automaticamente. Clique 'Sair da página' para rejeitar todas as alterações.", + "SSE.Controllers.Main.leavePageTextOnClose": "Todas as alterações não guardadas nesta folha de cálculo serão perdidas.
                              Clique \"Cancelar\" e depois \"Guardar\" para as guardar. Clique \"OK\" para descartar todas as alterações não guardadas.", + "SSE.Controllers.Main.loadFontsTextText": "Carregando dados...", + "SSE.Controllers.Main.loadFontsTitleText": "Carregando dados", + "SSE.Controllers.Main.loadFontTextText": "Carregando dados...", + "SSE.Controllers.Main.loadFontTitleText": "Carregando dados", + "SSE.Controllers.Main.loadImagesTextText": "A carregar imagens...", + "SSE.Controllers.Main.loadImagesTitleText": "A carregar imagens", + "SSE.Controllers.Main.loadImageTextText": "A carregar imagem...", + "SSE.Controllers.Main.loadImageTitleText": "A carregar imagem", + "SSE.Controllers.Main.loadingDocumentTitleText": "Carregando planilha", + "SSE.Controllers.Main.notcriticalErrorTitle": "Aviso", + "SSE.Controllers.Main.openErrorText": "Ocorreu um erro ao abrir o ficheiro.", + "SSE.Controllers.Main.openTextText": "Abrindo planilha...", + "SSE.Controllers.Main.openTitleText": "Abrindo planilha", + "SSE.Controllers.Main.pastInMergeAreaError": "Não é possível alterar parte de uma célula mesclada", + "SSE.Controllers.Main.printTextText": "Imprimir planilha...", + "SSE.Controllers.Main.printTitleText": "Imprimir planilha", + "SSE.Controllers.Main.reloadButtonText": "Recarregar página", + "SSE.Controllers.Main.requestEditFailedMessageText": "Alguém está editando este documento neste momento. Tente novamente mais tarde.", + "SSE.Controllers.Main.requestEditFailedTitleText": "Acesso negado", + "SSE.Controllers.Main.saveErrorText": "Ocorreu um erro ao guardar o ficheiro.", + "SSE.Controllers.Main.saveErrorTextDesktop": "Este ficheiro não pode ser guardado ou criado.
                              Os motivos podem ser:
                              1. O ficheiro é apenas de leitura.
                              2. O ficheiro está a ser editado por outro utilizador.
                              3. O disco está cheio ou danificado.", + "SSE.Controllers.Main.saveTextText": "Salvando planilha...", + "SSE.Controllers.Main.saveTitleText": "Salvando planilha", + "SSE.Controllers.Main.scriptLoadError": "A ligação está muito lenta e alguns dos componentes não foram carregados. Tente recarregar a página.", + "SSE.Controllers.Main.textAnonymous": "Anônimo", + "SSE.Controllers.Main.textApplyAll": "Aplicar a todas as equações", + "SSE.Controllers.Main.textBuyNow": "Visitar website", + "SSE.Controllers.Main.textChangesSaved": "Todas as alterações foram salvas", + "SSE.Controllers.Main.textClose": "Fechar", + "SSE.Controllers.Main.textCloseTip": "Clique para fechar a dica", + "SSE.Controllers.Main.textConfirm": "Confirmação", + "SSE.Controllers.Main.textContactUs": "Contacte a equipa comercial", + "SSE.Controllers.Main.textConvertEquation": "Esta equação foi criada com uma versão anterior da aplicação e já não é suportada. Para a editar, tem que converter a equação para o formato Office Math ML.
                              Converter agora?", + "SSE.Controllers.Main.textCustomLoader": "Tenha em conta de que, de acordo com os termos da licença, não tem permissões para alterar o carregador.
                              Por favor contacte a equipa comercial.", + "SSE.Controllers.Main.textDisconnect": "A ligação está perdida", + "SSE.Controllers.Main.textFillOtherRows": "Preencher outras linhas", + "SSE.Controllers.Main.textFormulaFilledAllRows": "As linhas preenchidas pela fórmula{0} têm dados. O preenchimento das outras linhas vazias pode demorar alguns minutos.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "As primeiras {0} linhas foram preenchidas pela fórmula. O preenchimento das outras linhas vazias pode demorar alguns minutos.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Apenas as primeiras {0} linhas foram preenchidas pela fórmula por razões de poupança de memória. Existem outras {1} linhas nesta folha. Pode preenchê-las manualmente.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Apenas as primeiras {0} linhas foram preenchidas pela fórmula por razões de poupança de memória. As outras linhas nesta folha não têm dados.", + "SSE.Controllers.Main.textGuest": "Visitante", + "SSE.Controllers.Main.textHasMacros": "O ficheiro contém macros automáticas.
                              Deseja executar as macros?", + "SSE.Controllers.Main.textLearnMore": "Saiba mais", + "SSE.Controllers.Main.textLoadingDocument": "Carregando planilha", + "SSE.Controllers.Main.textLongName": "Introduza um nome com menos de 128 caracteres.", + "SSE.Controllers.Main.textNeedSynchronize": "Você tem atualizações", + "SSE.Controllers.Main.textNo": "Não", + "SSE.Controllers.Main.textNoLicenseTitle": "Atingiu o limite da licença", + "SSE.Controllers.Main.textPaidFeature": "Funcionalidade paga", + "SSE.Controllers.Main.textPleaseWait": "A operação pode demorar mais tempo do que o esperado. Aguarde...", + "SSE.Controllers.Main.textReconnect": "A ligação foi reposta", + "SSE.Controllers.Main.textRemember": "Memorizar a minha escolha", + "SSE.Controllers.Main.textRenameError": "O nome de utilizador não pode estar em branco.", + "SSE.Controllers.Main.textRenameLabel": "Introduza um nome a ser usado para colaboração", + "SSE.Controllers.Main.textShape": "Forma", + "SSE.Controllers.Main.textStrict": "Modo estrito", + "SSE.Controllers.Main.textTryUndoRedo": "As funções Desfazer/Refazer foram desativadas para se poder co-editar o documento.
                              Clique no botão 'Modo estrito' para ativar este modo de edição e editar o ficheiro sem ser incomodado por outros utilizadores enviando apenas as suas alterações assim que terminar e guardar. Pode alternar entre modos de co-edição através das definições avançadas.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "SSE.Controllers.Main.textYes": "Sim", + "SSE.Controllers.Main.titleLicenseExp": "Licença expirada", + "SSE.Controllers.Main.titleServerVersion": "Editor atualizado", + "SSE.Controllers.Main.txtAccent": "Destaque", + "SSE.Controllers.Main.txtAll": "(Tudo)", + "SSE.Controllers.Main.txtArt": "Your text here", + "SSE.Controllers.Main.txtBasicShapes": "Formas básicas", + "SSE.Controllers.Main.txtBlank": "(vazio)", + "SSE.Controllers.Main.txtButtons": "Botões", + "SSE.Controllers.Main.txtByField": "%1 de %2", + "SSE.Controllers.Main.txtCallouts": "Textos explicativos", + "SSE.Controllers.Main.txtCharts": "Gráficos", + "SSE.Controllers.Main.txtClearFilter": "Limpar filtro", + "SSE.Controllers.Main.txtColLbls": "Etiquetas da coluna", + "SSE.Controllers.Main.txtColumn": "Coluna", + "SSE.Controllers.Main.txtConfidential": "Confidencial", + "SSE.Controllers.Main.txtDate": "Data", + "SSE.Controllers.Main.txtDays": "Dias", + "SSE.Controllers.Main.txtDiagramTitle": "Título do diagrama", + "SSE.Controllers.Main.txtEditingMode": "Definir modo de edição...", + "SSE.Controllers.Main.txtErrorLoadHistory": "Falha ao carregar histórico", + "SSE.Controllers.Main.txtFiguredArrows": "Setas figuradas", + "SSE.Controllers.Main.txtFile": "Ficheiro", + "SSE.Controllers.Main.txtGrandTotal": "Total Geral", + "SSE.Controllers.Main.txtGroup": "Grupo", + "SSE.Controllers.Main.txtHours": "Horas", + "SSE.Controllers.Main.txtLines": "Linhas", + "SSE.Controllers.Main.txtMath": "Matemática", + "SSE.Controllers.Main.txtMinutes": "minutos", + "SSE.Controllers.Main.txtMonths": "Meses", + "SSE.Controllers.Main.txtMultiSelect": "Selecionar-Múltiplo (Alt+S)", + "SSE.Controllers.Main.txtOr": "%1 ou %2", + "SSE.Controllers.Main.txtPage": "Página", + "SSE.Controllers.Main.txtPageOf": "Página %1 de %2", + "SSE.Controllers.Main.txtPages": "Páginas", + "SSE.Controllers.Main.txtPreparedBy": "Elaborado por", + "SSE.Controllers.Main.txtPrintArea": "Área_de_Impressão", + "SSE.Controllers.Main.txtQuarter": "Quart.", + "SSE.Controllers.Main.txtQuarters": "Quartos", + "SSE.Controllers.Main.txtRectangles": "Retângulos", + "SSE.Controllers.Main.txtRow": "Linha", + "SSE.Controllers.Main.txtRowLbls": "Etiquetas das Linhas", + "SSE.Controllers.Main.txtSeconds": "Segundos", + "SSE.Controllers.Main.txtSeries": "Série", + "SSE.Controllers.Main.txtShape_accentBorderCallout1": "Chamada da linha 1 (contorno e barra de destaque)", + "SSE.Controllers.Main.txtShape_accentBorderCallout2": "Chamada da linha 2 (contorno e barra de destaque)", + "SSE.Controllers.Main.txtShape_accentBorderCallout3": "Chamada da linha 3 (contorno e barra de destaque)", + "SSE.Controllers.Main.txtShape_accentCallout1": "Chamada da linha 1 (barra de destaque)", + "SSE.Controllers.Main.txtShape_accentCallout2": "Chamada da linha 2 (barra de destaque)", + "SSE.Controllers.Main.txtShape_accentCallout3": "Chamada da linha 3 (barra de destaque)", + "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "Botão Recuar ou Anterior", + "SSE.Controllers.Main.txtShape_actionButtonBeginning": "Botão de início", + "SSE.Controllers.Main.txtShape_actionButtonBlank": "Botão vazio", + "SSE.Controllers.Main.txtShape_actionButtonDocument": "Botão Documento", + "SSE.Controllers.Main.txtShape_actionButtonEnd": "Botão Final", + "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "Botões Recuar e/ou Avançar", + "SSE.Controllers.Main.txtShape_actionButtonHelp": "Botão Ajuda", + "SSE.Controllers.Main.txtShape_actionButtonHome": "Botão Base", + "SSE.Controllers.Main.txtShape_actionButtonInformation": "Botão Informação", + "SSE.Controllers.Main.txtShape_actionButtonMovie": "Botão Filme", + "SSE.Controllers.Main.txtShape_actionButtonReturn": "Botão de Voltar", + "SSE.Controllers.Main.txtShape_actionButtonSound": "Botão Som", + "SSE.Controllers.Main.txtShape_arc": "Arco", + "SSE.Controllers.Main.txtShape_bentArrow": "Seta curvada", + "SSE.Controllers.Main.txtShape_bentConnector5": "Conector angular", + "SSE.Controllers.Main.txtShape_bentConnector5WithArrow": "Conector de seta angular", + "SSE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Conector de seta dupla angulada", + "SSE.Controllers.Main.txtShape_bentUpArrow": "Seta para cima dobrada", + "SSE.Controllers.Main.txtShape_bevel": "Bisel", + "SSE.Controllers.Main.txtShape_blockArc": "Arco de bloco", + "SSE.Controllers.Main.txtShape_borderCallout1": "Chamada da linha 1", + "SSE.Controllers.Main.txtShape_borderCallout2": "Chamada da linha 2", + "SSE.Controllers.Main.txtShape_borderCallout3": "Chamada da linha 3", + "SSE.Controllers.Main.txtShape_bracePair": "Chaveta dupla", + "SSE.Controllers.Main.txtShape_callout1": "Chamada da linha 1 (sem contorno)", + "SSE.Controllers.Main.txtShape_callout2": "Chamada da linha 2 (sem contorno)", + "SSE.Controllers.Main.txtShape_callout3": "Chamada da linha 3 (sem contorno)", + "SSE.Controllers.Main.txtShape_can": "Pode", + "SSE.Controllers.Main.txtShape_chevron": "Divisa", + "SSE.Controllers.Main.txtShape_chord": "Acorde", + "SSE.Controllers.Main.txtShape_circularArrow": "Seta circular", + "SSE.Controllers.Main.txtShape_cloud": "Nuvem", + "SSE.Controllers.Main.txtShape_cloudCallout": "Texto explicativo na nuvem", + "SSE.Controllers.Main.txtShape_corner": "Canto", + "SSE.Controllers.Main.txtShape_cube": "Cubo", + "SSE.Controllers.Main.txtShape_curvedConnector3": "Conector curvado", + "SSE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Conector de seta curvada", + "SSE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Conector de seta dupla curvado", + "SSE.Controllers.Main.txtShape_curvedDownArrow": "Seta curvada para baixo", + "SSE.Controllers.Main.txtShape_curvedLeftArrow": "Seta curvada para a esquerda", + "SSE.Controllers.Main.txtShape_curvedRightArrow": "Seta curvava para a direita", + "SSE.Controllers.Main.txtShape_curvedUpArrow": "Seta curvada para cima", + "SSE.Controllers.Main.txtShape_decagon": "Decágono", + "SSE.Controllers.Main.txtShape_diagStripe": "Faixa diagonal", + "SSE.Controllers.Main.txtShape_diamond": "Diamante", + "SSE.Controllers.Main.txtShape_dodecagon": "Dodecágono", + "SSE.Controllers.Main.txtShape_donut": "Dónute", + "SSE.Controllers.Main.txtShape_doubleWave": "Ondulado Duplo", + "SSE.Controllers.Main.txtShape_downArrow": "Seta para baixo", + "SSE.Controllers.Main.txtShape_downArrowCallout": "Chamada com seta para baixo", + "SSE.Controllers.Main.txtShape_ellipse": "Elipse", + "SSE.Controllers.Main.txtShape_ellipseRibbon": "Faixa curvada para baixo", + "SSE.Controllers.Main.txtShape_ellipseRibbon2": "Faixa curvada para cima", + "SSE.Controllers.Main.txtShape_flowChartAlternateProcess": "Fluxograma: Processo alternativo", + "SSE.Controllers.Main.txtShape_flowChartCollate": "Fluxograma: Agrupar", + "SSE.Controllers.Main.txtShape_flowChartConnector": "Fluxograma: Conector", + "SSE.Controllers.Main.txtShape_flowChartDecision": "Fluxograma: Decisão", + "SSE.Controllers.Main.txtShape_flowChartDelay": "Fluxograma: Atraso", + "SSE.Controllers.Main.txtShape_flowChartDisplay": "Fluxograma: Exibir", + "SSE.Controllers.Main.txtShape_flowChartDocument": "Fluxograma: Documento", + "SSE.Controllers.Main.txtShape_flowChartExtract": "Fluxograma: Extrair", + "SSE.Controllers.Main.txtShape_flowChartInputOutput": "Fluxograma: Dados", + "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "Fluxograma: Armazenamento interno", + "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "Fluxograma: Disco magnético", + "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "Fluxograma: Armazenamento de acesso direto", + "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "Fluxograma: Armazenamento de acesso sequencial", + "SSE.Controllers.Main.txtShape_flowChartManualInput": "Fluxograma: Entrada manual", + "SSE.Controllers.Main.txtShape_flowChartManualOperation": "Fluxograma: Operação manual", + "SSE.Controllers.Main.txtShape_flowChartMerge": "Fluxograma: Unir", + "SSE.Controllers.Main.txtShape_flowChartMultidocument": "Fluxograma: Vários documentos", + "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "Fluxograma: Conector fora da página", + "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "Fluxograma: Dados armazenados", + "SSE.Controllers.Main.txtShape_flowChartOr": "Fluxograma: Ou", + "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Fluxograma: Processo predefinido", + "SSE.Controllers.Main.txtShape_flowChartPreparation": "Fluxograma: Preparação", + "SSE.Controllers.Main.txtShape_flowChartProcess": "Fluxograma: Processo", + "SSE.Controllers.Main.txtShape_flowChartPunchedCard": "Fluxograma: Cartão", + "SSE.Controllers.Main.txtShape_flowChartPunchedTape": "Fluxograma: Fita perfurada", + "SSE.Controllers.Main.txtShape_flowChartSort": "Fluxograma: Ordenar", + "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "Fluxograma: Junção de Soma", + "SSE.Controllers.Main.txtShape_flowChartTerminator": "Fluxograma: Exterminador", + "SSE.Controllers.Main.txtShape_foldedCorner": "Canto dobrado", + "SSE.Controllers.Main.txtShape_frame": "Moldura", + "SSE.Controllers.Main.txtShape_halfFrame": "Meia moldura", + "SSE.Controllers.Main.txtShape_heart": "Coração", + "SSE.Controllers.Main.txtShape_heptagon": "Heptágono", + "SSE.Controllers.Main.txtShape_hexagon": "Hexágono", + "SSE.Controllers.Main.txtShape_homePlate": "Pentágono", + "SSE.Controllers.Main.txtShape_horizontalScroll": "Deslocação horizontal", + "SSE.Controllers.Main.txtShape_irregularSeal1": "Explosão 1", + "SSE.Controllers.Main.txtShape_irregularSeal2": "Explosão 2", + "SSE.Controllers.Main.txtShape_leftArrow": "Seta para esquerda", + "SSE.Controllers.Main.txtShape_leftArrowCallout": "Chamada com seta para a esquerda", + "SSE.Controllers.Main.txtShape_leftBrace": "Chaveta esquerda", + "SSE.Controllers.Main.txtShape_leftBracket": "Parêntese esquerdo", + "SSE.Controllers.Main.txtShape_leftRightArrow": "Seta para a esquerda e para a direita", + "SSE.Controllers.Main.txtShape_leftRightArrowCallout": "Chamada com seta para a esquerda e direita", + "SSE.Controllers.Main.txtShape_leftRightUpArrow": "Seta para cima, para a direita e para a esquerda", + "SSE.Controllers.Main.txtShape_leftUpArrow": "Seta para a esquerda e para cima", + "SSE.Controllers.Main.txtShape_lightningBolt": "Relâmpago", + "SSE.Controllers.Main.txtShape_line": "Linha", + "SSE.Controllers.Main.txtShape_lineWithArrow": "Seta", + "SSE.Controllers.Main.txtShape_lineWithTwoArrows": "Seta dupla", + "SSE.Controllers.Main.txtShape_mathDivide": "Divisão", + "SSE.Controllers.Main.txtShape_mathEqual": "Igual", + "SSE.Controllers.Main.txtShape_mathMinus": "Menos", + "SSE.Controllers.Main.txtShape_mathMultiply": "Multiplicar", + "SSE.Controllers.Main.txtShape_mathNotEqual": "Não é igual", + "SSE.Controllers.Main.txtShape_mathPlus": "Mais", + "SSE.Controllers.Main.txtShape_moon": "Lua", + "SSE.Controllers.Main.txtShape_noSmoking": "Símbolo \"Não\"", + "SSE.Controllers.Main.txtShape_notchedRightArrow": "Seta entalhada para a direita", + "SSE.Controllers.Main.txtShape_octagon": "Octógono", + "SSE.Controllers.Main.txtShape_parallelogram": "Paralelograma", + "SSE.Controllers.Main.txtShape_pentagon": "Pentágono", + "SSE.Controllers.Main.txtShape_pie": "Tarte", + "SSE.Controllers.Main.txtShape_plaque": "Assinar", + "SSE.Controllers.Main.txtShape_plus": "Mais", + "SSE.Controllers.Main.txtShape_polyline1": "Rabisco", + "SSE.Controllers.Main.txtShape_polyline2": "Forma livre", + "SSE.Controllers.Main.txtShape_quadArrow": "Seta cruzada", + "SSE.Controllers.Main.txtShape_quadArrowCallout": "Chamada com seta cruzada", + "SSE.Controllers.Main.txtShape_rect": "Retângulo", + "SSE.Controllers.Main.txtShape_ribbon": "Faixa para baixo", + "SSE.Controllers.Main.txtShape_ribbon2": "Faixa para cima", + "SSE.Controllers.Main.txtShape_rightArrow": "Seta para direita", + "SSE.Controllers.Main.txtShape_rightArrowCallout": "Chamada com seta para a direita", + "SSE.Controllers.Main.txtShape_rightBrace": "Chaveta à Direita", + "SSE.Controllers.Main.txtShape_rightBracket": "Parêntese direito", + "SSE.Controllers.Main.txtShape_round1Rect": "Retângulo de Apenas Um Canto Redondo", + "SSE.Controllers.Main.txtShape_round2DiagRect": "Retângulo Diagonal Redondo", + "SSE.Controllers.Main.txtShape_round2SameRect": "Retângulo do Mesmo Lado Redondo", + "SSE.Controllers.Main.txtShape_roundRect": "Retângulo de Cantos Redondos", + "SSE.Controllers.Main.txtShape_rtTriangle": "Triângulo à Direita", + "SSE.Controllers.Main.txtShape_smileyFace": "Sorriso", + "SSE.Controllers.Main.txtShape_snip1Rect": "Retângulo de Canto Cortado", + "SSE.Controllers.Main.txtShape_snip2DiagRect": "Retângulo de Cantos Diagonais Cortados", + "SSE.Controllers.Main.txtShape_snip2SameRect": "Retângulo de Cantos Cortados No Mesmo Lado", + "SSE.Controllers.Main.txtShape_snipRoundRect": "Retângulo Com Canto Arredondado e Canto Cortado", + "SSE.Controllers.Main.txtShape_spline": "Curva", + "SSE.Controllers.Main.txtShape_star10": "Estrela de 10 pontos", + "SSE.Controllers.Main.txtShape_star12": "Estrela de 12 pontos", + "SSE.Controllers.Main.txtShape_star16": "Estrela de 16 pontos", + "SSE.Controllers.Main.txtShape_star24": "Estrela de 24 pontos", + "SSE.Controllers.Main.txtShape_star32": "Estrela de 32 pontos", + "SSE.Controllers.Main.txtShape_star4": "Estrela de 4 pontos", + "SSE.Controllers.Main.txtShape_star5": "Estrela de 5 pontos", + "SSE.Controllers.Main.txtShape_star6": "Estrela de 6 pontos", + "SSE.Controllers.Main.txtShape_star7": "Estrela de 7 pontos", + "SSE.Controllers.Main.txtShape_star8": "Estrela de 8 pontos", + "SSE.Controllers.Main.txtShape_stripedRightArrow": "Seta riscada para a direita", + "SSE.Controllers.Main.txtShape_sun": "Sol", + "SSE.Controllers.Main.txtShape_teardrop": "Lágrima", + "SSE.Controllers.Main.txtShape_textRect": "Caixa de texto", + "SSE.Controllers.Main.txtShape_trapezoid": "Trapézio", + "SSE.Controllers.Main.txtShape_triangle": "Triângulo", + "SSE.Controllers.Main.txtShape_upArrow": "Seta para cima", + "SSE.Controllers.Main.txtShape_upArrowCallout": "Chamada com seta para cima", + "SSE.Controllers.Main.txtShape_upDownArrow": "Seta para cima e para baixo", + "SSE.Controllers.Main.txtShape_uturnArrow": "Seta em forma de U", + "SSE.Controllers.Main.txtShape_verticalScroll": "Deslocação vertical", + "SSE.Controllers.Main.txtShape_wave": "Onda", + "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "Chamada oval", + "SSE.Controllers.Main.txtShape_wedgeRectCallout": "Chamada retangular", + "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Chamada retangular arredondada", + "SSE.Controllers.Main.txtStarsRibbons": "Estrelas e arco-íris", + "SSE.Controllers.Main.txtStyle_Bad": "Mau", + "SSE.Controllers.Main.txtStyle_Calculation": "Cálculos", + "SSE.Controllers.Main.txtStyle_Check_Cell": "Verifique a célula", + "SSE.Controllers.Main.txtStyle_Comma": "Vírgula", + "SSE.Controllers.Main.txtStyle_Currency": "Moeda", + "SSE.Controllers.Main.txtStyle_Explanatory_Text": "Texto explicativo", + "SSE.Controllers.Main.txtStyle_Good": "Bom", + "SSE.Controllers.Main.txtStyle_Heading_1": "Título 1", + "SSE.Controllers.Main.txtStyle_Heading_2": "Título 2", + "SSE.Controllers.Main.txtStyle_Heading_3": "Título 3", + "SSE.Controllers.Main.txtStyle_Heading_4": "Título 4", + "SSE.Controllers.Main.txtStyle_Input": "Introdução", + "SSE.Controllers.Main.txtStyle_Linked_Cell": "Célula vinculada", + "SSE.Controllers.Main.txtStyle_Neutral": "Neutro", + "SSE.Controllers.Main.txtStyle_Normal": "Normal", + "SSE.Controllers.Main.txtStyle_Note": "Nota", + "SSE.Controllers.Main.txtStyle_Output": "Saída", + "SSE.Controllers.Main.txtStyle_Percent": "Percentagem", + "SSE.Controllers.Main.txtStyle_Title": "Título", + "SSE.Controllers.Main.txtStyle_Total": "Total", + "SSE.Controllers.Main.txtStyle_Warning_Text": "Texto de aviso", + "SSE.Controllers.Main.txtTab": "Tab", + "SSE.Controllers.Main.txtTable": "Tabela", + "SSE.Controllers.Main.txtTime": "Hora", + "SSE.Controllers.Main.txtUnlock": "Desbloquear", + "SSE.Controllers.Main.txtUnlockRange": "Desbloquear Intervalo", + "SSE.Controllers.Main.txtUnlockRangeDescription": "Introduza a palavra-passe para alterar este intervalo:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "O intervalo que está a tentar alterar está protegido por uma palavra-passe.", + "SSE.Controllers.Main.txtValues": "Valores", + "SSE.Controllers.Main.txtXAxis": "Eixo X", + "SSE.Controllers.Main.txtYAxis": "Eixo Y", + "SSE.Controllers.Main.txtYears": "Anos", + "SSE.Controllers.Main.unknownErrorText": "Erro desconhecido.", + "SSE.Controllers.Main.unsupportedBrowserErrorText": "Seu navegador não é suportado.", + "SSE.Controllers.Main.uploadDocExtMessage": "Formato de documento desconhecido.", + "SSE.Controllers.Main.uploadDocFileCountMessage": "Nenhum documento foi carregado.", + "SSE.Controllers.Main.uploadDocSizeMessage": "Excedeu o limite de tamanho para o documento.", + "SSE.Controllers.Main.uploadImageExtMessage": "Formato desconhecido.", + "SSE.Controllers.Main.uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "SSE.Controllers.Main.uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB.", + "SSE.Controllers.Main.uploadImageTextText": "A enviar imagem...", + "SSE.Controllers.Main.uploadImageTitleText": "A enviar imagem", + "SSE.Controllers.Main.waitText": "Por favor, aguarde...", + "SSE.Controllers.Main.warnBrowserIE9": "A aplicação não funciona corretamente com IE9. Deve utilizar IE10 ou superior", + "SSE.Controllers.Main.warnBrowserZoom": "A definição 'zoom' do seu navegador não é totalmente suportada. Prima Ctrl+0 para repor o valor padrão.", + "SSE.Controllers.Main.warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
                              Contacte o administrador para obter mais detalhes.", + "SSE.Controllers.Main.warnLicenseExp": "A sua licença expirou.
                              Deve atualizar a licença e recarregar a página.", + "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Licença expirada.
                              Não pode editar o documento.
                              Por favor contacte o administrador de sistemas.", + "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Tem que renovar a sua licença.
                              A edição de documentos está limitada.
                              Contacte o administrador de sistemas para obter acesso completo.", + "SSE.Controllers.Main.warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "SSE.Controllers.Main.warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto no modo de leitura.
                              Contacte a equipa comercial %1 para saber mais sobre os termos de licenciamento.", + "SSE.Controllers.Main.warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "SSE.Controllers.Main.warnProcessRightsChange": "Você não tem permissões para editar o ficheiro.", + "SSE.Controllers.Print.strAllSheets": "Todas as folhas", + "SSE.Controllers.Print.textFirstCol": "Primeira coluna", + "SSE.Controllers.Print.textFirstRow": "Primeira linha", + "SSE.Controllers.Print.textFrozenCols": "Colunas fixadas", + "SSE.Controllers.Print.textFrozenRows": "Linhas fixadas", + "SSE.Controllers.Print.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Controllers.Print.textNoRepeat": "Não repetir", + "SSE.Controllers.Print.textRepeat": "Repetir…", + "SSE.Controllers.Print.textSelectRange": "Selecionar intervalo", + "SSE.Controllers.Print.textWarning": "Aviso", + "SSE.Controllers.Print.txtCustom": "Personalizado", + "SSE.Controllers.Print.warnCheckMargings": "Margens estão incorretas", + "SSE.Controllers.Statusbar.errorLastSheet": "Pasta de trabalho deve ter no mínimo uma planilha visível.", + "SSE.Controllers.Statusbar.errorRemoveSheet": "Não é possível excluir uma planilha.", + "SSE.Controllers.Statusbar.strSheet": "Folha", + "SSE.Controllers.Statusbar.textDisconnect": "Sem Ligação
                              A tentar ligar. Por favor, verifique as definições de ligação.", + "SSE.Controllers.Statusbar.textSheetViewTip": "Está em modo de Vista de Folha. Os filtros e a classificação são visíveis apenas para si e para aqueles que ainda se encontram nesta vista.", + "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Está em modo de Vista de Folha. Os filtros são visíveis apenas para si e para aqueles que ainda se encontram nesta vista.", + "SSE.Controllers.Statusbar.warnDeleteSheet": "A planilha deve conter dados. Você tem certeza de que deseja continuar?", + "SSE.Controllers.Statusbar.zoomText": "Zoom {0}%", + "SSE.Controllers.Toolbar.confirmAddFontName": "The font you are going to save is not available on the current device.
                              The text style will be displayed using one of the device fonts, the saved font will be used when it is available.
                              Do you want to continue?", + "SSE.Controllers.Toolbar.errorComboSeries": "Para criar um gráfico de combinação, selecione pelo menos duas séries de dados.", + "SSE.Controllers.Toolbar.errorMaxRows": "ERRO! O número máximo de séries de dados, por gráfico, é 255.", + "SSE.Controllers.Toolbar.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Controllers.Toolbar.textAccent": "Destaques", + "SSE.Controllers.Toolbar.textBracket": "Parênteses", + "SSE.Controllers.Toolbar.textDirectional": "Direcional", + "SSE.Controllers.Toolbar.textFontSizeErr": "O valor inserido não está correto.
                              Introduza um valor numérico entre 1 e 409.", + "SSE.Controllers.Toolbar.textFraction": "Frações", + "SSE.Controllers.Toolbar.textFunction": "Funções", + "SSE.Controllers.Toolbar.textIndicator": "Indicadores", + "SSE.Controllers.Toolbar.textInsert": "Inserir", + "SSE.Controllers.Toolbar.textIntegral": "Inteiros", + "SSE.Controllers.Toolbar.textLargeOperator": "Grandes operadores", + "SSE.Controllers.Toolbar.textLimitAndLog": "Limites e logaritmos", + "SSE.Controllers.Toolbar.textLongOperation": "Operação longa", + "SSE.Controllers.Toolbar.textMatrix": "Matrizes", + "SSE.Controllers.Toolbar.textOperator": "Operadores", + "SSE.Controllers.Toolbar.textPivot": "Tabela dinâmica", + "SSE.Controllers.Toolbar.textRadical": "Radicais", + "SSE.Controllers.Toolbar.textRating": "Classificações", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Utilizado recentemente", + "SSE.Controllers.Toolbar.textScript": "Scripts", + "SSE.Controllers.Toolbar.textShapes": "Formas", + "SSE.Controllers.Toolbar.textSymbols": "Símbolos", + "SSE.Controllers.Toolbar.textWarning": "Aviso", + "SSE.Controllers.Toolbar.txtAccent_Accent": "Agudo", + "SSE.Controllers.Toolbar.txtAccent_ArrowD": "Seta para direita-esquerda acima", + "SSE.Controllers.Toolbar.txtAccent_ArrowL": "Seta adiante para cima", + "SSE.Controllers.Toolbar.txtAccent_ArrowR": "Seta para direita acima", + "SSE.Controllers.Toolbar.txtAccent_Bar": "Barra", + "SSE.Controllers.Toolbar.txtAccent_BarBot": "Barra inferior", + "SSE.Controllers.Toolbar.txtAccent_BarTop": "Barra superior", + "SSE.Controllers.Toolbar.txtAccent_BorderBox": "Fórmula embalada (com Placeholder)", + "SSE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "Fórmula embalada (Exemplo)", + "SSE.Controllers.Toolbar.txtAccent_Check": "Verificar", + "SSE.Controllers.Toolbar.txtAccent_CurveBracketBot": "Chave Inferior", + "SSE.Controllers.Toolbar.txtAccent_CurveBracketTop": "Chave Superior", + "SSE.Controllers.Toolbar.txtAccent_Custom_1": "Vetor A", + "SSE.Controllers.Toolbar.txtAccent_Custom_2": "ABC com barra superior ", + "SSE.Controllers.Toolbar.txtAccent_Custom_3": "x XOR y com barra superior", + "SSE.Controllers.Toolbar.txtAccent_DDDot": "Ponto triplo", + "SSE.Controllers.Toolbar.txtAccent_DDot": "Ponto duplo", + "SSE.Controllers.Toolbar.txtAccent_Dot": "Ponto", + "SSE.Controllers.Toolbar.txtAccent_DoubleBar": "Barra superior dupla", + "SSE.Controllers.Toolbar.txtAccent_Grave": "Grave", + "SSE.Controllers.Toolbar.txtAccent_GroupBot": "Agrupamento de caracteres abaixo", + "SSE.Controllers.Toolbar.txtAccent_GroupTop": "Agrupamento de caracteres acima", + "SSE.Controllers.Toolbar.txtAccent_HarpoonL": "Arpão adiante para cima", + "SSE.Controllers.Toolbar.txtAccent_HarpoonR": "Arpão para direita acima", + "SSE.Controllers.Toolbar.txtAccent_Hat": "Acento circunflexo", + "SSE.Controllers.Toolbar.txtAccent_Smile": "Breve", + "SSE.Controllers.Toolbar.txtAccent_Tilde": "Til", + "SSE.Controllers.Toolbar.txtBracket_Angle": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Parênteses com separadores", + "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Parênteses com separadores", + "SSE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Curve": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "Parênteses com separadores", + "SSE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Custom_1": "Casos (Duas Condições)", + "SSE.Controllers.Toolbar.txtBracket_Custom_2": "Casos (Três Condições)", + "SSE.Controllers.Toolbar.txtBracket_Custom_3": "Objeto Empilhado", + "SSE.Controllers.Toolbar.txtBracket_Custom_4": "Objeto Empilhado", + "SSE.Controllers.Toolbar.txtBracket_Custom_5": "Exemplo de casos", + "SSE.Controllers.Toolbar.txtBracket_Custom_6": "Coeficiente binominal", + "SSE.Controllers.Toolbar.txtBracket_Custom_7": "Coeficiente binominal", + "SSE.Controllers.Toolbar.txtBracket_Line": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Line_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_LineDouble": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_LowLim": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Round": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "Parênteses com separadores", + "SSE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Round_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Square": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Square_CloseClose": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Square_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_UppLim": "Parênteses", + "SSE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "Colchete Simples", + "SSE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "Colchete Simples", + "SSE.Controllers.Toolbar.txtDeleteCells": "Eliminar células", + "SSE.Controllers.Toolbar.txtExpand": "Expandir e Ordenar", + "SSE.Controllers.Toolbar.txtExpandSort": "Os dados adjacentes à seleção não serão classificados. Deseja expandir a seleção para incluir os dados adjacentes ou continuar com a ordenação apenas das células atualmente selecionadas?", + "SSE.Controllers.Toolbar.txtFractionDiagonal": "Fração inclinada", + "SSE.Controllers.Toolbar.txtFractionDifferential_1": "Diferencial", + "SSE.Controllers.Toolbar.txtFractionDifferential_2": "Diferencial", + "SSE.Controllers.Toolbar.txtFractionDifferential_3": "Diferencial", + "SSE.Controllers.Toolbar.txtFractionDifferential_4": "Diferencial", + "SSE.Controllers.Toolbar.txtFractionHorizontal": "Fração linear", + "SSE.Controllers.Toolbar.txtFractionPi_2": "Pi sobre 2", + "SSE.Controllers.Toolbar.txtFractionSmall": "Fração pequena", + "SSE.Controllers.Toolbar.txtFractionVertical": "Fração Empilhada", + "SSE.Controllers.Toolbar.txtFunction_1_Cos": "Função cosseno inverso", + "SSE.Controllers.Toolbar.txtFunction_1_Cosh": "Função cosseno inverso hiperbólico", + "SSE.Controllers.Toolbar.txtFunction_1_Cot": "Função cotangente inversa", + "SSE.Controllers.Toolbar.txtFunction_1_Coth": "Função cotangente inversa hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_1_Csc": "Função cossecante inversa", + "SSE.Controllers.Toolbar.txtFunction_1_Csch": "Função cossecante inversa hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_1_Sec": "Função secante inversa", + "SSE.Controllers.Toolbar.txtFunction_1_Sech": "Função secante inversa hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_1_Sin": "Função seno inverso", + "SSE.Controllers.Toolbar.txtFunction_1_Sinh": "Função seno inverso hiperbólico", + "SSE.Controllers.Toolbar.txtFunction_1_Tan": "Função tangente inversa", + "SSE.Controllers.Toolbar.txtFunction_1_Tanh": "Função tangente inversa hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_Cos": "Função cosseno", + "SSE.Controllers.Toolbar.txtFunction_Cosh": "Função cosseno hiperbólico", + "SSE.Controllers.Toolbar.txtFunction_Cot": "Função cotangente", + "SSE.Controllers.Toolbar.txtFunction_Coth": "Função cotangente hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_Csc": "Função cossecante", + "SSE.Controllers.Toolbar.txtFunction_Csch": "Função co-secante hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_Custom_1": "Teta seno", + "SSE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "SSE.Controllers.Toolbar.txtFunction_Custom_3": "Fórmula da tangente", + "SSE.Controllers.Toolbar.txtFunction_Sec": "Função secante", + "SSE.Controllers.Toolbar.txtFunction_Sech": "Função secante hiperbólica", + "SSE.Controllers.Toolbar.txtFunction_Sin": "Função de seno", + "SSE.Controllers.Toolbar.txtFunction_Sinh": "Função seno hiperbólico", + "SSE.Controllers.Toolbar.txtFunction_Tan": "Função da tangente", + "SSE.Controllers.Toolbar.txtFunction_Tanh": "Função tangente hiperbólica", + "SSE.Controllers.Toolbar.txtInsertCells": "Inserir células", + "SSE.Controllers.Toolbar.txtIntegral": "Inteiro", + "SSE.Controllers.Toolbar.txtIntegral_dtheta": "Teta diferencial", + "SSE.Controllers.Toolbar.txtIntegral_dx": "Diferencial x", + "SSE.Controllers.Toolbar.txtIntegral_dy": "Diferencial y", + "SSE.Controllers.Toolbar.txtIntegralCenterSubSup": "Inteiro", + "SSE.Controllers.Toolbar.txtIntegralDouble": "Inteiro duplo", + "SSE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "Inteiro duplo", + "SSE.Controllers.Toolbar.txtIntegralDoubleSubSup": "Inteiro duplo", + "SSE.Controllers.Toolbar.txtIntegralOriented": "Contorno integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "Contorno integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedDouble": "Integral de Superfície", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "Integral de Superfície", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "Integral de Superfície", + "SSE.Controllers.Toolbar.txtIntegralOrientedSubSup": "Contorno integral", + "SSE.Controllers.Toolbar.txtIntegralOrientedTriple": "Integral de Volume", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "Integral de Volume", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "Integral de Volume", + "SSE.Controllers.Toolbar.txtIntegralSubSup": "Inteiro", + "SSE.Controllers.Toolbar.txtIntegralTriple": "Inteiro triplo", + "SSE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "Inteiro triplo", + "SSE.Controllers.Toolbar.txtIntegralTripleSubSup": "Inteiro triplo", + "SSE.Controllers.Toolbar.txtInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction": "Triangular", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "Triangular", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "Triangular", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "Triangular", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "Triangular", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd": "Coproduto", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "Coproduto", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "Coproduto", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "Coproduto", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "Coproduto", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_1": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_2": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_3": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_4": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_5": "União", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection": "Interseção", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "Interseção", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "Interseção", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "Interseção", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "Interseção", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "Produto", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "Somatório", + "SSE.Controllers.Toolbar.txtLargeOperator_Union": "União", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "União", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "União", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "União", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "União", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_1": "Exemplo limite", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_2": "Exemplo máximo", + "SSE.Controllers.Toolbar.txtLimitLog_Lim": "Limite", + "SSE.Controllers.Toolbar.txtLimitLog_Ln": "Logaritmo natural", + "SSE.Controllers.Toolbar.txtLimitLog_Log": "Logaritmo", + "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritmo", + "SSE.Controllers.Toolbar.txtLimitLog_Max": "Máximo", + "SSE.Controllers.Toolbar.txtLimitLog_Min": "Mínimo", + "SSE.Controllers.Toolbar.txtLockSort": "Os dados foram encontrados ao lado da sua seleção, mas não tem permissões suficientes para alterar essas células.
                              Deseja continuar com a seleção atual?", + "SSE.Controllers.Toolbar.txtMatrix_1_2": "Matriz vazia 1x2", + "SSE.Controllers.Toolbar.txtMatrix_1_3": "Matriz vazia 1x3", + "SSE.Controllers.Toolbar.txtMatrix_2_1": "Matriz vazia 2x1", + "SSE.Controllers.Toolbar.txtMatrix_2_2": "Matriz vazia 2x2", + "SSE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "Matriz vazia com parênteses", + "SSE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "Matriz vazia com parênteses", + "SSE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "Matriz vazia com parênteses", + "SSE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "Matriz vazia com parênteses", + "SSE.Controllers.Toolbar.txtMatrix_2_3": "Matriz vazia 2x3", + "SSE.Controllers.Toolbar.txtMatrix_3_1": "Matriz vazia 3x1", + "SSE.Controllers.Toolbar.txtMatrix_3_2": "Matriz vazia 3x2", + "SSE.Controllers.Toolbar.txtMatrix_3_3": "Matriz vazia 3x3", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "Pontos da linha base", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Center": "Pontos de linha média", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "Pontos diagonais", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "Pontos verticais", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Round": "Matriz dispersa", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Square": "Matriz dispersa", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2": "Matriz de identidade 2x2", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "Matriz de identidade 3x3", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3": "Matriz de identidade 3x3", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "Matriz de identidade 3x3", + "SSE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "Seta para direita esquerda abaixo", + "SSE.Controllers.Toolbar.txtOperator_ArrowD_Top": "Seta para direita-esquerda acima", + "SSE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "Seta adiante para baixo", + "SSE.Controllers.Toolbar.txtOperator_ArrowL_Top": "Seta adiante para cima", + "SSE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "Seta para direita abaixo", + "SSE.Controllers.Toolbar.txtOperator_ArrowR_Top": "Seta para direita acima", + "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "Dois-pontos-Sinal de Igual", + "SSE.Controllers.Toolbar.txtOperator_Custom_1": "Resultados", + "SSE.Controllers.Toolbar.txtOperator_Custom_2": "Resultados de Delta", + "SSE.Controllers.Toolbar.txtOperator_Definition": "Igual a por definição", + "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta igual a", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "Seta para direita esquerda abaixo", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "Seta para direita-esquerda acima", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "Seta adiante para baixo", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "Seta adiante para cima", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "Seta para direita abaixo", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "Seta para direita acima", + "SSE.Controllers.Toolbar.txtOperator_EqualsEquals": "Sinal de Igual-Sinal de Igual", + "SSE.Controllers.Toolbar.txtOperator_MinusEquals": "Sinal de Menos-Sinal de Igual", + "SSE.Controllers.Toolbar.txtOperator_PlusEquals": "Sinal de Mais-Sinal de Igual", + "SSE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "Medido por", + "SSE.Controllers.Toolbar.txtRadicalCustom_1": "Radical", + "SSE.Controllers.Toolbar.txtRadicalCustom_2": "Radical", + "SSE.Controllers.Toolbar.txtRadicalRoot_2": "Raiz quadrada com grau", + "SSE.Controllers.Toolbar.txtRadicalRoot_3": "Raiz cúbica", + "SSE.Controllers.Toolbar.txtRadicalRoot_n": "Radical com grau", + "SSE.Controllers.Toolbar.txtRadicalSqrt": "Raiz quadrada", + "SSE.Controllers.Toolbar.txtScriptCustom_1": "Script", + "SSE.Controllers.Toolbar.txtScriptCustom_2": "Script", + "SSE.Controllers.Toolbar.txtScriptCustom_3": "Script", + "SSE.Controllers.Toolbar.txtScriptCustom_4": "Script", + "SSE.Controllers.Toolbar.txtScriptSub": "Subscrito", + "SSE.Controllers.Toolbar.txtScriptSubSup": "Subscrito-Sobrescrito", + "SSE.Controllers.Toolbar.txtScriptSubSupLeft": "Subscrito-Sobrescrito Esquerdo", + "SSE.Controllers.Toolbar.txtScriptSup": "Sobrescrito", + "SSE.Controllers.Toolbar.txtSorting": "A Ordenar", + "SSE.Controllers.Toolbar.txtSortSelected": "Ordenar o que está selecionado", + "SSE.Controllers.Toolbar.txtSymbol_about": "Aproximadamente", + "SSE.Controllers.Toolbar.txtSymbol_additional": "Complemento", + "SSE.Controllers.Toolbar.txtSymbol_aleph": "Alef", + "SSE.Controllers.Toolbar.txtSymbol_alpha": "Alfa", + "SSE.Controllers.Toolbar.txtSymbol_approx": "Quase igual a", + "SSE.Controllers.Toolbar.txtSymbol_ast": "Operador de asterisco", + "SSE.Controllers.Toolbar.txtSymbol_beta": "Beta", + "SSE.Controllers.Toolbar.txtSymbol_beth": "Aposta", + "SSE.Controllers.Toolbar.txtSymbol_bullet": "Operador de marcador", + "SSE.Controllers.Toolbar.txtSymbol_cap": "Interseção", + "SSE.Controllers.Toolbar.txtSymbol_cbrt": "Raiz cúbica", + "SSE.Controllers.Toolbar.txtSymbol_cdots": "Reticências horizontais de linha média", + "SSE.Controllers.Toolbar.txtSymbol_celsius": "Graus Celsius", + "SSE.Controllers.Toolbar.txtSymbol_chi": "Ki", + "SSE.Controllers.Toolbar.txtSymbol_cong": "Aproximadamente igual a", + "SSE.Controllers.Toolbar.txtSymbol_cup": "União", + "SSE.Controllers.Toolbar.txtSymbol_ddots": "Reticências diagonal para baixo à direita", + "SSE.Controllers.Toolbar.txtSymbol_degree": "Graus", + "SSE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "SSE.Controllers.Toolbar.txtSymbol_div": "Sinal de divisão", + "SSE.Controllers.Toolbar.txtSymbol_downarrow": "Seta para baixo", + "SSE.Controllers.Toolbar.txtSymbol_emptyset": "Conjunto vazio", + "SSE.Controllers.Toolbar.txtSymbol_epsilon": "Epsílon", + "SSE.Controllers.Toolbar.txtSymbol_equals": "Igual", + "SSE.Controllers.Toolbar.txtSymbol_equiv": "Idêntico a", + "SSE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "SSE.Controllers.Toolbar.txtSymbol_exists": "Existe", + "SSE.Controllers.Toolbar.txtSymbol_factorial": "Fatorial", + "SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "Graus Fahrenheit", + "SSE.Controllers.Toolbar.txtSymbol_forall": "Para todos", + "SSE.Controllers.Toolbar.txtSymbol_gamma": "Gama", + "SSE.Controllers.Toolbar.txtSymbol_geq": "Superior a ou igual a", + "SSE.Controllers.Toolbar.txtSymbol_gg": "Muito superior a", + "SSE.Controllers.Toolbar.txtSymbol_greater": "Superior a", + "SSE.Controllers.Toolbar.txtSymbol_in": "Elemento de", + "SSE.Controllers.Toolbar.txtSymbol_inc": "Incremento", + "SSE.Controllers.Toolbar.txtSymbol_infinity": "Infinidade", + "SSE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "SSE.Controllers.Toolbar.txtSymbol_kappa": "Capa", + "SSE.Controllers.Toolbar.txtSymbol_lambda": "Lambda", + "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "Seta para esquerda", + "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Seta esquerda-direita", + "SSE.Controllers.Toolbar.txtSymbol_leq": "Inferior a ou igual a", + "SSE.Controllers.Toolbar.txtSymbol_less": "Inferior a", + "SSE.Controllers.Toolbar.txtSymbol_ll": "Muito inferior a", + "SSE.Controllers.Toolbar.txtSymbol_minus": "Menos", + "SSE.Controllers.Toolbar.txtSymbol_mp": "Sinal de Menos-Sinal de Mais", + "SSE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "SSE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "SSE.Controllers.Toolbar.txtSymbol_neq": "Não igual a", + "SSE.Controllers.Toolbar.txtSymbol_ni": "Contém como membro", + "SSE.Controllers.Toolbar.txtSymbol_not": "Não entrar", + "SSE.Controllers.Toolbar.txtSymbol_notexists": "Não existe", + "SSE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "SSE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "SSE.Controllers.Toolbar.txtSymbol_omega": "Ômega", + "SSE.Controllers.Toolbar.txtSymbol_partial": "Diferencial parcial", + "SSE.Controllers.Toolbar.txtSymbol_percent": "Percentagem", + "SSE.Controllers.Toolbar.txtSymbol_phi": "Fi", + "SSE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "SSE.Controllers.Toolbar.txtSymbol_plus": "Mais", + "SSE.Controllers.Toolbar.txtSymbol_pm": "Sinal de Menos-Sinal de Igual", + "SSE.Controllers.Toolbar.txtSymbol_propto": "Proporcional a", + "SSE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "SSE.Controllers.Toolbar.txtSymbol_qdrt": "Quarta raiz", + "SSE.Controllers.Toolbar.txtSymbol_qed": "Fim da prova", + "SSE.Controllers.Toolbar.txtSymbol_rddots": "Reticências diagonal direitas para cima", + "SSE.Controllers.Toolbar.txtSymbol_rho": "Rô", + "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "Seta para direita", + "SSE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "SSE.Controllers.Toolbar.txtSymbol_sqrt": "Sinal de Radical", + "SSE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "SSE.Controllers.Toolbar.txtSymbol_therefore": "Portanto", + "SSE.Controllers.Toolbar.txtSymbol_theta": "Teta", + "SSE.Controllers.Toolbar.txtSymbol_times": "Sinal de multiplicação", + "SSE.Controllers.Toolbar.txtSymbol_uparrow": "Seta para cima", + "SSE.Controllers.Toolbar.txtSymbol_upsilon": "Ípsilon", + "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "Variante de Epsílon", + "SSE.Controllers.Toolbar.txtSymbol_varphi": "Variante de fi", + "SSE.Controllers.Toolbar.txtSymbol_varpi": "Variante de Pi", + "SSE.Controllers.Toolbar.txtSymbol_varrho": "Variante de Rô", + "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Variante de Sigma", + "SSE.Controllers.Toolbar.txtSymbol_vartheta": "Variante de Teta", + "SSE.Controllers.Toolbar.txtSymbol_vdots": "Reticências verticais", + "SSE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "SSE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "SSE.Controllers.Toolbar.txtTable_TableStyleDark": "Estilo de Tabela Escuro", + "SSE.Controllers.Toolbar.txtTable_TableStyleLight": "Estilo de Tabela Claro", + "SSE.Controllers.Toolbar.txtTable_TableStyleMedium": "Estilo de Tabela Médio", + "SSE.Controllers.Toolbar.warnLongOperation": "A operação que está prestes a realizar pode levar muito tempo a concluir.
                              Tem a certeza de que quer continuar?", + "SSE.Controllers.Toolbar.warnMergeLostData": "Apenas os dados da célula superior esquerda permanecerão na célula unida.
                              Tem a certeza de que deseja continuar? ", + "SSE.Controllers.Viewport.textFreezePanes": "Fixar painéis", + "SSE.Controllers.Viewport.textFreezePanesShadow": "Mostrar sombra dos painéis fixados", + "SSE.Controllers.Viewport.textHideFBar": "Ocultar barra de fórmulas", + "SSE.Controllers.Viewport.textHideGridlines": "Ocultar linhas da grelha", + "SSE.Controllers.Viewport.textHideHeadings": "Ocultar títulos", + "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Separador decimal", + "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Separador de milhares", + "SSE.Views.AdvancedSeparatorDialog.textLabel": "Definições utilizadas para reconhecimento numérico", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Qualificador de texto", + "SSE.Views.AdvancedSeparatorDialog.textTitle": "Definições avançadas", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(nenhum)", + "SSE.Views.AutoFilterDialog.btnCustomFilter": "Personalizar filtro", + "SSE.Views.AutoFilterDialog.textAddSelection": "Adicionar seleção atual ao filtro", + "SSE.Views.AutoFilterDialog.textEmptyItem": "{Brancos}", + "SSE.Views.AutoFilterDialog.textSelectAll": "Selecionar todos", + "SSE.Views.AutoFilterDialog.textSelectAllResults": "Selecionar todos os resultados", + "SSE.Views.AutoFilterDialog.textWarning": "Aviso", + "SSE.Views.AutoFilterDialog.txtAboveAve": "Acima da média", + "SSE.Views.AutoFilterDialog.txtBegins": "Começa com...", + "SSE.Views.AutoFilterDialog.txtBelowAve": "Abaixo da média", + "SSE.Views.AutoFilterDialog.txtBetween": "Entre...", + "SSE.Views.AutoFilterDialog.txtClear": "Limpar", + "SSE.Views.AutoFilterDialog.txtContains": "Contém...", + "SSE.Views.AutoFilterDialog.txtEmpty": "Inserir filtro de célula", + "SSE.Views.AutoFilterDialog.txtEnds": "Termina em…", + "SSE.Views.AutoFilterDialog.txtEquals": "É Igual…", + "SSE.Views.AutoFilterDialog.txtFilterCellColor": "Filtrar pela cor da célula", + "SSE.Views.AutoFilterDialog.txtFilterFontColor": "Filtrar pela cor do tipo de letra", + "SSE.Views.AutoFilterDialog.txtGreater": "Maior do que…", + "SSE.Views.AutoFilterDialog.txtGreaterEquals": "Maior ou igual a…", + "SSE.Views.AutoFilterDialog.txtLabelFilter": "Filtro de Etiqueta", + "SSE.Views.AutoFilterDialog.txtLess": "Menor que…", + "SSE.Views.AutoFilterDialog.txtLessEquals": "Menor que ou igual a…", + "SSE.Views.AutoFilterDialog.txtNotBegins": "Não começa com…", + "SSE.Views.AutoFilterDialog.txtNotBetween": "Não está entre...", + "SSE.Views.AutoFilterDialog.txtNotContains": "Não contem…", + "SSE.Views.AutoFilterDialog.txtNotEnds": "Não acaba com…", + "SSE.Views.AutoFilterDialog.txtNotEquals": "Não é igual a…", + "SSE.Views.AutoFilterDialog.txtNumFilter": "Numerar filtro", + "SSE.Views.AutoFilterDialog.txtReapply": "Aplicar", + "SSE.Views.AutoFilterDialog.txtSortCellColor": "Ordenar pela cor da célula", + "SSE.Views.AutoFilterDialog.txtSortFontColor": "Ordenar pela cor do tipo de letra", + "SSE.Views.AutoFilterDialog.txtSortHigh2Low": "Ordenar do Maior para o Menor", + "SSE.Views.AutoFilterDialog.txtSortLow2High": "Ordenar do Menor para o Maior", + "SSE.Views.AutoFilterDialog.txtSortOption": "Mais opções de ordenação…", + "SSE.Views.AutoFilterDialog.txtTextFilter": "Filtro de texto", + "SSE.Views.AutoFilterDialog.txtTitle": "Filtro", + "SSE.Views.AutoFilterDialog.txtTop10": "Top 10", + "SSE.Views.AutoFilterDialog.txtValueFilter": "Filtro de Valor", + "SSE.Views.AutoFilterDialog.warnFilterError": "É necessário pelo menos um campo na área de Valores para aplicar um filtro de valores.", + "SSE.Views.AutoFilterDialog.warnNoSelected": "Você deve escolher no mínimo um valor", + "SSE.Views.CellEditor.textManager": "Manager", + "SSE.Views.CellEditor.tipFormula": "Inserir função", + "SSE.Views.CellRangeDialog.errorMaxRows": "ERRO! O número máximo de séries de dados, por gráfico, é 255.", + "SSE.Views.CellRangeDialog.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Views.CellRangeDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.CellRangeDialog.txtInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.CellRangeDialog.txtTitle": "Selecionar intervalo de dados", + "SSE.Views.CellSettings.strShrink": "Diminuir para ajustar", + "SSE.Views.CellSettings.strWrap": "Moldar texto", + "SSE.Views.CellSettings.textAngle": "Ângulo", + "SSE.Views.CellSettings.textBackColor": "Cor de fundo", + "SSE.Views.CellSettings.textBackground": "Cor do plano de fundo", + "SSE.Views.CellSettings.textBorderColor": "Cor", + "SSE.Views.CellSettings.textBorders": "Estilo do contorno", + "SSE.Views.CellSettings.textClearRule": "Limpar regras", + "SSE.Views.CellSettings.textColor": "Cor de preenchimento", + "SSE.Views.CellSettings.textColorScales": "Escalas de cores", + "SSE.Views.CellSettings.textCondFormat": "Formatação condicional", + "SSE.Views.CellSettings.textControl": "Controlo de Texto", + "SSE.Views.CellSettings.textDataBars": "Barras de dados", + "SSE.Views.CellSettings.textDirection": "Direção", + "SSE.Views.CellSettings.textFill": "Preencher", + "SSE.Views.CellSettings.textForeground": "Cor principal", + "SSE.Views.CellSettings.textGradient": "Gradiente", + "SSE.Views.CellSettings.textGradientColor": "Cor", + "SSE.Views.CellSettings.textGradientFill": "Preenchimento gradiente", + "SSE.Views.CellSettings.textIndent": "Indentar", + "SSE.Views.CellSettings.textItems": "Itens", + "SSE.Views.CellSettings.textLinear": "Linear", + "SSE.Views.CellSettings.textManageRule": "Gerir Regras", + "SSE.Views.CellSettings.textNewRule": "Nova Regra", + "SSE.Views.CellSettings.textNoFill": "Sem preenchimento", + "SSE.Views.CellSettings.textOrientation": "Orientação do texto", + "SSE.Views.CellSettings.textPattern": "Padrão", + "SSE.Views.CellSettings.textPatternFill": "Padrão", + "SSE.Views.CellSettings.textPosition": "Posição", + "SSE.Views.CellSettings.textRadial": "Radial", + "SSE.Views.CellSettings.textSelectBorders": "Selecione os contornos aos quais pretende aplicar o estilo escolhido", + "SSE.Views.CellSettings.textSelection": "Da seleção atual", + "SSE.Views.CellSettings.textThisPivot": "A partir deste pivot", + "SSE.Views.CellSettings.textThisSheet": "A partir desta folha de cálculo", + "SSE.Views.CellSettings.textThisTable": "A partir deste pivot", + "SSE.Views.CellSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "SSE.Views.CellSettings.tipAll": "Definir borda externa e todas as linhas internas", + "SSE.Views.CellSettings.tipBottom": "Definir apenas borda inferior externa", + "SSE.Views.CellSettings.tipDiagD": "Definir Limite Diagonal Inferior", + "SSE.Views.CellSettings.tipDiagU": "Definir Limite Diagonal Superior", + "SSE.Views.CellSettings.tipInner": "Definir apenas linhas internas", + "SSE.Views.CellSettings.tipInnerHor": "Definir apenas linhas internas horizontais", + "SSE.Views.CellSettings.tipInnerVert": "Definir apenas linhas internas verticais", + "SSE.Views.CellSettings.tipLeft": "Definir apenas borda esquerda externa", + "SSE.Views.CellSettings.tipNone": "Definir sem bordas", + "SSE.Views.CellSettings.tipOuter": "Definir apenas borda externa", + "SSE.Views.CellSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "SSE.Views.CellSettings.tipRight": "Definir apenas borda direita externa", + "SSE.Views.CellSettings.tipTop": "Definir apenas borda superior externa", + "SSE.Views.ChartDataDialog.errorInFormula": "Há um erro na fórmula que introduziu.", + "SSE.Views.ChartDataDialog.errorInvalidReference": "A referência não é válida. A referência tem de ser uma folha de cálculo aberta.", + "SSE.Views.ChartDataDialog.errorMaxPoints": "O número máximo de pontos em série, por gráfico, é 4096.", + "SSE.Views.ChartDataDialog.errorMaxRows": "O número máximo de séries de dados, por gráfico, é 255.", + "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "Referência inválida. As referências para títulos, valores, tamanhos e etiquetas de dados tem que ser apenas uma célula, linha ou coluna.", + "SSE.Views.ChartDataDialog.errorNoValues": "Para criar um gráfico, a série utilizada tem que ter, pelo menos, um valor.", + "SSE.Views.ChartDataDialog.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Views.ChartDataDialog.textAdd": "Adicionar", + "SSE.Views.ChartDataDialog.textCategory": "Rótulos de Eixo (Categoria) Horizontais", + "SSE.Views.ChartDataDialog.textData": "Intervalo da tabela de dados", + "SSE.Views.ChartDataDialog.textDelete": "Remover", + "SSE.Views.ChartDataDialog.textDown": "Para baixo", + "SSE.Views.ChartDataDialog.textEdit": "Editar", + "SSE.Views.ChartDataDialog.textInvalidRange": "Intervalo de células inválido", + "SSE.Views.ChartDataDialog.textSelectData": "Selecionar dados", + "SSE.Views.ChartDataDialog.textSeries": "Entradas da legenda (Série)", + "SSE.Views.ChartDataDialog.textSwitch": "Trocar Linha/Coluna", + "SSE.Views.ChartDataDialog.textTitle": "Tabela de dados", + "SSE.Views.ChartDataDialog.textUp": "Para cima", + "SSE.Views.ChartDataRangeDialog.errorInFormula": "Há um erro na fórmula que introduziu.", + "SSE.Views.ChartDataRangeDialog.errorInvalidReference": "A referência não é válida. A referência tem de ser uma folha de cálculo aberta.", + "SSE.Views.ChartDataRangeDialog.errorMaxPoints": "O número máximo de pontos em série, por gráfico, é 4096.", + "SSE.Views.ChartDataRangeDialog.errorMaxRows": "O número máximo de séries de dados, por gráfico, é 255.", + "SSE.Views.ChartDataRangeDialog.errorNoSingleRowCol": "Referência inválida. As referências para títulos, valores, tamanhos e etiquetas de dados tem que ser apenas uma célula, linha ou coluna.", + "SSE.Views.ChartDataRangeDialog.errorNoValues": "Para criar uma tabela dinâmica, a série utilizada tem que ter, pelo menos, um valor.", + "SSE.Views.ChartDataRangeDialog.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Views.ChartDataRangeDialog.textInvalidRange": "Intervalo de células inválido", + "SSE.Views.ChartDataRangeDialog.textSelectData": "Selecionar dados", + "SSE.Views.ChartDataRangeDialog.txtAxisLabel": "Intervalo do rótulo do eixo", + "SSE.Views.ChartDataRangeDialog.txtChoose": "Escolher intervalo", + "SSE.Views.ChartDataRangeDialog.txtSeriesName": "Nome da série", + "SSE.Views.ChartDataRangeDialog.txtTitleCategory": "Etiqueta dos eixos", + "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "Editar série", + "SSE.Views.ChartDataRangeDialog.txtValues": "Valores", + "SSE.Views.ChartDataRangeDialog.txtXValues": "Valores do X", + "SSE.Views.ChartDataRangeDialog.txtYValues": "Valores do Y", + "SSE.Views.ChartSettings.strLineWeight": "Espessura da linha", + "SSE.Views.ChartSettings.strSparkColor": "Cor", + "SSE.Views.ChartSettings.strTemplate": "Modelo", + "SSE.Views.ChartSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.ChartSettings.textBorderSizeErr": "O valor inserido não está correto.
                              Introduza um valor entre 0 pt e 1584 pt.", + "SSE.Views.ChartSettings.textChangeType": "Alterar tipo", + "SSE.Views.ChartSettings.textChartType": "Alterar tipo de gráfico", + "SSE.Views.ChartSettings.textEditData": "Editar dados", + "SSE.Views.ChartSettings.textFirstPoint": "Primeiro Ponto", + "SSE.Views.ChartSettings.textHeight": "Altura", + "SSE.Views.ChartSettings.textHighPoint": "Ponto Alto", + "SSE.Views.ChartSettings.textKeepRatio": "Proporções constantes", + "SSE.Views.ChartSettings.textLastPoint": "Último ponto", + "SSE.Views.ChartSettings.textLowPoint": "Ponto Baixo", + "SSE.Views.ChartSettings.textMarkers": "Marcadores", + "SSE.Views.ChartSettings.textNegativePoint": "Ponto Negativo", + "SSE.Views.ChartSettings.textRanges": "Intervalo de dados", + "SSE.Views.ChartSettings.textSelectData": "Selecionar dados", + "SSE.Views.ChartSettings.textShow": "Mostrar", + "SSE.Views.ChartSettings.textSize": "Tamanho", + "SSE.Views.ChartSettings.textStyle": "Estilo", + "SSE.Views.ChartSettings.textType": "Tipo", + "SSE.Views.ChartSettings.textWidth": "Largura", + "SSE.Views.ChartSettingsDlg.errorMaxPoints": "O número máximo de pontos em série, por gráfico, é 4096.", + "SSE.Views.ChartSettingsDlg.errorMaxRows": "ERRO! O número máximo de séries de dados, por gráfico, é 255.", + "SSE.Views.ChartSettingsDlg.errorStockChart": "Ordem de linha inválida. Para criar um gráfico de cotações, coloque os dados na folha pela seguinte ordem:
                              preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "SSE.Views.ChartSettingsDlg.textAbsolute": "Não mover ou redimensionar com células", + "SSE.Views.ChartSettingsDlg.textAlt": "Texto alternativo", + "SSE.Views.ChartSettingsDlg.textAltDescription": "Descrição", + "SSE.Views.ChartSettingsDlg.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "SSE.Views.ChartSettingsDlg.textAltTitle": "Título", + "SSE.Views.ChartSettingsDlg.textAuto": "Automático", + "SSE.Views.ChartSettingsDlg.textAutoEach": "Automático para cada", + "SSE.Views.ChartSettingsDlg.textAxisCrosses": "Eixos cruzam", + "SSE.Views.ChartSettingsDlg.textAxisOptions": "Opções de eixo", + "SSE.Views.ChartSettingsDlg.textAxisPos": "Posição de eixos", + "SSE.Views.ChartSettingsDlg.textAxisSettings": "Definições de eixo", + "SSE.Views.ChartSettingsDlg.textAxisTitle": "Título", + "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Entre marcas de escala", + "SSE.Views.ChartSettingsDlg.textBillions": "Bilhões", + "SSE.Views.ChartSettingsDlg.textBottom": "Baixo", + "SSE.Views.ChartSettingsDlg.textCategoryName": "Nome da categoria", + "SSE.Views.ChartSettingsDlg.textCenter": "Centro", + "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "Elementos do gráfico e
                              Legenda do gráfico", + "SSE.Views.ChartSettingsDlg.textChartTitle": "Título do gráfico", + "SSE.Views.ChartSettingsDlg.textCross": "Cruz", + "SSE.Views.ChartSettingsDlg.textCustom": "Personalizar", + "SSE.Views.ChartSettingsDlg.textDataColumns": "em colunas", + "SSE.Views.ChartSettingsDlg.textDataLabels": "Rótulos de dados", + "SSE.Views.ChartSettingsDlg.textDataRows": "em linhas", + "SSE.Views.ChartSettingsDlg.textDisplayLegend": "Exibir legenda", + "SSE.Views.ChartSettingsDlg.textEmptyCells": "Células vazias e ocultas", + "SSE.Views.ChartSettingsDlg.textEmptyLine": "Ligar pontos de dados com linha", + "SSE.Views.ChartSettingsDlg.textFit": "Ajustar à largura", + "SSE.Views.ChartSettingsDlg.textFixed": "Corrigido", + "SSE.Views.ChartSettingsDlg.textFormat": "Formato da Etiqueta", + "SSE.Views.ChartSettingsDlg.textGaps": "Espaços", + "SSE.Views.ChartSettingsDlg.textGridLines": "Gridlines", + "SSE.Views.ChartSettingsDlg.textGroup": "Agrupar Sparkline", + "SSE.Views.ChartSettingsDlg.textHide": "Ocultar", + "SSE.Views.ChartSettingsDlg.textHideAxis": "Ocultar eixo", + "SSE.Views.ChartSettingsDlg.textHigh": "Alto", + "SSE.Views.ChartSettingsDlg.textHorAxis": "Eixo horizontal", + "SSE.Views.ChartSettingsDlg.textHorAxisSec": "Eixo Secundário Horizontal", + "SSE.Views.ChartSettingsDlg.textHorizontal": "Horizontal", + "SSE.Views.ChartSettingsDlg.textHundredMil": "100.000.000 ", + "SSE.Views.ChartSettingsDlg.textHundreds": "Centenas", + "SSE.Views.ChartSettingsDlg.textHundredThousands": "100.000 ", + "SSE.Views.ChartSettingsDlg.textIn": "Em", + "SSE.Views.ChartSettingsDlg.textInnerBottom": "Parte inferior interna", + "SSE.Views.ChartSettingsDlg.textInnerTop": "Parte superior interna", + "SSE.Views.ChartSettingsDlg.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.ChartSettingsDlg.textLabelDist": "Distância da etiqueta de eixos", + "SSE.Views.ChartSettingsDlg.textLabelInterval": "Intervalo entre Etiquetas", + "SSE.Views.ChartSettingsDlg.textLabelOptions": "Opções de etiqueta", + "SSE.Views.ChartSettingsDlg.textLabelPos": "Posição da etiqueta", + "SSE.Views.ChartSettingsDlg.textLayout": "Disposição", + "SSE.Views.ChartSettingsDlg.textLeft": "Esquerda", + "SSE.Views.ChartSettingsDlg.textLeftOverlay": "Sobreposição esquerda", + "SSE.Views.ChartSettingsDlg.textLegendBottom": "Inferior", + "SSE.Views.ChartSettingsDlg.textLegendLeft": "Esquerda", + "SSE.Views.ChartSettingsDlg.textLegendPos": "Legenda", + "SSE.Views.ChartSettingsDlg.textLegendRight": "Direita", + "SSE.Views.ChartSettingsDlg.textLegendTop": "Parte superior", + "SSE.Views.ChartSettingsDlg.textLines": "Linhas", + "SSE.Views.ChartSettingsDlg.textLocationRange": "Intervalo de localização", + "SSE.Views.ChartSettingsDlg.textLow": "Baixo", + "SSE.Views.ChartSettingsDlg.textMajor": "Maior", + "SSE.Views.ChartSettingsDlg.textMajorMinor": "Maior e Menor", + "SSE.Views.ChartSettingsDlg.textMajorType": "Tipo principal", + "SSE.Views.ChartSettingsDlg.textManual": "Manual", + "SSE.Views.ChartSettingsDlg.textMarkers": "Marcadores", + "SSE.Views.ChartSettingsDlg.textMarksInterval": "Intervalo entre Marcas", + "SSE.Views.ChartSettingsDlg.textMaxValue": "Valor máximo", + "SSE.Views.ChartSettingsDlg.textMillions": "Milhões", + "SSE.Views.ChartSettingsDlg.textMinor": "Menor", + "SSE.Views.ChartSettingsDlg.textMinorType": "Tipo menor", + "SSE.Views.ChartSettingsDlg.textMinValue": "Valor mínimo", + "SSE.Views.ChartSettingsDlg.textNextToAxis": "Próximo ao eixo", + "SSE.Views.ChartSettingsDlg.textNone": "Nenhum", + "SSE.Views.ChartSettingsDlg.textNoOverlay": "Sem sobreposição", + "SSE.Views.ChartSettingsDlg.textOneCell": "Mover mas não redimensionar células", + "SSE.Views.ChartSettingsDlg.textOnTickMarks": "Nas marcas de escala", + "SSE.Views.ChartSettingsDlg.textOut": "Fora", + "SSE.Views.ChartSettingsDlg.textOuterTop": "Fora do topo", + "SSE.Views.ChartSettingsDlg.textOverlay": "Sobreposição", + "SSE.Views.ChartSettingsDlg.textReverse": "Valores na ordem reversa", + "SSE.Views.ChartSettingsDlg.textReverseOrder": "Ordem Inversa", + "SSE.Views.ChartSettingsDlg.textRight": "Direita", + "SSE.Views.ChartSettingsDlg.textRightOverlay": "Sobreposição direita", + "SSE.Views.ChartSettingsDlg.textRotated": "Girado", + "SSE.Views.ChartSettingsDlg.textSameAll": "O mesmo para Todos", + "SSE.Views.ChartSettingsDlg.textSelectData": "Selecionar dados", + "SSE.Views.ChartSettingsDlg.textSeparator": "Separador de rótulos de dados", + "SSE.Views.ChartSettingsDlg.textSeriesName": "Nome da série", + "SSE.Views.ChartSettingsDlg.textShow": "Mostrar", + "SSE.Views.ChartSettingsDlg.textShowBorders": "Exibir bordas do gráfico", + "SSE.Views.ChartSettingsDlg.textShowData": "Mostrar dados nas linhas e colunas ocultas", + "SSE.Views.ChartSettingsDlg.textShowEmptyCells": "Mostrar células vazias como", + "SSE.Views.ChartSettingsDlg.textShowSparkAxis": "Mostrar Eixo", + "SSE.Views.ChartSettingsDlg.textShowValues": "Exibir valores do gráfico", + "SSE.Views.ChartSettingsDlg.textSingle": "Sparkline Única", + "SSE.Views.ChartSettingsDlg.textSmooth": "Suave", + "SSE.Views.ChartSettingsDlg.textSnap": "Alinhamento de células", + "SSE.Views.ChartSettingsDlg.textSparkRanges": "Intervalos de Sparkline", + "SSE.Views.ChartSettingsDlg.textStraight": "Reto", + "SSE.Views.ChartSettingsDlg.textStyle": "Estilo", + "SSE.Views.ChartSettingsDlg.textTenMillions": "10.000.000 ", + "SSE.Views.ChartSettingsDlg.textTenThousands": "10.000 ", + "SSE.Views.ChartSettingsDlg.textThousands": "Milhares", + "SSE.Views.ChartSettingsDlg.textTickOptions": "Opções de escala", + "SSE.Views.ChartSettingsDlg.textTitle": "Gráfico - Definições avançadas", + "SSE.Views.ChartSettingsDlg.textTitleSparkline": "Sparkline - Definições avançadas", + "SSE.Views.ChartSettingsDlg.textTop": "Parte superior", + "SSE.Views.ChartSettingsDlg.textTrillions": "Trilhões", + "SSE.Views.ChartSettingsDlg.textTwoCell": "Mover e redimensionar com células", + "SSE.Views.ChartSettingsDlg.textType": "Tipo", + "SSE.Views.ChartSettingsDlg.textTypeData": "Tipo e Dados", + "SSE.Views.ChartSettingsDlg.textUnits": "Exibir unidades", + "SSE.Views.ChartSettingsDlg.textValue": "Valor", + "SSE.Views.ChartSettingsDlg.textVertAxis": "Eixo vertical", + "SSE.Views.ChartSettingsDlg.textVertAxisSec": "Eixo Secundário Vertical", + "SSE.Views.ChartSettingsDlg.textXAxisTitle": "Título do eixo X", + "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Título do eixo Y", + "SSE.Views.ChartSettingsDlg.textZero": "Zero", + "SSE.Views.ChartSettingsDlg.txtEmpty": "Este campo é obrigatório", + "SSE.Views.ChartTypeDialog.errorComboSeries": "Para criar um gráfico de combinação, selecione pelo menos duas séries de dados.", + "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "O tipo de gráfico selecionado requer o eixo secundário que um gráfico existente está a utilizar. Selecione outro tipo de gráfico.", + "SSE.Views.ChartTypeDialog.textSecondary": "Eixo Secundário", + "SSE.Views.ChartTypeDialog.textSeries": "Série", + "SSE.Views.ChartTypeDialog.textStyle": "Estilo", + "SSE.Views.ChartTypeDialog.textTitle": "Tipo de tabela de dados", + "SSE.Views.ChartTypeDialog.textType": "Tipo", + "SSE.Views.CreatePivotDialog.textDataRange": "Intervalo de dados de origem", + "SSE.Views.CreatePivotDialog.textDestination": "Escolha o local para colocar a tabela", + "SSE.Views.CreatePivotDialog.textExist": "Folha de cálculo existente", + "SSE.Views.CreatePivotDialog.textInvalidRange": "Intervalo de células inválido", + "SSE.Views.CreatePivotDialog.textNew": "Nova Folha de Cálculo", + "SSE.Views.CreatePivotDialog.textSelectData": "Selecionar dados", + "SSE.Views.CreatePivotDialog.textTitle": "Criar tabela dinâmica", + "SSE.Views.CreatePivotDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.CreateSparklineDialog.textDataRange": "Intervalo de dados de origem", + "SSE.Views.CreateSparklineDialog.textDestination": "Escolher, onde colocar as sparklines", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Intervalo de células inválido", + "SSE.Views.CreateSparklineDialog.textSelectData": "Selecionar dados", + "SSE.Views.CreateSparklineDialog.textTitle": "Criar Sparklines", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.DataTab.capBtnGroup": "Grupo", + "SSE.Views.DataTab.capBtnTextCustomSort": "Ordenação Personalizada", + "SSE.Views.DataTab.capBtnTextDataValidation": "Validação dos dados", + "SSE.Views.DataTab.capBtnTextRemDuplicates": "Remover duplicados", + "SSE.Views.DataTab.capBtnTextToCol": "Texto para Colunas", + "SSE.Views.DataTab.capBtnUngroup": "Desagrupar", + "SSE.Views.DataTab.capDataFromText": "Obter dados", + "SSE.Views.DataTab.mniFromFile": "De um TXT/CSV local", + "SSE.Views.DataTab.mniFromUrl": "Do endereço da web TXT/CSV", + "SSE.Views.DataTab.textBelow": "Linhas de resumo por baixo do detalhe", + "SSE.Views.DataTab.textClear": "Limpar Contorno do Gráfico", + "SSE.Views.DataTab.textColumns": "Desagrupar Colunas", + "SSE.Views.DataTab.textGroupColumns": "Agrupar colunas", + "SSE.Views.DataTab.textGroupRows": "Agrupar linhas", + "SSE.Views.DataTab.textRightOf": "Colunas de resumo à direita do detalhe", + "SSE.Views.DataTab.textRows": "Desagrupar linhas", + "SSE.Views.DataTab.tipCustomSort": "Ordenação Personalizada", + "SSE.Views.DataTab.tipDataFromText": "Obter dados a partir de um ficheiro de texto/CSV", + "SSE.Views.DataTab.tipDataValidation": "Validação dos dados", + "SSE.Views.DataTab.tipGroup": "Agrupar intervalo de células", + "SSE.Views.DataTab.tipRemDuplicates": "Remover linhas duplicadas na folha", + "SSE.Views.DataTab.tipToColumns": "Separar o texto da célula em colunas", + "SSE.Views.DataTab.tipUngroup": "Desagrupar intervalo de células", + "SSE.Views.DataValidationDialog.errorFormula": "O valor atual corresponde a um erro. Quer continuar?", + "SSE.Views.DataValidationDialog.errorInvalid": "O valor que introduziu para o campo \"{0}\" é inválido.", + "SSE.Views.DataValidationDialog.errorInvalidDate": "A data que introduziu para o campo \"{0}\" é inválido.", + "SSE.Views.DataValidationDialog.errorInvalidList": "A origem da lista deve ser uma lista delimitada, ou uma referência a uma única linha ou coluna.", + "SSE.Views.DataValidationDialog.errorInvalidTime": "O tempo que introduziu para o campo \"{0}\" é inválido.", + "SSE.Views.DataValidationDialog.errorMinGreaterMax": "O campo \"{1}\" deve ser maior ou igual ao campo \"{0}\".", + "SSE.Views.DataValidationDialog.errorMustEnterBothValues": "Deve introduzir um valor tanto no campo \"{0}\" como no campo \"{1}\".", + "SSE.Views.DataValidationDialog.errorMustEnterValue": "Tem de introduzir um valor no campo \"{0}\".", + "SSE.Views.DataValidationDialog.errorNamedRange": "O intervalo com nome que especificou não foi encontrado.", + "SSE.Views.DataValidationDialog.errorNegativeTextLength": "Os valores negativos não podem ser utilizados em condições \"{0}\".", + "SSE.Views.DataValidationDialog.errorNotNumeric": "O campo \"{0}\" deve ser um valor numérico, expressão numérica, ou referir-se a uma célula contendo um valor numérico.", + "SSE.Views.DataValidationDialog.strError": "Alerta de Erro", + "SSE.Views.DataValidationDialog.strInput": "Mensagem de Entrada", + "SSE.Views.DataValidationDialog.strSettings": "Configurações", + "SSE.Views.DataValidationDialog.textAlert": "Alerta", + "SSE.Views.DataValidationDialog.textAllow": "Permitir", + "SSE.Views.DataValidationDialog.textApply": "Aplicar estas alterações a todas células com as mesmas definições", + "SSE.Views.DataValidationDialog.textCellSelected": "Quando a célula é selecionada, mostrar esta mensagem de entrada", + "SSE.Views.DataValidationDialog.textCompare": "Comparar com", + "SSE.Views.DataValidationDialog.textData": "Data", + "SSE.Views.DataValidationDialog.textEndDate": "Data de conclusão", + "SSE.Views.DataValidationDialog.textEndTime": "Hora de fim", + "SSE.Views.DataValidationDialog.textError": "Mensagem de Erro", + "SSE.Views.DataValidationDialog.textFormula": "Fórmula", + "SSE.Views.DataValidationDialog.textIgnore": "Ignorar Em Branco", + "SSE.Views.DataValidationDialog.textInput": "Mensagem de Entrada", + "SSE.Views.DataValidationDialog.textMax": "Máximo", + "SSE.Views.DataValidationDialog.textMessage": "Mensagem", + "SSE.Views.DataValidationDialog.textMin": "Mínimo", + "SSE.Views.DataValidationDialog.textSelectData": "Selecionar dados", + "SSE.Views.DataValidationDialog.textShowDropDown": "Mostrar uma lista pendente na célula", + "SSE.Views.DataValidationDialog.textShowError": "Mostrar alerta de erro após a introdução de dados inválidos", + "SSE.Views.DataValidationDialog.textShowInput": "Mostrar mensagem de entrada quando a célula é selecionada", + "SSE.Views.DataValidationDialog.textSource": "Origem", + "SSE.Views.DataValidationDialog.textStartDate": "Data de início", + "SSE.Views.DataValidationDialog.textStartTime": "Hora de Início", + "SSE.Views.DataValidationDialog.textStop": "Parar", + "SSE.Views.DataValidationDialog.textStyle": "Estilo", + "SSE.Views.DataValidationDialog.textTitle": "Título", + "SSE.Views.DataValidationDialog.textUserEnters": "Quando o utilizador introduz dados inválidos, mostrar este alerta de erro", + "SSE.Views.DataValidationDialog.txtAny": "Qualquer valor", + "SSE.Views.DataValidationDialog.txtBetween": "entre", + "SSE.Views.DataValidationDialog.txtDate": "Data", + "SSE.Views.DataValidationDialog.txtDecimal": "Decimal", + "SSE.Views.DataValidationDialog.txtElTime": "Tempo decorrido", + "SSE.Views.DataValidationDialog.txtEndDate": "Data de conclusão", + "SSE.Views.DataValidationDialog.txtEndTime": "Hora de fim", + "SSE.Views.DataValidationDialog.txtEqual": "igual", + "SSE.Views.DataValidationDialog.txtGreaterThan": "Superior a", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "Superior a ou igual a", + "SSE.Views.DataValidationDialog.txtLength": "Comprimento", + "SSE.Views.DataValidationDialog.txtLessThan": "Inferior a", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "Inferior a ou igual a", + "SSE.Views.DataValidationDialog.txtList": "Lista", + "SSE.Views.DataValidationDialog.txtNotBetween": "Não está entre", + "SSE.Views.DataValidationDialog.txtNotEqual": "não é igual a", + "SSE.Views.DataValidationDialog.txtOther": "Outro", + "SSE.Views.DataValidationDialog.txtStartDate": "Data de início", + "SSE.Views.DataValidationDialog.txtStartTime": "Hora de Início", + "SSE.Views.DataValidationDialog.txtTextLength": "Comprimento do Texto", + "SSE.Views.DataValidationDialog.txtTime": "Tempo", + "SSE.Views.DataValidationDialog.txtWhole": "Número inteiro", + "SSE.Views.DigitalFilterDialog.capAnd": "E", + "SSE.Views.DigitalFilterDialog.capCondition1": "igual", + "SSE.Views.DigitalFilterDialog.capCondition10": "não termina com", + "SSE.Views.DigitalFilterDialog.capCondition11": "contém", + "SSE.Views.DigitalFilterDialog.capCondition12": "não contém", + "SSE.Views.DigitalFilterDialog.capCondition2": "não é igual a", + "SSE.Views.DigitalFilterDialog.capCondition3": "é superior a", + "SSE.Views.DigitalFilterDialog.capCondition4": "é superior ou igual a", + "SSE.Views.DigitalFilterDialog.capCondition5": "é inferior a", + "SSE.Views.DigitalFilterDialog.capCondition6": "é inferior ou igual a", + "SSE.Views.DigitalFilterDialog.capCondition7": "começa com", + "SSE.Views.DigitalFilterDialog.capCondition8": "não começa com", + "SSE.Views.DigitalFilterDialog.capCondition9": "termina com", + "SSE.Views.DigitalFilterDialog.capOr": "Ou", + "SSE.Views.DigitalFilterDialog.textNoFilter": "sem filtro", + "SSE.Views.DigitalFilterDialog.textShowRows": "Exibir células onde", + "SSE.Views.DigitalFilterDialog.textUse1": "Usar ? para apresentar qualquer caractere único", + "SSE.Views.DigitalFilterDialog.textUse2": "Usar * para apresentar qualquer série de caracteres", + "SSE.Views.DigitalFilterDialog.txtTitle": "Personalizar filtro", + "SSE.Views.DocumentHolder.advancedImgText": "Definições avançadas de imagem", + "SSE.Views.DocumentHolder.advancedShapeText": "Definições avançadas de forma", + "SSE.Views.DocumentHolder.advancedSlicerText": "Definições avançadas de 'slicer'", + "SSE.Views.DocumentHolder.bottomCellText": "Alinhar à parte inferior", + "SSE.Views.DocumentHolder.bulletsText": "Marcadores e numeração", + "SSE.Views.DocumentHolder.centerCellText": "Alinhar ao centro", + "SSE.Views.DocumentHolder.chartText": "Definições avançadas de gráfico", + "SSE.Views.DocumentHolder.deleteColumnText": "Coluna", + "SSE.Views.DocumentHolder.deleteRowText": "Linha", + "SSE.Views.DocumentHolder.deleteTableText": "Tabela", + "SSE.Views.DocumentHolder.direct270Text": "Rodar texto para cima", + "SSE.Views.DocumentHolder.direct90Text": "Rotate at 90°", + "SSE.Views.DocumentHolder.directHText": "Horizontal", + "SSE.Views.DocumentHolder.directionText": "Text Direction", + "SSE.Views.DocumentHolder.editChartText": "Editar dados", + "SSE.Views.DocumentHolder.editHyperlinkText": "Editar hiperligação", + "SSE.Views.DocumentHolder.insertColumnLeftText": "Coluna esquerda", + "SSE.Views.DocumentHolder.insertColumnRightText": "Coluna direita", + "SSE.Views.DocumentHolder.insertRowAboveText": "Linha acima", + "SSE.Views.DocumentHolder.insertRowBelowText": "Linha abaixo", + "SSE.Views.DocumentHolder.originalSizeText": "Tamanho real", + "SSE.Views.DocumentHolder.removeHyperlinkText": "Remover hiperligação", + "SSE.Views.DocumentHolder.selectColumnText": "Coluna inteira", + "SSE.Views.DocumentHolder.selectDataText": "Dados da coluna", + "SSE.Views.DocumentHolder.selectRowText": "Linha", + "SSE.Views.DocumentHolder.selectTableText": "Tabela", + "SSE.Views.DocumentHolder.strDelete": "Remover assinatura", + "SSE.Views.DocumentHolder.strDetails": "Detalhes da assinatura", + "SSE.Views.DocumentHolder.strSetup": "Definições de Assinatura", + "SSE.Views.DocumentHolder.strSign": "Assinar", + "SSE.Views.DocumentHolder.textAlign": "Alinhar", + "SSE.Views.DocumentHolder.textArrange": "Dispor", + "SSE.Views.DocumentHolder.textArrangeBack": "Enviar para plano de fundo", + "SSE.Views.DocumentHolder.textArrangeBackward": "Enviar para trás", + "SSE.Views.DocumentHolder.textArrangeForward": "Trazer para frente", + "SSE.Views.DocumentHolder.textArrangeFront": "Trazer para primeiro plano", + "SSE.Views.DocumentHolder.textAverage": "Média", + "SSE.Views.DocumentHolder.textBullets": "Marcadores", + "SSE.Views.DocumentHolder.textCount": "Contagem", + "SSE.Views.DocumentHolder.textCrop": "Recortar", + "SSE.Views.DocumentHolder.textCropFill": "Preencher", + "SSE.Views.DocumentHolder.textCropFit": "Ajustar", + "SSE.Views.DocumentHolder.textEditPoints": "Editar Pontos", + "SSE.Views.DocumentHolder.textEntriesList": "Selecionar da lista suspensa", + "SSE.Views.DocumentHolder.textFlipH": "Virar horizontalmente", + "SSE.Views.DocumentHolder.textFlipV": "Virar verticalmente", + "SSE.Views.DocumentHolder.textFreezePanes": "Fixar painéis", + "SSE.Views.DocumentHolder.textFromFile": "De um ficheiro", + "SSE.Views.DocumentHolder.textFromStorage": "De um armazenamento", + "SSE.Views.DocumentHolder.textFromUrl": "De um URL", + "SSE.Views.DocumentHolder.textListSettings": "Definições da lista", + "SSE.Views.DocumentHolder.textMacro": "Atribuir Macro", + "SSE.Views.DocumentHolder.textMax": "Máx", + "SSE.Views.DocumentHolder.textMin": "Min.", + "SSE.Views.DocumentHolder.textMore": "Mais funções", + "SSE.Views.DocumentHolder.textMoreFormats": "Mais formatos", + "SSE.Views.DocumentHolder.textNone": "Nenhum", + "SSE.Views.DocumentHolder.textNumbering": "Numeração", + "SSE.Views.DocumentHolder.textReplace": "Substituir imagem", + "SSE.Views.DocumentHolder.textRotate": "Rodar", + "SSE.Views.DocumentHolder.textRotate270": "Rodar 90º à esquerda", + "SSE.Views.DocumentHolder.textRotate90": "Rodar 90º à direita", + "SSE.Views.DocumentHolder.textShapeAlignBottom": "Alinhar em baixo", + "SSE.Views.DocumentHolder.textShapeAlignCenter": "Alinhar ao centro", + "SSE.Views.DocumentHolder.textShapeAlignLeft": "Alinhar à esquerda", + "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Alinhar ao centro", + "SSE.Views.DocumentHolder.textShapeAlignRight": "Alinhar à direita", + "SSE.Views.DocumentHolder.textShapeAlignTop": "Alinhar em cima", + "SSE.Views.DocumentHolder.textStdDev": "Desv.Padr", + "SSE.Views.DocumentHolder.textSum": "Soma", + "SSE.Views.DocumentHolder.textUndo": "Desfazer", + "SSE.Views.DocumentHolder.textUnFreezePanes": "Libertar painéis", + "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Marcas em Seta", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Marcas de verificação", + "SSE.Views.DocumentHolder.tipMarkersDash": "Marcadores de traços", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Listas Rômbicas Preenchidas", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Listas Redondas Preenchidas", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Listas Quadradas Preenchidas", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Marcas de lista redondas vazias", + "SSE.Views.DocumentHolder.tipMarkersStar": "Marcas em estrela", + "SSE.Views.DocumentHolder.topCellText": "Alinhar à parte superior", + "SSE.Views.DocumentHolder.txtAccounting": "Contabilidade", + "SSE.Views.DocumentHolder.txtAddComment": "Adicionar comentário", + "SSE.Views.DocumentHolder.txtAddNamedRange": "Define Name", + "SSE.Views.DocumentHolder.txtArrange": "Dispor", + "SSE.Views.DocumentHolder.txtAscending": "Crescente", + "SSE.Views.DocumentHolder.txtAutoColumnWidth": "Ajuste automático à largura da coluna", + "SSE.Views.DocumentHolder.txtAutoRowHeight": "Ajuste automática à altura da linha", + "SSE.Views.DocumentHolder.txtClear": "Limpar", + "SSE.Views.DocumentHolder.txtClearAll": "Tudo", + "SSE.Views.DocumentHolder.txtClearComments": "Comentários", + "SSE.Views.DocumentHolder.txtClearFormat": "Formato", + "SSE.Views.DocumentHolder.txtClearHyper": "Hiperligações", + "SSE.Views.DocumentHolder.txtClearSparklineGroups": "Limpar os Grupos Sparkline Selecionados", + "SSE.Views.DocumentHolder.txtClearSparklines": "Limpar Sparklines Selecionados", + "SSE.Views.DocumentHolder.txtClearText": "Texto", + "SSE.Views.DocumentHolder.txtColumn": "Coluna inteira", + "SSE.Views.DocumentHolder.txtColumnWidth": "Largura da coluna", + "SSE.Views.DocumentHolder.txtCondFormat": "Formatação condicional", + "SSE.Views.DocumentHolder.txtCopy": "Copiar", + "SSE.Views.DocumentHolder.txtCurrency": "Moeda", + "SSE.Views.DocumentHolder.txtCustomColumnWidth": "Largura de Coluna Personalizada", + "SSE.Views.DocumentHolder.txtCustomRowHeight": "Altura de Linha Personalizada", + "SSE.Views.DocumentHolder.txtCustomSort": "Ordenação Personalizada", + "SSE.Views.DocumentHolder.txtCut": "Cortar", + "SSE.Views.DocumentHolder.txtDate": "Data", + "SSE.Views.DocumentHolder.txtDelete": "Excluir", + "SSE.Views.DocumentHolder.txtDescending": "Decrescente", + "SSE.Views.DocumentHolder.txtDistribHor": "Distribuir horizontalmente", + "SSE.Views.DocumentHolder.txtDistribVert": "Distribuir verticalmente", + "SSE.Views.DocumentHolder.txtEditComment": "Editar comentário", + "SSE.Views.DocumentHolder.txtFilter": "Filtro", + "SSE.Views.DocumentHolder.txtFilterCellColor": "Filtrar pela cor da célula", + "SSE.Views.DocumentHolder.txtFilterFontColor": "Filtrar pela cor do tipo de letra", + "SSE.Views.DocumentHolder.txtFilterValue": "Filtrar por valor da célula selecionada", + "SSE.Views.DocumentHolder.txtFormula": "Inserir função", + "SSE.Views.DocumentHolder.txtFraction": "Fração", + "SSE.Views.DocumentHolder.txtGeneral": "Geral", + "SSE.Views.DocumentHolder.txtGroup": "Grupo", + "SSE.Views.DocumentHolder.txtHide": "Ocultar", + "SSE.Views.DocumentHolder.txtInsert": "Inserir", + "SSE.Views.DocumentHolder.txtInsHyperlink": "Hiperligação", + "SSE.Views.DocumentHolder.txtNumber": "Número", + "SSE.Views.DocumentHolder.txtNumFormat": "Formato de número", + "SSE.Views.DocumentHolder.txtPaste": "Colar", + "SSE.Views.DocumentHolder.txtPercentage": "Percentagem", + "SSE.Views.DocumentHolder.txtReapply": "Aplicar", + "SSE.Views.DocumentHolder.txtRow": "Linha inteira", + "SSE.Views.DocumentHolder.txtRowHeight": "Altura da linha", + "SSE.Views.DocumentHolder.txtScientific": "Científico", + "SSE.Views.DocumentHolder.txtSelect": "Selecionar", + "SSE.Views.DocumentHolder.txtShiftDown": "Deslocar células para baixo", + "SSE.Views.DocumentHolder.txtShiftLeft": "Deslocar células para a esquerda", + "SSE.Views.DocumentHolder.txtShiftRight": "Deslocar células para a direita", + "SSE.Views.DocumentHolder.txtShiftUp": "Deslocar células para cima", + "SSE.Views.DocumentHolder.txtShow": "Mostrar", + "SSE.Views.DocumentHolder.txtShowComment": "Mostrar Comentário", + "SSE.Views.DocumentHolder.txtSort": "Classificar", + "SSE.Views.DocumentHolder.txtSortCellColor": "Cor da Célula Selecionada Em Cima", + "SSE.Views.DocumentHolder.txtSortFontColor": "Cor do Tipo de Letra Selecionada Em Cima", + "SSE.Views.DocumentHolder.txtSparklines": "Sparklines", + "SSE.Views.DocumentHolder.txtText": "Тexto", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Configurações avançadas de parágrafo", + "SSE.Views.DocumentHolder.txtTime": "Hora", + "SSE.Views.DocumentHolder.txtUngroup": "Desagrupar", + "SSE.Views.DocumentHolder.txtWidth": "Largura", + "SSE.Views.DocumentHolder.vertAlignText": "Alinhamento vertical", + "SSE.Views.FieldSettingsDialog.strLayout": "Disposição", + "SSE.Views.FieldSettingsDialog.strSubtotals": "Subtotais", + "SSE.Views.FieldSettingsDialog.textReport": "Reportar Forma", + "SSE.Views.FieldSettingsDialog.textTitle": "Definições de campo", + "SSE.Views.FieldSettingsDialog.txtAverage": "Média", + "SSE.Views.FieldSettingsDialog.txtBlank": "Inserir Linhas em Branco depois de cada item", + "SSE.Views.FieldSettingsDialog.txtBottom": "Mostrar no fundo do grupo", + "SSE.Views.FieldSettingsDialog.txtCompact": "Compactar", + "SSE.Views.FieldSettingsDialog.txtCount": "Contagem", + "SSE.Views.FieldSettingsDialog.txtCountNums": "Contar números", + "SSE.Views.FieldSettingsDialog.txtCustomName": "Nome personalizado", + "SSE.Views.FieldSettingsDialog.txtEmpty": "Mostrar itens sem dados", + "SSE.Views.FieldSettingsDialog.txtMax": "Máx", + "SSE.Views.FieldSettingsDialog.txtMin": "Min.", + "SSE.Views.FieldSettingsDialog.txtOutline": "Destaque", + "SSE.Views.FieldSettingsDialog.txtProduct": "Produto", + "SSE.Views.FieldSettingsDialog.txtRepeat": "Repetir as etiquetas dos itens em cada linha", + "SSE.Views.FieldSettingsDialog.txtShowSubtotals": "Mostra subtotais", + "SSE.Views.FieldSettingsDialog.txtSourceName": "Nome da origem:", + "SSE.Views.FieldSettingsDialog.txtStdDev": "Desv.Padr", + "SSE.Views.FieldSettingsDialog.txtStdDevp": "Desv.PadrP", + "SSE.Views.FieldSettingsDialog.txtSum": "Soma", + "SSE.Views.FieldSettingsDialog.txtSummarize": "Funções para subtotais", + "SSE.Views.FieldSettingsDialog.txtTabular": "Tabela", + "SSE.Views.FieldSettingsDialog.txtTop": "Mostrar no topo do grupo", + "SSE.Views.FieldSettingsDialog.txtVar": "Var", + "SSE.Views.FieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.FileMenu.btnBackCaption": "Abrir localização", + "SSE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", + "SSE.Views.FileMenu.btnCreateNewCaption": "Criar novo", + "SSE.Views.FileMenu.btnDownloadCaption": "Descarregar como...", + "SSE.Views.FileMenu.btnExitCaption": "Fechar", + "SSE.Views.FileMenu.btnFileOpenCaption": "Abrir...", + "SSE.Views.FileMenu.btnHelpCaption": "Ajuda...", + "SSE.Views.FileMenu.btnHistoryCaption": "Histórico da versão", + "SSE.Views.FileMenu.btnInfoCaption": "Informações da planilha", + "SSE.Views.FileMenu.btnPrintCaption": "Imprimir", + "SSE.Views.FileMenu.btnProtectCaption": "Proteger", + "SSE.Views.FileMenu.btnRecentFilesCaption": "Abrir recente...", + "SSE.Views.FileMenu.btnRenameCaption": "Renomear...", + "SSE.Views.FileMenu.btnReturnCaption": "Voltar para planilha", + "SSE.Views.FileMenu.btnRightsCaption": "Direitos de Acesso...", + "SSE.Views.FileMenu.btnSaveAsCaption": "Save as", + "SSE.Views.FileMenu.btnSaveCaption": "Salvar", + "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Guardar cópia como...", + "SSE.Views.FileMenu.btnSettingsCaption": "Definições avançadas...", + "SSE.Views.FileMenu.btnToEditCaption": "Editar planilha", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "Folha de Cálculo em branco", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Criar novo", + "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplicar", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Adicionar autor", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Adicionar texto", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Aplicação", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Autor", + "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Alterar direitos de acesso", + "SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "Comentário", + "SSE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Criado", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Última modificação por", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Última modificação", + "SSE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Proprietário", + "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Localização", + "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "Pessoas que têm direitos", + "SSE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Assunto", + "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Título", + "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Carregado", + "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Alterar direitos de acesso", + "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Pessoas que têm direitos", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplicar", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separador decimal", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rápido", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Dicas de fonte", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Guardar sempre no servidor (caso contrário, guardar no servidor ao fechar o documento)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Definições de macros", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Cortar, copiar e colar", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Mostrar botão Opções de colagem ao colar conteúdo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Definições regionais", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example:", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema da interface", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separador de milhares", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Unidade de medida", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Utilizar separadores de acordo com as definições regionais", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Valor de zoom padrão", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "A cada 10 minutos", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "A cada 30 minutos", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text5Minutes": "A cada 5 minutos", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text60Minutes": "A cada hora", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Recuperação automática", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Salvamento automático", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Desabilitado", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Salvar para servidor", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "A cada minuto", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Estilo de Referência", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Bielorrusso", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Búlgaro", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Catalão", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Modo de cache padrão", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centímetro", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Checo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Dinamarquês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Deutsch", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Grego", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Espanhol", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Finlandês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "Húngaro", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonésio", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Polegada", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiano", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreano", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "como SO X", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Nativo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Norueguês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Neerlandês", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Polaco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Ponto", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "Português (Brasil)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Português (Portugal)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Romeno", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russian", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Ativar tudo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Ativar todas as macros sem notificação", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Eslovaco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Esloveno", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Desativar tudo", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Desativar todas as macros sem uma notificação", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Sueco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turco", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ucraniano", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnamita", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Mostrar notificação", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Desativar todas as macros com uma notificação", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "como Windows", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinês", + "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Aviso", + "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Com palavra-passe", + "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteger Folha de Cálculo", + "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "Com assinatura", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Editar planilha", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Se editar este documento, remove as assinaturas.
                              Tem a certeza de que deseja continuar?", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "A folha de cálculo está protegida com uma palavra-passe", + "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Esta folha de cálculo precisa de ser assinada.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Assinaturas adicionadas ao documento. Esta folha de cálculo não pode ser editada.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Esta folha de cálculo documento não pode ser editada.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Ver assinaturas", + "SSE.Views.FormatRulesEditDlg.fillColor": "Cor de preenchimento", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Aviso", + "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Escala de cor", + "SSE.Views.FormatRulesEditDlg.text3Scales": "3 Escala de cor", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Todas as bordas", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Aparência da Barra", + "SSE.Views.FormatRulesEditDlg.textApply": "Aplicar a Intervalo", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Automático", + "SSE.Views.FormatRulesEditDlg.textAxis": "Eixo", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Direção da Barra", + "SSE.Views.FormatRulesEditDlg.textBold": "Negrito", + "SSE.Views.FormatRulesEditDlg.textBorder": "Borda", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Cor das bordas", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Estilo de borda", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Bordas inferiores", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "Não foi possível adicionar a formatação condicional.", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Ponto intermédio da célula", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Bordas verticais interiores", + "SSE.Views.FormatRulesEditDlg.textClear": "Limpar", + "SSE.Views.FormatRulesEditDlg.textColor": "Cor do texto", + "SSE.Views.FormatRulesEditDlg.textContext": "Contexto", + "SSE.Views.FormatRulesEditDlg.textCustom": "Personalizado", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Borda inferior diagonal", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Borda superior diagonal", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Introduza uma fórmula válida", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "A fórmula introduzida não devolve um número, uma data, hora ou cadeia.", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Introduza um valor.", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "O valor que introduziu não é um número, data, hora ou string válido.", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "O valor para o {0} deve ser maior do que o valor para o {1}.", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Introduza um número entre {0} e {1}.", + "SSE.Views.FormatRulesEditDlg.textFill": "Preencher", + "SSE.Views.FormatRulesEditDlg.textFormat": "Formato", + "SSE.Views.FormatRulesEditDlg.textFormula": "Fórmula", + "SSE.Views.FormatRulesEditDlg.textGradient": "Gradiente", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "quando {0} {1} e", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "quando {0} {1}", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "quando o valor é", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Um ou mais intervalos de dados de ícone estão sobrepostos.
                              Ajuste os valores dos intervalos de dados de ícone de forma a que os intervalos não se sobreponham.", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "Estilo do Ícone", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Bordas interiores", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Intervalo de dados inválido.", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.FormatRulesEditDlg.textItalic": "Itálico", + "SSE.Views.FormatRulesEditDlg.textItem": "Item", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "Da esquerda para a direita", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Bordas esquerdas", + "SSE.Views.FormatRulesEditDlg.textLongBar": "Barra mais longa", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Máximo", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Ponto máximo", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Bordas horizontais interiores", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Ponto médio", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínimo", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Ponto mínimo", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sem bordas", + "SSE.Views.FormatRulesEditDlg.textNone": "Nenhum", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Um ou mais dos valores especificados não é uma percentagem válida.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "O valor especificado {0} não é uma percentagem válida.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Um ou mais dos valores especificados não é um percentil válido.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "O valor especificado {0} não é um percentil válido.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Bordas externas", + "SSE.Views.FormatRulesEditDlg.textPercent": "Percentagem", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Percentil", + "SSE.Views.FormatRulesEditDlg.textPosition": "Posição", + "SSE.Views.FormatRulesEditDlg.textPositive": "Positivo", + "SSE.Views.FormatRulesEditDlg.textPresets": "Predefinições", + "SSE.Views.FormatRulesEditDlg.textPreview": "Pré-visualizar", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "Não é possível utilizar referências relativas em critérios de formatação condicional para escalas de cor, barras de dados e conjuntos de ícones.", + "SSE.Views.FormatRulesEditDlg.textReverse": "Ordem Inversa de Ícones", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "Da Direita para a esquerda", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Bordas direitas", + "SSE.Views.FormatRulesEditDlg.textRule": "Regra", + "SSE.Views.FormatRulesEditDlg.textSameAs": "O mesmo que positivo", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Selecionar dados", + "SSE.Views.FormatRulesEditDlg.textShortBar": "Barra mais curta", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Mostrar apenas a barra", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Mostrar apenas o ícone", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "Este tipo de referência não pode ser usado numa fórmula de formatação condicional.
                              Altere a referência para uma única célula, ou utilize a referência com uma função de folha de cálculo, tal como =SUM(A1:B5).", + "SSE.Views.FormatRulesEditDlg.textSolid": "Sólido", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Rasurado", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Subscrito", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Sobrescrito", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "Bordas superiores", + "SSE.Views.FormatRulesEditDlg.textUnderline": "Sublinhado", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Bordas", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formato de número", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Contabilidade", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Moeda", + "SSE.Views.FormatRulesEditDlg.txtDate": "Data", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Este campo é obrigatório", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Fração", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "Geral", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "Sem Ícone", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Número", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentagem", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Científico", + "SSE.Views.FormatRulesEditDlg.txtText": "Тexto", + "SSE.Views.FormatRulesEditDlg.txtTime": "Tempo", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Editar Regra de Formatação", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nova Regra de Formatação", + "SSE.Views.FormatRulesManagerDlg.guestText": "Visitante", + "SSE.Views.FormatRulesManagerDlg.lockText": "Bloqueada", + "SSE.Views.FormatRulesManagerDlg.text1Above": "1 acima da média do desv. padr. ", + "SSE.Views.FormatRulesManagerDlg.text1Below": "1 desv. padr. abaixo da média ", + "SSE.Views.FormatRulesManagerDlg.text2Above": "2 acima da média do desv. padr. ", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 desv. padr. abaixo da média", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 acima da média do desv. padr. ", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 desv. padr. abaixo da média", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Acima da média", + "SSE.Views.FormatRulesManagerDlg.textApply": "Aplicar a", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "O valor da célula começa por", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Abaixo da média", + "SSE.Views.FormatRulesManagerDlg.textBetween": "Está entre {0} e {1}", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "Valor da célula", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "Escala de cor progressiva", + "SSE.Views.FormatRulesManagerDlg.textContains": "O valor da célula contém", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "A célula contém um valor em branco", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "A célula contém um erro", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Eliminar", + "SSE.Views.FormatRulesManagerDlg.textDown": "Mover regra para baixo", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Duplicar valores", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Editar", + "SSE.Views.FormatRulesManagerDlg.textEnds": "O valor da célula acaba em", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "Igual ou maior que a média", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Igual ou menor que a média", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Formato", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "Conjunto de ícones", + "SSE.Views.FormatRulesManagerDlg.textNew": "Novo", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "Não está entre {0} e {1}", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "O valor da célula não contém", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "A célula não contém um valor branco", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "A célula não tem nenhum erro", + "SSE.Views.FormatRulesManagerDlg.textRules": "Regras", + "SSE.Views.FormatRulesManagerDlg.textScope": "Mostrar regras de formatação para", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Selecionar dados", + "SSE.Views.FormatRulesManagerDlg.textSelection": "Seleção Atual", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Este pivô", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Esta folha de cálculo", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "Esta tabela", + "SSE.Views.FormatRulesManagerDlg.textUnique": "Valores únicos", + "SSE.Views.FormatRulesManagerDlg.textUp": "Mover regra para cima", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Este elemento está sendo editado por outro usuário.", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "Formatação condicional", + "SSE.Views.FormatSettingsDialog.textCategory": "Categoria", + "SSE.Views.FormatSettingsDialog.textDecimal": "Decimal", + "SSE.Views.FormatSettingsDialog.textFormat": "Formato", + "SSE.Views.FormatSettingsDialog.textLinked": "Ligado à origem", + "SSE.Views.FormatSettingsDialog.textSeparator": "Usar o separador 1000", + "SSE.Views.FormatSettingsDialog.textSymbols": "Símbolos", + "SSE.Views.FormatSettingsDialog.textTitle": "Formato de número", + "SSE.Views.FormatSettingsDialog.txtAccounting": "Contabilidade", + "SSE.Views.FormatSettingsDialog.txtAs10": "Como décimas (5/10)", + "SSE.Views.FormatSettingsDialog.txtAs100": "Como centenas (50/100)", + "SSE.Views.FormatSettingsDialog.txtAs16": "Como 16 avos (8/16)", + "SSE.Views.FormatSettingsDialog.txtAs2": "Como meias (1/2)", + "SSE.Views.FormatSettingsDialog.txtAs4": "Como quartos (2/4)", + "SSE.Views.FormatSettingsDialog.txtAs8": "Como oitavos (4/8)", + "SSE.Views.FormatSettingsDialog.txtCurrency": "Moeda", + "SSE.Views.FormatSettingsDialog.txtCustom": "Personalizado", + "SSE.Views.FormatSettingsDialog.txtCustomWarning": "Por favor, introduza cuidadosamente o formato do número personalizado. O Editor de Folhas de Cálculo não verifica os formatos personalizados para aferir possíveis erros que possam afetar o ficheiro xlsx.", + "SSE.Views.FormatSettingsDialog.txtDate": "Data", + "SSE.Views.FormatSettingsDialog.txtFraction": "Fração", + "SSE.Views.FormatSettingsDialog.txtGeneral": "Geral", + "SSE.Views.FormatSettingsDialog.txtNone": "Nenhum", + "SSE.Views.FormatSettingsDialog.txtNumber": "Número", + "SSE.Views.FormatSettingsDialog.txtPercentage": "Percentagem", + "SSE.Views.FormatSettingsDialog.txtSample": "Amostra:", + "SSE.Views.FormatSettingsDialog.txtScientific": "Científico", + "SSE.Views.FormatSettingsDialog.txtText": "Тexto", + "SSE.Views.FormatSettingsDialog.txtTime": "Hora", + "SSE.Views.FormatSettingsDialog.txtUpto1": "Até um dígito (1/3)", + "SSE.Views.FormatSettingsDialog.txtUpto2": "Até dois dígitos (12/25)", + "SSE.Views.FormatSettingsDialog.txtUpto3": "Até três dígitos (131/135)", + "SSE.Views.FormulaDialog.sDescription": "Descrição", + "SSE.Views.FormulaDialog.textGroupDescription": "Selecionar grupo de função", + "SSE.Views.FormulaDialog.textListDescription": "Selecionar função", + "SSE.Views.FormulaDialog.txtRecommended": "Recomendado", + "SSE.Views.FormulaDialog.txtSearch": "Pesquisa", + "SSE.Views.FormulaDialog.txtTitle": "Inserir função", + "SSE.Views.FormulaTab.textAutomatic": "Automático", + "SSE.Views.FormulaTab.textCalculateCurrentSheet": "Calcular folha completa", + "SSE.Views.FormulaTab.textCalculateWorkbook": "Calcular livro", + "SSE.Views.FormulaTab.textManual": "Manual", + "SSE.Views.FormulaTab.tipCalculate": "Calcular", + "SSE.Views.FormulaTab.tipCalculateTheEntireWorkbook": "Calcular livro", + "SSE.Views.FormulaTab.txtAdditional": "Adicional", + "SSE.Views.FormulaTab.txtAutosum": "Soma automática", + "SSE.Views.FormulaTab.txtAutosumTip": "Somatório", + "SSE.Views.FormulaTab.txtCalculation": "Cálculos", + "SSE.Views.FormulaTab.txtFormula": "Função", + "SSE.Views.FormulaTab.txtFormulaTip": "Inserir função", + "SSE.Views.FormulaTab.txtMore": "Mais funções", + "SSE.Views.FormulaTab.txtRecent": "Utilizado recentemente", + "SSE.Views.FormulaWizard.textAny": "qualquer", + "SSE.Views.FormulaWizard.textArgument": "Argumento", + "SSE.Views.FormulaWizard.textFunction": "Função", + "SSE.Views.FormulaWizard.textFunctionRes": "Resultado da Função", + "SSE.Views.FormulaWizard.textHelp": "Ajuda nesta função", + "SSE.Views.FormulaWizard.textLogical": "Logical", + "SSE.Views.FormulaWizard.textNoArgs": "Esta função não tem argumentos", + "SSE.Views.FormulaWizard.textNumber": "Número", + "SSE.Views.FormulaWizard.textRef": "Referência", + "SSE.Views.FormulaWizard.textText": "Тexto", + "SSE.Views.FormulaWizard.textTitle": "Argumentos da Função", + "SSE.Views.FormulaWizard.textValue": "Resultado da fórmula", + "SSE.Views.HeaderFooterDialog.textAlign": "Alinhas com as margens da página", + "SSE.Views.HeaderFooterDialog.textAll": "Todas as páginas", + "SSE.Views.HeaderFooterDialog.textBold": "Negrito", + "SSE.Views.HeaderFooterDialog.textCenter": "Centro", + "SSE.Views.HeaderFooterDialog.textColor": "Cor do texto", + "SSE.Views.HeaderFooterDialog.textDate": "Data", + "SSE.Views.HeaderFooterDialog.textDiffFirst": "Primeira página diferente", + "SSE.Views.HeaderFooterDialog.textDiffOdd": "Páginas pares e ímpares diferentes", + "SSE.Views.HeaderFooterDialog.textEven": "Página par", + "SSE.Views.HeaderFooterDialog.textFileName": "Nome do ficheiro", + "SSE.Views.HeaderFooterDialog.textFirst": "Primeira página", + "SSE.Views.HeaderFooterDialog.textFooter": "Rodapé", + "SSE.Views.HeaderFooterDialog.textHeader": "Cabeçalho", + "SSE.Views.HeaderFooterDialog.textInsert": "Inserir", + "SSE.Views.HeaderFooterDialog.textItalic": "Itálico", + "SSE.Views.HeaderFooterDialog.textLeft": "Esquerda", + "SSE.Views.HeaderFooterDialog.textMaxError": "A cadeia de texto que introduziu é demasiado longa. Reduza o número de caracteres utilizados.", + "SSE.Views.HeaderFooterDialog.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.HeaderFooterDialog.textOdd": "Página ímpar", + "SSE.Views.HeaderFooterDialog.textPageCount": "Número de páginas", + "SSE.Views.HeaderFooterDialog.textPageNum": "Número de página", + "SSE.Views.HeaderFooterDialog.textPresets": "Predefinições", + "SSE.Views.HeaderFooterDialog.textRight": "Direita", + "SSE.Views.HeaderFooterDialog.textScale": "Ajustar ao documento", + "SSE.Views.HeaderFooterDialog.textSheet": "Nome da folha", + "SSE.Views.HeaderFooterDialog.textStrikeout": "Rasurado", + "SSE.Views.HeaderFooterDialog.textSubscript": "Subscrito", + "SSE.Views.HeaderFooterDialog.textSuperscript": "Sobrescrito", + "SSE.Views.HeaderFooterDialog.textTime": "Hora", + "SSE.Views.HeaderFooterDialog.textTitle": "Definições de cabeçalho/rodapé", + "SSE.Views.HeaderFooterDialog.textUnderline": "Sublinhado", + "SSE.Views.HeaderFooterDialog.tipFontName": "Tipo de letra", + "SSE.Views.HeaderFooterDialog.tipFontSize": "Tamanho do tipo de letra", + "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Exibir", + "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Ligação a", + "SSE.Views.HyperlinkSettingsDialog.strRange": "Intervalo", + "SSE.Views.HyperlinkSettingsDialog.strSheet": "Folha", + "SSE.Views.HyperlinkSettingsDialog.textCopy": "Copiar", + "SSE.Views.HyperlinkSettingsDialog.textDefault": "Intervalo selecionado", + "SSE.Views.HyperlinkSettingsDialog.textEmptyDesc": "Inserir legenda aqui", + "SSE.Views.HyperlinkSettingsDialog.textEmptyLink": "Introduzir ligação aqui", + "SSE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Inserir dica de ferramenta aqui", + "SSE.Views.HyperlinkSettingsDialog.textExternalLink": "Ligação externa", + "SSE.Views.HyperlinkSettingsDialog.textGetLink": "Obter ligação", + "SSE.Views.HyperlinkSettingsDialog.textInternalLink": "Intervalo de dados interno", + "SSE.Views.HyperlinkSettingsDialog.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.HyperlinkSettingsDialog.textNames": "Nomes definidos", + "SSE.Views.HyperlinkSettingsDialog.textSelectData": "Selecionar dados", + "SSE.Views.HyperlinkSettingsDialog.textSheets": "Folhas", + "SSE.Views.HyperlinkSettingsDialog.textTipText": "Texto de dica de tela:", + "SSE.Views.HyperlinkSettingsDialog.textTitle": "Definições de hiperligação", + "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Este campo deve ser uma URL no formato \"http://www.example.com\"", + "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Este campo está limitado a 2083 caracteres", + "SSE.Views.ImageSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.ImageSettings.textCrop": "Recortar", + "SSE.Views.ImageSettings.textCropFill": "Preencher", + "SSE.Views.ImageSettings.textCropFit": "Ajustar", + "SSE.Views.ImageSettings.textCropToShape": "Recortar com Forma", + "SSE.Views.ImageSettings.textEdit": "Editar", + "SSE.Views.ImageSettings.textEditObject": "Editar objeto", + "SSE.Views.ImageSettings.textFlip": "Virar", + "SSE.Views.ImageSettings.textFromFile": "De um ficheiro", + "SSE.Views.ImageSettings.textFromStorage": "De um armazenamento", + "SSE.Views.ImageSettings.textFromUrl": "De um URL", + "SSE.Views.ImageSettings.textHeight": "Altura", + "SSE.Views.ImageSettings.textHint270": "Rodar 90º à esquerda", + "SSE.Views.ImageSettings.textHint90": "Rodar 90º à direita", + "SSE.Views.ImageSettings.textHintFlipH": "Virar horizontalmente", + "SSE.Views.ImageSettings.textHintFlipV": "Virar verticalmente", + "SSE.Views.ImageSettings.textInsert": "Substituir imagem", + "SSE.Views.ImageSettings.textKeepRatio": "Proporções constantes", + "SSE.Views.ImageSettings.textOriginalSize": "Tamanho real", + "SSE.Views.ImageSettings.textRecentlyUsed": "Utilizado recentemente", + "SSE.Views.ImageSettings.textRotate90": "Rodar 90°", + "SSE.Views.ImageSettings.textRotation": "Rotação", + "SSE.Views.ImageSettings.textSize": "Tamanho", + "SSE.Views.ImageSettings.textWidth": "Largura", + "SSE.Views.ImageSettingsAdvanced.textAbsolute": "Não mover ou redimensionar com células", + "SSE.Views.ImageSettingsAdvanced.textAlt": "Texto alternativo", + "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Descrição", + "SSE.Views.ImageSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Título", + "SSE.Views.ImageSettingsAdvanced.textAngle": "Ângulo", + "SSE.Views.ImageSettingsAdvanced.textFlipped": "Invertido", + "SSE.Views.ImageSettingsAdvanced.textHorizontally": "Horizontalmente", + "SSE.Views.ImageSettingsAdvanced.textOneCell": "Mover mas não redimensionar células", + "SSE.Views.ImageSettingsAdvanced.textRotation": "Rotação", + "SSE.Views.ImageSettingsAdvanced.textSnap": "Alinhamento de células", + "SSE.Views.ImageSettingsAdvanced.textTitle": "Imagem - Definições avançadas", + "SSE.Views.ImageSettingsAdvanced.textTwoCell": "Mover e redimensionar com células", + "SSE.Views.ImageSettingsAdvanced.textVertically": "Verticalmente", + "SSE.Views.LeftMenu.tipAbout": "Sobre", + "SSE.Views.LeftMenu.tipChat": "Gráfico", + "SSE.Views.LeftMenu.tipComments": "Comentários", + "SSE.Views.LeftMenu.tipFile": "Ficheiro", + "SSE.Views.LeftMenu.tipPlugins": "Plugins", + "SSE.Views.LeftMenu.tipSearch": "Pesquisa", + "SSE.Views.LeftMenu.tipSpellcheck": "Verificação ortográfica", + "SSE.Views.LeftMenu.tipSupport": "Feedback e Suporte", + "SSE.Views.LeftMenu.txtDeveloper": "MODO DE DESENVOLVEDOR", + "SSE.Views.LeftMenu.txtLimit": "Limitar o acesso", + "SSE.Views.LeftMenu.txtTrial": "MODO DE TESTE", + "SSE.Views.LeftMenu.txtTrialDev": "Versão de Avaliação do Modo de Programador", + "SSE.Views.MacroDialog.textMacro": "Nome da Macro", + "SSE.Views.MacroDialog.textTitle": "Atribuir Macro", + "SSE.Views.MainSettingsPrint.okButtonText": "Salvar", + "SSE.Views.MainSettingsPrint.strBottom": "Inferior", + "SSE.Views.MainSettingsPrint.strLandscape": "Paisagem", + "SSE.Views.MainSettingsPrint.strLeft": "Esquerda", + "SSE.Views.MainSettingsPrint.strMargins": "Margens", + "SSE.Views.MainSettingsPrint.strPortrait": "Retrato", + "SSE.Views.MainSettingsPrint.strPrint": "Imprimir", + "SSE.Views.MainSettingsPrint.strPrintTitles": "Imprimir títulos", + "SSE.Views.MainSettingsPrint.strRight": "Direita", + "SSE.Views.MainSettingsPrint.strTop": "Parte superior", + "SSE.Views.MainSettingsPrint.textActualSize": "Tamanho real", + "SSE.Views.MainSettingsPrint.textCustom": "Personalizado", + "SSE.Views.MainSettingsPrint.textCustomOptions": "Opções de Personalização", + "SSE.Views.MainSettingsPrint.textFitCols": "Ajustar colunas a uma página", + "SSE.Views.MainSettingsPrint.textFitPage": "Ajustar folha a uma página", + "SSE.Views.MainSettingsPrint.textFitRows": "Ajustar linhas a uma página", + "SSE.Views.MainSettingsPrint.textPageOrientation": "Orientação da página", + "SSE.Views.MainSettingsPrint.textPageScaling": "A ajustar", + "SSE.Views.MainSettingsPrint.textPageSize": "Tamanho da página", + "SSE.Views.MainSettingsPrint.textPrintGrid": "Imprimir linhas de grade", + "SSE.Views.MainSettingsPrint.textPrintHeadings": "Imprimir cabeçalho de linhas e de colunas", + "SSE.Views.MainSettingsPrint.textRepeat": "Repetir…", + "SSE.Views.MainSettingsPrint.textRepeatLeft": "Repetir colunas à esquerda", + "SSE.Views.MainSettingsPrint.textRepeatTop": "Repetir linhas no topo", + "SSE.Views.MainSettingsPrint.textSettings": "Definições para", + "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "Os intervalos nomeados existentes não podem ser criados e os novos também não
                              podem ser editados porque alguns deles estão a ser editados.", + "SSE.Views.NamedRangeEditDlg.namePlaceholder": "Defined name", + "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "Aviso", + "SSE.Views.NamedRangeEditDlg.strWorkbook": "Workbook", + "SSE.Views.NamedRangeEditDlg.textDataRange": "Intervalo de dados", + "SSE.Views.NamedRangeEditDlg.textExistName": "ERROR! Range with such a name already exists", + "SSE.Views.NamedRangeEditDlg.textInvalidName": "ERROR! Invalid range name", + "SSE.Views.NamedRangeEditDlg.textInvalidRange": "ERROR! Invalid cell range", + "SSE.Views.NamedRangeEditDlg.textIsLocked": "ERRO! Este elemento está a ser editado por outro utilizador.", + "SSE.Views.NamedRangeEditDlg.textName": "Nome", + "SSE.Views.NamedRangeEditDlg.textReservedName": "The name you are trying to use is already referenced in cell formulas. Please use some other name.", + "SSE.Views.NamedRangeEditDlg.textScope": "Scope", + "SSE.Views.NamedRangeEditDlg.textSelectData": "Selecionar dados", + "SSE.Views.NamedRangeEditDlg.txtEmpty": "Este campo é obrigatório", + "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "Edit Name", + "SSE.Views.NamedRangeEditDlg.txtTitleNew": "New Name", + "SSE.Views.NamedRangePasteDlg.textNames": "Named Ranges", + "SSE.Views.NamedRangePasteDlg.txtTitle": "Paste Name", + "SSE.Views.NameManagerDlg.closeButtonText": "Fechar", + "SSE.Views.NameManagerDlg.guestText": "Visitante", + "SSE.Views.NameManagerDlg.lockText": "Bloqueada", + "SSE.Views.NameManagerDlg.textDataRange": "Intervalo de dados", + "SSE.Views.NameManagerDlg.textDelete": "Eliminar", + "SSE.Views.NameManagerDlg.textEdit": "Editar", + "SSE.Views.NameManagerDlg.textEmpty": "Ainda não existem intervalos nomeados.
                              Tem que criar, pelo menos, um intervalo nomeado para poder aparecer neste campo.", + "SSE.Views.NameManagerDlg.textFilter": "Filtro", + "SSE.Views.NameManagerDlg.textFilterAll": "Tudo", + "SSE.Views.NameManagerDlg.textFilterDefNames": "Defined names", + "SSE.Views.NameManagerDlg.textFilterSheet": "Names Scoped to Sheet", + "SSE.Views.NameManagerDlg.textFilterTableNames": "Nomes de tabela", + "SSE.Views.NameManagerDlg.textFilterWorkbook": "Names Scoped to Workbook", + "SSE.Views.NameManagerDlg.textNew": "Novo", + "SSE.Views.NameManagerDlg.textnoNames": "No named ranges matching your filter could be found.", + "SSE.Views.NameManagerDlg.textRanges": "Named Ranges", + "SSE.Views.NameManagerDlg.textScope": "Scope", + "SSE.Views.NameManagerDlg.textWorkbook": "Workbook", + "SSE.Views.NameManagerDlg.tipIsLocked": "Este elemento está a ser editado por outro utilizador.", + "SSE.Views.NameManagerDlg.txtTitle": "Name Manager", + "SSE.Views.NameManagerDlg.warnDelete": "Tem a certeza que quer apagar o nome{0}?", + "SSE.Views.PageMarginsDialog.textBottom": "Baixo", + "SSE.Views.PageMarginsDialog.textLeft": "Esquerda", + "SSE.Views.PageMarginsDialog.textRight": "Direita", + "SSE.Views.PageMarginsDialog.textTitle": "Margens", + "SSE.Views.PageMarginsDialog.textTop": "Parte superior", + "SSE.Views.ParagraphSettings.strLineHeight": "Espaçamento de linha", + "SSE.Views.ParagraphSettings.strParagraphSpacing": "Espaçamento", + "SSE.Views.ParagraphSettings.strSpacingAfter": "Depois", + "SSE.Views.ParagraphSettings.strSpacingBefore": "Antes", + "SSE.Views.ParagraphSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.ParagraphSettings.textAt": "Em", + "SSE.Views.ParagraphSettings.textAtLeast": "Pelo menos", + "SSE.Views.ParagraphSettings.textAuto": "Múltiplo", + "SSE.Views.ParagraphSettings.textExact": "Exatamente", + "SSE.Views.ParagraphSettings.txtAutoText": "Automático", + "SSE.Views.ParagraphSettingsAdvanced.noTabs": "Os separadores especificados aparecerão neste campo", + "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Todas maiúsculas", + "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Tachado duplo", + "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Recuos", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Esquerda", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Espaçamento entre linhas", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Direita", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Depois", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Antes", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Especial", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "Por", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Fonte", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Avanços e espaçamento", + "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Versalete", + "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Espaçamento", + "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Taxado", + "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Subscrito", + "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Sobrescrito", + "SSE.Views.ParagraphSettingsAdvanced.strTabs": "Aba", + "SSE.Views.ParagraphSettingsAdvanced.textAlign": "Alinhamento", + "SSE.Views.ParagraphSettingsAdvanced.textAuto": "Múltiplo", + "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "Espaçamento entre caracteres", + "SSE.Views.ParagraphSettingsAdvanced.textDefault": "Aba padrão", + "SSE.Views.ParagraphSettingsAdvanced.textEffects": "Efeitos", + "SSE.Views.ParagraphSettingsAdvanced.textExact": "Exatamente", + "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Primeira linha", + "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Suspensão", + "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Justificado", + "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(nenhum)", + "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Remover", + "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Remover todos", + "SSE.Views.ParagraphSettingsAdvanced.textSet": "Especificar", + "SSE.Views.ParagraphSettingsAdvanced.textTabCenter": "Centro", + "SSE.Views.ParagraphSettingsAdvanced.textTabLeft": "Esquerda", + "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "Posição da aba", + "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "Direita", + "SSE.Views.ParagraphSettingsAdvanced.textTitle": "Parágrafo - Definições avançadas", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "Automático", + "SSE.Views.PivotDigitalFilterDialog.capCondition1": "igual", + "SSE.Views.PivotDigitalFilterDialog.capCondition10": "não termina com", + "SSE.Views.PivotDigitalFilterDialog.capCondition11": "Contém", + "SSE.Views.PivotDigitalFilterDialog.capCondition12": "não contém", + "SSE.Views.PivotDigitalFilterDialog.capCondition13": "entre", + "SSE.Views.PivotDigitalFilterDialog.capCondition14": "Não está entre", + "SSE.Views.PivotDigitalFilterDialog.capCondition2": "não é igual a", + "SSE.Views.PivotDigitalFilterDialog.capCondition3": "é superior a", + "SSE.Views.PivotDigitalFilterDialog.capCondition4": "é superior ou igual a", + "SSE.Views.PivotDigitalFilterDialog.capCondition5": "é inferior a", + "SSE.Views.PivotDigitalFilterDialog.capCondition6": "é inferior ou igual a", + "SSE.Views.PivotDigitalFilterDialog.capCondition7": "começa com", + "SSE.Views.PivotDigitalFilterDialog.capCondition8": "não começa com", + "SSE.Views.PivotDigitalFilterDialog.capCondition9": "termina com", + "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "Mostrar itens para os quais a etiqueta:", + "SSE.Views.PivotDigitalFilterDialog.textShowValue": "Mostrar itens para os quais:", + "SSE.Views.PivotDigitalFilterDialog.textUse1": "Usar ? para apresentar qualquer caractere único", + "SSE.Views.PivotDigitalFilterDialog.textUse2": "Utilize * para mostrar qualquer série de caracteres", + "SSE.Views.PivotDigitalFilterDialog.txtAnd": "e", + "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Filtro de Etiqueta", + "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "Filtro de Valor", + "SSE.Views.PivotGroupDialog.textAuto": "Auto", + "SSE.Views.PivotGroupDialog.textBy": "Por", + "SSE.Views.PivotGroupDialog.textDays": "Dias", + "SSE.Views.PivotGroupDialog.textEnd": "A terminar em", + "SSE.Views.PivotGroupDialog.textError": "Este campo tem de ser um valor numérico", + "SSE.Views.PivotGroupDialog.textGreaterError": "O número final tem de ser maior que o número inicial.", + "SSE.Views.PivotGroupDialog.textHour": "Horas", + "SSE.Views.PivotGroupDialog.textMin": "Minutos", + "SSE.Views.PivotGroupDialog.textMonth": "Meses", + "SSE.Views.PivotGroupDialog.textNumDays": "Número de dias", + "SSE.Views.PivotGroupDialog.textQuart": "Quartos", + "SSE.Views.PivotGroupDialog.textSec": "Segundos", + "SSE.Views.PivotGroupDialog.textStart": "A partir das", + "SSE.Views.PivotGroupDialog.textYear": "Anos", + "SSE.Views.PivotGroupDialog.txtTitle": "A agrupar", + "SSE.Views.PivotSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.PivotSettings.textColumns": "Colunas", + "SSE.Views.PivotSettings.textFields": "Selecionar Campos", + "SSE.Views.PivotSettings.textFilters": "Filtros", + "SSE.Views.PivotSettings.textRows": "Linhas", + "SSE.Views.PivotSettings.textValues": "Valores", + "SSE.Views.PivotSettings.txtAddColumn": "Adicionar a colunas", + "SSE.Views.PivotSettings.txtAddFilter": "Adicionar a Filtros", + "SSE.Views.PivotSettings.txtAddRow": "Adicionar a linhas", + "SSE.Views.PivotSettings.txtAddValues": "Adicionar a valores", + "SSE.Views.PivotSettings.txtFieldSettings": "Definições de campo", + "SSE.Views.PivotSettings.txtMoveBegin": "Mover para o Início", + "SSE.Views.PivotSettings.txtMoveColumn": "Mover para as Colunas", + "SSE.Views.PivotSettings.txtMoveDown": "Mover para baixo", + "SSE.Views.PivotSettings.txtMoveEnd": "Mover para o Fim", + "SSE.Views.PivotSettings.txtMoveFilter": "Mover para os Filtros", + "SSE.Views.PivotSettings.txtMoveRow": "Mover para as Linhas", + "SSE.Views.PivotSettings.txtMoveUp": "Mover para cima", + "SSE.Views.PivotSettings.txtMoveValues": "Mover para Valores", + "SSE.Views.PivotSettings.txtRemove": "Remover Campo", + "SSE.Views.PivotSettingsAdvanced.strLayout": "Nome e disposição", + "SSE.Views.PivotSettingsAdvanced.textAlt": "Texto alternativo", + "SSE.Views.PivotSettingsAdvanced.textAltDescription": "Descrição", + "SSE.Views.PivotSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação do objeto visual, que será lida às pessoas com deficiências visuais ou cognitivas para as ajudar a compreender melhor a informação que existe na imagem, forma automática, gráfico ou tabela.", + "SSE.Views.PivotSettingsAdvanced.textAltTitle": "Título", + "SSE.Views.PivotSettingsAdvanced.textDataRange": "Intervalo de dados", + "SSE.Views.PivotSettingsAdvanced.textDataSource": "Fonte de dados", + "SSE.Views.PivotSettingsAdvanced.textDisplayFields": "Mostrar campos na área de filtros de relatórios", + "SSE.Views.PivotSettingsAdvanced.textDown": "Abaixo, depois por cima", + "SSE.Views.PivotSettingsAdvanced.textGrandTotals": "Totais Gerais", + "SSE.Views.PivotSettingsAdvanced.textHeaders": "Cabeçalhos de Campos", + "SSE.Views.PivotSettingsAdvanced.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.PivotSettingsAdvanced.textOver": "De cima para Baixo", + "SSE.Views.PivotSettingsAdvanced.textSelectData": "Selecionar dados", + "SSE.Views.PivotSettingsAdvanced.textShowCols": "Mostrar para colunas", + "SSE.Views.PivotSettingsAdvanced.textShowHeaders": "Mostrar cabeçalhos dos campos para linhas e colunas", + "SSE.Views.PivotSettingsAdvanced.textShowRows": "Mostrar para linhas", + "SSE.Views.PivotSettingsAdvanced.textTitle": "Tabela dinâmica - Definições avançadas", + "SSE.Views.PivotSettingsAdvanced.textWrapCol": "Reportar campos de filtro do relatório por coluna", + "SSE.Views.PivotSettingsAdvanced.textWrapRow": "Reportar campos de filtro do relatório por linha", + "SSE.Views.PivotSettingsAdvanced.txtEmpty": "Este campo é obrigatório", + "SSE.Views.PivotSettingsAdvanced.txtName": "Nome", + "SSE.Views.PivotTable.capBlankRows": "Linha vazias", + "SSE.Views.PivotTable.capGrandTotals": "Totais Gerais", + "SSE.Views.PivotTable.capLayout": "Disposição do relatório", + "SSE.Views.PivotTable.capSubtotals": "Subtotais", + "SSE.Views.PivotTable.mniBottomSubtotals": "Mostrar todos os Subtotais no Fundo do Grupo", + "SSE.Views.PivotTable.mniInsertBlankLine": "Inserir Linha em Branco depois de Cada Item", + "SSE.Views.PivotTable.mniLayoutCompact": "Mostrar em Formato Compacto", + "SSE.Views.PivotTable.mniLayoutNoRepeat": "Não Repetir Todos os Rótulos dos Itens", + "SSE.Views.PivotTable.mniLayoutOutline": "Mostrar em Formato de Destaques", + "SSE.Views.PivotTable.mniLayoutRepeat": "Repetir Todas as Etiquetas de Item", + "SSE.Views.PivotTable.mniLayoutTabular": "Mostrar em Formato Tabular", + "SSE.Views.PivotTable.mniNoSubtotals": "Não Mostrar Subtotais", + "SSE.Views.PivotTable.mniOffTotals": "Ativado para Linhas e Colunas", + "SSE.Views.PivotTable.mniOnColumnsTotals": "Ativado apenas para Colunas", + "SSE.Views.PivotTable.mniOnRowsTotals": "Ativado apenas para Linhas ", + "SSE.Views.PivotTable.mniOnTotals": "Ativado para Linhas e Colunas", + "SSE.Views.PivotTable.mniRemoveBlankLine": "Remover a Linha Branca a Seguir a Cada Item", + "SSE.Views.PivotTable.mniTopSubtotals": "Mostrar todos os Subtotais no Topo do Grupo", + "SSE.Views.PivotTable.textColBanded": "Colunas em bandas", + "SSE.Views.PivotTable.textColHeader": "Cabeçalhos de coluna", + "SSE.Views.PivotTable.textRowBanded": "Linhas em bandas", + "SSE.Views.PivotTable.textRowHeader": "Cabeçalhos das Linhas", + "SSE.Views.PivotTable.tipCreatePivot": "Inserir tabela dinâmica", + "SSE.Views.PivotTable.tipGrandTotals": "Mostrar ou esconder os totais gerais", + "SSE.Views.PivotTable.tipRefresh": "Atualizar informação da origem de dados", + "SSE.Views.PivotTable.tipSelect": "Selecionar toda a tabela dinâmica", + "SSE.Views.PivotTable.tipSubtotals": "Mostrar ou esconder subtotais", + "SSE.Views.PivotTable.txtCreate": "Inserir tabela", + "SSE.Views.PivotTable.txtPivotTable": "Tabela dinâmica", + "SSE.Views.PivotTable.txtRefresh": "Atualizar", + "SSE.Views.PivotTable.txtSelect": "Selecionar", + "SSE.Views.PrintSettings.btnDownload": "Guardar e Descarregar", + "SSE.Views.PrintSettings.btnPrint": "Salvar e Imprimir", + "SSE.Views.PrintSettings.strBottom": "Inferior", + "SSE.Views.PrintSettings.strLandscape": "Paisagem", + "SSE.Views.PrintSettings.strLeft": "Esquerda", + "SSE.Views.PrintSettings.strMargins": "Margens", + "SSE.Views.PrintSettings.strPortrait": "Retrato", + "SSE.Views.PrintSettings.strPrint": "Imprimir", + "SSE.Views.PrintSettings.strPrintTitles": "Imprimir títulos", + "SSE.Views.PrintSettings.strRight": "Direita", + "SSE.Views.PrintSettings.strShow": "Mostrar", + "SSE.Views.PrintSettings.strTop": "Parte superior", + "SSE.Views.PrintSettings.textActualSize": "Tamanho real", + "SSE.Views.PrintSettings.textAllSheets": "Todas as folhas", + "SSE.Views.PrintSettings.textCurrentSheet": "Folha atual", + "SSE.Views.PrintSettings.textCustom": "Personalizado", + "SSE.Views.PrintSettings.textCustomOptions": "Opções de Personalização", + "SSE.Views.PrintSettings.textFitCols": "Ajustar colunas a uma página", + "SSE.Views.PrintSettings.textFitPage": "Ajustar folha a uma página", + "SSE.Views.PrintSettings.textFitRows": "Ajustar linhas a uma página", + "SSE.Views.PrintSettings.textHideDetails": "Ocultar detalhes", + "SSE.Views.PrintSettings.textIgnore": "Ignorar Área de Impressão", + "SSE.Views.PrintSettings.textLayout": "Disposição", + "SSE.Views.PrintSettings.textPageOrientation": "Orientação da página", + "SSE.Views.PrintSettings.textPageScaling": "A ajustar", + "SSE.Views.PrintSettings.textPageSize": "Tamanho da página", + "SSE.Views.PrintSettings.textPrintGrid": "Imprimir linhas de grade", + "SSE.Views.PrintSettings.textPrintHeadings": "Imprimir cabeçalho de linhas e de colunas", + "SSE.Views.PrintSettings.textPrintRange": "Imprimir intervalo", + "SSE.Views.PrintSettings.textRange": "Intervalo", + "SSE.Views.PrintSettings.textRepeat": "Repetir…", + "SSE.Views.PrintSettings.textRepeatLeft": "Repetir colunas à esquerda", + "SSE.Views.PrintSettings.textRepeatTop": "Repetir linhas no topo", + "SSE.Views.PrintSettings.textSelection": "Seleção", + "SSE.Views.PrintSettings.textSettings": "Definições de folha", + "SSE.Views.PrintSettings.textShowDetails": "Exibir detalhes", + "SSE.Views.PrintSettings.textShowGrid": "Mostrar Linhas de Grelha", + "SSE.Views.PrintSettings.textShowHeadings": "Mostrar cabeçalho de linhas e de colunas", + "SSE.Views.PrintSettings.textTitle": "Definições de impressão", + "SSE.Views.PrintSettings.textTitlePDF": "Definições de PDF", + "SSE.Views.PrintTitlesDialog.textFirstCol": "Primeira coluna", + "SSE.Views.PrintTitlesDialog.textFirstRow": "Primeira linha", + "SSE.Views.PrintTitlesDialog.textFrozenCols": "Colunas fixadas", + "SSE.Views.PrintTitlesDialog.textFrozenRows": "Linhas fixadas", + "SSE.Views.PrintTitlesDialog.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.PrintTitlesDialog.textLeft": "Repetir colunas à esquerda", + "SSE.Views.PrintTitlesDialog.textNoRepeat": "Não repetir", + "SSE.Views.PrintTitlesDialog.textRepeat": "Repetir…", + "SSE.Views.PrintTitlesDialog.textSelectRange": "Selecionar intervalo", + "SSE.Views.PrintTitlesDialog.textTitle": "Imprimir títulos", + "SSE.Views.PrintTitlesDialog.textTop": "Repetir linhas no topo", + "SSE.Views.PrintWithPreview.txtActualSize": "Tamanho real", + "SSE.Views.PrintWithPreview.txtAllSheets": "Todas as folhas", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Aplicar a todas as folhas", + "SSE.Views.PrintWithPreview.txtBottom": "Baixo", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Folha atual", + "SSE.Views.PrintWithPreview.txtCustom": "Personalizado", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Opções de Personalização", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Não há nada para imprimir porque a tabela está vazia.", + "SSE.Views.PrintWithPreview.txtFitCols": "Ajustar colunas a uma página", + "SSE.Views.PrintWithPreview.txtFitPage": "Ajustar folha a uma página", + "SSE.Views.PrintWithPreview.txtFitRows": "Ajustar linhas a uma página", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Linhas de Grelha e cabeçalhos", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Definições de cabeçalho/rodapé", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorar Área de Impressão", + "SSE.Views.PrintWithPreview.txtLandscape": "Paisagem", + "SSE.Views.PrintWithPreview.txtLeft": "Esquerda", + "SSE.Views.PrintWithPreview.txtMargins": "Margens", + "SSE.Views.PrintWithPreview.txtOf": "de {0}", + "SSE.Views.PrintWithPreview.txtPage": "Página", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Número da página inválido", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientação da página", + "SSE.Views.PrintWithPreview.txtPageSize": "Tamanho da página", + "SSE.Views.PrintWithPreview.txtPortrait": "Retrato", + "SSE.Views.PrintWithPreview.txtPrint": "Imprimir", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Imprimir linhas de grade", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Imprimir cabeçalho de linhas e de colunas", + "SSE.Views.PrintWithPreview.txtPrintRange": "Imprimir intervalo", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Imprimir títulos", + "SSE.Views.PrintWithPreview.txtRepeat": "Repetir…", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Repetir colunas à esquerda", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Repetir linhas no topo", + "SSE.Views.PrintWithPreview.txtRight": "Direita", + "SSE.Views.PrintWithPreview.txtSave": "Salvar", + "SSE.Views.PrintWithPreview.txtScaling": "A ajustar", + "SSE.Views.PrintWithPreview.txtSelection": "Seleção", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Definições da folha de cálculo", + "SSE.Views.PrintWithPreview.txtSheet": "Folha: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Parte superior", + "SSE.Views.ProtectDialog.textExistName": "ERRO! Um intervalo com esse título já existe", + "SSE.Views.ProtectDialog.textInvalidName": "O título do intervalo tem de começar com uma letra e só pode conter letras, números, e espaços.", + "SSE.Views.ProtectDialog.textInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.ProtectDialog.textSelectData": "Selecionar dados", + "SSE.Views.ProtectDialog.txtAllow": "Permitir que todos os utilizadores utilizam esta folha de cálculo para", + "SSE.Views.ProtectDialog.txtAutofilter": "Utilizar filtro automático", + "SSE.Views.ProtectDialog.txtDelCols": "Apagar colunas", + "SSE.Views.ProtectDialog.txtDelRows": "Apagar linhas", + "SSE.Views.ProtectDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.ProtectDialog.txtFormatCells": "Formatar células", + "SSE.Views.ProtectDialog.txtFormatCols": "Formatar colunas", + "SSE.Views.ProtectDialog.txtFormatRows": "Formatar linhas", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "A palavra-passe de confirmação não é idêntica", + "SSE.Views.ProtectDialog.txtInsCols": "Inserir colunas", + "SSE.Views.ProtectDialog.txtInsHyper": "Inserir hiperligação", + "SSE.Views.ProtectDialog.txtInsRows": "Inserir Linhas", + "SSE.Views.ProtectDialog.txtObjs": "Editar objetos", + "SSE.Views.ProtectDialog.txtOptional": "Opcional", + "SSE.Views.ProtectDialog.txtPassword": "Senha", + "SSE.Views.ProtectDialog.txtPivot": "Usar Tabela e Gráfico Dinâmico", + "SSE.Views.ProtectDialog.txtProtect": "Proteger", + "SSE.Views.ProtectDialog.txtRange": "Intervalo", + "SSE.Views.ProtectDialog.txtRangeName": "Título", + "SSE.Views.ProtectDialog.txtRepeat": "Repetição de palavra-passe", + "SSE.Views.ProtectDialog.txtScen": "Editar cenários", + "SSE.Views.ProtectDialog.txtSelLocked": "Selecionar células bloqueadas", + "SSE.Views.ProtectDialog.txtSelUnLocked": "Selecionar células desbloqueadas", + "SSE.Views.ProtectDialog.txtSheetDescription": "Impeça alterações indesejadas feitas por outros ao limitar a permissão para editar.", + "SSE.Views.ProtectDialog.txtSheetTitle": "Proteger folha", + "SSE.Views.ProtectDialog.txtSort": "Classificar", + "SSE.Views.ProtectDialog.txtWarning": "Aviso: Se perder ou esquecer a palavra-passe, não será possível recuperá-la. Guarde-a num local seguro.", + "SSE.Views.ProtectDialog.txtWBDescription": "Para impedir que outros utilizadores vejam folhas de cálculo ocultas, adicionar, mover, apagar, ou esconder folhas de trabalho e renomear folhas de cálculo, pode proteger a estrutura da sua folha de cálculo com uma palavra-passe.", + "SSE.Views.ProtectDialog.txtWBTitle": "Proteger a Estrutura do Livro", + "SSE.Views.ProtectRangesDlg.guestText": "Visitante", + "SSE.Views.ProtectRangesDlg.lockText": "Bloqueada", + "SSE.Views.ProtectRangesDlg.textDelete": "Eliminar", + "SSE.Views.ProtectRangesDlg.textEdit": "Editar", + "SSE.Views.ProtectRangesDlg.textEmpty": "Não é permitido editar nenhum intervalo.", + "SSE.Views.ProtectRangesDlg.textNew": "Novo", + "SSE.Views.ProtectRangesDlg.textProtect": "Proteger folha", + "SSE.Views.ProtectRangesDlg.textPwd": "Senha", + "SSE.Views.ProtectRangesDlg.textRange": "Intervalo", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "Os intervalos são desbloqueados através de uma palavra-passe quando a folha de cálculo está protegida (isto apenas funciona para células bloqueadas)", + "SSE.Views.ProtectRangesDlg.textTitle": "Título", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "Este elemento está sendo editado por outro usuário.", + "SSE.Views.ProtectRangesDlg.txtEditRange": "Editar Intervalo", + "SSE.Views.ProtectRangesDlg.txtNewRange": "Novo Intervalo", + "SSE.Views.ProtectRangesDlg.txtNo": "Não", + "SSE.Views.ProtectRangesDlg.txtTitle": "Permitir que os Utilizadores Editem Intervalos", + "SSE.Views.ProtectRangesDlg.txtYes": "Sim", + "SSE.Views.ProtectRangesDlg.warnDelete": "Tem a certeza que quer apagar o nome{0}?", + "SSE.Views.RemoveDuplicatesDialog.textColumns": "Colunas", + "SSE.Views.RemoveDuplicatesDialog.textDescription": "Para eliminar valores duplicados, selecione uma ou mais colunas que contenham duplicados.", + "SSE.Views.RemoveDuplicatesDialog.textHeaders": "Os meus dados têm cabeçalhos", + "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "Selecionar todos", + "SSE.Views.RemoveDuplicatesDialog.txtTitle": "Remover duplicados", + "SSE.Views.RightMenu.txtCellSettings": "Definições de célula", + "SSE.Views.RightMenu.txtChartSettings": "Definições de gráfico", + "SSE.Views.RightMenu.txtImageSettings": "Definições de imagem", + "SSE.Views.RightMenu.txtParagraphSettings": "Configurações do parágrafo", + "SSE.Views.RightMenu.txtPivotSettings": "Definições de tabela dinâmica", + "SSE.Views.RightMenu.txtSettings": "Definições comuns", + "SSE.Views.RightMenu.txtShapeSettings": "Definições de forma", + "SSE.Views.RightMenu.txtSignatureSettings": "Definições de assinatura", + "SSE.Views.RightMenu.txtSlicerSettings": "Definições de 'slicer'", + "SSE.Views.RightMenu.txtSparklineSettings": "Definições avançadas de 'sparkline'", + "SSE.Views.RightMenu.txtTableSettings": "Definições de tabela", + "SSE.Views.RightMenu.txtTextArtSettings": "Definições de texto artístico", + "SSE.Views.ScaleDialog.textAuto": "Automático", + "SSE.Views.ScaleDialog.textError": "O valor introduzido não está correto.", + "SSE.Views.ScaleDialog.textFewPages": "páginas", + "SSE.Views.ScaleDialog.textFitTo": "Ajustar a", + "SSE.Views.ScaleDialog.textHeight": "Altura", + "SSE.Views.ScaleDialog.textManyPages": "páginas", + "SSE.Views.ScaleDialog.textOnePage": "página", + "SSE.Views.ScaleDialog.textScaleTo": "Ajustar Para", + "SSE.Views.ScaleDialog.textTitle": "Definições de escala", + "SSE.Views.ScaleDialog.textWidth": "Largura", + "SSE.Views.SetValueDialog.txtMaxText": "O valor máximo para este campo é {0}", + "SSE.Views.SetValueDialog.txtMinText": "O valor mínimo para este campo é {0}", + "SSE.Views.ShapeSettings.strBackground": "Cor de fundo", + "SSE.Views.ShapeSettings.strChange": "Alterar forma automática", + "SSE.Views.ShapeSettings.strColor": "Cor", + "SSE.Views.ShapeSettings.strFill": "Preencher", + "SSE.Views.ShapeSettings.strForeground": "Cor principal", + "SSE.Views.ShapeSettings.strPattern": "Padrão", + "SSE.Views.ShapeSettings.strShadow": "Mostrar sombra", + "SSE.Views.ShapeSettings.strSize": "Tamanho", + "SSE.Views.ShapeSettings.strStroke": "Linha", + "SSE.Views.ShapeSettings.strTransparency": "Opacidade", + "SSE.Views.ShapeSettings.strType": "Tipo", + "SSE.Views.ShapeSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.ShapeSettings.textAngle": "Ângulo", + "SSE.Views.ShapeSettings.textBorderSizeErr": "O valor inserido não está correto.
                              Introduza um valor entre 0 pt e 1584 pt.", + "SSE.Views.ShapeSettings.textColor": "Cor de preenchimento", + "SSE.Views.ShapeSettings.textDirection": "Direção", + "SSE.Views.ShapeSettings.textEmptyPattern": "Sem padrão", + "SSE.Views.ShapeSettings.textFlip": "Virar", + "SSE.Views.ShapeSettings.textFromFile": "De um ficheiro", + "SSE.Views.ShapeSettings.textFromStorage": "De um armazenamento", + "SSE.Views.ShapeSettings.textFromUrl": "De um URL", + "SSE.Views.ShapeSettings.textGradient": "Ponto de gradiente", + "SSE.Views.ShapeSettings.textGradientFill": "Preenchimento gradiente", + "SSE.Views.ShapeSettings.textHint270": "Rodar 90º à esquerda", + "SSE.Views.ShapeSettings.textHint90": "Rodar 90º à direita", + "SSE.Views.ShapeSettings.textHintFlipH": "Virar horizontalmente", + "SSE.Views.ShapeSettings.textHintFlipV": "Virar verticalmente", + "SSE.Views.ShapeSettings.textImageTexture": "Imagem ou Textura", + "SSE.Views.ShapeSettings.textLinear": "Linear", + "SSE.Views.ShapeSettings.textNoFill": "Sem preenchimento", + "SSE.Views.ShapeSettings.textOriginalSize": "Tamanho original", + "SSE.Views.ShapeSettings.textPatternFill": "Padrão", + "SSE.Views.ShapeSettings.textPosition": "Posição", + "SSE.Views.ShapeSettings.textRadial": "Radial", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Utilizado recentemente", + "SSE.Views.ShapeSettings.textRotate90": "Rodar 90°", + "SSE.Views.ShapeSettings.textRotation": "Rotação", + "SSE.Views.ShapeSettings.textSelectImage": "Selecionar imagem", + "SSE.Views.ShapeSettings.textSelectTexture": "Selecionar", + "SSE.Views.ShapeSettings.textStretch": "Alongar", + "SSE.Views.ShapeSettings.textStyle": "Estilo", + "SSE.Views.ShapeSettings.textTexture": "De uma textura", + "SSE.Views.ShapeSettings.textTile": "Lado a lado", + "SSE.Views.ShapeSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "SSE.Views.ShapeSettings.txtBrownPaper": "Papel pardo", + "SSE.Views.ShapeSettings.txtCanvas": "Canvas", + "SSE.Views.ShapeSettings.txtCarton": "Papelão", + "SSE.Views.ShapeSettings.txtDarkFabric": "Tela escura", + "SSE.Views.ShapeSettings.txtGrain": "Granulação", + "SSE.Views.ShapeSettings.txtGranite": "Granito", + "SSE.Views.ShapeSettings.txtGreyPaper": "Papel cinza", + "SSE.Views.ShapeSettings.txtKnit": "Unir", + "SSE.Views.ShapeSettings.txtLeather": "Couro", + "SSE.Views.ShapeSettings.txtNoBorders": "Sem linha", + "SSE.Views.ShapeSettings.txtPapyrus": "Papiro", + "SSE.Views.ShapeSettings.txtWood": "Madeira", + "SSE.Views.ShapeSettingsAdvanced.strColumns": "Colunas", + "SSE.Views.ShapeSettingsAdvanced.strMargins": "Preenchimento de texto", + "SSE.Views.ShapeSettingsAdvanced.textAbsolute": "Não mover ou redimensionar com células", + "SSE.Views.ShapeSettingsAdvanced.textAlt": "Texto alternativo", + "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Descrição", + "SSE.Views.ShapeSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação visual do objeto, que será lida para as pessoas com deficiências visuais ou cognitivas para ajudá-las a entender melhor que informação, forma automática, gráfico ou tabela existe na imagem.", + "SSE.Views.ShapeSettingsAdvanced.textAltTitle": "Título", + "SSE.Views.ShapeSettingsAdvanced.textAngle": "Ângulo", + "SSE.Views.ShapeSettingsAdvanced.textArrows": "Setas", + "SSE.Views.ShapeSettingsAdvanced.textAutofit": "Ajuste automático", + "SSE.Views.ShapeSettingsAdvanced.textBeginSize": "Tamanho inicial", + "SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "Estilo inicial", + "SSE.Views.ShapeSettingsAdvanced.textBevel": "Bisel", + "SSE.Views.ShapeSettingsAdvanced.textBottom": "Inferior", + "SSE.Views.ShapeSettingsAdvanced.textCapType": "Tipo de letra", + "SSE.Views.ShapeSettingsAdvanced.textColNumber": "Número de colunas", + "SSE.Views.ShapeSettingsAdvanced.textEndSize": "Tamanho final", + "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "Estilo final", + "SSE.Views.ShapeSettingsAdvanced.textFlat": "Plano", + "SSE.Views.ShapeSettingsAdvanced.textFlipped": "Invertido", + "SSE.Views.ShapeSettingsAdvanced.textHeight": "Altura", + "SSE.Views.ShapeSettingsAdvanced.textHorizontally": "Horizontalmente", + "SSE.Views.ShapeSettingsAdvanced.textJoinType": "Tipo de junção", + "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Proporções constantes", + "SSE.Views.ShapeSettingsAdvanced.textLeft": "Esquerda", + "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "Estilo de linha", + "SSE.Views.ShapeSettingsAdvanced.textMiter": "Malhete", + "SSE.Views.ShapeSettingsAdvanced.textOneCell": "Mover mas não redimensionar células", + "SSE.Views.ShapeSettingsAdvanced.textOverflow": "Permitir que o texto ultrapasse os limites da forma", + "SSE.Views.ShapeSettingsAdvanced.textResizeFit": "Redimensionar forma para se ajustar ao texto", + "SSE.Views.ShapeSettingsAdvanced.textRight": "Direita", + "SSE.Views.ShapeSettingsAdvanced.textRotation": "Rotação", + "SSE.Views.ShapeSettingsAdvanced.textRound": "Rodada", + "SSE.Views.ShapeSettingsAdvanced.textSize": "Tamanho", + "SSE.Views.ShapeSettingsAdvanced.textSnap": "Alinhamento de células", + "SSE.Views.ShapeSettingsAdvanced.textSpacing": "Espaçamento entre colunas", + "SSE.Views.ShapeSettingsAdvanced.textSquare": "Quadrado", + "SSE.Views.ShapeSettingsAdvanced.textTextBox": "Caixa de texto", + "SSE.Views.ShapeSettingsAdvanced.textTitle": "Forma - Definições avançadas", + "SSE.Views.ShapeSettingsAdvanced.textTop": "Parte superior", + "SSE.Views.ShapeSettingsAdvanced.textTwoCell": "Mover e redimensionar com células", + "SSE.Views.ShapeSettingsAdvanced.textVertically": "Verticalmente", + "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Pesos e Setas", + "SSE.Views.ShapeSettingsAdvanced.textWidth": "Largura", + "SSE.Views.SignatureSettings.notcriticalErrorTitle": "Aviso", + "SSE.Views.SignatureSettings.strDelete": "Remover assinatura", + "SSE.Views.SignatureSettings.strDetails": "Detalhes da assinatura", + "SSE.Views.SignatureSettings.strInvalid": "Assinaturas inválidas", + "SSE.Views.SignatureSettings.strRequested": "Assinaturas solicitadas", + "SSE.Views.SignatureSettings.strSetup": "Definições de Assinatura", + "SSE.Views.SignatureSettings.strSign": "Assinar", + "SSE.Views.SignatureSettings.strSignature": "Assinatura", + "SSE.Views.SignatureSettings.strSigner": "Assinante", + "SSE.Views.SignatureSettings.strValid": "Assinaturas válidas", + "SSE.Views.SignatureSettings.txtContinueEditing": "Editar mesmo assim", + "SSE.Views.SignatureSettings.txtEditWarning": "Se editar este documento, remove as assinaturas.
                              Tem a certeza de que deseja continuar?", + "SSE.Views.SignatureSettings.txtRemoveWarning": "Quer remover esta assinatura?
                              Isto não pode ser anulado.", + "SSE.Views.SignatureSettings.txtRequestedSignatures": "Esta folha de cálculo precisa de ser assinada.", + "SSE.Views.SignatureSettings.txtSigned": "Assinaturas adicionadas ao documento. Esta folha de cálculo não pode ser editada.", + "SSE.Views.SignatureSettings.txtSignedInvalid": "Algumas das assinaturas digitais são inválidas ou não puderam ser verificadas. Esta folha de cálculo documento não pode ser editada.", + "SSE.Views.SlicerAddDialog.textColumns": "Colunas", + "SSE.Views.SlicerAddDialog.txtTitle": "Inserir segmentaçãoes de dados", + "SSE.Views.SlicerSettings.strHideNoData": "Ocultar itens sem dados", + "SSE.Views.SlicerSettings.strIndNoData": "Indicar visualmente itens sem dados", + "SSE.Views.SlicerSettings.strShowDel": "Mostrar itens eliminados da origem de dados", + "SSE.Views.SlicerSettings.strShowNoData": "Mostrar itens sem dados no fim", + "SSE.Views.SlicerSettings.strSorting": "A Ordenar e a Filtrar", + "SSE.Views.SlicerSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.SlicerSettings.textAsc": "Ascendente", + "SSE.Views.SlicerSettings.textAZ": "A -> Z", + "SSE.Views.SlicerSettings.textButtons": "Botões", + "SSE.Views.SlicerSettings.textColumns": "Colunas", + "SSE.Views.SlicerSettings.textDesc": "Decrescente", + "SSE.Views.SlicerSettings.textHeight": "Altura", + "SSE.Views.SlicerSettings.textHor": "Horizontal", + "SSE.Views.SlicerSettings.textKeepRatio": "Proporções constantes", + "SSE.Views.SlicerSettings.textLargeSmall": "Do maior para o mais pequeno", + "SSE.Views.SlicerSettings.textLock": "Desativar redimensionamento ou movimentações", + "SSE.Views.SlicerSettings.textNewOld": "Do mais recente para o mais antigo", + "SSE.Views.SlicerSettings.textOldNew": "Do mais antigo para o mais recente", + "SSE.Views.SlicerSettings.textPosition": "Posição", + "SSE.Views.SlicerSettings.textSize": "Tamanho", + "SSE.Views.SlicerSettings.textSmallLarge": "Do menor para o maior", + "SSE.Views.SlicerSettings.textStyle": "Estilo", + "SSE.Views.SlicerSettings.textVert": "Vertical", + "SSE.Views.SlicerSettings.textWidth": "Largura", + "SSE.Views.SlicerSettings.textZA": "Z -> A ", + "SSE.Views.SlicerSettingsAdvanced.strButtons": "Botões", + "SSE.Views.SlicerSettingsAdvanced.strColumns": "Colunas", + "SSE.Views.SlicerSettingsAdvanced.strHeight": "Altura", + "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "Ocultar itens sem dados", + "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Indicar visualmente itens sem dados", + "SSE.Views.SlicerSettingsAdvanced.strReferences": "Referências", + "SSE.Views.SlicerSettingsAdvanced.strShowDel": "Mostrar itens eliminados da origem de dados", + "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Mostrar cabeçalho", + "SSE.Views.SlicerSettingsAdvanced.strShowNoData": "Mostrar itens sem dados no fim", + "SSE.Views.SlicerSettingsAdvanced.strSize": "Tamanho", + "SSE.Views.SlicerSettingsAdvanced.strSorting": "A Ordenar e a Filtrar", + "SSE.Views.SlicerSettingsAdvanced.strStyle": "Estilo", + "SSE.Views.SlicerSettingsAdvanced.strStyleSize": "Estilo e tamanho", + "SSE.Views.SlicerSettingsAdvanced.strWidth": "Largura", + "SSE.Views.SlicerSettingsAdvanced.textAbsolute": "Não mover ou redimensionar com células", + "SSE.Views.SlicerSettingsAdvanced.textAlt": "Texto alternativo", + "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Descrição", + "SSE.Views.SlicerSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação do objeto visual, que será lida às pessoas com deficiências visuais ou cognitivas para as ajudar a compreender melhor a informação que existe na imagem, forma automática, gráfico ou tabela.", + "SSE.Views.SlicerSettingsAdvanced.textAltTitle": "Título", + "SSE.Views.SlicerSettingsAdvanced.textAsc": "Ascendente", + "SSE.Views.SlicerSettingsAdvanced.textAZ": "A -> Z", + "SSE.Views.SlicerSettingsAdvanced.textDesc": "Decrescente", + "SSE.Views.SlicerSettingsAdvanced.textFormulaName": "Nome para usar nas fórmulas", + "SSE.Views.SlicerSettingsAdvanced.textHeader": "Cabeçalho", + "SSE.Views.SlicerSettingsAdvanced.textKeepRatio": "Proporções constantes", + "SSE.Views.SlicerSettingsAdvanced.textLargeSmall": "Do maior para o mais pequeno", + "SSE.Views.SlicerSettingsAdvanced.textName": "Nome", + "SSE.Views.SlicerSettingsAdvanced.textNewOld": "Do mais recente para o mais antigo", + "SSE.Views.SlicerSettingsAdvanced.textOldNew": "Do mais antigo para o mais recente", + "SSE.Views.SlicerSettingsAdvanced.textOneCell": "Mover mas não redimensionar células", + "SSE.Views.SlicerSettingsAdvanced.textSmallLarge": "Do menor para o maior", + "SSE.Views.SlicerSettingsAdvanced.textSnap": "Alinhamento de células", + "SSE.Views.SlicerSettingsAdvanced.textSort": "Classificar", + "SSE.Views.SlicerSettingsAdvanced.textSourceName": "Nome da origem", + "SSE.Views.SlicerSettingsAdvanced.textTitle": "Sclicer - Definições avançadas", + "SSE.Views.SlicerSettingsAdvanced.textTwoCell": "Mover e redimensionar com células", + "SSE.Views.SlicerSettingsAdvanced.textZA": "Z -> A ", + "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "Este campo é obrigatório", + "SSE.Views.SortDialog.errorEmpty": "Todos os critérios de ordenação têm de ter uma coluna ou linha especificada.", + "SSE.Views.SortDialog.errorMoreOneCol": "Selecionou mais do que uma coluna.", + "SSE.Views.SortDialog.errorMoreOneRow": "Selecionou mais do que uma linha.", + "SSE.Views.SortDialog.errorNotOriginalCol": "A coluna que selecionou não está no intervalo que selecionou originalmente.", + "SSE.Views.SortDialog.errorNotOriginalRow": "A linha selecionada não se encontra no intervalo original selecionado.", + "SSE.Views.SortDialog.errorSameColumnColor": "%1 está a ser ordenada pela mesma cor mais do que uma vez.
                              Elimine o critério duplicado e tente novamente.", + "SSE.Views.SortDialog.errorSameColumnValue": "%1 está a ser ordenado mais do que uma vez por valores.
                              Elimine os critérios duplicados e tente novamente.", + "SSE.Views.SortDialog.textAdd": "Adicionar nível", + "SSE.Views.SortDialog.textAsc": "Ascendente", + "SSE.Views.SortDialog.textAuto": "Automático", + "SSE.Views.SortDialog.textAZ": "A -> Z", + "SSE.Views.SortDialog.textBelow": "Abaixo", + "SSE.Views.SortDialog.textCellColor": "Cor da célula", + "SSE.Views.SortDialog.textColumn": "Coluna", + "SSE.Views.SortDialog.textCopy": "Copiar nível", + "SSE.Views.SortDialog.textDelete": "Apagar nível", + "SSE.Views.SortDialog.textDesc": "Decrescente", + "SSE.Views.SortDialog.textDown": "Mover para nível mais baixo", + "SSE.Views.SortDialog.textFontColor": "Cor do tipo de letra", + "SSE.Views.SortDialog.textLeft": "Esquerda", + "SSE.Views.SortDialog.textMoreCols": "(Mais colunas...)", + "SSE.Views.SortDialog.textMoreRows": "(Mais linhas...)", + "SSE.Views.SortDialog.textNone": "Nenhum", + "SSE.Views.SortDialog.textOptions": "Opções", + "SSE.Views.SortDialog.textOrder": "Ordenar", + "SSE.Views.SortDialog.textRight": "Direita", + "SSE.Views.SortDialog.textRow": "Linha", + "SSE.Views.SortDialog.textSort": "Ordenar ligado", + "SSE.Views.SortDialog.textSortBy": "Ordenar por", + "SSE.Views.SortDialog.textThenBy": "Depois por", + "SSE.Views.SortDialog.textTop": "Parte superior", + "SSE.Views.SortDialog.textUp": "Mover para nível mais alto", + "SSE.Views.SortDialog.textValues": "Valores", + "SSE.Views.SortDialog.textZA": "Z -> A ", + "SSE.Views.SortDialog.txtInvalidRange": "Intervalo de células inválido.", + "SSE.Views.SortDialog.txtTitle": "Classificar", + "SSE.Views.SortFilterDialog.textAsc": "Ascendente (A->Z) por", + "SSE.Views.SortFilterDialog.textDesc": "Descendente (Z a A) por", + "SSE.Views.SortFilterDialog.txtTitle": "Classificar", + "SSE.Views.SortOptionsDialog.textCase": "Diferenciar maiúsculas de minúsculas", + "SSE.Views.SortOptionsDialog.textHeaders": "Os meus dados têm cabeçalhos", + "SSE.Views.SortOptionsDialog.textLeftRight": "Ordenar da esquerda para a direita", + "SSE.Views.SortOptionsDialog.textOrientation": "Orientação", + "SSE.Views.SortOptionsDialog.textTitle": "Opções de Ordenação", + "SSE.Views.SortOptionsDialog.textTopBottom": "Ordenar de cima para baixo", + "SSE.Views.SpecialPasteDialog.textAdd": "Adicionar", + "SSE.Views.SpecialPasteDialog.textAll": "Tudo", + "SSE.Views.SpecialPasteDialog.textBlanks": "Ignorar células em branco", + "SSE.Views.SpecialPasteDialog.textColWidth": "Larguras da coluna", + "SSE.Views.SpecialPasteDialog.textComments": "Comentários", + "SSE.Views.SpecialPasteDialog.textDiv": "Dividir", + "SSE.Views.SpecialPasteDialog.textFFormat": "Fórmulas e Formatação", + "SSE.Views.SpecialPasteDialog.textFNFormat": "Formulas e Formatos Numéricos", + "SSE.Views.SpecialPasteDialog.textFormats": "Formatos", + "SSE.Views.SpecialPasteDialog.textFormulas": "Fórmulas", + "SSE.Views.SpecialPasteDialog.textFWidth": "Largura das Fórmulas e Colunas", + "SSE.Views.SpecialPasteDialog.textMult": "Multiplicar", + "SSE.Views.SpecialPasteDialog.textNone": "Nenhum", + "SSE.Views.SpecialPasteDialog.textOperation": "Operação", + "SSE.Views.SpecialPasteDialog.textPaste": "Colar", + "SSE.Views.SpecialPasteDialog.textSub": "Subtrair", + "SSE.Views.SpecialPasteDialog.textTitle": "Colar especial", + "SSE.Views.SpecialPasteDialog.textTranspose": "Transpor", + "SSE.Views.SpecialPasteDialog.textValues": "Valores", + "SSE.Views.SpecialPasteDialog.textVFormat": "Valores e formatação", + "SSE.Views.SpecialPasteDialog.textVNFormat": "Valores e formatos numéricos", + "SSE.Views.SpecialPasteDialog.textWBorders": "Tudo exceto contornos", + "SSE.Views.Spellcheck.noSuggestions": "Sem sugestões ortográficas", + "SSE.Views.Spellcheck.textChange": "Alterar", + "SSE.Views.Spellcheck.textChangeAll": "Alterar Todos", + "SSE.Views.Spellcheck.textIgnore": "Ignorar", + "SSE.Views.Spellcheck.textIgnoreAll": "Ignorar tudo", + "SSE.Views.Spellcheck.txtAddToDictionary": "Adicionar ao dicionário", + "SSE.Views.Spellcheck.txtComplete": "A verificação ortográfica foi concluída", + "SSE.Views.Spellcheck.txtDictionaryLanguage": "Idioma do Dicionário", + "SSE.Views.Spellcheck.txtNextTip": "Ir para a próxima palavra", + "SSE.Views.Spellcheck.txtSpelling": "Ortografia", + "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Copiar para o final)", + "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Mover para fim)", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Copiar antes da folha", + "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Mover antes da folha", + "SSE.Views.Statusbar.filteredRecordsText": "Filtrados {0} de {1} registos", + "SSE.Views.Statusbar.filteredText": "Modo de filtro", + "SSE.Views.Statusbar.itemAverage": "Média", + "SSE.Views.Statusbar.itemCopy": "Copiar", + "SSE.Views.Statusbar.itemCount": "Contagem", + "SSE.Views.Statusbar.itemDelete": "Excluir", + "SSE.Views.Statusbar.itemHidden": "Oculto", + "SSE.Views.Statusbar.itemHide": "Ocultar", + "SSE.Views.Statusbar.itemInsert": "Inserir", + "SSE.Views.Statusbar.itemMaximum": "Máximo", + "SSE.Views.Statusbar.itemMinimum": "Mínimo", + "SSE.Views.Statusbar.itemMove": "Mover", + "SSE.Views.Statusbar.itemProtect": "Proteger", + "SSE.Views.Statusbar.itemRename": "Renomear", + "SSE.Views.Statusbar.itemStatus": "A guardar estado", + "SSE.Views.Statusbar.itemSum": "Soma", + "SSE.Views.Statusbar.itemTabColor": "Cor do separador", + "SSE.Views.Statusbar.itemUnProtect": "Desproteger", + "SSE.Views.Statusbar.RenameDialog.errNameExists": "Planilha com este nome já existe.", + "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "Um nome de folha não pode conter os seguintes caracteres: \\/*?[]:", + "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Nome da folha", + "SSE.Views.Statusbar.selectAllSheets": "Selecionar Todas as Folhas de Cálculo", + "SSE.Views.Statusbar.sheetIndexText": "Folha {0} de {1}", + "SSE.Views.Statusbar.textAverage": "Média", + "SSE.Views.Statusbar.textCount": "Contar", + "SSE.Views.Statusbar.textMax": "Máx", + "SSE.Views.Statusbar.textMin": "Min.", + "SSE.Views.Statusbar.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.Statusbar.textNoColor": "Sem cor", + "SSE.Views.Statusbar.textSum": "SOMA", + "SSE.Views.Statusbar.tipAddTab": "Adicionar planilha", + "SSE.Views.Statusbar.tipFirst": "Ir para a primeira folha", + "SSE.Views.Statusbar.tipLast": "Ir para a última folha", + "SSE.Views.Statusbar.tipListOfSheets": "Lista de folhas", + "SSE.Views.Statusbar.tipNext": "Ir para a folha à direita", + "SSE.Views.Statusbar.tipPrev": "Ir para a folha à esquerda", + "SSE.Views.Statusbar.tipZoomFactor": "Ampliação", + "SSE.Views.Statusbar.tipZoomIn": "Ampliar", + "SSE.Views.Statusbar.tipZoomOut": "Reduzir", + "SSE.Views.Statusbar.ungroupSheets": "Desagrupar Folhas", + "SSE.Views.Statusbar.zoomText": "Zoom {0}%", + "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "Não foi possível concluir a operação para o intervalo de células selecionado.
                              Selecione um intervalo de dados diferente e tente novamente.", + "SSE.Views.TableOptionsDialog.errorFTChangeTableRangeError": "Não foi possível completar a operação para o intervalo de células selecionado.
                              Selecionou um intervalo de uma forma que a primeira linha da tabela estava na mesma linha
                              então a tabela que criou sobrepôs-se à atual.", + "SSE.Views.TableOptionsDialog.errorFTRangeIncludedOtherTables": "Não foi possível completar a operação para o intervalo de células selecionado.
                              Selecione um intervalo que não inclua outras tabelas.", + "SSE.Views.TableOptionsDialog.errorMultiCellFormula": "Intervalo de fórmulas multi-célula não são permitidas em tabelas.", + "SSE.Views.TableOptionsDialog.txtEmpty": "Este campo é obrigatório", + "SSE.Views.TableOptionsDialog.txtFormat": "Criar tabela", + "SSE.Views.TableOptionsDialog.txtInvalidRange": "ERRO! Intervalo de células inválido", + "SSE.Views.TableOptionsDialog.txtNote": "Os cabeçalhos devem permanecer na mesma linha, e o intervalo da tabela resultante deve sobrepor-se ao intervalo da tabela original.", + "SSE.Views.TableOptionsDialog.txtTitle": "Titulo", + "SSE.Views.TableSettings.deleteColumnText": "Eliminar coluna", + "SSE.Views.TableSettings.deleteRowText": "Excluir linha", + "SSE.Views.TableSettings.deleteTableText": "Eliminar tabela", + "SSE.Views.TableSettings.insertColumnLeftText": "Inserir coluna à esquerda", + "SSE.Views.TableSettings.insertColumnRightText": "Inserir coluna à direita", + "SSE.Views.TableSettings.insertRowAboveText": "Inserir linha acima", + "SSE.Views.TableSettings.insertRowBelowText": "Inserir linha abaixo", + "SSE.Views.TableSettings.notcriticalErrorTitle": "Aviso", + "SSE.Views.TableSettings.selectColumnText": "Selecionar Dados das Colunas", + "SSE.Views.TableSettings.selectDataText": "Selecionar Dados das Colunas", + "SSE.Views.TableSettings.selectRowText": "Selecionar linha", + "SSE.Views.TableSettings.selectTableText": "Selecionar tabela", + "SSE.Views.TableSettings.textActions": "Ações de tabela", + "SSE.Views.TableSettings.textAdvanced": "Mostrar definições avançadas", + "SSE.Views.TableSettings.textBanded": "Bandas", + "SSE.Views.TableSettings.textColumns": "Colunas", + "SSE.Views.TableSettings.textConvertRange": "Converter para intervalo", + "SSE.Views.TableSettings.textEdit": "Linhas e Colunas", + "SSE.Views.TableSettings.textEmptyTemplate": "Sem modelos", + "SSE.Views.TableSettings.textExistName": "ERRO! Já existe um intervalo com este nome", + "SSE.Views.TableSettings.textFilter": "Botão Filtro", + "SSE.Views.TableSettings.textFirst": "Primeiro", + "SSE.Views.TableSettings.textHeader": "Cabeçalho", + "SSE.Views.TableSettings.textInvalidName": "ERRO! Nome inválido", + "SSE.Views.TableSettings.textIsLocked": "Este elemento está a ser editado por outro utilizador.", + "SSE.Views.TableSettings.textLast": "Última", + "SSE.Views.TableSettings.textLongOperation": "Operação longa", + "SSE.Views.TableSettings.textPivot": "Inserir tabela dinâmica", + "SSE.Views.TableSettings.textRemDuplicates": "Remover duplicados", + "SSE.Views.TableSettings.textReservedName": "O nome que está a tentar usar já está referenciado em fórmulas celulares. Por favor, use algum outro nome.", + "SSE.Views.TableSettings.textResize": "Redimensionar tabela", + "SSE.Views.TableSettings.textRows": "Linhas", + "SSE.Views.TableSettings.textSelectData": "Selecionar dados", + "SSE.Views.TableSettings.textSlicer": "Inserir segmentação de dados", + "SSE.Views.TableSettings.textTableName": "Nome da tabela", + "SSE.Views.TableSettings.textTemplate": "Selecionar de um modelo", + "SSE.Views.TableSettings.textTotal": "Total", + "SSE.Views.TableSettings.warnLongOperation": "A operação que está prestes a realizar pode levar muito tempo a concluir.
                              Tem a certeza de que quer continuar?", + "SSE.Views.TableSettingsAdvanced.textAlt": "Texto alternativo", + "SSE.Views.TableSettingsAdvanced.textAltDescription": "Descrição", + "SSE.Views.TableSettingsAdvanced.textAltTip": "A representação alternativa baseada em texto da informação do objeto visual, que será lida às pessoas com deficiências visuais ou cognitivas para as ajudar a compreender melhor a informação que existe na imagem, forma automática, gráfico ou tabela.", + "SSE.Views.TableSettingsAdvanced.textAltTitle": "Título", + "SSE.Views.TableSettingsAdvanced.textTitle": "Tabela - Definições avançadas", + "SSE.Views.TextArtSettings.strBackground": "Cor de fundo", + "SSE.Views.TextArtSettings.strColor": "Cor", + "SSE.Views.TextArtSettings.strFill": "Fill", + "SSE.Views.TextArtSettings.strForeground": "Cor principal", + "SSE.Views.TextArtSettings.strPattern": "Padrão", + "SSE.Views.TextArtSettings.strSize": "Tamanho", + "SSE.Views.TextArtSettings.strStroke": "Linha", + "SSE.Views.TextArtSettings.strTransparency": "Opacidade", + "SSE.Views.TextArtSettings.strType": "Tipo", + "SSE.Views.TextArtSettings.textAngle": "Ângulo", + "SSE.Views.TextArtSettings.textBorderSizeErr": "O valor inserido não está correto.
                              Introduza um valor entre 0 pt e 1584 pt.", + "SSE.Views.TextArtSettings.textColor": "Cor de preenchimento", + "SSE.Views.TextArtSettings.textDirection": "Direção", + "SSE.Views.TextArtSettings.textEmptyPattern": "No Pattern", + "SSE.Views.TextArtSettings.textFromFile": "De um ficheiro", + "SSE.Views.TextArtSettings.textFromUrl": "De um URL", + "SSE.Views.TextArtSettings.textGradient": "Ponto de gradiente", + "SSE.Views.TextArtSettings.textGradientFill": "Preenchimento gradiente", + "SSE.Views.TextArtSettings.textImageTexture": "Picture or Texture", + "SSE.Views.TextArtSettings.textLinear": "Linear", + "SSE.Views.TextArtSettings.textNoFill": "No Fill", + "SSE.Views.TextArtSettings.textPatternFill": "Padrão", + "SSE.Views.TextArtSettings.textPosition": "Posição", + "SSE.Views.TextArtSettings.textRadial": "Radial", + "SSE.Views.TextArtSettings.textSelectTexture": "Selecionar", + "SSE.Views.TextArtSettings.textStretch": "Alongar", + "SSE.Views.TextArtSettings.textStyle": "Estilo", + "SSE.Views.TextArtSettings.textTemplate": "Modelo", + "SSE.Views.TextArtSettings.textTexture": "De uma textura", + "SSE.Views.TextArtSettings.textTile": "Lado a lado", + "SSE.Views.TextArtSettings.textTransform": "Transform", + "SSE.Views.TextArtSettings.tipAddGradientPoint": "Adicionar ponto de gradiente", + "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "Remover Ponto de Gradiente", + "SSE.Views.TextArtSettings.txtBrownPaper": "Brown Paper", + "SSE.Views.TextArtSettings.txtCanvas": "Canvas", + "SSE.Views.TextArtSettings.txtCarton": "Carton", + "SSE.Views.TextArtSettings.txtDarkFabric": "Tela escura", + "SSE.Views.TextArtSettings.txtGrain": "Grain", + "SSE.Views.TextArtSettings.txtGranite": "Granite", + "SSE.Views.TextArtSettings.txtGreyPaper": "Gray Paper", + "SSE.Views.TextArtSettings.txtKnit": "Unir", + "SSE.Views.TextArtSettings.txtLeather": "Leather", + "SSE.Views.TextArtSettings.txtNoBorders": "No Line", + "SSE.Views.TextArtSettings.txtPapyrus": "Papyrus", + "SSE.Views.TextArtSettings.txtWood": "Wood", + "SSE.Views.Toolbar.capBtnAddComment": "Adicionar comentário", + "SSE.Views.Toolbar.capBtnColorSchemas": "Esquema de cores", + "SSE.Views.Toolbar.capBtnComment": "Comentário", + "SSE.Views.Toolbar.capBtnInsHeader": "Cabeçalho/rodapé", + "SSE.Views.Toolbar.capBtnInsSlicer": "Segmentação de dados", + "SSE.Views.Toolbar.capBtnInsSymbol": "Símbolo", + "SSE.Views.Toolbar.capBtnMargins": "Margens", + "SSE.Views.Toolbar.capBtnPageOrient": "Orientação", + "SSE.Views.Toolbar.capBtnPageSize": "Tamanho", + "SSE.Views.Toolbar.capBtnPrintArea": "Área de Impressão", + "SSE.Views.Toolbar.capBtnPrintTitles": "Imprimir títulos", + "SSE.Views.Toolbar.capBtnScale": "Ajustar Tamanho", + "SSE.Views.Toolbar.capImgAlign": "Alinhar", + "SSE.Views.Toolbar.capImgBackward": "Enviar para trás", + "SSE.Views.Toolbar.capImgForward": "Trazer para a frente", + "SSE.Views.Toolbar.capImgGroup": "Grupo", + "SSE.Views.Toolbar.capInsertChart": "Gráfico", + "SSE.Views.Toolbar.capInsertEquation": "Equação", + "SSE.Views.Toolbar.capInsertHyperlink": "Hiperligação", + "SSE.Views.Toolbar.capInsertImage": "Imagem", + "SSE.Views.Toolbar.capInsertShape": "Forma", + "SSE.Views.Toolbar.capInsertSpark": "Sparkline", + "SSE.Views.Toolbar.capInsertTable": "Tabela", + "SSE.Views.Toolbar.capInsertText": "Caixa de texto", + "SSE.Views.Toolbar.mniImageFromFile": "Imagem de um ficheiro", + "SSE.Views.Toolbar.mniImageFromStorage": "Imagem de um armazenamento", + "SSE.Views.Toolbar.mniImageFromUrl": "Imagem de um URL", + "SSE.Views.Toolbar.textAddPrintArea": "Adicionar à área de impressão", + "SSE.Views.Toolbar.textAlignBottom": "Alinhar à parte inferior", + "SSE.Views.Toolbar.textAlignCenter": "Alinhar ao centro", + "SSE.Views.Toolbar.textAlignJust": "Justificado", + "SSE.Views.Toolbar.textAlignLeft": "Alinhar à esquerda", + "SSE.Views.Toolbar.textAlignMiddle": "Alinhar ao meio", + "SSE.Views.Toolbar.textAlignRight": "Alinhar à direita", + "SSE.Views.Toolbar.textAlignTop": "Alinhar à parte superior", + "SSE.Views.Toolbar.textAllBorders": "Todas as bordas", + "SSE.Views.Toolbar.textAuto": "Automático", + "SSE.Views.Toolbar.textAutoColor": "Automático", + "SSE.Views.Toolbar.textBold": "Negrito", + "SSE.Views.Toolbar.textBordersColor": "Cor do contorno", + "SSE.Views.Toolbar.textBordersStyle": "Estilo do contorno", + "SSE.Views.Toolbar.textBottom": "Baixo:", + "SSE.Views.Toolbar.textBottomBorders": "Bordas inferiores", + "SSE.Views.Toolbar.textCenterBorders": "Bordas verticais interiores", + "SSE.Views.Toolbar.textClearPrintArea": "Limpar Área de Impressão", + "SSE.Views.Toolbar.textClearRule": "Limpar regras", + "SSE.Views.Toolbar.textClockwise": "Ângulo para a direita", + "SSE.Views.Toolbar.textColorScales": "Escalas de cores", + "SSE.Views.Toolbar.textCounterCw": "Ângulo para a esquerda", + "SSE.Views.Toolbar.textDataBars": "Barras de dados", + "SSE.Views.Toolbar.textDelLeft": "Deslocar células para a esquerda", + "SSE.Views.Toolbar.textDelUp": "Deslocar células para cima", + "SSE.Views.Toolbar.textDiagDownBorder": "Borda inferior diagonal", + "SSE.Views.Toolbar.textDiagUpBorder": "Borda superior diagonal", + "SSE.Views.Toolbar.textEntireCol": "Coluna inteira", + "SSE.Views.Toolbar.textEntireRow": "Linha inteira", + "SSE.Views.Toolbar.textFewPages": "páginas", + "SSE.Views.Toolbar.textHeight": "Altura", + "SSE.Views.Toolbar.textHorizontal": "Texto horizontal", + "SSE.Views.Toolbar.textInsDown": "Deslocar células para baixo", + "SSE.Views.Toolbar.textInsideBorders": "Bordas interiores", + "SSE.Views.Toolbar.textInsRight": "Deslocar células para a direita", + "SSE.Views.Toolbar.textItalic": "Itálico", + "SSE.Views.Toolbar.textItems": "Itens", + "SSE.Views.Toolbar.textLandscape": "Paisagem", + "SSE.Views.Toolbar.textLeft": "Esquerda:", + "SSE.Views.Toolbar.textLeftBorders": "Bordas esquerdas", + "SSE.Views.Toolbar.textManageRule": "Gerir Regras", + "SSE.Views.Toolbar.textManyPages": "páginas", + "SSE.Views.Toolbar.textMarginsLast": "Última personalizada", + "SSE.Views.Toolbar.textMarginsNarrow": "Estreita", + "SSE.Views.Toolbar.textMarginsNormal": "Normal", + "SSE.Views.Toolbar.textMarginsWide": "Amplo", + "SSE.Views.Toolbar.textMiddleBorders": "Bordas horizontais interiores", + "SSE.Views.Toolbar.textMoreFormats": "Mais formatos", + "SSE.Views.Toolbar.textMorePages": "Mais páginas", + "SSE.Views.Toolbar.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.Toolbar.textNewRule": "Nova Regra", + "SSE.Views.Toolbar.textNoBorders": "Sem bordas", + "SSE.Views.Toolbar.textOnePage": "página", + "SSE.Views.Toolbar.textOutBorders": "Bordas externas", + "SSE.Views.Toolbar.textPageMarginsCustom": "Margens personalizadas", + "SSE.Views.Toolbar.textPortrait": "Retrato", + "SSE.Views.Toolbar.textPrint": "Imprimir", + "SSE.Views.Toolbar.textPrintGridlines": "Imprimir linhas de grade", + "SSE.Views.Toolbar.textPrintHeadings": "Imprimir Cabeçalhos", + "SSE.Views.Toolbar.textPrintOptions": "Definições de impressão", + "SSE.Views.Toolbar.textRight": "Direita:", + "SSE.Views.Toolbar.textRightBorders": "Bordas direitas", + "SSE.Views.Toolbar.textRotateDown": "Girar Texto para Baixo", + "SSE.Views.Toolbar.textRotateUp": "Girar Texto para Cima", + "SSE.Views.Toolbar.textScale": "Redimensionar", + "SSE.Views.Toolbar.textScaleCustom": "Personalizado", + "SSE.Views.Toolbar.textSelection": "Da seleção atual", + "SSE.Views.Toolbar.textSetPrintArea": "Definir Área de Impressão", + "SSE.Views.Toolbar.textStrikeout": "Rasurado", + "SSE.Views.Toolbar.textSubscript": "Subscrito", + "SSE.Views.Toolbar.textSubSuperscript": "Subscrito/Sobrescrito", + "SSE.Views.Toolbar.textSuperscript": "Sobrescrito", + "SSE.Views.Toolbar.textTabCollaboration": "Colaboração", + "SSE.Views.Toolbar.textTabData": "Data", + "SSE.Views.Toolbar.textTabFile": "Ficheiro", + "SSE.Views.Toolbar.textTabFormula": "Fórmula", + "SSE.Views.Toolbar.textTabHome": "Base", + "SSE.Views.Toolbar.textTabInsert": "Inserir", + "SSE.Views.Toolbar.textTabLayout": "Disposição", + "SSE.Views.Toolbar.textTabProtect": "Proteção", + "SSE.Views.Toolbar.textTabView": "Ver", + "SSE.Views.Toolbar.textThisPivot": "A partir deste pivot", + "SSE.Views.Toolbar.textThisSheet": "A partir desta folha de cálculo", + "SSE.Views.Toolbar.textThisTable": "A partir deste pivot", + "SSE.Views.Toolbar.textTop": "Parte superior:", + "SSE.Views.Toolbar.textTopBorders": "Bordas superiores", + "SSE.Views.Toolbar.textUnderline": "Sublinhado", + "SSE.Views.Toolbar.textVertical": "Texto vertical", + "SSE.Views.Toolbar.textWidth": "Largura", + "SSE.Views.Toolbar.textZoom": "Zoom", + "SSE.Views.Toolbar.tipAlignBottom": "Alinhar à parte inferior", + "SSE.Views.Toolbar.tipAlignCenter": "Alinhar ao centro", + "SSE.Views.Toolbar.tipAlignJust": "Justificado", + "SSE.Views.Toolbar.tipAlignLeft": "Alinhar à esquerda", + "SSE.Views.Toolbar.tipAlignMiddle": "Alinhar ao meio", + "SSE.Views.Toolbar.tipAlignRight": "Alinhar à direita", + "SSE.Views.Toolbar.tipAlignTop": "Alinhar à parte superior", + "SSE.Views.Toolbar.tipAutofilter": "Classificar e Filtrar", + "SSE.Views.Toolbar.tipBack": "Voltar", + "SSE.Views.Toolbar.tipBorders": "Bordas", + "SSE.Views.Toolbar.tipCellStyle": "Estilo da célula", + "SSE.Views.Toolbar.tipChangeChart": "Alterar tipo de gráfico", + "SSE.Views.Toolbar.tipClearStyle": "Limpar", + "SSE.Views.Toolbar.tipColorSchemas": "Alterar esquema de cor", + "SSE.Views.Toolbar.tipCondFormat": "Formatação condicional", + "SSE.Views.Toolbar.tipCopy": "Copiar", + "SSE.Views.Toolbar.tipCopyStyle": "Copiar estilo", + "SSE.Views.Toolbar.tipDecDecimal": "Diminuir casas decimais", + "SSE.Views.Toolbar.tipDecFont": "Diminuir tamanho do tipo de letra", + "SSE.Views.Toolbar.tipDeleteOpt": "Excluir células", + "SSE.Views.Toolbar.tipDigStyleAccounting": "Estilo contabilidade", + "SSE.Views.Toolbar.tipDigStyleCurrency": "Estilo da moeda", + "SSE.Views.Toolbar.tipDigStylePercent": "Estilo de porcentagem", + "SSE.Views.Toolbar.tipEditChart": "Editar gráfico", + "SSE.Views.Toolbar.tipEditChartData": "Selecionar dados", + "SSE.Views.Toolbar.tipEditChartType": "Alterar tipo de gráfico", + "SSE.Views.Toolbar.tipEditHeader": "Editar cabeçalho e rodapé", + "SSE.Views.Toolbar.tipFontColor": "Cor do tipo de letra", + "SSE.Views.Toolbar.tipFontName": "Nome da fonte", + "SSE.Views.Toolbar.tipFontSize": "Tamanho do tipo de letra", + "SSE.Views.Toolbar.tipImgAlign": "Alinhar objetos", + "SSE.Views.Toolbar.tipImgGroup": "Agrupar objetos", + "SSE.Views.Toolbar.tipIncDecimal": "Aumentar números decimais", + "SSE.Views.Toolbar.tipIncFont": "Aumentar tamanho do tipo de letra", + "SSE.Views.Toolbar.tipInsertChart": "Inserir gráfico", + "SSE.Views.Toolbar.tipInsertChartSpark": "Inserir gráfico", + "SSE.Views.Toolbar.tipInsertEquation": "Inserir equação", + "SSE.Views.Toolbar.tipInsertHyperlink": "Adicionar hiperligação", + "SSE.Views.Toolbar.tipInsertImage": "Inserir imagem", + "SSE.Views.Toolbar.tipInsertOpt": "Inserir células", + "SSE.Views.Toolbar.tipInsertShape": "Inserir forma automática", + "SSE.Views.Toolbar.tipInsertSlicer": "Inserir segmentação de dados", + "SSE.Views.Toolbar.tipInsertSpark": "Inserir sparkline", + "SSE.Views.Toolbar.tipInsertSymbol": "Inserir símbolo", + "SSE.Views.Toolbar.tipInsertTable": "Inserir tabela", + "SSE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", + "SSE.Views.Toolbar.tipInsertTextart": "Inserir arte de texto", + "SSE.Views.Toolbar.tipMerge": "Mesclar", + "SSE.Views.Toolbar.tipNone": "Nenhum", + "SSE.Views.Toolbar.tipNumFormat": "Formato de número", + "SSE.Views.Toolbar.tipPageMargins": "Margens da página", + "SSE.Views.Toolbar.tipPageOrient": "Orientação da página", + "SSE.Views.Toolbar.tipPageSize": "Tamanho da página", + "SSE.Views.Toolbar.tipPaste": "Colar", + "SSE.Views.Toolbar.tipPrColor": "Cor de preenchimento", + "SSE.Views.Toolbar.tipPrint": "Imprimir", + "SSE.Views.Toolbar.tipPrintArea": "Área de Impressão", + "SSE.Views.Toolbar.tipPrintTitles": "Imprimir títulos", + "SSE.Views.Toolbar.tipRedo": "Refazer", + "SSE.Views.Toolbar.tipSave": "Salvar", + "SSE.Views.Toolbar.tipSaveCoauth": "Guarde as suas alterações para que os outros utilizadores as possam ver.", + "SSE.Views.Toolbar.tipScale": "Ajustar Tamanho", + "SSE.Views.Toolbar.tipSendBackward": "Enviar para trás", + "SSE.Views.Toolbar.tipSendForward": "Trazer para a frente", + "SSE.Views.Toolbar.tipSynchronize": "O documento foi alterado por outro utilizador. Clique para guardar as suas alterações e recarregar o documento.", + "SSE.Views.Toolbar.tipTextOrientation": "Orientação", + "SSE.Views.Toolbar.tipUndo": "Desfazer", + "SSE.Views.Toolbar.tipWrap": "Moldar texto", + "SSE.Views.Toolbar.txtAccounting": "Contabilidade", + "SSE.Views.Toolbar.txtAdditional": "Adicional", + "SSE.Views.Toolbar.txtAscending": "Crescente", + "SSE.Views.Toolbar.txtAutosumTip": "Somatório", + "SSE.Views.Toolbar.txtClearAll": "Tudo", + "SSE.Views.Toolbar.txtClearComments": "Comentários", + "SSE.Views.Toolbar.txtClearFilter": "Limpar filtro", + "SSE.Views.Toolbar.txtClearFormat": "Formato", + "SSE.Views.Toolbar.txtClearFormula": "Função", + "SSE.Views.Toolbar.txtClearHyper": "Hiperligações", + "SSE.Views.Toolbar.txtClearText": "Texto", + "SSE.Views.Toolbar.txtCurrency": "Moeda", + "SSE.Views.Toolbar.txtCustom": "Personalizar", + "SSE.Views.Toolbar.txtDate": "Data", + "SSE.Views.Toolbar.txtDateTime": "Data e Hora", + "SSE.Views.Toolbar.txtDescending": "Decrescente", + "SSE.Views.Toolbar.txtDollar": "$ Dólar", + "SSE.Views.Toolbar.txtEuro": "€ Euro", + "SSE.Views.Toolbar.txtExp": "Exponencial", + "SSE.Views.Toolbar.txtFilter": "Filtro", + "SSE.Views.Toolbar.txtFormula": "Inserir função", + "SSE.Views.Toolbar.txtFraction": "Fração", + "SSE.Views.Toolbar.txtFranc": "Franco suíço CHF", + "SSE.Views.Toolbar.txtGeneral": "Geral", + "SSE.Views.Toolbar.txtInteger": "Inteiro", + "SSE.Views.Toolbar.txtManageRange": "Name manager", + "SSE.Views.Toolbar.txtMergeAcross": "Mesclar através", + "SSE.Views.Toolbar.txtMergeCells": "Mesclar células", + "SSE.Views.Toolbar.txtMergeCenter": "Mesclar e Centrar", + "SSE.Views.Toolbar.txtNamedRange": "Named Ranges", + "SSE.Views.Toolbar.txtNewRange": "New name", + "SSE.Views.Toolbar.txtNoBorders": "Sem bordas", + "SSE.Views.Toolbar.txtNumber": "Número", + "SSE.Views.Toolbar.txtPasteRange": "Paste name", + "SSE.Views.Toolbar.txtPercentage": "Porcentagem", + "SSE.Views.Toolbar.txtPound": "£ Libra", + "SSE.Views.Toolbar.txtRouble": "₽ Rouble", + "SSE.Views.Toolbar.txtScheme1": "Office", + "SSE.Views.Toolbar.txtScheme10": "Mediana", + "SSE.Views.Toolbar.txtScheme11": "Metro", + "SSE.Views.Toolbar.txtScheme12": "Módulo", + "SSE.Views.Toolbar.txtScheme13": "Opulento", + "SSE.Views.Toolbar.txtScheme14": "Balcão envidraçado", + "SSE.Views.Toolbar.txtScheme15": "Origem", + "SSE.Views.Toolbar.txtScheme16": "Papel", + "SSE.Views.Toolbar.txtScheme17": "Solstício", + "SSE.Views.Toolbar.txtScheme18": "Técnica", + "SSE.Views.Toolbar.txtScheme19": "Viagem", + "SSE.Views.Toolbar.txtScheme2": "Escala de cinza", + "SSE.Views.Toolbar.txtScheme20": "Urbano", + "SSE.Views.Toolbar.txtScheme21": "Verve", + "SSE.Views.Toolbar.txtScheme22": "Novo Escritório", + "SSE.Views.Toolbar.txtScheme3": "Ápice", + "SSE.Views.Toolbar.txtScheme4": "Aspecto", + "SSE.Views.Toolbar.txtScheme5": "Cívico", + "SSE.Views.Toolbar.txtScheme6": "Concurso", + "SSE.Views.Toolbar.txtScheme7": "Patrimônio Líquido", + "SSE.Views.Toolbar.txtScheme8": "Fluxo", + "SSE.Views.Toolbar.txtScheme9": "Fundição", + "SSE.Views.Toolbar.txtScientific": "Científico", + "SSE.Views.Toolbar.txtSearch": "Pesquisa", + "SSE.Views.Toolbar.txtSort": "Classificar", + "SSE.Views.Toolbar.txtSortAZ": "Classificar do menor para o maior", + "SSE.Views.Toolbar.txtSortZA": "Classificar do maior para o menor", + "SSE.Views.Toolbar.txtSpecial": "Especial", + "SSE.Views.Toolbar.txtTableTemplate": "Formatar como modelo de tabela", + "SSE.Views.Toolbar.txtText": "Texto", + "SSE.Views.Toolbar.txtTime": "Hora", + "SSE.Views.Toolbar.txtUnmerge": "Desfaz a mesclagem de células", + "SSE.Views.Toolbar.txtYen": "¥ Yen", + "SSE.Views.Top10FilterDialog.textType": "Mostrar", + "SSE.Views.Top10FilterDialog.txtBottom": "Baixo", + "SSE.Views.Top10FilterDialog.txtBy": "por", + "SSE.Views.Top10FilterDialog.txtItems": "Item", + "SSE.Views.Top10FilterDialog.txtPercent": "Percentagem", + "SSE.Views.Top10FilterDialog.txtSum": "Soma", + "SSE.Views.Top10FilterDialog.txtTitle": "Filtro automático dos 10 Mais", + "SSE.Views.Top10FilterDialog.txtTop": "Parte superior", + "SSE.Views.Top10FilterDialog.txtValueTitle": "Filtro Top 10", + "SSE.Views.ValueFieldSettingsDialog.textTitle": "Definições de campo de valor", + "SSE.Views.ValueFieldSettingsDialog.txtAverage": "Média", + "SSE.Views.ValueFieldSettingsDialog.txtBaseField": "Campo base", + "SSE.Views.ValueFieldSettingsDialog.txtBaseItem": "Item base", + "SSE.Views.ValueFieldSettingsDialog.txtByField": "%1 de %2", + "SSE.Views.ValueFieldSettingsDialog.txtCount": "Contagem", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "Contar números", + "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "Nome personalizado", + "SSE.Views.ValueFieldSettingsDialog.txtDifference": "A Diferença em Relação a", + "SSE.Views.ValueFieldSettingsDialog.txtIndex": "Índice", + "SSE.Views.ValueFieldSettingsDialog.txtMax": "Máx", + "SSE.Views.ValueFieldSettingsDialog.txtMin": "Min.", + "SSE.Views.ValueFieldSettingsDialog.txtNormal": "Sem cálculos", + "SSE.Views.ValueFieldSettingsDialog.txtPercent": "Percentagem de", + "SSE.Views.ValueFieldSettingsDialog.txtPercentDiff": "Diferença de Percentagem em Relação a", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfCol": "Percentagem da Coluna", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfRow": "Percentagem do Total", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfTotal": "Percentagem da Linha", + "SSE.Views.ValueFieldSettingsDialog.txtProduct": "Produto", + "SSE.Views.ValueFieldSettingsDialog.txtRunTotal": "Total Corrente Em", + "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "Mostrar valores como", + "SSE.Views.ValueFieldSettingsDialog.txtSourceName": "Nome da origem:", + "SSE.Views.ValueFieldSettingsDialog.txtStdDev": "Desv.Padr", + "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "Desv.PadrP", + "SSE.Views.ValueFieldSettingsDialog.txtSum": "Soma", + "SSE.Views.ValueFieldSettingsDialog.txtSummarize": "Sumarizar valor do campo por", + "SSE.Views.ValueFieldSettingsDialog.txtVar": "Var", + "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.ViewManagerDlg.closeButtonText": "Fechar", + "SSE.Views.ViewManagerDlg.guestText": "Visitante", + "SSE.Views.ViewManagerDlg.lockText": "Bloqueada", + "SSE.Views.ViewManagerDlg.textDelete": "Eliminar", + "SSE.Views.ViewManagerDlg.textDuplicate": "Duplicar", + "SSE.Views.ViewManagerDlg.textEmpty": "Ainda não criou qualquer vista", + "SSE.Views.ViewManagerDlg.textGoTo": "Ir para a vista", + "SSE.Views.ViewManagerDlg.textLongName": "Introduza um nome com menos de 128 caracteres.", + "SSE.Views.ViewManagerDlg.textNew": "Novo", + "SSE.Views.ViewManagerDlg.textRename": "Renomear", + "SSE.Views.ViewManagerDlg.textRenameError": "O nome da vista não pode estar vazio.", + "SSE.Views.ViewManagerDlg.textRenameLabel": "Renomear vista", + "SSE.Views.ViewManagerDlg.textViews": "Vistas de folhas", + "SSE.Views.ViewManagerDlg.tipIsLocked": "Este elemento está a ser editado por outro utilizador.", + "SSE.Views.ViewManagerDlg.txtTitle": "Mostrar gestor de vistas", + "SSE.Views.ViewManagerDlg.warnDeleteView": "Está a tentar eliminar a vista atualmente ativa: %1.
                              Fechar vista e eliminar?", + "SSE.Views.ViewTab.capBtnFreeze": "Fixar painéis", + "SSE.Views.ViewTab.capBtnSheetView": "Vista de folha", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Mostrar sempre a barra de ferramentas", + "SSE.Views.ViewTab.textClose": "Fechar", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Combinar as barras da folha e de estado", + "SSE.Views.ViewTab.textCreate": "Novo", + "SSE.Views.ViewTab.textDefault": "Padrão", + "SSE.Views.ViewTab.textFormula": "Barra de Fórmulas", + "SSE.Views.ViewTab.textFreezeCol": "Fixar a Primeira Coluna", + "SSE.Views.ViewTab.textFreezeRow": "Fixar a Primeira Linha", + "SSE.Views.ViewTab.textGridlines": "Linhas da grelha", + "SSE.Views.ViewTab.textHeadings": "Títulos", + "SSE.Views.ViewTab.textInterfaceTheme": "Tema da interface", + "SSE.Views.ViewTab.textManager": "Gestor de vistas", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Mostrar sombra dos painéis fixados", + "SSE.Views.ViewTab.textUnFreeze": "Libertar painéis", + "SSE.Views.ViewTab.textZeros": "Mostrar zeros", + "SSE.Views.ViewTab.textZoom": "Zoom", + "SSE.Views.ViewTab.tipClose": "Fechar vista de folha", + "SSE.Views.ViewTab.tipCreate": "Criar vista de folha", + "SSE.Views.ViewTab.tipFreeze": "Fixar painéis", + "SSE.Views.ViewTab.tipSheetView": "Vista de folha", + "SSE.Views.WBProtection.hintAllowRanges": "Permitir editar intervalos", + "SSE.Views.WBProtection.hintProtectSheet": "Proteger folha", + "SSE.Views.WBProtection.hintProtectWB": "Proteger livro", + "SSE.Views.WBProtection.txtAllowRanges": "Permitir editar intervalos", + "SSE.Views.WBProtection.txtHiddenFormula": "Fórmulas Ocultas", + "SSE.Views.WBProtection.txtLockedCell": "Célula Bloqueada", + "SSE.Views.WBProtection.txtLockedShape": "Forma bloqueada", + "SSE.Views.WBProtection.txtLockedText": "Bloquear Texto", + "SSE.Views.WBProtection.txtProtectSheet": "Proteger folha", + "SSE.Views.WBProtection.txtProtectWB": "Proteger livro", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "Introduza uma palavra-passe para desbloquear a folha", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "Desproteger Folha", + "SSE.Views.WBProtection.txtWBUnlockDescription": "Introduza uma palavra-passe para desbloquear o livro", + "SSE.Views.WBProtection.txtWBUnlockTitle": "Desproteger Livro" +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/pt.json b/apps/spreadsheeteditor/main/locale/pt.json index 7d75b0e41..f15b6cdc8 100644 --- a/apps/spreadsheeteditor/main/locale/pt.json +++ b/apps/spreadsheeteditor/main/locale/pt.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Criar uma cópia", "Common.Translation.warnFileLockedBtnView": "Aberto para visualização", "Common.UI.ButtonColored.textAutoColor": "Automático", - "Common.UI.ButtonColored.textNewColor": "Adicionar nova cor personalizada", + "Common.UI.ButtonColored.textNewColor": "Nova cor personalizada", "Common.UI.ComboBorderSize.txtNoBorders": "Sem bordas", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Sem bordas", "Common.UI.ComboDataView.emptyComboText": "Sem estilos", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Desfazer", "SSE.Views.DocumentHolder.textUnFreezePanes": "Descongelar painéis", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Balas de flecha", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Marcas de verificação", + "SSE.Views.DocumentHolder.tipMarkersDash": "Marcadores de roteiro", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Vinhetas rômbicas cheias", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Balas redondas cheias", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Balas quadradas cheias", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Balas redondas ocas", + "SSE.Views.DocumentHolder.tipMarkersStar": "Balas de estrelas", "SSE.Views.DocumentHolder.topCellText": "Alinhar à parte superior", "SSE.Views.DocumentHolder.txtAccounting": "Contabilidade", "SSE.Views.DocumentHolder.txtAddComment": "Adicionar comentário", @@ -2018,7 +2026,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Fechar menu", "SSE.Views.FileMenu.btnCreateNewCaption": "Criar novo...", "SSE.Views.FileMenu.btnDownloadCaption": "Transferir como...", - "SSE.Views.FileMenu.btnExitCaption": "Sair", + "SSE.Views.FileMenu.btnExitCaption": "Encerrar", "SSE.Views.FileMenu.btnFileOpenCaption": "Abrir...", "SSE.Views.FileMenu.btnHelpCaption": "Ajuda...", "SSE.Views.FileMenu.btnHistoryCaption": "Histórico da versão", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Alterar direitos de acesso", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Pessoas que têm direitos", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Ativar recuperação automática", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Ativar salvamento automático", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Você precisará aceitar as alterações antes de poder vê-las", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separador decimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Dicas de fonte", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Sempre salvar para o servidor (caso contrário, salvar para servidor no documento fechado)", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Linguagem de fórmula", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemplo: SOMA; MÍNIMO; MÁXIMO; CONT.NÚM", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Ativar opção comentário ao vivo", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Configurações de macros", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Cortar, copiar e colar", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Mostrar o botão Opções de colagem quando o conteúdo for colado", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Ligue o estilo R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Ativar exibição dos comentários resolvidos", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separador", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema de interface", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "separador de milhares", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonês", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreano", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Comentário ao vivo", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laociano", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letão", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "como SO X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Desativar todas as macros com uma notificação", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "como Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinês", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplicar", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Idioma do dicionário", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorar palavras MAIÚSCULAS", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignorar palavras com números", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opções de autocorreção...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Correção", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Atenção", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Com senha", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Proteger planilha", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Assinaturas válidas foram adicionadas à planilha. A planilha está protegida contra edição.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Algumas assinaturas digitais da planilha são inválidas ou não puderam ser verificadas. A planilha está protegida contra edição.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Exibir assinaturas", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Geral", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Configurações de página", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificação ortográfica", "SSE.Views.FormatRulesEditDlg.fillColor": "Cor de preenchimento", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Aviso", "SSE.Views.FormatRulesEditDlg.text2Scales": "Escala Bicolor", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Mínimo", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Ponto mínimo", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativo", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Nova cor personalizada", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Sem bordas", "SSE.Views.FormatRulesEditDlg.textNone": "Nenhum", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Um ou mais dos valores especificados não é uma porcentagem válida.", @@ -2380,7 +2370,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Itálico", "SSE.Views.HeaderFooterDialog.textLeft": "Esquerdo", "SSE.Views.HeaderFooterDialog.textMaxError": "A sequência de texto que você inseriu é muito longa. Reduza o número de caracteres usados.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.HeaderFooterDialog.textNewColor": "Nova cor personalizada", "SSE.Views.HeaderFooterDialog.textOdd": "Página ímpar", "SSE.Views.HeaderFooterDialog.textPageCount": "Número de páginas", "SSE.Views.HeaderFooterDialog.textPageNum": "Número da página", @@ -3154,7 +3144,7 @@ "SSE.Views.Statusbar.textCount": "Contar", "SSE.Views.Statusbar.textMax": "Máx", "SSE.Views.Statusbar.textMin": "Min", - "SSE.Views.Statusbar.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.Statusbar.textNewColor": "Nova cor personalizada", "SSE.Views.Statusbar.textNoColor": "Sem cor", "SSE.Views.Statusbar.textSum": "Soma", "SSE.Views.Statusbar.tipAddTab": "Adicionar planilha", @@ -3341,7 +3331,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Bordas horizontais interiores", "SSE.Views.Toolbar.textMoreFormats": "Mais formatos", "SSE.Views.Toolbar.textMorePages": "Mais páginas", - "SSE.Views.Toolbar.textNewColor": "Adicionar nova cor personalizada", + "SSE.Views.Toolbar.textNewColor": "Nova cor personalizada", "SSE.Views.Toolbar.textNewRule": "Nova regra", "SSE.Views.Toolbar.textNoBorders": "Sem bordas", "SSE.Views.Toolbar.textOnePage": "página", @@ -3372,7 +3362,7 @@ "SSE.Views.Toolbar.textTabInsert": "Inserir", "SSE.Views.Toolbar.textTabLayout": "Layout", "SSE.Views.Toolbar.textTabProtect": "Proteção", - "SSE.Views.Toolbar.textTabView": "Ver", + "SSE.Views.Toolbar.textTabView": "Visualizar", "SSE.Views.Toolbar.textThisPivot": "De uma tabela dinâmica", "SSE.Views.Toolbar.textThisSheet": "A partir desta folha de trabalho", "SSE.Views.Toolbar.textThisTable": "A partir desta tabela", @@ -3429,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Inserir tabela", "SSE.Views.Toolbar.tipInsertText": "Inserir caixa de texto", "SSE.Views.Toolbar.tipInsertTextart": "Inserir arte de texto", - "SSE.Views.Toolbar.tipMarkersArrow": "balas de flecha", - "SSE.Views.Toolbar.tipMarkersCheckmark": "marcas de verificação", - "SSE.Views.Toolbar.tipMarkersDash": "marcadores de roteiro", - "SSE.Views.Toolbar.tipMarkersFRhombus": "vinhetas rômbicas cheias", - "SSE.Views.Toolbar.tipMarkersFRound": "balas redondas cheias", - "SSE.Views.Toolbar.tipMarkersFSquare": "balas quadradas cheias", - "SSE.Views.Toolbar.tipMarkersHRound": "balas redondas ocas", - "SSE.Views.Toolbar.tipMarkersStar": "balas de estrelas", "SSE.Views.Toolbar.tipMerge": "Mesclar e centralizar", "SSE.Views.Toolbar.tipNone": "Nenhum", "SSE.Views.Toolbar.tipNumFormat": "Formato de número", diff --git a/apps/spreadsheeteditor/main/locale/ro.json b/apps/spreadsheeteditor/main/locale/ro.json index 067f040c9..54a973b2c 100644 --- a/apps/spreadsheeteditor/main/locale/ro.json +++ b/apps/spreadsheeteditor/main/locale/ro.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Crează o copie", "Common.Translation.warnFileLockedBtnView": "Deschide vizualizarea", "Common.UI.ButtonColored.textAutoColor": "Automat", - "Common.UI.ButtonColored.textNewColor": "Adăugarea unei culori particularizate noi", + "Common.UI.ButtonColored.textNewColor": "Сuloare particularizată", "Common.UI.ComboBorderSize.txtNoBorders": "Fără borduri", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Fără borduri", "Common.UI.ComboDataView.emptyComboText": "Fără stiluri", @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Rezolvat", "Common.Views.Comments.textSort": "Sortare comentarii", "Common.Views.Comments.textViewResolved": "Dvs. nu aveți permisiunea de a redeschide comentariu", + "Common.Views.Comments.txtEmpty": "Nu există niciun comentariu.", "Common.Views.CopyWarningDialog.textDontShow": "Nu afișa acest mesaj din nou", "Common.Views.CopyWarningDialog.textMsg": "Operațiuni de copiere, decupare și lipire din bară de instrumente sau meniul contextual al editorului se execută numai în editorul.

                              Pentru copiere și lipire din sau în aplicații exterioare folosiți următoarele combinații de taste:", "Common.Views.CopyWarningDialog.textTitle": "Comenzile de copiere, decupare și lipire", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Anulează", "SSE.Views.DocumentHolder.textUnFreezePanes": "Dezghețare panouri", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Marcatori săgeată", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Marcatori simbol de bifare", + "SSE.Views.DocumentHolder.tipMarkersDash": "Marcatori cu o liniuță", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Marcatori romb umplut", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Marcatori cerc umplut", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Marcatori pătrat umplut", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Marcatori cerc gol ", + "SSE.Views.DocumentHolder.tipMarkersStar": "Marcatori stele", "SSE.Views.DocumentHolder.topCellText": "Aliniere sus", "SSE.Views.DocumentHolder.txtAccounting": "Contabilitate", "SSE.Views.DocumentHolder.txtAddComment": "Adaugă comentariu", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Închidere meniu", "SSE.Views.FileMenu.btnCreateNewCaption": "Crearea unui document nou", "SSE.Views.FileMenu.btnDownloadCaption": "Descărcare ca...", - "SSE.Views.FileMenu.btnExitCaption": "Ieșire", + "SSE.Views.FileMenu.btnExitCaption": "Închidere", "SSE.Views.FileMenu.btnFileOpenCaption": "Deschidere...", "SSE.Views.FileMenu.btnHelpCaption": "Asistență...", "SSE.Views.FileMenu.btnHistoryCaption": "Istoricul versiune", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Modificare permisiuni", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Persoane care au dreptul de acces", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Aplicare", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Activare recuperare automată", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Activare salvare automată", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Modul de editare colaborativă", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Ceilalți utilizatori vor putea vedea modificările dvs imediat", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Pentru a vizualiza modificările, trebuie mai întâi să le acceptați", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Separator zecimal", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rapid", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Sugestie font", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Versiunea se adaugă la stocarea după ce faceți clic pe Salvare sau Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Limba formulă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Exemplu: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Activarea afișare comentarii", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Setări macrocomandă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Decupare, copiere și lipire", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Afișarea butonului Opțiuni lipire de fiecare dată când lipiți conținut", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Activare stil referință R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Setări regionale", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Exemplu:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Activarea afișare comentarii rezolvate", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separator", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Tema interfeței", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Separator mii", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italiană", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japoneză", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Coreeană", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Afișare comentarii", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laoțiană", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letonă", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ca OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Se dezactivează toate macrocomenzile, cu notificare ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ca Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chineză", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplicare", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Limbă de dicționar", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignoră cuvintele cu MAJUSCULE", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignoră cuvintele care conțin numere", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Opțiuni AutoCorecție...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Verificare", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Avertisment", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Prin parolă", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Protejarea foii de calcul", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Semnături valide au fost adăugate în foaia de calcul. Foaia de calcul este protejată împotriva editării.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "O parte din semnături electronice pe foaia de calcul nu sunt valide sau nu pot fi verificate. Foaia de calcul este protejată împotriva editării.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Vizualizare semnături", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "General", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Setare pagină", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Verificarea ortografică", "SSE.Views.FormatRulesEditDlg.fillColor": "Culoare de umplere", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Avertisment", "SSE.Views.FormatRulesEditDlg.text2Scales": "Scară cu două culori", @@ -2211,7 +2202,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minim", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Punct minim", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativ", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Adăugarea unei culori particularizate noi", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Сuloare particularizată", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Fără borduri", "SSE.Views.FormatRulesEditDlg.textNone": "Niciunul", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Una sau mai multe valori specificate sunt valorile procentuale nevalide", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Inserare tabel", "SSE.Views.Toolbar.tipInsertText": "Inserare casetă text", "SSE.Views.Toolbar.tipInsertTextart": "Inserare TextArt", - "SSE.Views.Toolbar.tipMarkersArrow": "Listă cu marcatori săgeată", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Listă cu marcatori simbol de bifare", - "SSE.Views.Toolbar.tipMarkersDash": "Listă cu marcatori cu o liniuță", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Listă cu marcatori romb umplut", - "SSE.Views.Toolbar.tipMarkersFRound": "Listă cu marcatori cerc umplut", - "SSE.Views.Toolbar.tipMarkersFSquare": "Listă cu marcatori pătrat umplut", - "SSE.Views.Toolbar.tipMarkersHRound": "Listă cu marcatori cerc gol ", - "SSE.Views.Toolbar.tipMarkersStar": "Listă cu marcatori stele", "SSE.Views.Toolbar.tipMerge": "Îmbinare și centrare", "SSE.Views.Toolbar.tipNone": "Niciuna", "SSE.Views.Toolbar.tipNumFormat": "Formatul de număr", diff --git a/apps/spreadsheeteditor/main/locale/ru.json b/apps/spreadsheeteditor/main/locale/ru.json index f2712e4e4..c57643ce2 100644 --- a/apps/spreadsheeteditor/main/locale/ru.json +++ b/apps/spreadsheeteditor/main/locale/ru.json @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "Решено", "Common.Views.Comments.textSort": "Сортировать комментарии", "Common.Views.Comments.textViewResolved": "У вас нет прав для повторного открытия комментария", + "Common.Views.Comments.txtEmpty": "На листе нет комментариев.", "Common.Views.CopyWarningDialog.textDontShow": "Больше не показывать это сообщение", "Common.Views.CopyWarningDialog.textMsg": "Операции копирования, вырезания и вставки можно выполнить с помощью кнопок на панели инструментов и команд контекстного меню только в этой вкладке редактора.

                              Для копирования в другие приложения и вставки из них используйте следующие сочетания клавиш:", "Common.Views.CopyWarningDialog.textTitle": "Операции копирования, вырезания и вставки", @@ -631,7 +632,7 @@ "SSE.Controllers.LeftMenu.textWithin": "Искать", "SSE.Controllers.LeftMenu.textWorkbook": "В книге", "SSE.Controllers.LeftMenu.txtUntitled": "Без имени", - "SSE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
                              Вы действительно хотите продолжить?", + "SSE.Controllers.LeftMenu.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, вcя функциональность, кроме текста, будет потеряна.
                              Вы действительно хотите продолжить?", "SSE.Controllers.Main.confirmMoveCellRange": "Конечный диапазон ячеек может содержать данные. Продолжить операцию?", "SSE.Controllers.Main.confirmPutMergeRange": "Исходные данные содержали объединенные ячейки.
                              Перед вставкой этих ячеек в таблицу объединение было отменено.", "SSE.Controllers.Main.confirmReplaceFormulaInTable": "Формулы в строке заголовка будут удалены и преобразованы в статический текст.
                              Вы хотите продолжить?", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "Отменить", "SSE.Views.DocumentHolder.textUnFreezePanes": "Снять закрепление областей", "SSE.Views.DocumentHolder.textVar": "Дисп", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Маркеры-стрелки", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Маркеры-галочки", + "SSE.Views.DocumentHolder.tipMarkersDash": "Маркеры-тире", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Заполненные круглые маркеры", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Заполненные квадратные маркеры", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Пустые круглые маркеры", + "SSE.Views.DocumentHolder.tipMarkersStar": "Маркеры-звездочки", "SSE.Views.DocumentHolder.topCellText": "По верхнему краю", "SSE.Views.DocumentHolder.txtAccounting": "Финансовый", "SSE.Views.DocumentHolder.txtAddComment": "Добавить комментарий", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "Закрыть меню", "SSE.Views.FileMenu.btnCreateNewCaption": "Создать новую", "SSE.Views.FileMenu.btnDownloadCaption": "Скачать как...", - "SSE.Views.FileMenu.btnExitCaption": "Выйти", + "SSE.Views.FileMenu.btnExitCaption": "Закрыть", "SSE.Views.FileMenu.btnFileOpenCaption": "Открыть...", "SSE.Views.FileMenu.btnHelpCaption": "Справка...", "SSE.Views.FileMenu.btnHistoryCaption": "История версий", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Изменить права доступа", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Люди, имеющие права", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Применить", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Включить автовосстановление", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Включить автосохранение", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Режим совместного редактирования", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Другие пользователи будут сразу же видеть ваши изменения", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Прежде чем вы сможете увидеть изменения, их надо будет принять", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Десятичный разделитель", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Быстрый", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Хинтинг шрифтов", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Добавлять версию в хранилище после нажатия кнопки Сохранить или Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Язык формул", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Пример: СУММ; МИН; МАКС; СЧЁТ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Включить отображение комментариев в тексте", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Настройки макросов", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Вырезание, копирование и вставка", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Показывать кнопку Параметры вставки при вставке содержимого", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Включить стиль R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Региональные параметры", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Пример:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Включить отображение решенных комментариев", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Разделитель", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Строгий", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Тема интерфейса", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Разделитель разрядов тысяч", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Итальянский", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Японский", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Корейский", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Отображение комментариев", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Лаосский", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Латышский", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "как OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Отключить все макросы с уведомлением", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "как Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Китайский", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Применить", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Язык словаря", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Пропускать слова из ПРОПИСНЫХ БУКВ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Пропускать слова с цифрами", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Параметры автозамены...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Правописание", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Внимание", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "C помощью пароля", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Защитить электронную таблицу", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "В электронную таблицу добавлены действительные подписи. Таблица защищена от редактирования.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Некоторые из цифровых подписей в электронной таблице недействительны или их нельзя проверить. Таблица защищена от редактирования.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Просмотр подписей", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Общие", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Параметры страницы", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Проверка орфографии", "SSE.Views.FormatRulesEditDlg.fillColor": "Цвет заливки", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Внимание", "SSE.Views.FormatRulesEditDlg.text2Scales": "Двухцветная шкала", @@ -3429,14 +3420,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Вставить таблицу", "SSE.Views.Toolbar.tipInsertText": "Вставить надпись", "SSE.Views.Toolbar.tipInsertTextart": "Вставить объект Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Маркеры-стрелки", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Маркеры-галочки", - "SSE.Views.Toolbar.tipMarkersDash": "Маркеры-тире", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Заполненные ромбовидные маркеры", - "SSE.Views.Toolbar.tipMarkersFRound": "Заполненные круглые маркеры", - "SSE.Views.Toolbar.tipMarkersFSquare": "Заполненные квадратные маркеры", - "SSE.Views.Toolbar.tipMarkersHRound": "Пустые круглые маркеры", - "SSE.Views.Toolbar.tipMarkersStar": "Маркеры-звездочки", "SSE.Views.Toolbar.tipMerge": "Объединить и поместить в центре", "SSE.Views.Toolbar.tipNone": "Нет", "SSE.Views.Toolbar.tipNumFormat": "Числовой формат", diff --git a/apps/spreadsheeteditor/main/locale/sk.json b/apps/spreadsheeteditor/main/locale/sk.json index ac23ec016..4c6cff769 100644 --- a/apps/spreadsheeteditor/main/locale/sk.json +++ b/apps/spreadsheeteditor/main/locale/sk.json @@ -2,23 +2,109 @@ "cancelButtonText": "Zrušiť", "Common.Controllers.Chat.notcriticalErrorTitle": "Upozornenie", "Common.Controllers.Chat.textEnterMessage": "Zadať svoju správu tu", + "Common.Controllers.History.notcriticalErrorTitle": "Upozornenie", "Common.define.chartData.textArea": "Plošný graf", + "Common.define.chartData.textAreaStacked": "Skladaná oblasť", + "Common.define.chartData.textAreaStackedPer": "100% stohovaná oblasť", "Common.define.chartData.textBar": "Pruhový graf", + "Common.define.chartData.textBarNormal": "Klastrovaný stĺpec", + "Common.define.chartData.textBarNormal3d": "3-D klastrovaný stĺpec", "Common.define.chartData.textBarNormal3dPerspective": "3D stĺpec", + "Common.define.chartData.textBarStacked": "Skladaný stĺpec", + "Common.define.chartData.textBarStacked3d": "3-D stohovaný stĺpec", + "Common.define.chartData.textBarStackedPer": "100% stohovaný stĺpec", + "Common.define.chartData.textBarStackedPer3d": "3-D 100% stohovaný stĺpec", "Common.define.chartData.textCharts": "Grafy", "Common.define.chartData.textColumn": "Stĺpec", "Common.define.chartData.textColumnSpark": "Stĺpec", + "Common.define.chartData.textCombo": "Kombo", + "Common.define.chartData.textComboAreaBar": "Skladaná oblasť - zoskupené", + "Common.define.chartData.textComboBarLine": "Zoskupený stĺpec - riadok", + "Common.define.chartData.textComboBarLineSecondary": "Zoskupený stĺpec - čiara na sekundárnej osi", + "Common.define.chartData.textComboCustom": "Vlastná kombinácia", + "Common.define.chartData.textDoughnut": "Šiška", + "Common.define.chartData.textHBarNormal": "Zoskupená lišta", + "Common.define.chartData.textHBarNormal3d": "3-D zoskupená lišta", + "Common.define.chartData.textHBarStacked": "Skladaný bar", "Common.define.chartData.textHBarStacked3d": "3-D zoskupená lišta", + "Common.define.chartData.textHBarStackedPer": "100% stohovaná lišta", + "Common.define.chartData.textHBarStackedPer3d": "3-D 100% stohovaná lišta", "Common.define.chartData.textLine": "Čiara/líniový graf", "Common.define.chartData.textLine3d": "3-D línia", + "Common.define.chartData.textLineMarker": "Líniový so značkami", "Common.define.chartData.textLineSpark": "Čiara", + "Common.define.chartData.textLineStacked": "Skladaná linka", + "Common.define.chartData.textLineStackedMarker": "Skladaná linka so značkami", + "Common.define.chartData.textLineStackedPer": "100% stohovaná čiara", + "Common.define.chartData.textLineStackedPerMarker": "100% stohovaná línia so značkami", "Common.define.chartData.textPie": "Koláčový graf", "Common.define.chartData.textPie3d": "3-D koláč", "Common.define.chartData.textPoint": "Bodový graf", - "Common.define.chartData.textSparks": "Sparklines", + "Common.define.chartData.textScatter": "Bodový", + "Common.define.chartData.textScatterLine": "Bodový s rovnými linkami", + "Common.define.chartData.textScatterLineMarker": "Bodový s rovnými linkami a značkami", + "Common.define.chartData.textScatterSmooth": "Bodový s vyhladenými linkami", + "Common.define.chartData.textScatterSmoothMarker": "Bodový s vyhladenými linkami a značkami", + "Common.define.chartData.textSparks": "Mikro-grafy", "Common.define.chartData.textStock": "Akcie/burzový graf", "Common.define.chartData.textSurface": "Povrch", "Common.define.chartData.textWinLossSpark": "Zisk/strata", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "Žiaden formát nie je nastavený", + "Common.define.conditionalData.text1Above": "Na 1 štandardnú odchýlku vyššie", + "Common.define.conditionalData.text1Below": "Na 1 štandardnú odchýlku nižšie", + "Common.define.conditionalData.text2Above": "2 Smerodajná odchýlka nad", + "Common.define.conditionalData.text2Below": "2 Smerodajná odchýlka pod", + "Common.define.conditionalData.text3Above": "3 Smerodajná odchýlka nad", + "Common.define.conditionalData.text3Below": "3 Smerodajná odchýlka pod", + "Common.define.conditionalData.textAbove": "Nad", + "Common.define.conditionalData.textAverage": "Priemerne", + "Common.define.conditionalData.textBegins": "Začať s", + "Common.define.conditionalData.textBelow": "Pod", + "Common.define.conditionalData.textBetween": "Medzi", + "Common.define.conditionalData.textBlank": "Prázdny", + "Common.define.conditionalData.textBlanks": "Obsahuje prázdne bunky", + "Common.define.conditionalData.textBottom": "Dole", + "Common.define.conditionalData.textContains": "Obsahuje", + "Common.define.conditionalData.textDataBar": "Dátový riadok", + "Common.define.conditionalData.textDate": "Dátum", + "Common.define.conditionalData.textDuplicate": "Duplikát", + "Common.define.conditionalData.textEnds": "Končí s", + "Common.define.conditionalData.textEqAbove": "Väčšie alebo rovné", + "Common.define.conditionalData.textEqBelow": "Rovné alebo menšie", + "Common.define.conditionalData.textEqual": "Rovná sa", + "Common.define.conditionalData.textError": "Chyba", + "Common.define.conditionalData.textErrors": "Obsahuje chyby", + "Common.define.conditionalData.textFormula": "Vzorec", + "Common.define.conditionalData.textGreater": "Väčšie ako", + "Common.define.conditionalData.textGreaterEq": "Väčšie alebo rovná sa", + "Common.define.conditionalData.textIconSets": "Sady ikon", + "Common.define.conditionalData.textLast7days": "V uplynulých 7 dňoch", + "Common.define.conditionalData.textLastMonth": "posledný mesiac", + "Common.define.conditionalData.textLastWeek": "Posledný týždeň", + "Common.define.conditionalData.textLess": "Menej ako", + "Common.define.conditionalData.textLessEq": "Menej alebo rovná sa", + "Common.define.conditionalData.textNextMonth": "Ďalší mesiac", + "Common.define.conditionalData.textNextWeek": "Ďalší týždeň", + "Common.define.conditionalData.textNotBetween": "Nie medzi", + "Common.define.conditionalData.textNotBlanks": "Neobsahuje prázdne komôrky", + "Common.define.conditionalData.textNotContains": "Neobsahuje", + "Common.define.conditionalData.textNotEqual": "Nerovná sa", + "Common.define.conditionalData.textNotErrors": "Neobsahuje chyby", + "Common.define.conditionalData.textText": "Text", + "Common.define.conditionalData.textThisMonth": "Tento mesiac", + "Common.define.conditionalData.textThisWeek": "Tento týždeň ", + "Common.define.conditionalData.textToday": "Dnes", + "Common.define.conditionalData.textTomorrow": "Zajtra", + "Common.define.conditionalData.textTop": "Hore", + "Common.define.conditionalData.textUnique": "Unikátne", + "Common.define.conditionalData.textValue": "Hodnota je", + "Common.define.conditionalData.textYesterday": "Včera", + "Common.Translation.warnFileLocked": "Súbor je upravovaný v inej aplikácií. Môžete pokračovať v úpravách a uložiť ho ako kópiu.", + "Common.Translation.warnFileLockedBtnEdit": "Vytvoriť kópiu", + "Common.Translation.warnFileLockedBtnView": "Otvoriť pre náhľad", + "Common.UI.ButtonColored.textAutoColor": "Automaticky", + "Common.UI.ButtonColored.textNewColor": "Pridať novú vlastnú farbu", "Common.UI.ComboBorderSize.txtNoBorders": "Bez orámovania", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Bez orámovania", "Common.UI.ComboDataView.emptyComboText": "Žiadne štýly", @@ -28,6 +114,8 @@ "Common.UI.ExtendedColorDialog.textNew": "Nový", "Common.UI.ExtendedColorDialog.textRGBErr": "Zadaná hodnota je nesprávna.
                              Prosím, zadajte číselnú hodnotu medzi 0 a 255.", "Common.UI.HSBColorPicker.textNoColor": "Bez farby", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "Skrýt heslo", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "Zobraziť heslo", "Common.UI.SearchDialog.textHighlight": "Zvýrazniť výsledky", "Common.UI.SearchDialog.textMatchCase": "Rozlišovať veľkosť písmen", "Common.UI.SearchDialog.textReplaceDef": "Zadať náhradný text", @@ -42,6 +130,9 @@ "Common.UI.SynchronizeTip.textSynchronize": "Dokument bol zmenený ďalším používateľom.
                              Prosím, kliknite na uloženie zmien a opätovne načítajte aktualizácie.", "Common.UI.ThemeColorPalette.textStandartColors": "Štandardné farby", "Common.UI.ThemeColorPalette.textThemeColors": "Farebné témy", + "Common.UI.Themes.txtThemeClassicLight": "Štandardná svetlosť", + "Common.UI.Themes.txtThemeDark": "Tmavý", + "Common.UI.Themes.txtThemeLight": "Svetlý", "Common.UI.Window.cancelButtonText": "Zrušiť", "Common.UI.Window.closeButtonText": "Zatvoriť", "Common.UI.Window.noButtonText": "Nie", @@ -63,19 +154,44 @@ "Common.Views.About.txtVersion": "Verzia", "Common.Views.AutoCorrectDialog.textAdd": "Pridať", "Common.Views.AutoCorrectDialog.textApplyAsWork": "Použite počas práce", + "Common.Views.AutoCorrectDialog.textAutoCorrect": "Automatická oprava", "Common.Views.AutoCorrectDialog.textAutoFormat": "Autoformátovať počas písania", "Common.Views.AutoCorrectDialog.textBy": "Od", + "Common.Views.AutoCorrectDialog.textDelete": "Odstrániť", + "Common.Views.AutoCorrectDialog.textHyperlink": "Internetové a sieťové prístupy s hypertextovými odkazmi", + "Common.Views.AutoCorrectDialog.textMathCorrect": "Autokorekcia pre matematiku", + "Common.Views.AutoCorrectDialog.textNewRowCol": "Zahrnúť nové riadky a stĺpce v tabuľke", + "Common.Views.AutoCorrectDialog.textRecognized": "Uznané funkcie", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "Nasledujúce výrazy sú rozpoznané ako matematické funkcie. Nebudú aplikované pravidlá týkajúce sa veľkých a malých písmen.", + "Common.Views.AutoCorrectDialog.textReplace": "Nahradiť", + "Common.Views.AutoCorrectDialog.textReplaceText": "Nahrádzať počas písania", + "Common.Views.AutoCorrectDialog.textReplaceType": "Nahrádzať text počas písania", + "Common.Views.AutoCorrectDialog.textReset": "Obnoviť", + "Common.Views.AutoCorrectDialog.textResetAll": "Obnoviť pôvodné nastavenia", + "Common.Views.AutoCorrectDialog.textRestore": "Obnoviť", "Common.Views.AutoCorrectDialog.textTitle": "Automatická oprava", + "Common.Views.AutoCorrectDialog.textWarnAddRec": "Uznané funkcie musia obsahovať iba písmená A až Z, horný index alebo dolný index.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "Akýkoľvek vami pridaný výraz bude odstránený a tie, ktoré ste odstránili budú prinavrátené späť. Chcete pokračovať?", + "Common.Views.AutoCorrectDialog.warnReplace": "Samooprava pre %1 už existuje. Chcete ju nahradiť?", "Common.Views.AutoCorrectDialog.warnReset": "Akákoľvek automatická oprava bude odstránená a zmeny budú vrátené na pôvodné hodnoty. Chcete pokračovať?", + "Common.Views.AutoCorrectDialog.warnRestore": "Samooprava pre %1 bude resetovaná na pôvodnú hodnotu. Chcete pokračovať?", "Common.Views.Chat.textSend": "Poslať", + "Common.Views.Comments.mniAuthorAsc": "Autor A až Z", + "Common.Views.Comments.mniAuthorDesc": "Autor Z až A", + "Common.Views.Comments.mniDateAsc": "Najstarší", + "Common.Views.Comments.mniDateDesc": "Najnovší", + "Common.Views.Comments.mniFilterGroups": "Filtrovať podľa skupiny", + "Common.Views.Comments.mniPositionAsc": "Zhora ", + "Common.Views.Comments.mniPositionDesc": "Zdola", "Common.Views.Comments.textAdd": "Pridať", "Common.Views.Comments.textAddComment": "Pridať komentár", "Common.Views.Comments.textAddCommentToDoc": "Pridať komentár k dokumentu", "Common.Views.Comments.textAddReply": "Pridať odpoveď", + "Common.Views.Comments.textAll": "Všetko", "Common.Views.Comments.textAnonym": "Návštevník", "Common.Views.Comments.textCancel": "Zrušiť", "Common.Views.Comments.textClose": "Zatvoriť", + "Common.Views.Comments.textClosePanel": "Zavrieť komentáre", "Common.Views.Comments.textComments": "Komentáre", "Common.Views.Comments.textEdit": "OK", "Common.Views.Comments.textEnterCommentHint": "Zadať svoj komentár tu", @@ -84,6 +200,8 @@ "Common.Views.Comments.textReply": "Odpoveď", "Common.Views.Comments.textResolve": "Vyriešiť", "Common.Views.Comments.textResolved": "Vyriešené", + "Common.Views.Comments.textSort": "Triediť komentáre", + "Common.Views.Comments.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", "Common.Views.CopyWarningDialog.textDontShow": "Už nezobrazovať túto správu", "Common.Views.CopyWarningDialog.textMsg": "Kopírovať, vystrihovať a priliepať pomocou tlačidiel panela nástrojov editora a kontextovej ponuky sa vykonajú iba v rámci tejto karty editora.

                              Ak chcete kopírovať alebo priliepať do alebo z aplikácií mimo editora, použite nasledujúce klávesové skratky: ", "Common.Views.CopyWarningDialog.textTitle": "Akcia kopírovať, vystrihnúť a prilepiť", @@ -92,12 +210,16 @@ "Common.Views.CopyWarningDialog.textToPaste": "pre vloženie", "Common.Views.DocumentAccessDialog.textLoading": "Načítava.....", "Common.Views.DocumentAccessDialog.textTitle": "Nastavenie zdieľania", - "Common.Views.Header.labelCoUsersDescr": "Dokument v súčasnosti upravuje niekoľko používateľov.", + "Common.Views.EditNameDialog.textLabel": "Štítok:", + "Common.Views.EditNameDialog.textLabelError": "Etiketa nesmie byť prázdna.", + "Common.Views.Header.labelCoUsersDescr": "Používatelia, ktorí súbor práve upravujú:", + "Common.Views.Header.textAddFavorite": "Označiť ako obľúbené", "Common.Views.Header.textAdvSettings": "Pokročilé nastavenia", - "Common.Views.Header.textBack": "Prejsť do Dokumentov", + "Common.Views.Header.textBack": "Otvoriť umiestnenie súboru", "Common.Views.Header.textCompactView": "Skryť panel s nástrojmi", "Common.Views.Header.textHideLines": "Skryť pravítka", - "Common.Views.Header.textHideStatusBar": "Schovať stavový riadok", + "Common.Views.Header.textHideStatusBar": "Skombinovať list a stavový riadok", + "Common.Views.Header.textRemoveFavorite": "Odstrániť z obľúbených", "Common.Views.Header.textSaveBegin": "Ukladanie...", "Common.Views.Header.textSaveChanged": "Modifikovaný", "Common.Views.Header.textSaveEnd": "Všetky zmeny boli uložené", @@ -110,39 +232,59 @@ "Common.Views.Header.tipRedo": "Znova", "Common.Views.Header.tipSave": "Uložiť", "Common.Views.Header.tipUndo": "Krok späť", + "Common.Views.Header.tipUndock": "Oddeliť do samostatného okna", "Common.Views.Header.tipViewSettings": "Zobraziť nastavenia", "Common.Views.Header.tipViewUsers": "Zobraziť používateľov a spravovať prístupové práva k dokumentom", "Common.Views.Header.txtAccessRights": "Zmeniť prístupové práva", "Common.Views.Header.txtRename": "Premenovať", + "Common.Views.History.textCloseHistory": "Zatvoriť históriu", + "Common.Views.History.textHide": "Stiahnuť/zbaliť/zvinúť", + "Common.Views.History.textHideAll": "Skryť podrobné zmeny", + "Common.Views.History.textRestore": "Obnoviť", + "Common.Views.History.textShow": "Expandovať/rozšíriť", + "Common.Views.History.textShowAll": "Zobraziť detailné zmeny", + "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "Vložte URL adresu obrázka:", "Common.Views.ImageFromUrlDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", "Common.Views.ListSettingsDialog.textBulleted": "S odrážkami", + "Common.Views.ListSettingsDialog.textNumbering": "Číslovaný", "Common.Views.ListSettingsDialog.tipChange": "Zmeniť odrážku", "Common.Views.ListSettingsDialog.txtBullet": "Odrážka", "Common.Views.ListSettingsDialog.txtColor": "Farba", + "Common.Views.ListSettingsDialog.txtNewBullet": "Nová odrážka", "Common.Views.ListSettingsDialog.txtNone": "žiadny", "Common.Views.ListSettingsDialog.txtOfText": "% textu", "Common.Views.ListSettingsDialog.txtSize": "Veľkosť", + "Common.Views.ListSettingsDialog.txtStart": "Začať na", "Common.Views.ListSettingsDialog.txtSymbol": "Symbol", + "Common.Views.ListSettingsDialog.txtTitle": "Nastavenia zoznamu", "Common.Views.ListSettingsDialog.txtType": "Typ", "Common.Views.OpenDialog.closeButtonText": "Zatvoriť súbor", + "Common.Views.OpenDialog.textInvalidRange": "Neplatný rozsah buniek", + "Common.Views.OpenDialog.textSelectData": "Vybrať údaje", "Common.Views.OpenDialog.txtAdvanced": "Pokročilé", "Common.Views.OpenDialog.txtColon": "Dvojbodka ", "Common.Views.OpenDialog.txtComma": "Čiarka", "Common.Views.OpenDialog.txtDelimiter": "Oddeľovač", + "Common.Views.OpenDialog.txtDestData": "Zvoľte kam umiestniť dáta", + "Common.Views.OpenDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.OpenDialog.txtEncoding": "Kódovanie", "Common.Views.OpenDialog.txtIncorrectPwd": "Heslo je nesprávne.", "Common.Views.OpenDialog.txtOpenFile": "Zadajte heslo na otvorenie súboru", "Common.Views.OpenDialog.txtOther": "Ostatné", "Common.Views.OpenDialog.txtPassword": "Heslo", "Common.Views.OpenDialog.txtPreview": "Náhľad", + "Common.Views.OpenDialog.txtProtected": "Po zadaní hesla a otvorení súboru bude súčasné heslo k súboru resetované.", + "Common.Views.OpenDialog.txtSemicolon": "Bodkočiarka", "Common.Views.OpenDialog.txtSpace": "Priestor", "Common.Views.OpenDialog.txtTab": "Tabulátor", "Common.Views.OpenDialog.txtTitle": "Vyberte %1 možností", "Common.Views.OpenDialog.txtTitleProtected": "Chránený súbor", + "Common.Views.PasswordDialog.txtDescription": "Nastaviť heslo na ochranu tohto dokumentu", "Common.Views.PasswordDialog.txtIncorrectPwd": "Heslá sa nezhodujú", "Common.Views.PasswordDialog.txtPassword": "Heslo", + "Common.Views.PasswordDialog.txtRepeat": "Zopakujte heslo", "Common.Views.PasswordDialog.txtTitle": "Nastaviť heslo", "Common.Views.PasswordDialog.txtWarning": "Upozornenie: Ak stratíte alebo zabudnete heslo, nemožno ho obnoviť. Uschovajte ho na bezpečnom mieste.", "Common.Views.PluginDlg.textLoading": "Nahrávanie", @@ -159,16 +301,28 @@ "Common.Views.Protection.txtDeletePwd": "Odstrániť heslo", "Common.Views.Protection.txtEncrypt": "Šifrovať", "Common.Views.Protection.txtInvisibleSignature": "Pridajte digitálny podpis", + "Common.Views.Protection.txtSignature": "Podpis", "Common.Views.Protection.txtSignatureLine": "Pridať riadok na podpis", "Common.Views.RenameDialog.textName": "Názov súboru", "Common.Views.RenameDialog.txtInvalidName": "Názov súboru nemôže obsahovať žiadny z nasledujúcich znakov:", "Common.Views.ReviewChanges.hintNext": "K ďalšej zmene", + "Common.Views.ReviewChanges.hintPrev": "K predošlej zmene", "Common.Views.ReviewChanges.strFast": "Rýchly", + "Common.Views.ReviewChanges.strFastDesc": "Spoločné úpravy v reálnom čase. Všetky zmeny sú ukladané automaticky.", "Common.Views.ReviewChanges.strStrict": "Prísny", + "Common.Views.ReviewChanges.strStrictDesc": "Pre synchronizáciu zmien, ktoré ste urobili vy a ostatný, použite tlačítko \"Uložiť\".", "Common.Views.ReviewChanges.tipAcceptCurrent": "Akceptovať aktuálnu zmenu", + "Common.Views.ReviewChanges.tipCoAuthMode": "Nastaviť mód spoločných úprav", + "Common.Views.ReviewChanges.tipCommentRem": "Odstrániť komentáre", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "Odstrániť aktuálne komentáre", + "Common.Views.ReviewChanges.tipCommentResolve": "Vyriešiť komentáre", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "Vyriešiť aktuálne komentáre", + "Common.Views.ReviewChanges.tipHistory": "Zobraziť históriu verzií", "Common.Views.ReviewChanges.tipRejectCurrent": "Odmietnuť aktuálnu zmenu", "Common.Views.ReviewChanges.tipReview": "Sledovať zmeny", "Common.Views.ReviewChanges.tipReviewView": "Vyberte režim, v ktorom chcete zobraziť zmeny", + "Common.Views.ReviewChanges.tipSetDocLang": "Nastaviť jazyk dokumentu", + "Common.Views.ReviewChanges.tipSetSpelling": "Kontrola pravopisu", "Common.Views.ReviewChanges.tipSharing": "Spravovať prístupové práva k dokumentom", "Common.Views.ReviewChanges.txtAccept": "Prijať", "Common.Views.ReviewChanges.txtAcceptAll": "Akceptovať všetky zmeny", @@ -177,7 +331,16 @@ "Common.Views.ReviewChanges.txtChat": "Rozhovor", "Common.Views.ReviewChanges.txtClose": "Zatvoriť", "Common.Views.ReviewChanges.txtCoAuthMode": "Režim spoločnej úpravy", + "Common.Views.ReviewChanges.txtCommentRemAll": "Odstrániť všetky komentáre", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "Odstrániť aktuálne komentáre", + "Common.Views.ReviewChanges.txtCommentRemMy": "Odstrániť moje komentáre", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Odstrániť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtCommentRemove": "Odstrániť", + "Common.Views.ReviewChanges.txtCommentResolve": "Vyriešiť", + "Common.Views.ReviewChanges.txtCommentResolveAll": "Vyriešiť všetky komentáre", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "Vyriešiť aktuálne komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMy": "Vyriešiť moje komentáre", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "Vyriešiť moje aktuálne komentáre", "Common.Views.ReviewChanges.txtDocLang": "Jazyk", "Common.Views.ReviewChanges.txtFinal": "Všetky zmeny prijaté (ukážka)", "Common.Views.ReviewChanges.txtFinalCap": "Posledný", @@ -192,6 +355,8 @@ "Common.Views.ReviewChanges.txtRejectAll": "Odmietnuť všetky zmeny", "Common.Views.ReviewChanges.txtRejectChanges": "Odmietnuť zmeny", "Common.Views.ReviewChanges.txtRejectCurrent": "Odmietnuť aktuálnu zmenu", + "Common.Views.ReviewChanges.txtSharing": "Zdieľanie", + "Common.Views.ReviewChanges.txtSpelling": "Kontrola pravopisu", "Common.Views.ReviewChanges.txtTurnon": "Sledovať zmeny", "Common.Views.ReviewChanges.txtView": "Režim zobrazenia", "Common.Views.ReviewPopover.textAdd": "Pridať", @@ -203,36 +368,81 @@ "Common.Views.ReviewPopover.textMentionNotify": "+zmienka upovedomí užívateľa mailom", "Common.Views.ReviewPopover.textOpenAgain": "Znova otvoriť", "Common.Views.ReviewPopover.textReply": "Odpovedať", + "Common.Views.ReviewPopover.textResolve": "Vyriešiť", + "Common.Views.ReviewPopover.textViewResolved": "Nemáte povolenie pre opätovné otvorenie komentáru", + "Common.Views.ReviewPopover.txtDeleteTip": "Odstrániť", + "Common.Views.ReviewPopover.txtEditTip": "Upraviť", "Common.Views.SaveAsDlg.textLoading": "Načítavanie", "Common.Views.SaveAsDlg.textTitle": "Priečinok na uloženie", "Common.Views.SelectFileDlg.textLoading": "Načítavanie", + "Common.Views.SelectFileDlg.textTitle": "Vybrať zdroj údajov", "Common.Views.SignDialog.textBold": "Tučné", "Common.Views.SignDialog.textCertificate": "Certifikát", "Common.Views.SignDialog.textChange": "Zmeniť", "Common.Views.SignDialog.textInputName": "Zadať meno signatára", "Common.Views.SignDialog.textItalic": "Kurzíva", + "Common.Views.SignDialog.textNameError": "Meno podpisovateľa nesmie byť prázdne. ", "Common.Views.SignDialog.textPurpose": "Účel podpisovania tohto dokumentu", "Common.Views.SignDialog.textSelect": "Vybrať", "Common.Views.SignDialog.textSelectImage": "Vybrať obrázok", + "Common.Views.SignDialog.textSignature": "Podpis vyzerá ako", + "Common.Views.SignDialog.textTitle": "Podpísať dokument", "Common.Views.SignDialog.textUseImage": "alebo kliknite na položku 'Vybrať obrázok' ak chcete použiť obrázok ako podpis", "Common.Views.SignDialog.textValid": "Platný od %1 do %2", "Common.Views.SignDialog.tipFontName": "Názov písma", "Common.Views.SignDialog.tipFontSize": "Veľkosť písma", "Common.Views.SignSettingsDialog.textAllowComment": "Povoliť podpisujúcemu pridať komentár do podpisového dialógu", + "Common.Views.SignSettingsDialog.textInfo": "Informácie o signatárovi", "Common.Views.SignSettingsDialog.textInfoEmail": "E-mail", "Common.Views.SignSettingsDialog.textInfoName": "Meno", + "Common.Views.SignSettingsDialog.textInfoTitle": "Názov signatára", "Common.Views.SignSettingsDialog.textInstructions": "Pokyny pre signatára", + "Common.Views.SignSettingsDialog.textShowDate": "Zobraziť dátum podpisu v riadku podpisu", + "Common.Views.SignSettingsDialog.textTitle": "Nastavenia podpisu", + "Common.Views.SignSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "Common.Views.SymbolTableDialog.textCharacter": "Symbol", + "Common.Views.SymbolTableDialog.textCode": "Hodnota unicode HEX ", + "Common.Views.SymbolTableDialog.textCopyright": "Znak autorských práv", "Common.Views.SymbolTableDialog.textDCQuote": "Uzatvárajúca úvodzovka", + "Common.Views.SymbolTableDialog.textDOQuote": "Úvodná dvojitá úvodzovka", + "Common.Views.SymbolTableDialog.textEllipsis": "Horizontálna elipsa", + "Common.Views.SymbolTableDialog.textEmDash": "Dlhá pomlčka", + "Common.Views.SymbolTableDialog.textEmSpace": "Dlhá medzera", + "Common.Views.SymbolTableDialog.textEnDash": "Krátka pomlčka", + "Common.Views.SymbolTableDialog.textEnSpace": "Krátka medzera", "Common.Views.SymbolTableDialog.textFont": "Písmo", + "Common.Views.SymbolTableDialog.textNBHyphen": "Pevná pomlčka", + "Common.Views.SymbolTableDialog.textNBSpace": "Nezalomiteľná medzera", + "Common.Views.SymbolTableDialog.textPilcrow": "Typografický znak odstavca", "Common.Views.SymbolTableDialog.textQEmSpace": "Medzera 1/4 Em", "Common.Views.SymbolTableDialog.textRange": "Rozsah", + "Common.Views.SymbolTableDialog.textRecent": "Nedávno použité symboly", + "Common.Views.SymbolTableDialog.textRegistered": "Registrovaná značka", "Common.Views.SymbolTableDialog.textSCQuote": "Uzatvárajúca úvodzovka", + "Common.Views.SymbolTableDialog.textSection": "Paragraf", + "Common.Views.SymbolTableDialog.textShortcut": "Klávesová skratka", + "Common.Views.SymbolTableDialog.textSHyphen": "Mäkký spojovník", + "Common.Views.SymbolTableDialog.textSOQuote": "Úvodná jednoduchá úvodzovka", + "Common.Views.SymbolTableDialog.textSpecial": "Špeciálne znaky", "Common.Views.SymbolTableDialog.textSymbols": "Symboly", "Common.Views.SymbolTableDialog.textTitle": "Symbol", + "Common.Views.SymbolTableDialog.textTradeMark": "Symbol ochrannej známky", + "Common.Views.UserNameDialog.textDontShow": "Nepýtať sa ma znova", + "Common.Views.UserNameDialog.textLabel": "Štítok:", + "Common.Views.UserNameDialog.textLabelError": "Etiketa nesmie byť prázdna.", "SSE.Controllers.DataTab.textColumns": "Stĺpce", + "SSE.Controllers.DataTab.textEmptyUrl": "Musíte špecifikovať adresu URL.", "SSE.Controllers.DataTab.textRows": "Riadky", + "SSE.Controllers.DataTab.textWizard": "Text na stĺpec", + "SSE.Controllers.DataTab.txtDataValidation": "Overenie dát", "SSE.Controllers.DataTab.txtExpand": "Expandovať/rozšíriť", + "SSE.Controllers.DataTab.txtExpandRemDuplicates": "Údaje vedľa výberu sa neodstránia. Chcete rozšíriť výber tak, aby zahŕňal susediace údaje, alebo chcete pokračovať len s aktuálne vybratými bunkami?", + "SSE.Controllers.DataTab.txtExtendDataValidation": "Výber obsahuje niektoré bunky bez nastavení overenia údajov.
                              Chcete rozšíriť overenie údajov na tieto bunky?", + "SSE.Controllers.DataTab.txtImportWizard": "Sprievodca importom textu", + "SSE.Controllers.DataTab.txtRemDuplicates": "Odobrať duplicity", + "SSE.Controllers.DataTab.txtRemoveDataValidation": "Výber obsahuje viac ako jeden typ overenia.
                              Vymazať aktuálne nastavenia a pokračovať?", + "SSE.Controllers.DataTab.txtRemSelected": "Odstrániť vybrané", + "SSE.Controllers.DataTab.txtUrlTitle": "Vložiť adresu domény URL", "SSE.Controllers.DocumentHolder.alignmentText": "Zarovnanie", "SSE.Controllers.DocumentHolder.centerText": "Stred", "SSE.Controllers.DocumentHolder.deleteColumnText": "Odstrániť stĺpec", @@ -251,9 +461,11 @@ "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "Možnosti autokorekcie", "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "Šírka stĺpca {0} symboly ({1} pixely)", "SSE.Controllers.DocumentHolder.textChangeRowHeight": "Výška riadku {0} bodov ({1} pixelov)", - "SSE.Controllers.DocumentHolder.textCtrlClick": "Stlačte CTRL a kliknite na odkaz", + "SSE.Controllers.DocumentHolder.textCtrlClick": "Kliknutím na odkaz ho otvoríte alebo kliknutím a podržaním tlačidla myši vyberte bunku.", "SSE.Controllers.DocumentHolder.textInsertLeft": "Vložiť vľavo", "SSE.Controllers.DocumentHolder.textInsertTop": "Vložiť hore", + "SSE.Controllers.DocumentHolder.textPasteSpecial": "Špeciálne prilepiť", + "SSE.Controllers.DocumentHolder.textStopExpand": "Zastaviť automatické rozširovanie tabuliek", "SSE.Controllers.DocumentHolder.textSym": "sym", "SSE.Controllers.DocumentHolder.tipIsLocked": "Tento prvok upravuje iný používateľ.", "SSE.Controllers.DocumentHolder.txtAboveAve": "Nadpriemer", @@ -268,6 +480,7 @@ "SSE.Controllers.DocumentHolder.txtAddVer": "Pridať zvislú čiaru", "SSE.Controllers.DocumentHolder.txtAlignToChar": "Zarovnať na znak", "SSE.Controllers.DocumentHolder.txtAll": "(všetko)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "Vráti celý obsah tabuľky alebo zadaných stĺpcov tabuľky vrátane hlavičiek stĺpcov, údajov a riadkov celkového počtu", "SSE.Controllers.DocumentHolder.txtAnd": "a", "SSE.Controllers.DocumentHolder.txtBegins": "Začať s", "SSE.Controllers.DocumentHolder.txtBelowAve": "Podpriemerný", @@ -277,6 +490,7 @@ "SSE.Controllers.DocumentHolder.txtColumn": "Stĺpec", "SSE.Controllers.DocumentHolder.txtColumnAlign": "Zarovnanie stĺpcov", "SSE.Controllers.DocumentHolder.txtContains": "Obsahuje", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "Vráti dátové bunky tabuľky alebo zadané stĺpce tabuľky", "SSE.Controllers.DocumentHolder.txtDecreaseArg": "Zmenšiť veľkosť obsahu", "SSE.Controllers.DocumentHolder.txtDeleteArg": "Odstrániť obsah", "SSE.Controllers.DocumentHolder.txtDeleteBreak": "Odstrániť manuálny rozdeľovač", @@ -287,6 +501,8 @@ "SSE.Controllers.DocumentHolder.txtDeleteRadical": "Odstrániť odmocninu", "SSE.Controllers.DocumentHolder.txtEnds": "Končí na", "SSE.Controllers.DocumentHolder.txtEquals": "rovná se", + "SSE.Controllers.DocumentHolder.txtEqualsToCellColor": "Zhodné s farbou bunky", + "SSE.Controllers.DocumentHolder.txtEqualsToFontColor": "Zhodné s farbou písma", "SSE.Controllers.DocumentHolder.txtExpand": "Rozbaliť a zoradiť", "SSE.Controllers.DocumentHolder.txtExpandSort": "Údaje vedľa výberu nebudú zoradené. Chcete rozšíriť výber tak, aby zahŕňal priľahlé údaje, alebo pokračovať v triedení len vybraných buniek?", "SSE.Controllers.DocumentHolder.txtFilterBottom": "Dole", @@ -298,6 +514,7 @@ "SSE.Controllers.DocumentHolder.txtGreaterEquals": "Väčšie alebo rovná sa", "SSE.Controllers.DocumentHolder.txtGroupCharOver": "Zadať nad text", "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "Zadať pod text", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "Vráti hlavičky stĺpcov pre tabuľku alebo určené stĺpce tabuľky", "SSE.Controllers.DocumentHolder.txtHeight": "Výška", "SSE.Controllers.DocumentHolder.txtHideBottom": "Skryť spodné orámovanie", "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "Skryť dolné ohraničenie", @@ -313,6 +530,7 @@ "SSE.Controllers.DocumentHolder.txtHideTop": "Skryť horné orámovanie", "SSE.Controllers.DocumentHolder.txtHideTopLimit": "Skryť horné ohraničenie", "SSE.Controllers.DocumentHolder.txtHideVer": "Skryť vertikálnu čiaru", + "SSE.Controllers.DocumentHolder.txtImportWizard": "Sprievodca importom textu", "SSE.Controllers.DocumentHolder.txtIncreaseArg": "Zväčšiť veľkosť obsahu/argumentu", "SSE.Controllers.DocumentHolder.txtInsertArgAfter": "Vložiť argument/obsah po", "SSE.Controllers.DocumentHolder.txtInsertArgBefore": "Vložiť argument/obsah pred", @@ -326,9 +544,11 @@ "SSE.Controllers.DocumentHolder.txtLimitChange": "Zmeniť polohu obmedzenia", "SSE.Controllers.DocumentHolder.txtLimitOver": "Limita nad textom", "SSE.Controllers.DocumentHolder.txtLimitUnder": "Limita pod textom", + "SSE.Controllers.DocumentHolder.txtLockSort": "Blízko vášho výberu existujú dáta, nemáte však dostatočné oprávnenia k úprave týchto buniek.
                              Chcete pokračovať s aktuálnym výberom? ", "SSE.Controllers.DocumentHolder.txtMatchBrackets": "Prispôsobenie zátvoriek k výške obsahu", "SSE.Controllers.DocumentHolder.txtMatrixAlign": "Zarovnanie matice", "SSE.Controllers.DocumentHolder.txtNoChoices": "Neexistujú žiadne možnosti na vyplnenie bunky.
                              Len hodnoty textu zo stĺpca môžu byť vybrané na výmenu.", + "SSE.Controllers.DocumentHolder.txtNotBegins": "Nezačína s", "SSE.Controllers.DocumentHolder.txtNotContains": "Neobsahuje", "SSE.Controllers.DocumentHolder.txtNotEnds": "Nekončí s", "SSE.Controllers.DocumentHolder.txtNotEquals": "nerovná sa", @@ -352,10 +572,12 @@ "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "Hodnota + formát čísla", "SSE.Controllers.DocumentHolder.txtPasteValues": "Vložiť iba hodnotu", "SSE.Controllers.DocumentHolder.txtPercent": "Percento", + "SSE.Controllers.DocumentHolder.txtRedoExpansion": "Znovu automaticky zväčšiť tabuľku", "SSE.Controllers.DocumentHolder.txtRemFractionBar": "Odstrániť zlomok", "SSE.Controllers.DocumentHolder.txtRemLimit": "Odstrániť limitu", "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "Odstrániť znak akcentu", "SSE.Controllers.DocumentHolder.txtRemoveBar": "Odstrániť vodorovnú čiaru", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "Chcete odstrániť tento podpis?
                              Tento krok je nezvratný.", "SSE.Controllers.DocumentHolder.txtRemScripts": "Odstrániť skripty", "SSE.Controllers.DocumentHolder.txtRemSubscript": "Odstrániť dolný index", "SSE.Controllers.DocumentHolder.txtRemSuperscript": "Odstrániť horný index", @@ -371,8 +593,13 @@ "SSE.Controllers.DocumentHolder.txtSorting": "Zoraďovanie", "SSE.Controllers.DocumentHolder.txtSortSelected": "Zoradiť vybrané", "SSE.Controllers.DocumentHolder.txtStretchBrackets": "Zložená zátvorka", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "Zadajte iba tento riadok špecifikovaného stĺpca", "SSE.Controllers.DocumentHolder.txtTop": "Hore", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "Vráti celkový počet riadkov pre tabuľku alebo zadané stĺpce tabuľky", "SSE.Controllers.DocumentHolder.txtUnderbar": "Čiara pod textom", + "SSE.Controllers.DocumentHolder.txtUndoExpansion": "Vrátiť späť automatické rozbalenie tabuľky", + "SSE.Controllers.DocumentHolder.txtUseTextImport": "Použite sprievodcu importom textu", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "Kliknutie na tento odkaz môže byť škodlivé pre Vaše zariadenie a Vaše dáta.
                              Ste si istý, že chcete pokračovať?", "SSE.Controllers.DocumentHolder.txtWidth": "Šírka", "SSE.Controllers.FormulaDialog.sCategoryAll": "Všetko", "SSE.Controllers.FormulaDialog.sCategoryCube": "Kocka", @@ -385,12 +612,14 @@ "SSE.Controllers.FormulaDialog.sCategoryLogical": "Logické", "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "Vyhľadávanie a referencie", "SSE.Controllers.FormulaDialog.sCategoryMathematic": "Matematika a trigonometria", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "Štatistické", "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "Text a dáta", "SSE.Controllers.LeftMenu.newDocumentTitle": "Nepomenovaný zošit", "SSE.Controllers.LeftMenu.textByColumns": "Podľa stĺpcov", "SSE.Controllers.LeftMenu.textByRows": "Podľa riadkov", "SSE.Controllers.LeftMenu.textFormulas": "Vzorce", "SSE.Controllers.LeftMenu.textItemEntireCell": "Celý obsah buniek", + "SSE.Controllers.LeftMenu.textLoadHistory": "Načítavanie histórie verzií ...", "SSE.Controllers.LeftMenu.textLookin": "Prezrieť ", "SSE.Controllers.LeftMenu.textNoTextFound": "Dáta, ktoré ste hľadali, sa nenašli. Prosím, upravte možnosti vyhľadávania.", "SSE.Controllers.LeftMenu.textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", @@ -405,12 +634,14 @@ "SSE.Controllers.LeftMenu.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.Main.confirmMoveCellRange": "Rozsah cieľových buniek môže obsahovať údaje. Pokračovať v operácii?", "SSE.Controllers.Main.confirmPutMergeRange": "Zdrojové dáta obsahovali zlúčené bunky.
                              Predtým, ako boli vložené do tabuľky, boli rozpojené.", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "Vzorce v riadku hlavičky budú odstránené a skonvertované na statický text.
                              Chcete pokračovať?", "SSE.Controllers.Main.convertationTimeoutText": "Prekročený čas konverzie.", "SSE.Controllers.Main.criticalErrorExtText": "Stlačte \"OK\" pre návrat do zoznamu dokumentov.", "SSE.Controllers.Main.criticalErrorTitle": "Chyba", "SSE.Controllers.Main.downloadErrorText": "Sťahovanie zlyhalo.", "SSE.Controllers.Main.downloadTextText": "Načítavanie tabuľky...", "SSE.Controllers.Main.downloadTitleText": "Načítavanie tabuľky", + "SSE.Controllers.Main.errNoDuplicates": "Duplicitné hodnoty neboli nájdené", "SSE.Controllers.Main.errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
                              Prosím, kontaktujte svojho správcu dokumentového servera. ", "SSE.Controllers.Main.errorArgsRange": "Chyba v zadanom vzorci.
                              Používa sa nesprávny rozsah argumentov.", "SSE.Controllers.Main.errorAutoFilterChange": "Operácia nie je povolená, pretože sa pokúša posunúť bunky do tabuľky na pracovnom hárku.", @@ -419,7 +650,10 @@ "SSE.Controllers.Main.errorAutoFilterHiddenRange": "Operáciu nemožno vykonať, pretože oblasť obsahuje filtrované bunky.
                              Odkryte filtrované prvky a skúste to znova.", "SSE.Controllers.Main.errorBadImageUrl": "Adresa URL obrázku je nesprávna", "SSE.Controllers.Main.errorCannotUngroup": "Nemožno zrušiť zoskupenie. Pre začatie náčrtu, vyberte podrobné riadky alebo stĺpce a zoskupte ich.", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "Tento príkaz nemožno použiť na zabezpečený list. Pre použitie príkazu, zrušte zabezpečenie listu.
                              Môže byť vyžadované heslo. ", "SSE.Controllers.Main.errorChangeArray": "Nie je možné meniť časť poľa.", + "SSE.Controllers.Main.errorChangeFilteredRange": "Týmto sa zmení filtrovaný rozsah vo vašom hárku.
                              Ak chcete dokončiť túto úlohu, odstráňte automatické filtre.", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "Bunka, alebo graf, ktorý sa pokúšate zmeniť je na zabezpečenom liste. Pre uskutočnenie zmien, vypnite zabezpečenie listu. Môže byť vyžadované heslo.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "Serverové pripojenie sa stratilo. Práve teraz nie je možné dokument upravovať.", "SSE.Controllers.Main.errorConnectToServer": "Dokument sa nepodarilo uložiť. Prosím, skontrolujte nastavenia pripojenia alebo kontaktujte správcu.
                              Po kliknutí na tlačidlo 'OK' sa zobrazí výzva na prevzatie dokumentu.", "SSE.Controllers.Main.errorCopyMultiselectArea": "Tento príkaz sa nedá použiť s viacerými výbermi.
                              Vyberte jeden rozsah a skúste to znova.", @@ -429,47 +663,74 @@ "SSE.Controllers.Main.errorDatabaseConnection": "Externá chyba.
                              Chyba spojenia databázy. Prosím, kontaktujte podporu ak chyba pretrváva. ", "SSE.Controllers.Main.errorDataEncrypted": "Boli prijaté zašifrované zmeny, nemožno ich dekódovať.", "SSE.Controllers.Main.errorDataRange": "Nesprávny rozsah údajov.", + "SSE.Controllers.Main.errorDataValidate": "Hodnota, ktorú ste zadali, nie je platná.
                              Používateľ má obmedzené hodnoty, ktoré je možné zadať do tejto bunky.", "SSE.Controllers.Main.errorDefaultMessage": "Kód chyby: %1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "Pokúšate sa zmazať stĺpec, ktorý obsahuje uzamknutú bunku. Uzamknuté bunky nemôžu byť zmazané, pokiaľ je list zabezpečený.
                              Pre odstránenie uzamknutej bunky, vypnite zabezpečenie listu. Môže byť vyžadované heslo.", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "Pokúšate sa zmazať riadok, ktorý obsahuje uzamknuté bunky. Uzamknuté bunky môžu byť zmazané, pokiaľ je list zabezpečený.
                              Pre odstránenie uzamknutia bunky, vypnite zabezpečenie listu. Môže byť vyžadované heslo.", "SSE.Controllers.Main.errorEditingDownloadas": "Pri práci s dokumentom došlo k chybe.
                              Použite voľbu \"Stiahnuť ako...\" a uložte si záložnú kópiu súboru na svoj počítač.", "SSE.Controllers.Main.errorEditingSaveas": "Pri práci s dokumentom došlo k chybe.
                              Použite voľbu \"Uložiť ako...\" a uložte si záložnú kópiu súboru na svoj počítač.", + "SSE.Controllers.Main.errorEditView": "Existujúce zobrazenie hárka nie je možné upravovať a nové nemožno momentálne vytvárať, pretože niektoré z nich sa upravujú.", + "SSE.Controllers.Main.errorEmailClient": "Nenašiel sa žiadny emailový klient.", "SSE.Controllers.Main.errorFilePassProtect": "Dokument je chránený heslom a nie je možné ho otvoriť.", "SSE.Controllers.Main.errorFileRequest": "Externá chyba.
                              Chyba požiadavky súboru. Ak chyba pretrváva, kontaktujte podporu.", + "SSE.Controllers.Main.errorFileSizeExceed": "Veľkosť súboru prekračuje limity vášho servera.
                              Kontaktujte prosím vášho správcu dokumentového servera o ďalšie podrobnosti.", "SSE.Controllers.Main.errorFileVKey": "Externá chyba.
                              Nesprávny bezpečnostný kľúč. Ak chyba pretrváva, kontaktujte podporu.", "SSE.Controllers.Main.errorFillRange": "Nepodarilo sa vyplniť vybraný rozsah buniek.
                              Všetky zlúčené bunky musia mať rovnakú veľkosť.", "SSE.Controllers.Main.errorForceSave": "Pri ukladaní súboru sa vyskytla chyba. Ak chcete súbor uložiť na pevný disk počítača, použite možnosť 'Prevziať ako' alebo to skúste znova neskôr.", "SSE.Controllers.Main.errorFormulaName": "Chyba v zadanom vzorci.
                              Používa sa nesprávny názov vzorca.", "SSE.Controllers.Main.errorFormulaParsing": "Interná chyba pri analýze vzorca.", + "SSE.Controllers.Main.errorFrmlMaxLength": "Dĺžka vášho vzorca presahuje limit 8192 znakov.
                              Upravte ho a skúste to znova.", + "SSE.Controllers.Main.errorFrmlMaxReference": "Vzorec nemôžete vložiť, pretože má priveľa hodnôt,
                              odkazov na bunky, a/alebo názvov.", + "SSE.Controllers.Main.errorFrmlMaxTextLength": "Textové hodnoty vo vzorcoch sú obmedzené na 255 znakov.
                              Použite operáciu CONCATENATE alebo operátor zreťazenia (&).", "SSE.Controllers.Main.errorFrmlWrongReferences": "Funkcia sa týka listu, ktorý neexistuje.
                              Skontrolujte prosím údaje a skúste to znova.", "SSE.Controllers.Main.errorFTChangeTableRangeError": "Operácia sa nedala dokončiť pre zvolený rozsah buniek.
                              Vyberte rozsah tak, aby prvý riadok tabuľky bol na rovnakom riadku
                              a výsledná tabuľka sa prekrývala s aktuálnou.", "SSE.Controllers.Main.errorFTRangeIncludedOtherTables": "Operácia sa nedala dokončiť pre zvolený rozsah buniek.
                              Zvoľte rozsah, ktorý nezahŕňa iné tabuľky.", "SSE.Controllers.Main.errorInvalidRef": "Zadajte správny názov pre výber alebo platný odkaz, na ktorý chcete prejsť.", "SSE.Controllers.Main.errorKeyEncrypt": "Neznámy kľúč deskriptoru", "SSE.Controllers.Main.errorKeyExpire": "Kľúč deskriptora vypršal", + "SSE.Controllers.Main.errorLabledColumnsPivot": "Ak chcete vytvoriť kontingenčnú tabuľku, použite údaje, ktoré sú usporiadané ako zoznam s označenými stĺpcami.", + "SSE.Controllers.Main.errorLoadingFont": "Fonty sa nenahrali.
                              Kontaktujte prosím svojho administrátora Servera dokumentov.", + "SSE.Controllers.Main.errorLocationOrDataRangeError": "Odkaz na umiestnenie alebo rozsah údajov nie je platný.", "SSE.Controllers.Main.errorLockedAll": "Operáciu nemožno vykonať, pretože list bol zamknutý iným používateľom.", "SSE.Controllers.Main.errorLockedCellPivot": "Nemôžete meniť údaje v kontingenčnej tabuľke.", "SSE.Controllers.Main.errorLockedWorksheetRename": "List nemôže byť momentálne premenovaný, pretože je premenovaný iným používateľom", + "SSE.Controllers.Main.errorMaxPoints": "Maximálny počet bodov v sérii na jeden graf je 4096.", "SSE.Controllers.Main.errorMoveRange": "Nie je možné zmeniť časť zlúčenej bunky", + "SSE.Controllers.Main.errorMoveSlicerError": "Prierezy tabuľky nemôžou byť skopírované z jedného zošitu do druhého.
                              Akciu opakujte vybraním celej tabuľky vrátane prierezov.", "SSE.Controllers.Main.errorMultiCellFormula": "V tabuľkách nie sú dovolené vzorce pre pole s viacerými bunkami", - "SSE.Controllers.Main.errorOpenWarning": "Dĺžka jedného zo vzorcov v súbore prekročila
                              povolený počet znakov a bola odstránená.", + "SSE.Controllers.Main.errorNoDataToParse": "Neboli vybrané žiadne dáta pre spracovanie.", + "SSE.Controllers.Main.errorOpenWarning": "Jeden zo vzorcov súboru prekračuje limit 8192 znakov.
                              Vzorec bol odstránený.", "SSE.Controllers.Main.errorOperandExpected": "Zadaná funkcia syntax nie je správna. Skontrolujte prosím, či chýba jedna zo zátvoriek-'(' alebo ')'.", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "Zadané heslo nie je správne.
                              Skontrolujte, že máte vypnutý CAPS LOCK a správnu veľkosť písmen.", "SSE.Controllers.Main.errorPasteMaxRange": "Oblasť kopírovania a prilepovania sa nezhoduje.
                              Prosím, vyberte oblasť s rovnakou veľkosťou alebo kliknite na prvú bunku v rade a vložte skopírované bunky.", + "SSE.Controllers.Main.errorPasteMultiSelect": "Túto akciu nemožno vykonať s výberom viacerých rozsahov.
                              Vyberte jeden rozsah a skúste to znova.", + "SSE.Controllers.Main.errorPasteSlicerError": "Prierezy tabuľky nemôžu byť skopírované z jedného zošitu do druhého.", + "SSE.Controllers.Main.errorPivotGroup": "Vybrané objekty nie je možné zlúčiť", + "SSE.Controllers.Main.errorPivotOverlap": "Výstup z kontingenčnej tabuľky nesmie prekrývať tabuľku.", + "SSE.Controllers.Main.errorPivotWithoutUnderlying": "Prehľad kontingenčnej tabuľky bol uložený bez základných údajov.
                              Na aktualizáciu prehľadu použite tlačidlo „Obnoviť“.", "SSE.Controllers.Main.errorPrintMaxPagesCount": "Bohužiaľ, nie je možné v aktuálnej verzii programu vytlačiť viac ako 1500 strán naraz.
                              Toto obmedzenie bude odstránené v najbližších vydaniach.", "SSE.Controllers.Main.errorProcessSaveResult": "Ukladanie zlyhalo", "SSE.Controllers.Main.errorServerVersion": "Verzia editora bola aktualizovaná. Stránka sa opätovne načíta, aby sa vykonali zmeny.", "SSE.Controllers.Main.errorSessionAbsolute": "Režim editácie dokumentu vypršal. Prosím, načítajte stránku znova.", "SSE.Controllers.Main.errorSessionIdle": "Dokument nebol dlho upravovaný. Prosím, načítajte stránku znova.", "SSE.Controllers.Main.errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", + "SSE.Controllers.Main.errorSetPassword": "Heslo nemohlo byť použité", + "SSE.Controllers.Main.errorSingleColumnOrRowError": "Umiestnenie odkazu je chybné, pretože bunky nie sú na rovnakom riadku ale stĺpci.
                              Vyberte bunky na rovnakom riadku alebo stĺpci.", "SSE.Controllers.Main.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              začiatočná cena, max cena, min cena, konečná cena.", "SSE.Controllers.Main.errorToken": "Rámec platnosti zabezpečenia dokumentu nie je správne vytvorený.
                              Prosím, kontaktujte svojho správcu dokumentového servera. ", "SSE.Controllers.Main.errorTokenExpire": "Rámec platnosti zabezpečenia dokumentu vypršal.
                              Prosím, kontaktujte svojho správcu dokumentového servera. ", "SSE.Controllers.Main.errorUnexpectedGuid": "Externá chyba.
                              Neočakávaná GUID. Ak chyba pretrváva, kontaktujte podporu.", "SSE.Controllers.Main.errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", + "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internetové pripojenie bolo obnovené a verzia súboru bola zmenená.
                              Predtým, než budete pokračovať v práci, potrebujete si stiahnuť súbor alebo kópiu jeho obsahu, aby sa nič nestratilo. Potom znovu načítajte stránku.", "SSE.Controllers.Main.errorUserDrop": "K súboru nie je možné práve teraz získať prístup.", "SSE.Controllers.Main.errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", - "SSE.Controllers.Main.errorViewerDisconnect": "Spojenie so serverom je prerušené. Dokument môžete zobraziť,
                              ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví.", + "SSE.Controllers.Main.errorViewerDisconnect": "Spojenie so serverom je prerušené. Dokument môžete zobraziť,
                              ale nemôžete ho stiahnuť ani vytlačiť, kým sa spojenie neobnoví a stránka sa znovu nenačíta.", "SSE.Controllers.Main.errorWrongBracketsCount": "Chyba v zadanom vzorci.
                              Používa sa nesprávny počet zátvoriek.", "SSE.Controllers.Main.errorWrongOperator": "Chyba v zadanom vzorci. Používa sa nesprávny operátor.
                              Prosím, opravte chybu.", + "SSE.Controllers.Main.errorWrongPassword": "Zadané heslo nie je správne.", + "SSE.Controllers.Main.errRemDuplicates": "Boli nájdené a zmazané duplicitné hodnoty: {0}, ostáva neopakujúcich sa hodnôt: {1}.", "SSE.Controllers.Main.leavePageText": "V tejto tabuľke máte neuložené zmeny. Kliknite na položku 'Zostať na tejto stránke' a následne na položku 'Uložiť' aby ste uložili zmeny. Kliknutím na položku 'Opustiť túto stránku' odstránite všetky neuložené zmeny.", + "SSE.Controllers.Main.leavePageTextOnClose": "Všetky neuložené zmeny v tomto zošite budú stratené.
                              Pokiaľ ich chcete uložiť, kliknite na \"Storno\" a potom \"Uložiť\". Pokiaľ chcete všetky neuložené zmeny zahodiť, kliknite na \"OK\".", "SSE.Controllers.Main.loadFontsTextText": "Načítavanie dát...", "SSE.Controllers.Main.loadFontsTitleText": "Načítavanie dát", "SSE.Controllers.Main.loadFontTextText": "Načítavanie dát...", @@ -480,7 +741,7 @@ "SSE.Controllers.Main.loadImageTitleText": "Načítavanie obrázku", "SSE.Controllers.Main.loadingDocumentTitleText": "Načítanie zošitu", "SSE.Controllers.Main.notcriticalErrorTitle": "Upozornenie", - "SSE.Controllers.Main.openErrorText": "Pri otváraní súboru sa vyskytla chyba", + "SSE.Controllers.Main.openErrorText": "Pri otváraní súboru sa vyskytla chyba.", "SSE.Controllers.Main.openTextText": "Otváranie zošitu...", "SSE.Controllers.Main.openTitleText": "Otváranie zošitu", "SSE.Controllers.Main.pastInMergeAreaError": "Nie je možné zmeniť časť zlúčenej bunky", @@ -489,25 +750,45 @@ "SSE.Controllers.Main.reloadButtonText": "Obnoviť stránku", "SSE.Controllers.Main.requestEditFailedMessageText": "Niekto tento dokument práve upravuje. Skúste neskôr prosím.", "SSE.Controllers.Main.requestEditFailedTitleText": "Prístup zamietnutý", - "SSE.Controllers.Main.saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "SSE.Controllers.Main.saveErrorText": "Pri ukladaní súboru sa vyskytla chyba.", + "SSE.Controllers.Main.saveErrorTextDesktop": "Súbor nemohol byť uložený, alebo vytvorený
                              Možné dôvody:
                              1.Súbor je možne použiť iba na čítanie.
                              2. Súbor je editovaný iným užívateľom.
                              3.Úložisko je plné, alebo poškodené.", "SSE.Controllers.Main.saveTextText": "Ukladanie zošitu...", "SSE.Controllers.Main.saveTitleText": "Ukladanie zošitu", "SSE.Controllers.Main.scriptLoadError": "Spojenie je príliš pomalé, niektoré komponenty nemožno nahrať. Obnovte prosím stránku.", "SSE.Controllers.Main.textAnonymous": "Anonymný", + "SSE.Controllers.Main.textApplyAll": "Použiť na všetky rovnice", "SSE.Controllers.Main.textBuyNow": "Navštíviť webovú stránku", + "SSE.Controllers.Main.textChangesSaved": "Všetky zmeny boli uložené", "SSE.Controllers.Main.textClose": "Zatvoriť", "SSE.Controllers.Main.textCloseTip": "Kliknutím zavrite tip", "SSE.Controllers.Main.textConfirm": "Potvrdenie", "SSE.Controllers.Main.textContactUs": "Kontaktujte predajcu", + "SSE.Controllers.Main.textConvertEquation": "Táto rovnica bola vytvorená starou verziou editora rovníc, ktorá už nie je podporovaná. Pre jej upravenie, preveďte rovnicu do formátu Office Math ML.
                              Previesť teraz?", + "SSE.Controllers.Main.textCustomLoader": "Majte na pamäti, že podľa podmienok licencie nie ste oprávnený meniť načítač.
                              Pre získanie ponuky sa obráťte na naše obchodné oddelenie.", + "SSE.Controllers.Main.textDisconnect": "Spojenie sa stratilo", + "SSE.Controllers.Main.textFillOtherRows": "Vyplniť ostatné riadky", + "SSE.Controllers.Main.textFormulaFilledAllRows": "Vzorec zadaný v {0} riadkoch obsahuje dáta. Doplnenie dát do ostatných riadkov, môže trvať niekoľko minút.", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "Vzorec vyplnil prvých {0} riadkov. Vyplnenie ďalších prázdnych riadkov môže trvať niekoľko minút.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "Vzorec vyplnený iba v prvých {0} riadkoch obsahuje údaje z dôvodu šetrenia pamäte. V tomto hárku je ďalších {1} riadkov s údajmi. Môžete ich vyplniť ručne.", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "Vzorec vyplnil iba prvých {0} riadkov, z dôvodu ušetrenia pamäte. Ostatné riadky v tomto hárku neobsahujú údaje.", + "SSE.Controllers.Main.textGuest": "Hosť", + "SSE.Controllers.Main.textHasMacros": "Súbor obsahuje automatické makrá.
                              Chcete spustiť makrá?", + "SSE.Controllers.Main.textLearnMore": "Zistiť viac", "SSE.Controllers.Main.textLoadingDocument": "Načítanie zošitu", + "SSE.Controllers.Main.textLongName": "Vložte meno, ktorého dĺžka je menej ako 128 znakov.", + "SSE.Controllers.Main.textNeedSynchronize": "Máte aktualizácie", "SSE.Controllers.Main.textNo": "Nie", - "SSE.Controllers.Main.textNoLicenseTitle": "ONLYOFFICE obmedzenie pripojenia", + "SSE.Controllers.Main.textNoLicenseTitle": "Bol dosiahnutý limit licencie", "SSE.Controllers.Main.textPaidFeature": "Platená funkcia", "SSE.Controllers.Main.textPleaseWait": "Operácia môže trvať dlhšie, než sa očakávalo. Prosím čakajte...", - "SSE.Controllers.Main.textRemember": "Pamätať si moju voľbu", + "SSE.Controllers.Main.textReconnect": "Spojenie sa obnovilo", + "SSE.Controllers.Main.textRemember": "Zapamätaj si moju voľbu pre všetky súbory", + "SSE.Controllers.Main.textRenameError": "Meno užívateľa nesmie byť prázdne.", + "SSE.Controllers.Main.textRenameLabel": "Zadajte meno, ktoré sa bude používať pre spoluprácu", "SSE.Controllers.Main.textShape": "Tvar", "SSE.Controllers.Main.textStrict": "Prísny režim", "SSE.Controllers.Main.textTryUndoRedo": "Funkcie späť/zopakovať sú vypnuté pre rýchly spolueditačný režim.
                              Kliknite na tlačítko \"Prísny režim\", aby ste prešli do prísneho spolueditačného režimu a aby ste upravovali súbor bez rušenia ostatných užívateľov a odosielali Vaše zmeny iba po ich uložení. Pomocou Rozšírených nastavení editoru môžete prepínať medzi spolueditačnými režimami.", + "SSE.Controllers.Main.textTryUndoRedoWarn": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", "SSE.Controllers.Main.textYes": "Áno", "SSE.Controllers.Main.titleLicenseExp": "Platnosť licencie uplynula", "SSE.Controllers.Main.titleServerVersion": "Editor bol aktualizovaný", @@ -525,46 +806,143 @@ "SSE.Controllers.Main.txtColumn": "Stĺpec", "SSE.Controllers.Main.txtConfidential": "Dôverné", "SSE.Controllers.Main.txtDate": "Dátum", + "SSE.Controllers.Main.txtDays": "Dni", "SSE.Controllers.Main.txtDiagramTitle": "Názov grafu", "SSE.Controllers.Main.txtEditingMode": "Nastaviť režim úprav...", + "SSE.Controllers.Main.txtErrorLoadHistory": "Načítavanie histórie zlyhalo", "SSE.Controllers.Main.txtFiguredArrows": "Šipky", "SSE.Controllers.Main.txtFile": "Súbor", + "SSE.Controllers.Main.txtGrandTotal": "Celkový súčet", + "SSE.Controllers.Main.txtGroup": "Skupina", + "SSE.Controllers.Main.txtHours": "Hodiny", "SSE.Controllers.Main.txtLines": "Čiary", "SSE.Controllers.Main.txtMath": "Matematika", + "SSE.Controllers.Main.txtMinutes": "Minúty", + "SSE.Controllers.Main.txtMonths": "Mesiace", + "SSE.Controllers.Main.txtMultiSelect": "Viacnásobný výber (Alt+S)", "SSE.Controllers.Main.txtOr": "%1 alebo %2", "SSE.Controllers.Main.txtPage": "Stránka", "SSE.Controllers.Main.txtPageOf": "Stránka %1 z %2", "SSE.Controllers.Main.txtPages": "Strany", + "SSE.Controllers.Main.txtPreparedBy": "Pripravil(a)", + "SSE.Controllers.Main.txtPrintArea": "Oblasť_tlače", + "SSE.Controllers.Main.txtQuarter": "Štvrtina", + "SSE.Controllers.Main.txtQuarters": "Štvrtiny", "SSE.Controllers.Main.txtRectangles": "Obdĺžniky", "SSE.Controllers.Main.txtRow": "Riadok", + "SSE.Controllers.Main.txtRowLbls": "Štítky riadku", + "SSE.Controllers.Main.txtSeconds": "Sekundy", "SSE.Controllers.Main.txtSeries": "Rady", + "SSE.Controllers.Main.txtShape_accentBorderCallout1": "Bublina s čiarou 1 (ohraničenie a akcentový pruh)", + "SSE.Controllers.Main.txtShape_accentBorderCallout2": "Bublina s čiarou 2 (ohraničenie a zvýraznenie)", + "SSE.Controllers.Main.txtShape_accentBorderCallout3": "Bublina s čiarou 3 (Ohraničenie a zvýraznenie)", + "SSE.Controllers.Main.txtShape_accentCallout1": "Bublina s čiarou 1 (Accent Bar)", + "SSE.Controllers.Main.txtShape_accentCallout2": "Bublina s čiarou 2 (zvýraznenie)", + "SSE.Controllers.Main.txtShape_accentCallout3": "Bublina s čiarou 3 (zvýraznená)", "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "Tlačítko Späť alebo Predchádzajúce", "SSE.Controllers.Main.txtShape_actionButtonBeginning": "Tlačítko Začiatok", "SSE.Controllers.Main.txtShape_actionButtonBlank": "Prázdne tlačítko", "SSE.Controllers.Main.txtShape_actionButtonDocument": "Tlačítko Dokument", "SSE.Controllers.Main.txtShape_actionButtonEnd": "Tlačítko Koniec", + "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "Tlačítko vpred alebo ďalej", + "SSE.Controllers.Main.txtShape_actionButtonHelp": "Tlačítko Nápoveda", + "SSE.Controllers.Main.txtShape_actionButtonHome": "Tlačítko Domov", + "SSE.Controllers.Main.txtShape_actionButtonInformation": "Tlačítko Informácia", + "SSE.Controllers.Main.txtShape_actionButtonMovie": "Tlačítko Film", + "SSE.Controllers.Main.txtShape_actionButtonReturn": "Tlačítko Návrat", + "SSE.Controllers.Main.txtShape_actionButtonSound": "Tlačítko Zvuk", "SSE.Controllers.Main.txtShape_arc": "Oblúk", "SSE.Controllers.Main.txtShape_bentArrow": "Ohnutá šípka", + "SSE.Controllers.Main.txtShape_bentConnector5": "Kolenový konektor", + "SSE.Controllers.Main.txtShape_bentConnector5WithArrow": "Kolenový konektor so šípkou", + "SSE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Kolenový dvojšípkový konektor", "SSE.Controllers.Main.txtShape_bentUpArrow": "Šípka ohnutá hore", "SSE.Controllers.Main.txtShape_bevel": "Skosenie", "SSE.Controllers.Main.txtShape_blockArc": "Časť kruhu", + "SSE.Controllers.Main.txtShape_borderCallout1": "Bublina s čiarou 1", + "SSE.Controllers.Main.txtShape_borderCallout2": "Bublina s čiarou 2", + "SSE.Controllers.Main.txtShape_borderCallout3": "Bublina s čiarou 3", "SSE.Controllers.Main.txtShape_bracePair": "Dvojitá zátvorka", + "SSE.Controllers.Main.txtShape_callout1": "Bublina s čiarou 1 (bez ohraničenia)", + "SSE.Controllers.Main.txtShape_callout2": "Bublina s čiarou 2 (bez orámovania)", + "SSE.Controllers.Main.txtShape_callout3": "Bublina s čiarou 3 (bez orámovania)", "SSE.Controllers.Main.txtShape_can": "Môže", "SSE.Controllers.Main.txtShape_chevron": "Chevron", + "SSE.Controllers.Main.txtShape_chord": "Akord", "SSE.Controllers.Main.txtShape_circularArrow": "okrúhla šípka", "SSE.Controllers.Main.txtShape_cloud": "Cloud", + "SSE.Controllers.Main.txtShape_cloudCallout": "Upozornenie na cloud", "SSE.Controllers.Main.txtShape_corner": "Roh", "SSE.Controllers.Main.txtShape_cube": "Kocka", + "SSE.Controllers.Main.txtShape_curvedConnector3": "Zakrivený konektor", + "SSE.Controllers.Main.txtShape_curvedConnector3WithArrow": "Konektor v tvare zakrivenej šípky", + "SSE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "Konektor v tvare zakrivenej dvojitej šípky", + "SSE.Controllers.Main.txtShape_curvedDownArrow": "Šípka zahnutá nadol", + "SSE.Controllers.Main.txtShape_curvedLeftArrow": "Šípka zahnutá doľava", + "SSE.Controllers.Main.txtShape_curvedRightArrow": "Šípka zahnutá doprava", + "SSE.Controllers.Main.txtShape_curvedUpArrow": "Šípka zahnutá nahor", "SSE.Controllers.Main.txtShape_decagon": "Desaťuhoľník", + "SSE.Controllers.Main.txtShape_diagStripe": "Priečny prúžok", + "SSE.Controllers.Main.txtShape_diamond": "Diamant", + "SSE.Controllers.Main.txtShape_dodecagon": "Dvanásťuhoľník", + "SSE.Controllers.Main.txtShape_donut": "Šiška", "SSE.Controllers.Main.txtShape_doubleWave": "Dvojitá vlnovka", "SSE.Controllers.Main.txtShape_downArrow": "Šípka dole", + "SSE.Controllers.Main.txtShape_downArrowCallout": "Vyvolanie šípky nadol", + "SSE.Controllers.Main.txtShape_ellipse": "Elipsa", + "SSE.Controllers.Main.txtShape_ellipseRibbon": "Pruh zahnutý nadol", + "SSE.Controllers.Main.txtShape_ellipseRibbon2": "Pruh zahnutý nahor", + "SSE.Controllers.Main.txtShape_flowChartAlternateProcess": "Vývojový diagram: Vystriedať proces", + "SSE.Controllers.Main.txtShape_flowChartCollate": "Vývojový diagram: Collate", + "SSE.Controllers.Main.txtShape_flowChartConnector": "Vývojový diagram: Konektor", + "SSE.Controllers.Main.txtShape_flowChartDecision": "Vývojový diagram: Rozhodnutie", + "SSE.Controllers.Main.txtShape_flowChartDelay": "Vývojový diagram: Oneskorenie", + "SSE.Controllers.Main.txtShape_flowChartDisplay": "Vývojový diagram: Zobraziť", + "SSE.Controllers.Main.txtShape_flowChartDocument": "Vývojový diagram: Dokument", + "SSE.Controllers.Main.txtShape_flowChartExtract": "Vývojový diagram: Extrahovať", + "SSE.Controllers.Main.txtShape_flowChartInputOutput": "Vývojový diagram: Dáta", + "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "Vývojový diagram: Interné úložisko", + "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "Vývojový diagram: Magnetický disk", + "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "Vývojový diagram: Úložisko s priamym prístupom", + "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "Vývojový diagram: Úložisko s postupným prístupom", + "SSE.Controllers.Main.txtShape_flowChartManualInput": "Vývojový diagram: ručný vstup", + "SSE.Controllers.Main.txtShape_flowChartManualOperation": "Vývojový diagram: Manuálna operácia", + "SSE.Controllers.Main.txtShape_flowChartMerge": "Vývojový diagram: Zlúčiť", + "SSE.Controllers.Main.txtShape_flowChartMultidocument": "Vývojový diagram: Viacnásobný dokument", + "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "Vývojový diagram: Spojovací prvok mimo stránky", + "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "Vývojový diagram: Uložené dáta", + "SSE.Controllers.Main.txtShape_flowChartOr": "Vývojový diagram: alebo", + "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "Vývojový diagram: Preddefinovaný proces ", + "SSE.Controllers.Main.txtShape_flowChartPreparation": "Vývojový diagram: Príprava", + "SSE.Controllers.Main.txtShape_flowChartProcess": "Vývojový diagram: proces", + "SSE.Controllers.Main.txtShape_flowChartPunchedCard": "Vývojový diagram: Karta", + "SSE.Controllers.Main.txtShape_flowChartPunchedTape": "Vývojový diagram: Páska s dierkami", + "SSE.Controllers.Main.txtShape_flowChartSort": "Vývojový diagram: Triedenie", + "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "Vývojový diagram: Sumarizačný uzol", + "SSE.Controllers.Main.txtShape_flowChartTerminator": "Vývojový diagram: Terminátor", + "SSE.Controllers.Main.txtShape_foldedCorner": "Prehnutý roh", "SSE.Controllers.Main.txtShape_frame": "Rámček", + "SSE.Controllers.Main.txtShape_halfFrame": "Polovičný rámček", "SSE.Controllers.Main.txtShape_heart": "Srdce", + "SSE.Controllers.Main.txtShape_heptagon": "Päťuholník", + "SSE.Controllers.Main.txtShape_hexagon": "Šesťuholník", + "SSE.Controllers.Main.txtShape_homePlate": "Päťuholník", + "SSE.Controllers.Main.txtShape_horizontalScroll": "Horizontálny posuvník", "SSE.Controllers.Main.txtShape_irregularSeal1": "Výbuch 1", "SSE.Controllers.Main.txtShape_irregularSeal2": "Výbuch 2", "SSE.Controllers.Main.txtShape_leftArrow": "Ľavá šípka", + "SSE.Controllers.Main.txtShape_leftArrowCallout": "Vyvolanie šípky vľavo", + "SSE.Controllers.Main.txtShape_leftBrace": "Ľavá zložená zátvorka", + "SSE.Controllers.Main.txtShape_leftBracket": "Ľavá zátvorka", + "SSE.Controllers.Main.txtShape_leftRightArrow": "Šípka vľavo vpravo", + "SSE.Controllers.Main.txtShape_leftRightArrowCallout": "Vyvolanie šípky vľavo vpravo", + "SSE.Controllers.Main.txtShape_leftRightUpArrow": "Šípka doľava doprava nahor", + "SSE.Controllers.Main.txtShape_leftUpArrow": "Šípka doľava nahor", + "SSE.Controllers.Main.txtShape_lightningBolt": "Blesk", "SSE.Controllers.Main.txtShape_line": "Čiara", "SSE.Controllers.Main.txtShape_lineWithArrow": "Šípka", + "SSE.Controllers.Main.txtShape_lineWithTwoArrows": "Dvojitá šípka", + "SSE.Controllers.Main.txtShape_mathDivide": "Rozdelenie", "SSE.Controllers.Main.txtShape_mathEqual": "Rovná sa", "SSE.Controllers.Main.txtShape_mathMinus": "Mínus", "SSE.Controllers.Main.txtShape_mathMultiply": "Viacnásobný", @@ -572,10 +950,34 @@ "SSE.Controllers.Main.txtShape_mathPlus": "Plus", "SSE.Controllers.Main.txtShape_moon": "Mesiac", "SSE.Controllers.Main.txtShape_noSmoking": "Symbol \"Nie\"", + "SSE.Controllers.Main.txtShape_notchedRightArrow": "Šípka v pravo so zárezom", + "SSE.Controllers.Main.txtShape_octagon": "Osemuholník", "SSE.Controllers.Main.txtShape_parallelogram": "Rovnobežník", + "SSE.Controllers.Main.txtShape_pentagon": "Päťuholník", "SSE.Controllers.Main.txtShape_pie": "Koláčový graf", + "SSE.Controllers.Main.txtShape_plaque": "Podpísať", "SSE.Controllers.Main.txtShape_plus": "Plus", + "SSE.Controllers.Main.txtShape_polyline1": "Čmárať", + "SSE.Controllers.Main.txtShape_polyline2": "Voľná forma", + "SSE.Controllers.Main.txtShape_quadArrow": "Štvorstranná šípka", + "SSE.Controllers.Main.txtShape_quadArrowCallout": "Bublina so štvorstrannou šípkou", + "SSE.Controllers.Main.txtShape_rect": "Obdĺžnik", + "SSE.Controllers.Main.txtShape_ribbon": "Pruh nadol", + "SSE.Controllers.Main.txtShape_ribbon2": "Pásik hore", "SSE.Controllers.Main.txtShape_rightArrow": "Pravá šípka", + "SSE.Controllers.Main.txtShape_rightArrowCallout": "Bublina so šípkou vpravo", + "SSE.Controllers.Main.txtShape_rightBrace": "Pravá svorka", + "SSE.Controllers.Main.txtShape_rightBracket": "Pravá zátvorka", + "SSE.Controllers.Main.txtShape_round1Rect": "Obdĺžnik s jedným oblým rohom", + "SSE.Controllers.Main.txtShape_round2DiagRect": "Obdĺžnik s okrúhlymi protiľahlými rohmi", + "SSE.Controllers.Main.txtShape_round2SameRect": "Obdĺžnik s oblými rohmi na rovnakej strane", + "SSE.Controllers.Main.txtShape_roundRect": "Obdĺžnik s oblými rohmi", + "SSE.Controllers.Main.txtShape_rtTriangle": "Pravý trojuholník", + "SSE.Controllers.Main.txtShape_smileyFace": "Smajlík", + "SSE.Controllers.Main.txtShape_snip1Rect": "Obdĺžnik s jedným odstrihnutým rohom", + "SSE.Controllers.Main.txtShape_snip2DiagRect": "Obdĺžnik s dvoma protiľahlými odstrihnutými rohmi", + "SSE.Controllers.Main.txtShape_snip2SameRect": "Obdĺžnik s dvoma odstrihnutými rohmi na rovnakej strane ", + "SSE.Controllers.Main.txtShape_snipRoundRect": "Obdĺžnik s jedným zaobleným a jedným odstrihnutým rohom hore", "SSE.Controllers.Main.txtShape_spline": "Krivka", "SSE.Controllers.Main.txtShape_star10": "10-cípa hviezda", "SSE.Controllers.Main.txtShape_star12": "12-cípa hviezda", @@ -587,10 +989,21 @@ "SSE.Controllers.Main.txtShape_star6": "6-cípa hviezda", "SSE.Controllers.Main.txtShape_star7": "7-cípa hviezda", "SSE.Controllers.Main.txtShape_star8": "8-cípa hviezda", + "SSE.Controllers.Main.txtShape_stripedRightArrow": "Prúžkovaná šípka vpravo", "SSE.Controllers.Main.txtShape_sun": "Ne", + "SSE.Controllers.Main.txtShape_teardrop": "Slza", "SSE.Controllers.Main.txtShape_textRect": "Textové pole", + "SSE.Controllers.Main.txtShape_trapezoid": "Lichobežník", + "SSE.Controllers.Main.txtShape_triangle": "Trojuholník", "SSE.Controllers.Main.txtShape_upArrow": "Šípka hore", + "SSE.Controllers.Main.txtShape_upArrowCallout": "Bublina so šípkou hore", + "SSE.Controllers.Main.txtShape_upDownArrow": "Šípka hore a dole", + "SSE.Controllers.Main.txtShape_uturnArrow": "Šípka s otočkou", + "SSE.Controllers.Main.txtShape_verticalScroll": "Vertikálne posúvanie", "SSE.Controllers.Main.txtShape_wave": "Vlnka", + "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "Oválna bublina", + "SSE.Controllers.Main.txtShape_wedgeRectCallout": "Obdĺžniková bublina", + "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Bublina v tvare obdĺžnika so zaoblenými rohmi", "SSE.Controllers.Main.txtStarsRibbons": "Hviezdy a stuhy", "SSE.Controllers.Main.txtStyle_Bad": "Zlý/chybný", "SSE.Controllers.Main.txtStyle_Calculation": "Kalkulácia", @@ -616,42 +1029,66 @@ "SSE.Controllers.Main.txtTab": "Tabulátor", "SSE.Controllers.Main.txtTable": "Tabuľka", "SSE.Controllers.Main.txtTime": "Čas", + "SSE.Controllers.Main.txtUnlock": "Odomknúť", + "SSE.Controllers.Main.txtUnlockRange": "Odomknúť rozsah", + "SSE.Controllers.Main.txtUnlockRangeDescription": "Pokiaľ chcete tento rozsah zmeniť, zadajte heslo:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "Oblasť, ktorú sa pokúšate upraviť je zabezpečená heslom.", "SSE.Controllers.Main.txtValues": "Hodnoty", "SSE.Controllers.Main.txtXAxis": "Os X", "SSE.Controllers.Main.txtYAxis": "Os Y", + "SSE.Controllers.Main.txtYears": "Roky", "SSE.Controllers.Main.unknownErrorText": "Neznáma chyba.", "SSE.Controllers.Main.unsupportedBrowserErrorText": "Váš prehliadač nie je podporovaný.", + "SSE.Controllers.Main.uploadDocExtMessage": "Neznámy formát dokumentu", + "SSE.Controllers.Main.uploadDocFileCountMessage": "Neboli nahraté žiadne dokumenty.", + "SSE.Controllers.Main.uploadDocSizeMessage": "Prekročený limit maximálnej veľkosti dokumentu.", "SSE.Controllers.Main.uploadImageExtMessage": "Neznámy formát obrázka.", "SSE.Controllers.Main.uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", - "SSE.Controllers.Main.uploadImageSizeMessage": "Maximálny limit veľkosti obrázka bol prekročený.", + "SSE.Controllers.Main.uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB.", "SSE.Controllers.Main.uploadImageTextText": "Nahrávanie obrázku...", "SSE.Controllers.Main.uploadImageTitleText": "Nahrávanie obrázku", "SSE.Controllers.Main.waitText": "Prosím čakajte...", "SSE.Controllers.Main.warnBrowserIE9": "Aplikácia má na IE9 slabé schopnosti. Použite IE10 alebo vyššie.", "SSE.Controllers.Main.warnBrowserZoom": "Súčasné nastavenie priblíženia nie je plne podporované prehliadačom. Obnovte štandardné priblíženie stlačením klávesov Ctrl+0.", + "SSE.Controllers.Main.warnLicenseExceeded": "Dosiahli ste limit počtu súbežných spojení %1 editora. Dokument bude otvorený len na náhľad.
                              Pre viac podrobností kontaktujte svojho správcu. ", "SSE.Controllers.Main.warnLicenseExp": "Vaša licencia vypršala.
                              Prosím, aktualizujte si svoju licenciu a obnovte stránku.", - "SSE.Controllers.Main.warnNoLicense": "Táto verzia aplikácie %1 editors má určité obmedzenia pre súbežné pripojenia k dokumentovému serveru.
                              Ak potrebujete viac, zvážte aktualizáciu aktuálnej licencie alebo zakúpenie komerčnej.", + "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "Licencia vypršala.
                              K funkcii úprav dokumentu už nemáte prístup.
                              Kontaktujte svojho administrátora, prosím.", + "SSE.Controllers.Main.warnLicenseLimitedRenewed": "Je potrebné obnoviť licenciu.
                              K funkciám úprav dokumentov máte obmedzený prístup.
                              Pre získanie úplného prístupu kontaktujte prosím svojho administrátora.", + "SSE.Controllers.Main.warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "SSE.Controllers.Main.warnNoLicense": "Dosiahli ste limit súběžných pripojení %1 editora. Dokument bude otvorený len na prezeranie.
                              Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "SSE.Controllers.Main.warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", "SSE.Controllers.Main.warnProcessRightsChange": "Bolo vám zamietnuté právo upravovať súbor.", "SSE.Controllers.Print.strAllSheets": "Všetky listy", "SSE.Controllers.Print.textFirstCol": "Prvý stĺpec", "SSE.Controllers.Print.textFirstRow": "Prvý riadok", + "SSE.Controllers.Print.textFrozenCols": "Ukotvené stĺpce", + "SSE.Controllers.Print.textFrozenRows": "Ukotvené riadky", "SSE.Controllers.Print.textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Controllers.Print.textNoRepeat": "Neopakovať", + "SSE.Controllers.Print.textRepeat": "Opakovať...", + "SSE.Controllers.Print.textSelectRange": "Vybrať rozsah", "SSE.Controllers.Print.textWarning": "Upozornenie", "SSE.Controllers.Print.txtCustom": "Vlastný", "SSE.Controllers.Print.warnCheckMargings": "Okraje sú nesprávne", "SSE.Controllers.Statusbar.errorLastSheet": "Pracovný zošit musí mať aspoň jeden viditeľný pracovný list.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Pracovný list sa nedá odstrániť.", "SSE.Controllers.Statusbar.strSheet": "List", - "SSE.Controllers.Statusbar.warnDeleteSheet": "Pracovný list môže obsahovať údaje. Naozaj chcete pokračovať?", + "SSE.Controllers.Statusbar.textDisconnect": "Spojenie sa stratilo
                              Pokus o opätovné spojenie. Skontrolujte nastavenie pripojenia. ", + "SSE.Controllers.Statusbar.textSheetViewTip": "Nachádzate sa v režime zobrazenia hárka. Filtre a zoradenie sú viditeľné iba pre vás a tých, ktorí sú stále v tomto zobrazení.", + "SSE.Controllers.Statusbar.textSheetViewTipFilters": "Nachádzate sa v režime zobrazenia hárka. Filtre sú viditeľné iba pre vás a tých, ktorí sú stále v tomto zobrazení.", + "SSE.Controllers.Statusbar.warnDeleteSheet": "Pracovný list môže mať údaje. Vykonať operáciu?", "SSE.Controllers.Statusbar.zoomText": "Priblíženie {0}%", "SSE.Controllers.Toolbar.confirmAddFontName": "Písmo, ktoré chcete uložiť, nie je dostupné na aktuálnom zariadení.
                              Štýl textu sa zobrazí pomocou jedného zo systémových písiem, uložené písmo sa použije, keď bude k dispozícii.
                              Chcete pokračovať?", + "SSE.Controllers.Toolbar.errorComboSeries": "Pre vytvorenie kombinovaného grafu, zvoľte aspoň dve skupiny dát.", "SSE.Controllers.Toolbar.errorMaxRows": "CHYBA! Maximálny počet dátových radov na graf je 255", "SSE.Controllers.Toolbar.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              začiatočná cena, max cena, min cena, konečná cena.", "SSE.Controllers.Toolbar.textAccent": "Akcenty", "SSE.Controllers.Toolbar.textBracket": "Zátvorky", + "SSE.Controllers.Toolbar.textDirectional": "Smerové", "SSE.Controllers.Toolbar.textFontSizeErr": "Zadaná hodnota je nesprávna.
                              Prosím, zadajte číselnú hodnotu medzi 1 a 409.", "SSE.Controllers.Toolbar.textFraction": "Zlomky", "SSE.Controllers.Toolbar.textFunction": "Funkcie", + "SSE.Controllers.Toolbar.textIndicator": "Indikátory", "SSE.Controllers.Toolbar.textInsert": "Vložiť", "SSE.Controllers.Toolbar.textIntegral": "Integrály", "SSE.Controllers.Toolbar.textLargeOperator": "Veľké operátory", @@ -659,8 +1096,12 @@ "SSE.Controllers.Toolbar.textLongOperation": "Dlhá prevádzka", "SSE.Controllers.Toolbar.textMatrix": "Matice", "SSE.Controllers.Toolbar.textOperator": "Operátory", + "SSE.Controllers.Toolbar.textPivot": "Kontingenčná tabuľka", "SSE.Controllers.Toolbar.textRadical": "Odmocniny", + "SSE.Controllers.Toolbar.textRating": "Hodnotenia", + "SSE.Controllers.Toolbar.textRecentlyUsed": "Nedávno použité", "SSE.Controllers.Toolbar.textScript": "Mocniny", + "SSE.Controllers.Toolbar.textShapes": "Tvary", "SSE.Controllers.Toolbar.textSymbols": "Symboly", "SSE.Controllers.Toolbar.textWarning": "Upozornenie", "SSE.Controllers.Toolbar.txtAccent_Accent": "Dĺžeň", @@ -841,6 +1282,7 @@ "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "Logaritmus", "SSE.Controllers.Toolbar.txtLimitLog_Max": "Maximum", "SSE.Controllers.Toolbar.txtLimitLog_Min": "Minimum", + "SSE.Controllers.Toolbar.txtLockSort": "Blízko vášho výberu existujú dáta, nemáte však dostatočné oprávnenia k úprave týchto buniek.
                              Chcete pokračovať s aktuálnym výberom? ", "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 Prázdna matica", "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 Prázdna matica", "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 Prázdna matica", @@ -986,13 +1428,22 @@ "SSE.Controllers.Toolbar.txtSymbol_vdots": "Vertikálna elipsa/vypustenie", "SSE.Controllers.Toolbar.txtSymbol_xsi": "Ksí ", "SSE.Controllers.Toolbar.txtSymbol_zeta": "Zéta", + "SSE.Controllers.Toolbar.txtTable_TableStyleDark": "Štýl tabuľky tmavý", + "SSE.Controllers.Toolbar.txtTable_TableStyleLight": "Štýl tabuľky svetlý", + "SSE.Controllers.Toolbar.txtTable_TableStyleMedium": "Štýl tabuľky stredný", "SSE.Controllers.Toolbar.warnLongOperation": "Operácia, ktorú chcete vykonať, môže trvať pomerne dlhý čas na dokončenie.
                              Určite chcete pokračovať?", "SSE.Controllers.Toolbar.warnMergeLostData": "Iba údaje z ľavej hornej bunky zostanú v zlúčenej bunke.
                              Ste si istý, že chcete pokračovať?", "SSE.Controllers.Viewport.textFreezePanes": "Ukotviť priečky", + "SSE.Controllers.Viewport.textFreezePanesShadow": "Zobraziť tieň ukotvených priečok", "SSE.Controllers.Viewport.textHideFBar": "Skryť riadok vzorcov", "SSE.Controllers.Viewport.textHideGridlines": "Skryť mriežku", "SSE.Controllers.Viewport.textHideHeadings": "Skryť záhlavia", + "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "Oddeľovač desatinných miest", + "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "Oddeľovač tisícov", + "SSE.Views.AdvancedSeparatorDialog.textLabel": "Nastavenia používané na rozpoznávanie číselných údajov", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "Textový kvalifikátor", "SSE.Views.AdvancedSeparatorDialog.textTitle": "Pokročilé nastavenia", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(žiadne)", "SSE.Views.AutoFilterDialog.btnCustomFilter": "Špeciálny/vlastný filter", "SSE.Views.AutoFilterDialog.textAddSelection": "Pridať aktuálny výber na filtrovanie", "SSE.Views.AutoFilterDialog.textEmptyItem": "{Blanks}", @@ -1012,9 +1463,11 @@ "SSE.Views.AutoFilterDialog.txtFilterFontColor": "Filtrovať podľa farby písma", "SSE.Views.AutoFilterDialog.txtGreater": "Väčšie ako...", "SSE.Views.AutoFilterDialog.txtGreaterEquals": "Väčšie alebo rovná sa...", + "SSE.Views.AutoFilterDialog.txtLabelFilter": "Filtrovanie štítkov", "SSE.Views.AutoFilterDialog.txtLess": "Menej než...", "SSE.Views.AutoFilterDialog.txtLessEquals": "Menej alebo rovná sa", "SSE.Views.AutoFilterDialog.txtNotBegins": "Nezačína s...", + "SSE.Views.AutoFilterDialog.txtNotBetween": "Nie medzi...", "SSE.Views.AutoFilterDialog.txtNotContains": "Neobsahuje...", "SSE.Views.AutoFilterDialog.txtNotEnds": "Nekončí s...", "SSE.Views.AutoFilterDialog.txtNotEquals": "Nerovná sa ...", @@ -1024,9 +1477,12 @@ "SSE.Views.AutoFilterDialog.txtSortFontColor": "Zoradiť podľa farieb písma", "SSE.Views.AutoFilterDialog.txtSortHigh2Low": "Zoradiť od najvyššieho po najnižšie", "SSE.Views.AutoFilterDialog.txtSortLow2High": "Zoradiť od najnižšieho po najvyššie", + "SSE.Views.AutoFilterDialog.txtSortOption": "Ďalšie možné triedenie", "SSE.Views.AutoFilterDialog.txtTextFilter": "Textový filter", "SSE.Views.AutoFilterDialog.txtTitle": "Filter", "SSE.Views.AutoFilterDialog.txtTop10": "Top 10", + "SSE.Views.AutoFilterDialog.txtValueFilter": "Filter hodnôt", + "SSE.Views.AutoFilterDialog.warnFilterError": "Na použitie filtra hodnôt potrebujete aspoň jedno pole v oblasti Hodnoty.", "SSE.Views.AutoFilterDialog.warnNoSelected": "Musíte vybrať aspoň jednu hodnotu", "SSE.Views.CellEditor.textManager": "Správca názvov", "SSE.Views.CellEditor.tipFormula": "Vložiť funkciu", @@ -1035,38 +1491,97 @@ "SSE.Views.CellRangeDialog.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.CellRangeDialog.txtInvalidRange": "CHYBA! Neplatný rozsah buniek", "SSE.Views.CellRangeDialog.txtTitle": "Vybrať rozsah údajov", + "SSE.Views.CellSettings.strShrink": "Orezať aby sa vošlo", "SSE.Views.CellSettings.strWrap": "Obtekanie textu", "SSE.Views.CellSettings.textAngle": "Uhol", "SSE.Views.CellSettings.textBackColor": "Farba pozadia", "SSE.Views.CellSettings.textBackground": "Farba pozadia", "SSE.Views.CellSettings.textBorderColor": "Farba", "SSE.Views.CellSettings.textBorders": "Štýl orámovania", + "SSE.Views.CellSettings.textClearRule": "Zmazať pravidlá", "SSE.Views.CellSettings.textColor": "Vyplniť farbou", + "SSE.Views.CellSettings.textColorScales": "Farebné škály", + "SSE.Views.CellSettings.textCondFormat": "Podmienené formátovanie", + "SSE.Views.CellSettings.textControl": "Kontrola textu", + "SSE.Views.CellSettings.textDataBars": "Histogramy", "SSE.Views.CellSettings.textDirection": "Smer", "SSE.Views.CellSettings.textFill": "Vyplniť", "SSE.Views.CellSettings.textForeground": "Farba popredia", - "SSE.Views.CellSettings.textGradient": "Prechod", + "SSE.Views.CellSettings.textGradient": "Body prechodu", "SSE.Views.CellSettings.textGradientColor": "Farba", "SSE.Views.CellSettings.textGradientFill": "Výplň prechodom", + "SSE.Views.CellSettings.textIndent": "Odsadiť", + "SSE.Views.CellSettings.textItems": "Položky", "SSE.Views.CellSettings.textLinear": "Lineárny", + "SSE.Views.CellSettings.textManageRule": "Spravovať pravidlá", + "SSE.Views.CellSettings.textNewRule": "Nové pravidlo", "SSE.Views.CellSettings.textNoFill": "Bez výplne", "SSE.Views.CellSettings.textOrientation": "Orientácia textu", "SSE.Views.CellSettings.textPattern": "Vzor", "SSE.Views.CellSettings.textPatternFill": "Vzor", + "SSE.Views.CellSettings.textPosition": "Pozícia", "SSE.Views.CellSettings.textRadial": "Kruhový", + "SSE.Views.CellSettings.textSelectBorders": "Vyberte orámovanie, ktoré chcete zmeniť podľa vyššie uvedeného štýlu", + "SSE.Views.CellSettings.textSelection": "Z aktuálneho výberu", + "SSE.Views.CellSettings.textThisPivot": "Z tejto kontingenčnej tabuľky", + "SSE.Views.CellSettings.textThisSheet": "Z tohto listu", + "SSE.Views.CellSettings.textThisTable": "Z tejto tabuľky", "SSE.Views.CellSettings.tipAddGradientPoint": "Pridať spádový bod", + "SSE.Views.CellSettings.tipAll": "Nastaviť vonkajšie orámovanie a všetky vnútorné čiary", + "SSE.Views.CellSettings.tipBottom": "Nastaviť len spodné vonkajšie orámovanie", + "SSE.Views.CellSettings.tipDiagD": "Nastavte okraj diagonálne nadol", + "SSE.Views.CellSettings.tipDiagU": "Nastavte okraj diagonálne nahor", + "SSE.Views.CellSettings.tipInner": "Nastaviť len vnútorné čiary", + "SSE.Views.CellSettings.tipInnerHor": "Nastaviť iba horizontálne vnútorné čiary", "SSE.Views.CellSettings.tipInnerVert": "Nastaviť len vertikálne vnútorné čiary", + "SSE.Views.CellSettings.tipLeft": "Nastaviť len ľavé vonkajšie orámovanie", + "SSE.Views.CellSettings.tipNone": "Nastaviť bez orámovania", + "SSE.Views.CellSettings.tipOuter": "Nastaviť len vonkajšie orámovanie", + "SSE.Views.CellSettings.tipRemoveGradientPoint": "Odstrániť spádový bod", + "SSE.Views.CellSettings.tipRight": "Nastaviť len pravé vonkajšie orámovanie", + "SSE.Views.CellSettings.tipTop": "Nastaviť len horné vonkajšie orámovanie", + "SSE.Views.ChartDataDialog.errorInFormula": "V zadanom vzorci je chyba.", + "SSE.Views.ChartDataDialog.errorInvalidReference": "Odkaz nie je platný. Odkaz musí byť na otvorený pracovný hárok.", + "SSE.Views.ChartDataDialog.errorMaxPoints": "Maximálny počet bodov v sérii na jeden graf je 4096.", + "SSE.Views.ChartDataDialog.errorMaxRows": "Maximálny počet radov údajov na graf je 255.", + "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "Odkaz nie je platný. Odkazy na názvy, hodnoty, veľkosti alebo označenia údajov musia byť v jednej bunke, riadku alebo stĺpci.", + "SSE.Views.ChartDataDialog.errorNoValues": "Ak chcete vytvoriť graf, postupnosť musí obsahovať aspoň jednu hodnotu.", + "SSE.Views.ChartDataDialog.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              začiatočná cena, max cena, min cena, konečná cena.", "SSE.Views.ChartDataDialog.textAdd": "Pridať", + "SSE.Views.ChartDataDialog.textCategory": "Vodorovné (Kategórie) štítky osi ", "SSE.Views.ChartDataDialog.textData": "Rozsah údajov grafu", + "SSE.Views.ChartDataDialog.textDelete": "Odstrániť", + "SSE.Views.ChartDataDialog.textDown": "Dole", + "SSE.Views.ChartDataDialog.textEdit": "Upraviť", + "SSE.Views.ChartDataDialog.textInvalidRange": "Neplatný rozsah buniek", + "SSE.Views.ChartDataDialog.textSelectData": "Vybrať údaje", + "SSE.Views.ChartDataDialog.textSeries": "Záznamy legendy (Série)", + "SSE.Views.ChartDataDialog.textSwitch": "Prehodiť Riadky/Stĺpce", "SSE.Views.ChartDataDialog.textTitle": "Údaje grafu", + "SSE.Views.ChartDataDialog.textUp": "Hore", + "SSE.Views.ChartDataRangeDialog.errorInFormula": "V zadanom vzorci je chyba.", + "SSE.Views.ChartDataRangeDialog.errorInvalidReference": "Odkaz nie je platný. Odkaz musí byť na otvorený pracovný hárok.", + "SSE.Views.ChartDataRangeDialog.errorMaxPoints": "Maximálny počet bodov v sérii na jeden graf je 4096.", + "SSE.Views.ChartDataRangeDialog.errorMaxRows": "Maximálny počet radov údajov na graf je 255.", + "SSE.Views.ChartDataRangeDialog.errorNoSingleRowCol": "Odkaz nie je platný. Odkazy na názvy, hodnoty, veľkosti alebo označenia údajov musia byť v jednej bunke, riadku alebo stĺpci.", + "SSE.Views.ChartDataRangeDialog.errorNoValues": "Ak chcete vytvoriť graf, postupnosť musí obsahovať aspoň jednu hodnotu.", + "SSE.Views.ChartDataRangeDialog.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              začiatočná cena, max cena, min cena, konečná cena.", + "SSE.Views.ChartDataRangeDialog.textInvalidRange": "Neplatný rozsah buniek", + "SSE.Views.ChartDataRangeDialog.textSelectData": "Vybrať údaje", "SSE.Views.ChartDataRangeDialog.txtAxisLabel": "Rozsah osovej značky", "SSE.Views.ChartDataRangeDialog.txtChoose": "Vyber rozsah", + "SSE.Views.ChartDataRangeDialog.txtSeriesName": "Názvy radov", "SSE.Views.ChartDataRangeDialog.txtTitleCategory": "Osové značky", + "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "Upraviť série", + "SSE.Views.ChartDataRangeDialog.txtValues": "Hodnoty", + "SSE.Views.ChartDataRangeDialog.txtXValues": "Hodnoty na osi X", + "SSE.Views.ChartDataRangeDialog.txtYValues": "Hodnoty na osi Y", "SSE.Views.ChartSettings.strLineWeight": "Hrúbka čiary", "SSE.Views.ChartSettings.strSparkColor": "Farba", "SSE.Views.ChartSettings.strTemplate": "Šablóna", "SSE.Views.ChartSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "SSE.Views.ChartSettings.textBorderSizeErr": "Zadaná hodnota je nesprávna.
                              Prosím, zadajte hodnotu medzi 0 pt a 1584 pt.", + "SSE.Views.ChartSettings.textChangeType": "Zmeniť typ", "SSE.Views.ChartSettings.textChartType": "Zmeniť typ grafu", "SSE.Views.ChartSettings.textEditData": "Upraviť údaje a umiestnenie", "SSE.Views.ChartSettings.textFirstPoint": "Prvý bod", @@ -1087,6 +1602,7 @@ "SSE.Views.ChartSettingsDlg.errorMaxPoints": "CHYBA! Najvyšší možný počet bodov za sebou v jednom grafu je 4096.", "SSE.Views.ChartSettingsDlg.errorMaxRows": "CHYBA! Maximálny počet dátových radov na graf je 255", "SSE.Views.ChartSettingsDlg.errorStockChart": "Nesprávne poradie riadkov. Ak chcete vytvoriť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
                              začiatočná cena, max cena, min cena, konečná cena.", + "SSE.Views.ChartSettingsDlg.textAbsolute": "Neposúvať alebo nemeniť veľkosť s bunkami", "SSE.Views.ChartSettingsDlg.textAlt": "Alternatívny text", "SSE.Views.ChartSettingsDlg.textAltDescription": "Popis", "SSE.Views.ChartSettingsDlg.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", @@ -1097,6 +1613,7 @@ "SSE.Views.ChartSettingsDlg.textAxisOptions": "Možnosti osi", "SSE.Views.ChartSettingsDlg.textAxisPos": "Umiestnenie osi", "SSE.Views.ChartSettingsDlg.textAxisSettings": "Nastavenia osi", + "SSE.Views.ChartSettingsDlg.textAxisTitle": "Nadpis", "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "Medzi značkami rozsahu", "SSE.Views.ChartSettingsDlg.textBillions": "Miliardy", "SSE.Views.ChartSettingsDlg.textBottom": "Dole", @@ -1114,12 +1631,15 @@ "SSE.Views.ChartSettingsDlg.textEmptyLine": "Spojiť dátové body s riadkom", "SSE.Views.ChartSettingsDlg.textFit": "Prispôsobiť na šírku", "SSE.Views.ChartSettingsDlg.textFixed": "Fixný/napravený", + "SSE.Views.ChartSettingsDlg.textFormat": "Formát štítkov", "SSE.Views.ChartSettingsDlg.textGaps": "Medzery", "SSE.Views.ChartSettingsDlg.textGridLines": "Mriežky", "SSE.Views.ChartSettingsDlg.textGroup": "Skupina Sparkline", "SSE.Views.ChartSettingsDlg.textHide": "Skryť", + "SSE.Views.ChartSettingsDlg.textHideAxis": "Skryť osi", "SSE.Views.ChartSettingsDlg.textHigh": "Vysoko", "SSE.Views.ChartSettingsDlg.textHorAxis": "Vodorovná os", + "SSE.Views.ChartSettingsDlg.textHorAxisSec": "Pomocná vodorovná os", "SSE.Views.ChartSettingsDlg.textHorizontal": "Vodorovný", "SSE.Views.ChartSettingsDlg.textHundredMil": "100 000 000", "SSE.Views.ChartSettingsDlg.textHundreds": "Stovky", @@ -1157,6 +1677,7 @@ "SSE.Views.ChartSettingsDlg.textNextToAxis": "Vedľa osi", "SSE.Views.ChartSettingsDlg.textNone": "Žiadny", "SSE.Views.ChartSettingsDlg.textNoOverlay": "Žiadne prekrytie", + "SSE.Views.ChartSettingsDlg.textOneCell": "Presúvať ale nemeniť veľkosť spoločne s bunkami", "SSE.Views.ChartSettingsDlg.textOnTickMarks": "Na značkách", "SSE.Views.ChartSettingsDlg.textOut": "Von", "SSE.Views.ChartSettingsDlg.textOuterTop": "Mimo hore", @@ -1190,27 +1711,123 @@ "SSE.Views.ChartSettingsDlg.textTitleSparkline": "Sparkline - Pokročilé nastavenia", "SSE.Views.ChartSettingsDlg.textTop": "Hore", "SSE.Views.ChartSettingsDlg.textTrillions": "Bilióny", + "SSE.Views.ChartSettingsDlg.textTwoCell": "Presúvať a meniť veľkosť spoločne s bunkami", "SSE.Views.ChartSettingsDlg.textType": "Typ", "SSE.Views.ChartSettingsDlg.textTypeData": "Typ a údaje", "SSE.Views.ChartSettingsDlg.textUnits": "Zobrazovacie jednotky", "SSE.Views.ChartSettingsDlg.textValue": "Hodnota", "SSE.Views.ChartSettingsDlg.textVertAxis": "Vertikálna os", + "SSE.Views.ChartSettingsDlg.textVertAxisSec": "Pomocná zvislá os", "SSE.Views.ChartSettingsDlg.textXAxisTitle": "Názov osi X", "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Názov osi Y", "SSE.Views.ChartSettingsDlg.textZero": "Nula", "SSE.Views.ChartSettingsDlg.txtEmpty": "Toto pole sa vyžaduje", + "SSE.Views.ChartTypeDialog.errorComboSeries": "Pre vytvorenie kombinovaného grafu, zvoľte aspoň dve skupiny dát.", + "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "Vybratý typ grafu vyžaduje sekundárnu os, ktorú používa existujúci graf. Vyberte iný typ grafu.", + "SSE.Views.ChartTypeDialog.textSecondary": "Pomocná os", + "SSE.Views.ChartTypeDialog.textSeries": "Rady", + "SSE.Views.ChartTypeDialog.textStyle": "Štýl", + "SSE.Views.ChartTypeDialog.textTitle": "Typ grafu", + "SSE.Views.ChartTypeDialog.textType": "Typ", + "SSE.Views.CreatePivotDialog.textDataRange": "Rozsah zdrojových dát", "SSE.Views.CreatePivotDialog.textDestination": "Vybrať kam sa tabuľka umiestni", + "SSE.Views.CreatePivotDialog.textExist": "Existujúci list", "SSE.Views.CreatePivotDialog.textInvalidRange": "Neplatný rozsah buniek", + "SSE.Views.CreatePivotDialog.textNew": "Nový pracovný list", + "SSE.Views.CreatePivotDialog.textSelectData": "Vybrať údaje", + "SSE.Views.CreatePivotDialog.textTitle": "Vytvoriť kontingenčnú tabuľku", + "SSE.Views.CreatePivotDialog.txtEmpty": "Toto pole sa vyžaduje", + "SSE.Views.CreateSparklineDialog.textDataRange": "Rozsah zdrojových dát", + "SSE.Views.CreateSparklineDialog.textDestination": "Vyberte, kde umiestniť mikro-graf", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "Neplatný rozsah buniek", + "SSE.Views.CreateSparklineDialog.textSelectData": "Vybrať údaje", + "SSE.Views.CreateSparklineDialog.textTitle": "Vytvoriť mikro-graf", + "SSE.Views.CreateSparklineDialog.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.DataTab.capBtnGroup": "Skupina", + "SSE.Views.DataTab.capBtnTextCustomSort": "Vlastné zoradenie", + "SSE.Views.DataTab.capBtnTextDataValidation": "Overenie dát", + "SSE.Views.DataTab.capBtnTextRemDuplicates": "Odobrať duplicity", + "SSE.Views.DataTab.capBtnTextToCol": "Text na stĺpec", "SSE.Views.DataTab.capBtnUngroup": "Oddeliť", + "SSE.Views.DataTab.capDataFromText": "Získať dáta", + "SSE.Views.DataTab.mniFromFile": "Z miestneho TXT/CSV", + "SSE.Views.DataTab.mniFromUrl": "Z webovej adresy TXT/CSV", + "SSE.Views.DataTab.textBelow": "Súhrnné riadky pod detailom", "SSE.Views.DataTab.textClear": "Vyčistiť obrys", + "SSE.Views.DataTab.textColumns": "Zrušte zoskupenie stĺpcov", + "SSE.Views.DataTab.textGroupColumns": "Zoskupiť stĺpce", + "SSE.Views.DataTab.textGroupRows": "Zoskupiť riadky", + "SSE.Views.DataTab.textRightOf": "Súhrnné stĺpce napravo od podrobností", + "SSE.Views.DataTab.textRows": "Zrušte zoskupenie riadkov", + "SSE.Views.DataTab.tipCustomSort": "Vlastné zoradenie", + "SSE.Views.DataTab.tipDataFromText": "Získať dáta z textového/CSV súboru", + "SSE.Views.DataTab.tipDataValidation": "Overenie dát", + "SSE.Views.DataTab.tipGroup": "Zoskupiť rozsah buniek", + "SSE.Views.DataTab.tipRemDuplicates": "Odobrať z listu duplicitné riadky", + "SSE.Views.DataTab.tipToColumns": "Rozdeliť text bunky do stĺpcov", + "SSE.Views.DataTab.tipUngroup": "Oddeliť rozsah buniek", + "SSE.Views.DataValidationDialog.errorFormula": "Hodnota sa momentálne vyhodnotí ako chyba. Chceš pokračovať?", + "SSE.Views.DataValidationDialog.errorInvalid": "Hodnota, ktorú ste zadali do poľa „{0}“, je neplatná.", + "SSE.Views.DataValidationDialog.errorInvalidDate": "Dátum, ktorý ste zadali do poľa \"{0}“, je neplatný.", + "SSE.Views.DataValidationDialog.errorInvalidList": "Dĺžka vášho vzorca presahuje limit 8192 znakov.
                              Upravte ho a skúste to znova.", + "SSE.Views.DataValidationDialog.errorInvalidTime": "Čas, ktorý ste zadali do poľa „{0}“, je neplatný.", + "SSE.Views.DataValidationDialog.errorMinGreaterMax": "Hodnota poľa \"{1}\" musí byť větší alebo rovný hodnote poľa \"{0}\".", + "SSE.Views.DataValidationDialog.errorMustEnterBothValues": "Musíte zadať hodnotu do poľa „{0}“ aj do poľa „{1}“.", + "SSE.Views.DataValidationDialog.errorMustEnterValue": "Do poľa „{0}“ musíte zadať hodnotu.", "SSE.Views.DataValidationDialog.errorNamedRange": "Rozsah názvu, aký ste špecifikovali, nemožno nájsť.", + "SSE.Views.DataValidationDialog.errorNegativeTextLength": "V podmienke „{0}“ nie je možné použiť záporné hodnoty.", + "SSE.Views.DataValidationDialog.errorNotNumeric": "Pole „{0}“ musí byť číselná hodnota, číselný výraz alebo musí odkazovať na bunku obsahujúcu číselnú hodnotu.", + "SSE.Views.DataValidationDialog.strError": "Chybové hlásenie", + "SSE.Views.DataValidationDialog.strInput": "Správa pri zadávaní", + "SSE.Views.DataValidationDialog.strSettings": "Nastavenia", "SSE.Views.DataValidationDialog.textAlert": "Upozornenie", "SSE.Views.DataValidationDialog.textAllow": "Povoliť", "SSE.Views.DataValidationDialog.textApply": "Použiť tieto zmeny na všetky ostatné bunky s rovnakými nastaveniami", + "SSE.Views.DataValidationDialog.textCellSelected": "Keď je vybratá bunka, zobrazte túto vstupnú správu", "SSE.Views.DataValidationDialog.textCompare": "Porovnať s ", + "SSE.Views.DataValidationDialog.textData": "Dáta", + "SSE.Views.DataValidationDialog.textEndDate": "Dátum ukončenia", + "SSE.Views.DataValidationDialog.textEndTime": "Čas ukončenia", + "SSE.Views.DataValidationDialog.textError": "Chybové hlásenie", + "SSE.Views.DataValidationDialog.textFormula": "Vzorec", + "SSE.Views.DataValidationDialog.textIgnore": "Ignorovať prázdne bunky", + "SSE.Views.DataValidationDialog.textInput": "Správa pri zadávaní", + "SSE.Views.DataValidationDialog.textMax": "Maximum", + "SSE.Views.DataValidationDialog.textMessage": "Správa", + "SSE.Views.DataValidationDialog.textMin": "Minimum", + "SSE.Views.DataValidationDialog.textSelectData": "Vybrať údaje", + "SSE.Views.DataValidationDialog.textShowDropDown": "Zobraziť rozbaľovací zoznam v bunke", + "SSE.Views.DataValidationDialog.textShowError": "Po zadaní neplatných údajov zobraziť chybové hlásenie", + "SSE.Views.DataValidationDialog.textShowInput": "Keď je vybratá bunka, zobraziť vstupnú správu", + "SSE.Views.DataValidationDialog.textSource": "Zdroj", + "SSE.Views.DataValidationDialog.textStartDate": "Dátum začiatku", + "SSE.Views.DataValidationDialog.textStartTime": "Čas začiatku", + "SSE.Views.DataValidationDialog.textStop": "Stop", + "SSE.Views.DataValidationDialog.textStyle": "Štýl", + "SSE.Views.DataValidationDialog.textTitle": "Nadpis", + "SSE.Views.DataValidationDialog.textUserEnters": "Keď používateľ zadá neplatné údaje, zobraziť toto chybové hlásenie", "SSE.Views.DataValidationDialog.txtAny": "Akákoľvek hodnota", "SSE.Views.DataValidationDialog.txtBetween": "medzi", + "SSE.Views.DataValidationDialog.txtDate": "Dátum", + "SSE.Views.DataValidationDialog.txtDecimal": "Desatinné číslo/desatinný", + "SSE.Views.DataValidationDialog.txtElTime": "Uplynutý čas", + "SSE.Views.DataValidationDialog.txtEndDate": "Dátum ukončenia", + "SSE.Views.DataValidationDialog.txtEndTime": "Čas ukončenia", + "SSE.Views.DataValidationDialog.txtEqual": "rovná sa", + "SSE.Views.DataValidationDialog.txtGreaterThan": "väčšie ako", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "Väčšie alebo rovná sa", + "SSE.Views.DataValidationDialog.txtLength": "Dĺžka", + "SSE.Views.DataValidationDialog.txtLessThan": "Menej ako", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "Menej alebo rovná sa", + "SSE.Views.DataValidationDialog.txtList": "Zoznam", + "SSE.Views.DataValidationDialog.txtNotBetween": "nie medzi", + "SSE.Views.DataValidationDialog.txtNotEqual": "nerovná sa", + "SSE.Views.DataValidationDialog.txtOther": "Ostatné", + "SSE.Views.DataValidationDialog.txtStartDate": "Dátum začiatku", + "SSE.Views.DataValidationDialog.txtStartTime": "Čas začiatku", + "SSE.Views.DataValidationDialog.txtTextLength": "Dĺžka textu", + "SSE.Views.DataValidationDialog.txtTime": "Čas", + "SSE.Views.DataValidationDialog.txtWhole": "Celé číslo", "SSE.Views.DigitalFilterDialog.capAnd": "a", "SSE.Views.DigitalFilterDialog.capCondition1": "rovná se", "SSE.Views.DigitalFilterDialog.capCondition10": "Nekončí s", @@ -1232,6 +1849,7 @@ "SSE.Views.DigitalFilterDialog.txtTitle": "Špeciálny/vlastný filter", "SSE.Views.DocumentHolder.advancedImgText": "Pokročilé nastavenia obrázku", "SSE.Views.DocumentHolder.advancedShapeText": "Pokročilé nastavenia tvaru", + "SSE.Views.DocumentHolder.advancedSlicerText": "Prierez – Rozšírené nastavenia", "SSE.Views.DocumentHolder.bottomCellText": "Zarovnať dole", "SSE.Views.DocumentHolder.bulletsText": "Odrážky a číslovanie", "SSE.Views.DocumentHolder.centerCellText": "Zarovnať na stred", @@ -1255,6 +1873,10 @@ "SSE.Views.DocumentHolder.selectDataText": "Údaje o stĺpcoch", "SSE.Views.DocumentHolder.selectRowText": "Riadok", "SSE.Views.DocumentHolder.selectTableText": "Tabuľka", + "SSE.Views.DocumentHolder.strDelete": "Odstrániť podpis", + "SSE.Views.DocumentHolder.strDetails": "Podrobnosti podpisu", + "SSE.Views.DocumentHolder.strSetup": "Nastavenia podpisu", + "SSE.Views.DocumentHolder.strSign": "Podpísať", "SSE.Views.DocumentHolder.textAlign": "Zarovnať", "SSE.Views.DocumentHolder.textArrange": "Upraviť/usporiadať/zarovnať", "SSE.Views.DocumentHolder.textArrangeBack": "Presunúť do pozadia", @@ -1262,10 +1884,12 @@ "SSE.Views.DocumentHolder.textArrangeForward": "Posunúť vpred", "SSE.Views.DocumentHolder.textArrangeFront": "Premiestniť do popredia", "SSE.Views.DocumentHolder.textAverage": "Priemer", + "SSE.Views.DocumentHolder.textBullets": "Odrážky", "SSE.Views.DocumentHolder.textCount": "Počet", "SSE.Views.DocumentHolder.textCrop": "Orezať", "SSE.Views.DocumentHolder.textCropFill": "Vyplniť", "SSE.Views.DocumentHolder.textCropFit": "Prispôsobiť", + "SSE.Views.DocumentHolder.textEditPoints": "Upraviť body", "SSE.Views.DocumentHolder.textEntriesList": "Vybrať z rolovacieho zoznamu", "SSE.Views.DocumentHolder.textFlipH": "Prevrátiť horizontálne", "SSE.Views.DocumentHolder.textFlipV": "Prevrátiť vertikálne", @@ -1273,21 +1897,37 @@ "SSE.Views.DocumentHolder.textFromFile": "Zo súboru", "SSE.Views.DocumentHolder.textFromStorage": "Z úložiska", "SSE.Views.DocumentHolder.textFromUrl": "Z URL adresy", + "SSE.Views.DocumentHolder.textListSettings": "Nastavenia zoznamu", + "SSE.Views.DocumentHolder.textMacro": "Priradiť makro", "SSE.Views.DocumentHolder.textMax": "Max", "SSE.Views.DocumentHolder.textMin": "Min", + "SSE.Views.DocumentHolder.textMore": "Ďalšie funkcie", "SSE.Views.DocumentHolder.textMoreFormats": "Ďalšie formáty", "SSE.Views.DocumentHolder.textNone": "žiadny", + "SSE.Views.DocumentHolder.textNumbering": "Číslovanie", "SSE.Views.DocumentHolder.textReplace": "Nahradiť obrázok", "SSE.Views.DocumentHolder.textRotate": "Otočiť", + "SSE.Views.DocumentHolder.textRotate270": "Otočiť o 90° doľava", + "SSE.Views.DocumentHolder.textRotate90": "Otočiť o 90° doprava", "SSE.Views.DocumentHolder.textShapeAlignBottom": "Zarovnať dole", "SSE.Views.DocumentHolder.textShapeAlignCenter": "Zarovnať na stred", "SSE.Views.DocumentHolder.textShapeAlignLeft": "Zarovnať doľava", "SSE.Views.DocumentHolder.textShapeAlignMiddle": "Zarovnať na stred", "SSE.Views.DocumentHolder.textShapeAlignRight": "Zarovnať doprava", "SSE.Views.DocumentHolder.textShapeAlignTop": "Zarovnať nahor", + "SSE.Views.DocumentHolder.textStdDev": "Smerodajná odchylka", "SSE.Views.DocumentHolder.textSum": "SÚČET", "SSE.Views.DocumentHolder.textUndo": "Krok späť", "SSE.Views.DocumentHolder.textUnFreezePanes": "Zrušiť priečky", + "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Šípkové odrážky", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Začiarknuteľné odrážky", + "SSE.Views.DocumentHolder.tipMarkersDash": "Pomlčkové odrážky", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Kosoštvorcové odrážky s výplňou", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Vyplnené okrúhle odrážky", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Vyplnené štvorcové odrážky", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Prázdne okrúhle odrážky", + "SSE.Views.DocumentHolder.tipMarkersStar": "Hviezdičkové odrážky", "SSE.Views.DocumentHolder.topCellText": "Zarovnať nahor", "SSE.Views.DocumentHolder.txtAccounting": "Účtovníctvo", "SSE.Views.DocumentHolder.txtAddComment": "Pridať komentár", @@ -1302,14 +1942,16 @@ "SSE.Views.DocumentHolder.txtClearFormat": "Formát", "SSE.Views.DocumentHolder.txtClearHyper": "Hypertextové odkazy", "SSE.Views.DocumentHolder.txtClearSparklineGroups": "Vyčistiť vybrané Sparkline skupiny", - "SSE.Views.DocumentHolder.txtClearSparklines": "Vyčistiť vybrané Sparklines ", + "SSE.Views.DocumentHolder.txtClearSparklines": "Vyčistiť vybrané mikro-grafy", "SSE.Views.DocumentHolder.txtClearText": "Text", "SSE.Views.DocumentHolder.txtColumn": "Celý stĺpec", "SSE.Views.DocumentHolder.txtColumnWidth": "Nastaviť šírku stĺpca", + "SSE.Views.DocumentHolder.txtCondFormat": "Podmienené Formátovanie", "SSE.Views.DocumentHolder.txtCopy": "Kopírovať", "SSE.Views.DocumentHolder.txtCurrency": "Mena", "SSE.Views.DocumentHolder.txtCustomColumnWidth": "Špeciálna/vlastná šírka stĺpca", "SSE.Views.DocumentHolder.txtCustomRowHeight": "Špeciálna/vlastná výška riadku", + "SSE.Views.DocumentHolder.txtCustomSort": "Vlastné zoradenie", "SSE.Views.DocumentHolder.txtCut": "Vystrihnúť", "SSE.Views.DocumentHolder.txtDate": "Dátum", "SSE.Views.DocumentHolder.txtDelete": "Vymazať", @@ -1335,6 +1977,7 @@ "SSE.Views.DocumentHolder.txtReapply": "Opäť použiť", "SSE.Views.DocumentHolder.txtRow": "Celý riadok", "SSE.Views.DocumentHolder.txtRowHeight": "Nastaviť výšku riadku", + "SSE.Views.DocumentHolder.txtScientific": "Vedecký", "SSE.Views.DocumentHolder.txtSelect": "Vybrať", "SSE.Views.DocumentHolder.txtShiftDown": "Posunúť bunky dole", "SSE.Views.DocumentHolder.txtShiftLeft": "Posunúť bunky vľavo", @@ -1345,25 +1988,48 @@ "SSE.Views.DocumentHolder.txtSort": "Zoradiť", "SSE.Views.DocumentHolder.txtSortCellColor": "Zvolená farba buniek na vrchu", "SSE.Views.DocumentHolder.txtSortFontColor": "Zvolená farba písma na vrchu", - "SSE.Views.DocumentHolder.txtSparklines": "Sparklines", + "SSE.Views.DocumentHolder.txtSparklines": "Mikro-grafy", "SSE.Views.DocumentHolder.txtText": "Text", - "SSE.Views.DocumentHolder.txtTextAdvanced": "Pokročilé nastavenia textu", + "SSE.Views.DocumentHolder.txtTextAdvanced": "Pokročilé nastavenia odseku", "SSE.Views.DocumentHolder.txtTime": "Čas", "SSE.Views.DocumentHolder.txtUngroup": "Oddeliť", "SSE.Views.DocumentHolder.txtWidth": "Šírka", "SSE.Views.DocumentHolder.vertAlignText": "Vertikálne zarovnanie", "SSE.Views.FieldSettingsDialog.strLayout": "Rozloženie", + "SSE.Views.FieldSettingsDialog.strSubtotals": "Medzisúčty", + "SSE.Views.FieldSettingsDialog.textReport": "Formulár správy", + "SSE.Views.FieldSettingsDialog.textTitle": "Nastavenie poľa", "SSE.Views.FieldSettingsDialog.txtAverage": "Priemer", + "SSE.Views.FieldSettingsDialog.txtBlank": "Vložiť prázdne riadky za kazždú položku", + "SSE.Views.FieldSettingsDialog.txtBottom": "Zobraziť v spodnej časti skupiny", + "SSE.Views.FieldSettingsDialog.txtCompact": "Kompaktný", "SSE.Views.FieldSettingsDialog.txtCount": "Počet", + "SSE.Views.FieldSettingsDialog.txtCountNums": "Spočítať čísla", + "SSE.Views.FieldSettingsDialog.txtCustomName": "Vlastný názov", + "SSE.Views.FieldSettingsDialog.txtEmpty": "Zobraziť položky bez dát", "SSE.Views.FieldSettingsDialog.txtMax": "Max", "SSE.Views.FieldSettingsDialog.txtMin": "Min", + "SSE.Views.FieldSettingsDialog.txtOutline": "Obrys", "SSE.Views.FieldSettingsDialog.txtProduct": "Produkt", + "SSE.Views.FieldSettingsDialog.txtRepeat": "Opakovať štítky položiek na každom riadku", + "SSE.Views.FieldSettingsDialog.txtShowSubtotals": "Zobraziť medzisúčty", + "SSE.Views.FieldSettingsDialog.txtSourceName": "Názov zdroja:", + "SSE.Views.FieldSettingsDialog.txtStdDev": "Smerodajná odchylka", + "SSE.Views.FieldSettingsDialog.txtStdDevp": "Populačná smerodajná odchýlka", "SSE.Views.FieldSettingsDialog.txtSum": "SÚČET", - "SSE.Views.FileMenu.btnBackCaption": "Prejsť do Dokumentov", + "SSE.Views.FieldSettingsDialog.txtSummarize": "Funkcie pre medzisúčty", + "SSE.Views.FieldSettingsDialog.txtTabular": "Tabuľkový", + "SSE.Views.FieldSettingsDialog.txtTop": "Zobraziť v hornej časti skupiny", + "SSE.Views.FieldSettingsDialog.txtVar": "Var", + "SSE.Views.FieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.FileMenu.btnBackCaption": "Otvoriť umiestnenie súboru", "SSE.Views.FileMenu.btnCloseMenuCaption": "Zatvoriť menu", "SSE.Views.FileMenu.btnCreateNewCaption": "Vytvoriť nový", "SSE.Views.FileMenu.btnDownloadCaption": "Stiahnuť ako...", + "SSE.Views.FileMenu.btnExitCaption": "Koniec", + "SSE.Views.FileMenu.btnFileOpenCaption": "Otvoriť...", "SSE.Views.FileMenu.btnHelpCaption": "Pomoc...", + "SSE.Views.FileMenu.btnHistoryCaption": "História verzií", "SSE.Views.FileMenu.btnInfoCaption": "Informácie o zošite...", "SSE.Views.FileMenu.btnPrintCaption": "Tlačiť", "SSE.Views.FileMenu.btnProtectCaption": "Ochrániť", @@ -1373,8 +2039,11 @@ "SSE.Views.FileMenu.btnRightsCaption": "Prístupové práva...", "SSE.Views.FileMenu.btnSaveAsCaption": "Uložiť ako", "SSE.Views.FileMenu.btnSaveCaption": "Uložiť", + "SSE.Views.FileMenu.btnSaveCopyAsCaption": "Uložiť kópiu ako...", "SSE.Views.FileMenu.btnSettingsCaption": "Pokročilé nastavenia...", "SSE.Views.FileMenu.btnToEditCaption": "Upraviť zošit", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "Prázdny zošit", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "Vytvoriť nový", "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Aplikovať", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Pridať autora", "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Pridať text", @@ -1388,28 +2057,29 @@ "SSE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Vlastník", "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "Umiestnenie", "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "Osoby s oprávneniami", - "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Názov zošitu", + "SSE.Views.FileMenuPanels.DocumentInfo.txtSubject": "Predmet", + "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "Nadpis", "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "Nahrané", "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Zmeniť prístupové práva", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Osoby s oprávneniami", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Použiť", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Zapnúť automatickú obnovu", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Zapnúť automatické ukladanie", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Režim spoločnej úpravy", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Ostatní používatelia uvidia Vaše zmeny naraz", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Musíte akceptovať zmeny pretým ako ich uvidíte ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Oddeľovač desatinných miest", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Rýchly", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Náznak typu písma", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Vždy uložiť na server (inak uložiť na server pri zatvorení dokumentu)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Pridaj verziu na úložisko kliknutím na Uložiť alebo Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Jazyk vzorcov", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Príklad: SÚČET; MIN; MAX; POČET", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Zapnúť zobrazovanie komentárov", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Nastavenia makier", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Vystrihni, skopíruj a vlep", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Po vložení obsahu ukázať tlačítko Možnosti vloženia", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Miestne nastavenia", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Príklad:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Zapnúť zobrazenie vyriešených komentárov", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Prísny", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Téma rozhrania", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Oddeľovač tisícov", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Jednotka merania", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "Použite oddeľovače na základe miestnych nastavení", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Predvolená hodnota priblíženia", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "Každých 10 minút", "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "Každých 30 minút", @@ -1418,38 +2088,213 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "Automatická obnova", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "Automatické ukladanie", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "Zakázané", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Uložiť na server", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "Uložiť dočasnú verziu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "Každú minútu", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "Štýl odkazu", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "Bielorusky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "Bulharčina", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "Katalánsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "Prednastavený mód cache", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimeter", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "Čeština", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "Dánsko", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "Nemčina", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "Grécky", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Angličtina", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "Španielsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "Fínčina", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francúzsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "Maďarsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "Indonézsky ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Palec (miera 2,54 cm)", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Zobrazenie komentárov", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Talianský", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japonsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Kórejsky ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Laoský", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Lotyšský", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "ako OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Pôvodný", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "Nórsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "Holandsky ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Poľština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Bod", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "Portugalsky (Brazília)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "Portugalsky (Portugalsko)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "Rumunsky", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Ruština", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "Povoliť všetko", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "Povoliť všetky makrá bez oznámenia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "Slovenčina", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "Slovinsky ", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "Zablokovať všetko", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "Zablokovať všetky makrá bez upozornenia", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "Švédsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "Turecky ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "Ukrajinsky", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "Vietnamsky ", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "Ukázať oznámenie", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Zablokovať všetky makrá s upozornením", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "ako Windows", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Aplikovať", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Možnosti automatickej opravy...", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Čínsky", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Upozornenie", + "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Za pomoci hesla", + "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Zabezpečiť pracovný list", "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "Podpis", "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Upraviť zošit", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "Upravením budú zo zošitu odobrané podpisy.
                              Naozaj chcete pokračovať? ", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "Tento tabuľkový procesor je zabezpečený heslom", + "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "Túto tabuľku je potrebné podpísať.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Do tabuľky boli pridané platné podpisy. Tabuľka je chránená pred úpravami.", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Niektoré digitálne podpisy v tabuľke sú neplatné alebo ich nebolo možné overiť. Tabuľka je chránená pred úpravami.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Zobraziť podpisy", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Všeobecné", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Nastavenie stránky", + "SSE.Views.FormatRulesEditDlg.fillColor": "Farba pozadia", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Upozornenie", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Farebná škála", "SSE.Views.FormatRulesEditDlg.text3Scales": "3 farebná škála", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "Všetky orámovania", + "SSE.Views.FormatRulesEditDlg.textAppearance": "Vzhľad pruhu", + "SSE.Views.FormatRulesEditDlg.textApply": "Použiť na rozsah", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "Automaticky", + "SSE.Views.FormatRulesEditDlg.textAxis": "Os", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "Smer pruhu", + "SSE.Views.FormatRulesEditDlg.textBold": "Tučné", + "SSE.Views.FormatRulesEditDlg.textBorder": "Orámovanie", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "Farba orámovania", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "Štýl orámovania", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "Spodné orámovanie", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "Nie je možné pridať podmienené formátovanie", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "Stred bunky", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "Vnútorné vertikálne orámovanie", + "SSE.Views.FormatRulesEditDlg.textClear": "Vyčistiť", + "SSE.Views.FormatRulesEditDlg.textColor": "Farba textu", + "SSE.Views.FormatRulesEditDlg.textContext": "Kontext", + "SSE.Views.FormatRulesEditDlg.textCustom": "Vlastný", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "Orámovanie diagonálne nadol", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "Orámovanie diagonálne nahor", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "Zadajte platný vzorec.", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "Vzorec, ktorý ste zadali, sa nevyhodnocuje ako číslo, dátum, čas ani reťazec.", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "Zadajte hodnotu.", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "Hodnota, ktorú ste zadali, nie je platným číslom, dátumom, časom alebo reťazcom.", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "Hodnota pre {0} musí byť väčšia ako hodnota pre {1}.", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "Zadajte číslo medzi {0} a {1}.", + "SSE.Views.FormatRulesEditDlg.textFill": "Vyplniť", + "SSE.Views.FormatRulesEditDlg.textFormat": "Formát", + "SSE.Views.FormatRulesEditDlg.textFormula": "Vzorec", + "SSE.Views.FormatRulesEditDlg.textGradient": "Prechod", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "keď {0} {1} a", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "keď {0} {1}", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "Keď hodnota je", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "Dochádza k prekrytiu jedného, alebo viacerých rozsahov dát ikon.
                              Upravte hodnoty rozsahov dát ikon, aby nedochádzalo k prekrytiu.", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "Štýl ikony", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "Vnútorné orámovanie", + "SSE.Views.FormatRulesEditDlg.textInvalid": "Neplatný rozsah dát.", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Views.FormatRulesEditDlg.textItalic": "Kurzíva", + "SSE.Views.FormatRulesEditDlg.textItem": "Položka", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "Zľava doprava ", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "Orámovanie vľavo", + "SSE.Views.FormatRulesEditDlg.textLongBar": "Najdlhší stĺpec", + "SSE.Views.FormatRulesEditDlg.textMaximum": "Maximum", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "Maximálny bod", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "Vnútorné horizontálne orámovanie", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "Stredný bod", + "SSE.Views.FormatRulesEditDlg.textMinimum": "Minimum", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "Minimálny bod", + "SSE.Views.FormatRulesEditDlg.textNegative": "Negatívne", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Pridať novú vlastnú farbu", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "Bez orámovania", + "SSE.Views.FormatRulesEditDlg.textNone": "Žiadny", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Jedna alebo viac hodnôt nie sú platným percentuálnym podielom.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "Zadaná hodnota {0} nie je platným percentom.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "Jedna alebo viac hodnôt nie je platným percentilom.", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "Zadaná hodnota {0} nie je platným percentilom.", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "Vonkajšie orámovanie", + "SSE.Views.FormatRulesEditDlg.textPercent": "Percento", + "SSE.Views.FormatRulesEditDlg.textPercentile": "Percentil", + "SSE.Views.FormatRulesEditDlg.textPosition": "Pozícia", + "SSE.Views.FormatRulesEditDlg.textPositive": "Pozitívne", + "SSE.Views.FormatRulesEditDlg.textPresets": "Prednastavené ", + "SSE.Views.FormatRulesEditDlg.textPreview": "Náhľad", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "V kritériách podmieneného formátovania pre farebné škály, dátové pruhy a sady ikon nemôžete použiť relatívne odkazy.", + "SSE.Views.FormatRulesEditDlg.textReverse": "Obrátené poradie ikon", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "Sprava doľava", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "Orámovanie vpravo", + "SSE.Views.FormatRulesEditDlg.textRule": "Pravidlo", + "SSE.Views.FormatRulesEditDlg.textSameAs": "Rovnaké ako kladné", + "SSE.Views.FormatRulesEditDlg.textSelectData": "Vybrať údaje", + "SSE.Views.FormatRulesEditDlg.textShortBar": "najkratší stĺpec", + "SSE.Views.FormatRulesEditDlg.textShowBar": "Zobraziť iba stĺpce", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "Zobraziť iba ikony", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "Tento typ odkazu nemožno použiť vo vzorci podmieneného formátovania.
                              Zmeňte odkaz na jednu bunku alebo použite odkaz s funkciou hárka, ako je napríklad =SUM(A1:B5).", + "SSE.Views.FormatRulesEditDlg.textSolid": "Pevné", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "Preškrtnutie", + "SSE.Views.FormatRulesEditDlg.textSubscript": "Dolný index", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "Horný index", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "Horné orámovanie", + "SSE.Views.FormatRulesEditDlg.textUnderline": "Podčiarknutie", + "SSE.Views.FormatRulesEditDlg.tipBorders": "Orámovania", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "Formát čísla", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "Účtovníctvo", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "Mena", + "SSE.Views.FormatRulesEditDlg.txtDate": "Dátum", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "Toto pole sa vyžaduje", + "SSE.Views.FormatRulesEditDlg.txtFraction": "Zlomok", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "Všeobecný", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "Žiadna ikona", + "SSE.Views.FormatRulesEditDlg.txtNumber": "Číslo", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "Percentuálny podiel", + "SSE.Views.FormatRulesEditDlg.txtScientific": "Vedecký", + "SSE.Views.FormatRulesEditDlg.txtText": "Text", + "SSE.Views.FormatRulesEditDlg.txtTime": "Čas", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "Upraviť formátovacie pravidlo", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "Nové formátovacie pravidlo", + "SSE.Views.FormatRulesManagerDlg.guestText": "Hosť", + "SSE.Views.FormatRulesManagerDlg.lockText": "Uzamknutý", + "SSE.Views.FormatRulesManagerDlg.text1Above": "Na 1 štandardnú odchýlku nad priemer", + "SSE.Views.FormatRulesManagerDlg.text1Below": "Na 1 štandardnú odchýlku pod priemer", + "SSE.Views.FormatRulesManagerDlg.text2Above": "2 Smerodajná odchýlka nad priemer", + "SSE.Views.FormatRulesManagerDlg.text2Below": "2 Smerodajná odchýlka pod priemer", + "SSE.Views.FormatRulesManagerDlg.text3Above": "3 Smerodajná odchýlka nad priemer", + "SSE.Views.FormatRulesManagerDlg.text3Below": "3 Smerodajná odchýlka pod priemer", + "SSE.Views.FormatRulesManagerDlg.textAbove": "Nad priemer", + "SSE.Views.FormatRulesManagerDlg.textApply": "Uplatniť na", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "Hodnota bunky začína na", + "SSE.Views.FormatRulesManagerDlg.textBelow": "Podpriemerný", + "SSE.Views.FormatRulesManagerDlg.textBetween": "je medzi {0} a {1}", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "Hodnota v bunke", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "Gradačná farebná škála", + "SSE.Views.FormatRulesManagerDlg.textContains": "Hodnota bunky obsahuje", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "Bunka obsahuje prázdnu hodnotu", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "Chybný obsah bunky", + "SSE.Views.FormatRulesManagerDlg.textDelete": "Odstrániť", + "SSE.Views.FormatRulesManagerDlg.textDown": "Presunúť pravidlo dole", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "Duplikovať hodnoty", + "SSE.Views.FormatRulesManagerDlg.textEdit": "Upraviť", + "SSE.Views.FormatRulesManagerDlg.textEnds": "Hodnota bunky končí na", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "Rovné alebo nadpriemerné", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "Rovné alebo podpriemerné", + "SSE.Views.FormatRulesManagerDlg.textFormat": "Formát", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "Sada ikon", + "SSE.Views.FormatRulesManagerDlg.textNew": "Nový", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "nie je medzi {0} a {1}", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "Hodnota bunky neobsahuje", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "Bunka obsahuje prázdnu hodnotu", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "Bunka neobsahuje chybu", + "SSE.Views.FormatRulesManagerDlg.textRules": "Pravidlá", + "SSE.Views.FormatRulesManagerDlg.textScope": "Zobraziť pravidlá formátovania pre", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "Vybrať údaje", + "SSE.Views.FormatRulesManagerDlg.textSelection": "Súčasný výber", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "Táto kontingenčná tabuľka", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "Tento pracovný list", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "Táto tabuľka ", + "SSE.Views.FormatRulesManagerDlg.textUnique": "Unikátne hodnoty", + "SSE.Views.FormatRulesManagerDlg.textUp": "Presunúť pravidlo hore", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "Tento prvok upravuje iný používateľ.", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "Podmienené Formátovanie", "SSE.Views.FormatSettingsDialog.textCategory": "Kategória", "SSE.Views.FormatSettingsDialog.textDecimal": "Desatinné číslo/desatinný", "SSE.Views.FormatSettingsDialog.textFormat": "Formát", + "SSE.Views.FormatSettingsDialog.textLinked": "Odkaz na zdroj", "SSE.Views.FormatSettingsDialog.textSeparator": "Použiť oddeľovač 1000", "SSE.Views.FormatSettingsDialog.textSymbols": "Symboly", "SSE.Views.FormatSettingsDialog.textTitle": "Formát čísla", @@ -1462,6 +2307,7 @@ "SSE.Views.FormatSettingsDialog.txtAs8": "Ako osminy (4/8)", "SSE.Views.FormatSettingsDialog.txtCurrency": "Mena", "SSE.Views.FormatSettingsDialog.txtCustom": "Vlastný", + "SSE.Views.FormatSettingsDialog.txtCustomWarning": "Zadajte prosím neštandardný číselný formát obozretne. Tabuľkový editor nekontroluje súčtové hodnoty formátu na chyby, ktoré môžu ovplyvniť súbor xlsx.", "SSE.Views.FormatSettingsDialog.txtDate": "Dátum", "SSE.Views.FormatSettingsDialog.txtFraction": "Zlomok", "SSE.Views.FormatSettingsDialog.txtGeneral": "Všeobecné", @@ -1478,6 +2324,8 @@ "SSE.Views.FormulaDialog.sDescription": "Popis", "SSE.Views.FormulaDialog.textGroupDescription": "Vybrať skupinu funkcií", "SSE.Views.FormulaDialog.textListDescription": "Vybrať funkciu", + "SSE.Views.FormulaDialog.txtRecommended": "Odporúčúné", + "SSE.Views.FormulaDialog.txtSearch": "Hľadať", "SSE.Views.FormulaDialog.txtTitle": "Vložiť funkciu", "SSE.Views.FormulaTab.textAutomatic": "Automaticky", "SSE.Views.FormulaTab.textCalculateCurrentSheet": "Vypočítať aktuálny hárok", @@ -1491,9 +2339,20 @@ "SSE.Views.FormulaTab.txtCalculation": "Kalkulácia", "SSE.Views.FormulaTab.txtFormula": "Funkcia", "SSE.Views.FormulaTab.txtFormulaTip": "Vložiť funkciu", + "SSE.Views.FormulaTab.txtMore": "Ďalšie funkcie", + "SSE.Views.FormulaTab.txtRecent": "Nedávno použité", "SSE.Views.FormulaWizard.textAny": "ktorýkoľvek", "SSE.Views.FormulaWizard.textArgument": "Argument", "SSE.Views.FormulaWizard.textFunction": "Funkcia", + "SSE.Views.FormulaWizard.textFunctionRes": "Výsledok fukcie", + "SSE.Views.FormulaWizard.textHelp": "Nápovede k tejto funkcií", + "SSE.Views.FormulaWizard.textLogical": "Logické", + "SSE.Views.FormulaWizard.textNoArgs": "Táto funkcia nemá žiadne argumenty", + "SSE.Views.FormulaWizard.textNumber": "číslo", + "SSE.Views.FormulaWizard.textRef": "odkaz", + "SSE.Views.FormulaWizard.textText": "text", + "SSE.Views.FormulaWizard.textTitle": "Argumenty funkcie", + "SSE.Views.FormulaWizard.textValue": "Výsledok vzorca", "SSE.Views.HeaderFooterDialog.textAlign": "Zarovnať s okrajmi stránky", "SSE.Views.HeaderFooterDialog.textAll": "Všetky stránky", "SSE.Views.HeaderFooterDialog.textBold": "Tučné", @@ -1506,16 +2365,24 @@ "SSE.Views.HeaderFooterDialog.textFileName": "Názov súboru", "SSE.Views.HeaderFooterDialog.textFirst": "Prvá strana", "SSE.Views.HeaderFooterDialog.textFooter": "Päta stránky", + "SSE.Views.HeaderFooterDialog.textHeader": "Hlavička", "SSE.Views.HeaderFooterDialog.textInsert": "Vložiť", "SSE.Views.HeaderFooterDialog.textItalic": "Kurzíva", "SSE.Views.HeaderFooterDialog.textLeft": "Vľavo", + "SSE.Views.HeaderFooterDialog.textMaxError": "Zadaný textový reťazec je príliš dlhý. Znížte počet použitých znakov.", "SSE.Views.HeaderFooterDialog.textNewColor": "Pridať novú vlastnú farbu", "SSE.Views.HeaderFooterDialog.textOdd": "Nepárna strana", "SSE.Views.HeaderFooterDialog.textPageCount": "Počet stránok", "SSE.Views.HeaderFooterDialog.textPageNum": "Číslo strany", + "SSE.Views.HeaderFooterDialog.textPresets": "Prednastavené ", "SSE.Views.HeaderFooterDialog.textRight": "Vpravo", + "SSE.Views.HeaderFooterDialog.textScale": "Škáluj s dokumentom", + "SSE.Views.HeaderFooterDialog.textSheet": "Názov listu", + "SSE.Views.HeaderFooterDialog.textStrikeout": "Preškrtnutie", + "SSE.Views.HeaderFooterDialog.textSubscript": "Dolný index", "SSE.Views.HeaderFooterDialog.textSuperscript": "Horný index", "SSE.Views.HeaderFooterDialog.textTime": "Čas", + "SSE.Views.HeaderFooterDialog.textTitle": "Nastavenie Hlavičky/päty", "SSE.Views.HeaderFooterDialog.textUnderline": "Podčiarknuť", "SSE.Views.HeaderFooterDialog.tipFontName": "Písmo", "SSE.Views.HeaderFooterDialog.tipFontSize": "Veľkosť písma", @@ -1529,17 +2396,22 @@ "SSE.Views.HyperlinkSettingsDialog.textEmptyLink": "Tu zadajte odkaz", "SSE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "Tu zadajte popisku", "SSE.Views.HyperlinkSettingsDialog.textExternalLink": "Externý odkaz", + "SSE.Views.HyperlinkSettingsDialog.textGetLink": "Získať odkaz", "SSE.Views.HyperlinkSettingsDialog.textInternalLink": "Interný rozsah údajov", "SSE.Views.HyperlinkSettingsDialog.textInvalidRange": "CHYBA! Neplatný rozsah buniek", "SSE.Views.HyperlinkSettingsDialog.textNames": "Definované názvy", + "SSE.Views.HyperlinkSettingsDialog.textSelectData": "Vybrať údaje", + "SSE.Views.HyperlinkSettingsDialog.textSheets": "Listy", "SSE.Views.HyperlinkSettingsDialog.textTipText": "Popis", "SSE.Views.HyperlinkSettingsDialog.textTitle": "Nastavenie hypertextového odkazu", "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "Toto pole by malo byť vo formáte 'http://www.example.com'", + "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "Toto pole je obmedzené na 2083 znakov", "SSE.Views.ImageSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "SSE.Views.ImageSettings.textCrop": "Orezať", "SSE.Views.ImageSettings.textCropFill": "Vyplniť", "SSE.Views.ImageSettings.textCropFit": "Prispôsobiť", + "SSE.Views.ImageSettings.textCropToShape": "Orezať podľa tvaru", "SSE.Views.ImageSettings.textEdit": "Upraviť", "SSE.Views.ImageSettings.textEditObject": "Upraviť objekt", "SSE.Views.ImageSettings.textFlip": "Prevrátiť", @@ -1547,22 +2419,31 @@ "SSE.Views.ImageSettings.textFromStorage": "Z úložiska", "SSE.Views.ImageSettings.textFromUrl": "Z URL adresy ", "SSE.Views.ImageSettings.textHeight": "Výška", + "SSE.Views.ImageSettings.textHint270": "Otočiť o 90° doľava", + "SSE.Views.ImageSettings.textHint90": "Otočiť o 90° doprava", "SSE.Views.ImageSettings.textHintFlipH": "Prevrátiť horizontálne", "SSE.Views.ImageSettings.textHintFlipV": "Prevrátiť vertikálne", "SSE.Views.ImageSettings.textInsert": "Nahradiť obrázok", "SSE.Views.ImageSettings.textKeepRatio": "Konštantné rozmery", "SSE.Views.ImageSettings.textOriginalSize": "Predvolená veľkosť", + "SSE.Views.ImageSettings.textRecentlyUsed": "Nedávno použité", "SSE.Views.ImageSettings.textRotate90": "Otočiť o 90°", + "SSE.Views.ImageSettings.textRotation": "Rotácia", "SSE.Views.ImageSettings.textSize": "Veľkosť", "SSE.Views.ImageSettings.textWidth": "Šírka", + "SSE.Views.ImageSettingsAdvanced.textAbsolute": "Neposúvať alebo nemeniť veľkosť s bunkami", "SSE.Views.ImageSettingsAdvanced.textAlt": "Alternatívny text", "SSE.Views.ImageSettingsAdvanced.textAltDescription": "Popis", "SSE.Views.ImageSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", "SSE.Views.ImageSettingsAdvanced.textAltTitle": "Názov", "SSE.Views.ImageSettingsAdvanced.textAngle": "Uhol", "SSE.Views.ImageSettingsAdvanced.textFlipped": "Prevrátený", + "SSE.Views.ImageSettingsAdvanced.textHorizontally": "Horizontálne", + "SSE.Views.ImageSettingsAdvanced.textOneCell": "Presúvať ale nemeniť veľkosť spoločne s bunkami", + "SSE.Views.ImageSettingsAdvanced.textRotation": "Rotácia", "SSE.Views.ImageSettingsAdvanced.textSnap": "Prichytenie bunky", "SSE.Views.ImageSettingsAdvanced.textTitle": "Obrázok - Pokročilé nastavenia", + "SSE.Views.ImageSettingsAdvanced.textTwoCell": "Presúvať a meniť veľkosť spoločne s bunkami", "SSE.Views.ImageSettingsAdvanced.textVertically": "Zvisle", "SSE.Views.LeftMenu.tipAbout": "O aplikácii", "SSE.Views.LeftMenu.tipChat": "Rozhovor", @@ -1570,9 +2451,14 @@ "SSE.Views.LeftMenu.tipFile": "Súbor", "SSE.Views.LeftMenu.tipPlugins": "Pluginy", "SSE.Views.LeftMenu.tipSearch": "Hľadať", + "SSE.Views.LeftMenu.tipSpellcheck": "Kontrola pravopisu", "SSE.Views.LeftMenu.tipSupport": "Spätná väzba a podpora", "SSE.Views.LeftMenu.txtDeveloper": "VÝVOJÁRSKY REŽIM", + "SSE.Views.LeftMenu.txtLimit": "Obmedziť prístup", "SSE.Views.LeftMenu.txtTrial": "Skúšobný režim", + "SSE.Views.LeftMenu.txtTrialDev": "Skúšobný vývojársky režim", + "SSE.Views.MacroDialog.textMacro": "Názov makra", + "SSE.Views.MacroDialog.textTitle": "Priradiť makro", "SSE.Views.MainSettingsPrint.okButtonText": "Uložiť", "SSE.Views.MainSettingsPrint.strBottom": "Dole", "SSE.Views.MainSettingsPrint.strLandscape": "Na šírku", @@ -1580,10 +2466,12 @@ "SSE.Views.MainSettingsPrint.strMargins": "Okraje", "SSE.Views.MainSettingsPrint.strPortrait": "Na výšku", "SSE.Views.MainSettingsPrint.strPrint": "Tlačiť", + "SSE.Views.MainSettingsPrint.strPrintTitles": "Tlač názvu", "SSE.Views.MainSettingsPrint.strRight": "Vpravo", "SSE.Views.MainSettingsPrint.strTop": "Hore", "SSE.Views.MainSettingsPrint.textActualSize": "Aktuálna veľkosť", "SSE.Views.MainSettingsPrint.textCustom": "Vlastný", + "SSE.Views.MainSettingsPrint.textCustomOptions": "Vlastné možnosti", "SSE.Views.MainSettingsPrint.textFitCols": "Prispôsobiť všetky stĺpce na jednu stránku", "SSE.Views.MainSettingsPrint.textFitPage": "Prispôsobiť list na jednu stranu", "SSE.Views.MainSettingsPrint.textFitRows": "Prispôsobiť všetky riadky na jednu stránku", @@ -1592,6 +2480,9 @@ "SSE.Views.MainSettingsPrint.textPageSize": "Veľkosť stránky", "SSE.Views.MainSettingsPrint.textPrintGrid": "Vytlačiť mriežky", "SSE.Views.MainSettingsPrint.textPrintHeadings": "Vytlačiť nadpisy riadkov a stĺpcov", + "SSE.Views.MainSettingsPrint.textRepeat": "Opakovať...", + "SSE.Views.MainSettingsPrint.textRepeatLeft": "Vľavo opakovať stĺpce", + "SSE.Views.MainSettingsPrint.textRepeatTop": "Opakovať riadky na vrchu", "SSE.Views.MainSettingsPrint.textSettings": "Nastavenie pre", "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "Existujúce pomenované rozsahy nemožno upraviť a nové nemôžu byť momentálne vytvorené
                              , keďže niektoré z nich sú práve editované.", "SSE.Views.NamedRangeEditDlg.namePlaceholder": "Definovaný názov", @@ -1613,6 +2504,7 @@ "SSE.Views.NamedRangePasteDlg.txtTitle": "Vložiť názov", "SSE.Views.NameManagerDlg.closeButtonText": "Zatvoriť", "SSE.Views.NameManagerDlg.guestText": "Návštevník", + "SSE.Views.NameManagerDlg.lockText": "Uzamknutý", "SSE.Views.NameManagerDlg.textDataRange": "Rozsah údajov", "SSE.Views.NameManagerDlg.textDelete": "Vymazať", "SSE.Views.NameManagerDlg.textEdit": "Upraviť", @@ -1630,6 +2522,7 @@ "SSE.Views.NameManagerDlg.textWorkbook": "Zošit", "SSE.Views.NameManagerDlg.tipIsLocked": "Tento prvok upravuje iný používateľ.", "SSE.Views.NameManagerDlg.txtTitle": "Správca názvov", + "SSE.Views.NameManagerDlg.warnDelete": "Ste si naozaj istý, že chcete názov {0} zmazať?", "SSE.Views.PageMarginsDialog.textBottom": "Dole", "SSE.Views.PageMarginsDialog.textLeft": "Vľavo", "SSE.Views.PageMarginsDialog.textRight": "Vpravo", @@ -1648,15 +2541,18 @@ "SSE.Views.ParagraphSettingsAdvanced.noTabs": "Špecifikované tabulátory sa objavia v tomto poli", "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "Všetko veľkým", "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "Dvojité prečiarknutie", + "SSE.Views.ParagraphSettingsAdvanced.strIndent": "Odsadenia", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Vľavo", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Riadkovanie", "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Vpravo", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Za", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Pred", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "Špeciálne", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "Od", "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "Písmo", - "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Odsadenie a umiestnenie", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "Zarážky a medzery", "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Malé písmená", + "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "Medzery", "SSE.Views.ParagraphSettingsAdvanced.strStrike": "Prečiarknutie", "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "Dolný index", "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "Horný index", @@ -1668,6 +2564,7 @@ "SSE.Views.ParagraphSettingsAdvanced.textEffects": "Efekty", "SSE.Views.ParagraphSettingsAdvanced.textExact": "presne", "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "Prvý riadok", + "SSE.Views.ParagraphSettingsAdvanced.textHanging": "Závesný", "SSE.Views.ParagraphSettingsAdvanced.textJustified": "Podľa okrajov", "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(žiadne)", "SSE.Views.ParagraphSettingsAdvanced.textRemove": "Odstrániť", @@ -1684,6 +2581,7 @@ "SSE.Views.PivotDigitalFilterDialog.capCondition11": "Obsahuje", "SSE.Views.PivotDigitalFilterDialog.capCondition12": "Neobsahuje", "SSE.Views.PivotDigitalFilterDialog.capCondition13": "medzi", + "SSE.Views.PivotDigitalFilterDialog.capCondition14": "nie medzi", "SSE.Views.PivotDigitalFilterDialog.capCondition2": "nerovná sa", "SSE.Views.PivotDigitalFilterDialog.capCondition3": "je väčšie ako", "SSE.Views.PivotDigitalFilterDialog.capCondition4": "je väčšie alebo rovné ", @@ -1692,29 +2590,100 @@ "SSE.Views.PivotDigitalFilterDialog.capCondition7": "Začať s", "SSE.Views.PivotDigitalFilterDialog.capCondition8": "Nezačína s", "SSE.Views.PivotDigitalFilterDialog.capCondition9": "Končí s", + "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "Zobraziť položky, ktorých štítok:", + "SSE.Views.PivotDigitalFilterDialog.textShowValue": "Zobraziť položky pre ktoré:", "SSE.Views.PivotDigitalFilterDialog.textUse1": "Použite ? na zobrazenie akéhokoľvek jedného znaku", "SSE.Views.PivotDigitalFilterDialog.textUse2": "Použite * na zobrazenie ľubovoľnej série znakov", "SSE.Views.PivotDigitalFilterDialog.txtAnd": "a", + "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "Filtrovanie štítkov", + "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "Filter hodnôt", + "SSE.Views.PivotGroupDialog.textAuto": "Automaticky", + "SSE.Views.PivotGroupDialog.textBy": "Od", + "SSE.Views.PivotGroupDialog.textDays": "Dni", + "SSE.Views.PivotGroupDialog.textEnd": "Končí na", + "SSE.Views.PivotGroupDialog.textError": "Toto pole musí byť číselná hodnota", + "SSE.Views.PivotGroupDialog.textGreaterError": "Koncové číslo musí byť väčšie ako počiatočné číslo", + "SSE.Views.PivotGroupDialog.textHour": "Hodiny", + "SSE.Views.PivotGroupDialog.textMin": "Minúty", + "SSE.Views.PivotGroupDialog.textMonth": "Mesiace", + "SSE.Views.PivotGroupDialog.textNumDays": "Počet dní", + "SSE.Views.PivotGroupDialog.textQuart": "Štvrtiny", + "SSE.Views.PivotGroupDialog.textSec": "Sekundy", + "SSE.Views.PivotGroupDialog.textStart": "Začínajúci pri", + "SSE.Views.PivotGroupDialog.textYear": "Roky", + "SSE.Views.PivotGroupDialog.txtTitle": "Zoskupovanie", "SSE.Views.PivotSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "SSE.Views.PivotSettings.textColumns": "Stĺpce", + "SSE.Views.PivotSettings.textFields": "Vybrať polia", + "SSE.Views.PivotSettings.textFilters": "Filtre", "SSE.Views.PivotSettings.textRows": "Riadky", "SSE.Views.PivotSettings.textValues": "Hodnoty", "SSE.Views.PivotSettings.txtAddColumn": "Pridať k stĺpcom", "SSE.Views.PivotSettings.txtAddFilter": "Pridať k filtrom", "SSE.Views.PivotSettings.txtAddRow": "Pridať k riadkom", "SSE.Views.PivotSettings.txtAddValues": "Pridať k hodnotám", + "SSE.Views.PivotSettings.txtFieldSettings": "Nastavenie poľa", + "SSE.Views.PivotSettings.txtMoveBegin": "Presunúť na začiatok", + "SSE.Views.PivotSettings.txtMoveColumn": "Presunúť do stĺpcov", + "SSE.Views.PivotSettings.txtMoveDown": "Presunúť dole ", + "SSE.Views.PivotSettings.txtMoveEnd": "Presunúť na koniec", + "SSE.Views.PivotSettings.txtMoveFilter": "Presunúť do filtrov", + "SSE.Views.PivotSettings.txtMoveRow": "Presunúť do riadkov", + "SSE.Views.PivotSettings.txtMoveUp": "Presunúť hore", + "SSE.Views.PivotSettings.txtMoveValues": "Presunúť do hodnôt", + "SSE.Views.PivotSettings.txtRemove": "Odobrať pole", + "SSE.Views.PivotSettingsAdvanced.strLayout": "Názov a rozloženie", "SSE.Views.PivotSettingsAdvanced.textAlt": "Alternatívny text", "SSE.Views.PivotSettingsAdvanced.textAltDescription": "Popis", + "SSE.Views.PivotSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", "SSE.Views.PivotSettingsAdvanced.textAltTitle": "Názov", "SSE.Views.PivotSettingsAdvanced.textDataRange": "Rozsah údajov", "SSE.Views.PivotSettingsAdvanced.textDataSource": "Dátový zdroj", + "SSE.Views.PivotSettingsAdvanced.textDisplayFields": "Zobraziť pole v oblasti pre záznam filtru", + "SSE.Views.PivotSettingsAdvanced.textDown": "Dole, potom priečne", + "SSE.Views.PivotSettingsAdvanced.textGrandTotals": "Celkové súčty", + "SSE.Views.PivotSettingsAdvanced.textHeaders": "Pole hlavičky ", "SSE.Views.PivotSettingsAdvanced.textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Views.PivotSettingsAdvanced.textOver": "Priečne, potom dole", + "SSE.Views.PivotSettingsAdvanced.textSelectData": "Vybrať údaje", + "SSE.Views.PivotSettingsAdvanced.textShowCols": "Zobraziť pre stĺpce", + "SSE.Views.PivotSettingsAdvanced.textShowHeaders": "Zobraziť hlavičky polí pre riadky a stĺpce", + "SSE.Views.PivotSettingsAdvanced.textShowRows": "Zobraziť pre riadky", + "SSE.Views.PivotSettingsAdvanced.textTitle": "Kontingenčná tabuľka - pokročilé", + "SSE.Views.PivotSettingsAdvanced.textWrapCol": "Prehľad polí filtra podľa stĺpca", + "SSE.Views.PivotSettingsAdvanced.textWrapRow": "Prehľad polí filtra podľa riadku", + "SSE.Views.PivotSettingsAdvanced.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.PivotSettingsAdvanced.txtName": "Meno", "SSE.Views.PivotTable.capBlankRows": "Prázdne riadky", + "SSE.Views.PivotTable.capGrandTotals": "Celkové súčty", + "SSE.Views.PivotTable.capLayout": "Rozloženie hĺásenia", + "SSE.Views.PivotTable.capSubtotals": "Medzisúčty", + "SSE.Views.PivotTable.mniBottomSubtotals": "Zobraziť všetky medzisúčty na konci skupiny", + "SSE.Views.PivotTable.mniInsertBlankLine": "Za každú z položiek vložiť prázdny riadok", + "SSE.Views.PivotTable.mniLayoutCompact": "Zobraziť v kompaktnej forme", + "SSE.Views.PivotTable.mniLayoutNoRepeat": "Neopakovať štítky všetkých položiek", + "SSE.Views.PivotTable.mniLayoutOutline": "Zobraziť ako obrys", + "SSE.Views.PivotTable.mniLayoutRepeat": "Zopakovať všetky štítky položky", + "SSE.Views.PivotTable.mniLayoutTabular": "Zobraziť v podobe tabuľky", + "SSE.Views.PivotTable.mniNoSubtotals": "Nezobrazovať medzisúčty", + "SSE.Views.PivotTable.mniOffTotals": "Vypnuté pre riadky a stĺpce", + "SSE.Views.PivotTable.mniOnColumnsTotals": "Zapnuté iba pre stĺpce", + "SSE.Views.PivotTable.mniOnRowsTotals": "Zapnuté iba pre riadky", + "SSE.Views.PivotTable.mniOnTotals": "Zapnuté iba pre riadky a stĺpce", + "SSE.Views.PivotTable.mniRemoveBlankLine": "Odobrať prázdny riadok za každou z položiek", + "SSE.Views.PivotTable.mniTopSubtotals": "Zobraziť všetky medzisúčty v hornej časti skupiny", "SSE.Views.PivotTable.textColBanded": "Zoskupené stĺpce", "SSE.Views.PivotTable.textColHeader": "Záhlavia stĺpcov", "SSE.Views.PivotTable.textRowBanded": "Zoskupené riadky", + "SSE.Views.PivotTable.textRowHeader": "Hlavičky riadku", + "SSE.Views.PivotTable.tipCreatePivot": "Vložiť Kontingenťnú Tabuľku", + "SSE.Views.PivotTable.tipGrandTotals": "Zobraziť alebo skryť celkové súčty", + "SSE.Views.PivotTable.tipRefresh": "Aktualizovať informácie z dátového zdroja", + "SSE.Views.PivotTable.tipSelect": "Vybrať celú kontingenčnú tabuľku", + "SSE.Views.PivotTable.tipSubtotals": "Zobraziť alebo skryť medzisúčty", "SSE.Views.PivotTable.txtCreate": "Vložiť tabuľku", + "SSE.Views.PivotTable.txtPivotTable": "Kontingenčná tabuľka", + "SSE.Views.PivotTable.txtRefresh": "Znovu načítať", "SSE.Views.PivotTable.txtSelect": "Vybrať", "SSE.Views.PrintSettings.btnDownload": "Uložiť a stiahnuť", "SSE.Views.PrintSettings.btnPrint": "Uložiť a vytlačiť", @@ -1724,6 +2693,7 @@ "SSE.Views.PrintSettings.strMargins": "Okraje", "SSE.Views.PrintSettings.strPortrait": "Na výšku", "SSE.Views.PrintSettings.strPrint": "Tlačiť", + "SSE.Views.PrintSettings.strPrintTitles": "Tlač názvu", "SSE.Views.PrintSettings.strRight": "Vpravo", "SSE.Views.PrintSettings.strShow": "Zobraziť", "SSE.Views.PrintSettings.strTop": "Hore", @@ -1731,10 +2701,12 @@ "SSE.Views.PrintSettings.textAllSheets": "Všetky listy", "SSE.Views.PrintSettings.textCurrentSheet": "Aktuálny list", "SSE.Views.PrintSettings.textCustom": "Vlastný", + "SSE.Views.PrintSettings.textCustomOptions": "Vlastné možnosti", "SSE.Views.PrintSettings.textFitCols": "Prispôsobiť všetky stĺpce na jednu stránku", "SSE.Views.PrintSettings.textFitPage": "Prispôsobiť list na jednu stranu", "SSE.Views.PrintSettings.textFitRows": "Prispôsobiť všetky riadky na jednu stránku", "SSE.Views.PrintSettings.textHideDetails": "Skryť detaily", + "SSE.Views.PrintSettings.textIgnore": "Ignorovať oblasť tlače", "SSE.Views.PrintSettings.textLayout": "Rozloženie", "SSE.Views.PrintSettings.textPageOrientation": "Orientácia stránky", "SSE.Views.PrintSettings.textPageScaling": "Mierka", @@ -1743,29 +2715,142 @@ "SSE.Views.PrintSettings.textPrintHeadings": "Vytlačiť nadpisy riadkov a stĺpcov", "SSE.Views.PrintSettings.textPrintRange": "Rozsah tlače", "SSE.Views.PrintSettings.textRange": "Rozsah", + "SSE.Views.PrintSettings.textRepeat": "Opakovať...", + "SSE.Views.PrintSettings.textRepeatLeft": "Vľavo opakovať stĺpce", + "SSE.Views.PrintSettings.textRepeatTop": "Opakovať riadky na vrchu", "SSE.Views.PrintSettings.textSelection": "Výber", "SSE.Views.PrintSettings.textSettings": "Nastavenie listu", "SSE.Views.PrintSettings.textShowDetails": "Zobraziť detaily", + "SSE.Views.PrintSettings.textShowGrid": "Zobraziť čiary mriežky", + "SSE.Views.PrintSettings.textShowHeadings": "Zobraziť hlavičky riadkov a stĺpcov", "SSE.Views.PrintSettings.textTitle": "Nastavenia tlače", "SSE.Views.PrintSettings.textTitlePDF": "Nastavení pro PDF", "SSE.Views.PrintTitlesDialog.textFirstCol": "Prvý stĺpec", "SSE.Views.PrintTitlesDialog.textFirstRow": "Prvý riadok", + "SSE.Views.PrintTitlesDialog.textFrozenCols": "Ukotvené stĺpce", + "SSE.Views.PrintTitlesDialog.textFrozenRows": "Ukotvené riadky", "SSE.Views.PrintTitlesDialog.textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Views.PrintTitlesDialog.textLeft": "Vľavo opakovať stĺpce", + "SSE.Views.PrintTitlesDialog.textNoRepeat": "Neopakovať", + "SSE.Views.PrintTitlesDialog.textRepeat": "Opakovať...", + "SSE.Views.PrintTitlesDialog.textSelectRange": "Vybrať rozsah", + "SSE.Views.PrintTitlesDialog.textTitle": "Tlač názvu", + "SSE.Views.PrintTitlesDialog.textTop": "Opakovať riadky na vrchu", + "SSE.Views.PrintWithPreview.txtActualSize": "Aktuálna veľkosť", + "SSE.Views.PrintWithPreview.txtAllSheets": "Všetky listy", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "Použiť na všetky listy", + "SSE.Views.PrintWithPreview.txtBottom": "Dole", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "Aktuálny list", + "SSE.Views.PrintWithPreview.txtCustom": "Vlastný", + "SSE.Views.PrintWithPreview.txtCustomOptions": "Vlastné možnosti", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Nie je čo tlačiť, pretože tabuľka je prázdna", + "SSE.Views.PrintWithPreview.txtFitCols": "Prispôsobiť všetky stĺpce na jednu stránku", + "SSE.Views.PrintWithPreview.txtFitPage": "Prispôsobiť list na jednu stranu", + "SSE.Views.PrintWithPreview.txtFitRows": "Prispôsobiť všetky riadky na jednu stránku", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "Mriežky a nadpisy", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "Nastavenie Hlavičky/päty", + "SSE.Views.PrintWithPreview.txtIgnore": "Ignorovať oblasť tlače", + "SSE.Views.PrintWithPreview.txtLandscape": "Na šírku", + "SSE.Views.PrintWithPreview.txtLeft": "Vľavo", + "SSE.Views.PrintWithPreview.txtMargins": "Okraje", + "SSE.Views.PrintWithPreview.txtOf": "z {0}", + "SSE.Views.PrintWithPreview.txtPage": "Stránka", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "Číslo stránky je neplatné", + "SSE.Views.PrintWithPreview.txtPageOrientation": "Orientácia stránky", + "SSE.Views.PrintWithPreview.txtPageSize": "Veľkosť stránky", + "SSE.Views.PrintWithPreview.txtPortrait": "Na výšku", + "SSE.Views.PrintWithPreview.txtPrint": "Tlačiť", + "SSE.Views.PrintWithPreview.txtPrintGrid": "Vytlačiť mriežky", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "Vytlačiť nadpisy riadkov a stĺpcov", + "SSE.Views.PrintWithPreview.txtPrintRange": "Rozsah tlače", + "SSE.Views.PrintWithPreview.txtPrintTitles": "Tlač názvu", + "SSE.Views.PrintWithPreview.txtRepeat": "Opakovať...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "Vľavo opakovať stĺpce", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "Opakovať riadky na vrchu", + "SSE.Views.PrintWithPreview.txtRight": "Vpravo", + "SSE.Views.PrintWithPreview.txtSave": "Uložiť", + "SSE.Views.PrintWithPreview.txtScaling": "Škálovanie", + "SSE.Views.PrintWithPreview.txtSelection": "Výber", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "Nastavenia listu", + "SSE.Views.PrintWithPreview.txtSheet": "List: {0}", + "SSE.Views.PrintWithPreview.txtTop": "Hore", + "SSE.Views.ProtectDialog.textExistName": "CHYBA! Rozsah s takým názvom úž existuje", + "SSE.Views.ProtectDialog.textInvalidName": "Názov rozsahu musí začínať písmenom a môže obsahovať iba písmená, čísla a medzery.", + "SSE.Views.ProtectDialog.textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Views.ProtectDialog.textSelectData": "Vybrať údaje", + "SSE.Views.ProtectDialog.txtAllow": "Umožniť všetkým užívateľom tohto listu", + "SSE.Views.ProtectDialog.txtAutofilter": "Použiť automatické filtrovanie", + "SSE.Views.ProtectDialog.txtDelCols": "Zmazať stĺpce", + "SSE.Views.ProtectDialog.txtDelRows": "Zmazať riadky", + "SSE.Views.ProtectDialog.txtEmpty": "Toto pole sa vyžaduje", + "SSE.Views.ProtectDialog.txtFormatCells": "Formátovanie buniek", + "SSE.Views.ProtectDialog.txtFormatCols": "Formátovať stĺpce", + "SSE.Views.ProtectDialog.txtFormatRows": "Formátovať riadky", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "Heslá sa nezhodujú", + "SSE.Views.ProtectDialog.txtInsCols": "Vložiť stĺpce", + "SSE.Views.ProtectDialog.txtInsHyper": "Vložiť hypertextový odkaz", + "SSE.Views.ProtectDialog.txtInsRows": "Vložiť riadky", + "SSE.Views.ProtectDialog.txtObjs": "Upraviť objekty", + "SSE.Views.ProtectDialog.txtOptional": "voliteľný", + "SSE.Views.ProtectDialog.txtPassword": "Heslo", + "SSE.Views.ProtectDialog.txtPivot": "Použite kontingenčnú tabuľku a kontingenčný graf", + "SSE.Views.ProtectDialog.txtProtect": "Ochrániť", + "SSE.Views.ProtectDialog.txtRange": "Rozsah", + "SSE.Views.ProtectDialog.txtRangeName": "Nadpis", + "SSE.Views.ProtectDialog.txtRepeat": "Zopakujte heslo", + "SSE.Views.ProtectDialog.txtScen": "Upraviť scenáre", + "SSE.Views.ProtectDialog.txtSelLocked": "Vybrať uzamknuté bunky", + "SSE.Views.ProtectDialog.txtSelUnLocked": "Vybrať odomknuté bunky", + "SSE.Views.ProtectDialog.txtSheetDescription": "Pokiaľ chcete zabrániť nechceným zmenám ostatnými, obmedzte ich možnosť upravovať.", + "SSE.Views.ProtectDialog.txtSheetTitle": "Zabezpečiť list", + "SSE.Views.ProtectDialog.txtSort": "Zoradiť", + "SSE.Views.ProtectDialog.txtWarning": "Upozornenie: Ak stratíte alebo zabudnete heslo, nemožno ho obnoviť. Uschovajte ho na bezpečnom mieste.", + "SSE.Views.ProtectDialog.txtWBDescription": "Môžete použiť heslo na zabránenie zobrazenia, pridávania, presúvania, odstránenia, skrytia alebo premenovania súboru inýmí užívateľmi.", + "SSE.Views.ProtectDialog.txtWBTitle": "Zabezpečiť štruktúru zošitu", + "SSE.Views.ProtectRangesDlg.guestText": "Hosť", + "SSE.Views.ProtectRangesDlg.lockText": "Uzamknutý", + "SSE.Views.ProtectRangesDlg.textDelete": "Odstrániť", + "SSE.Views.ProtectRangesDlg.textEdit": "Upraviť", + "SSE.Views.ProtectRangesDlg.textEmpty": "Nie sú povolené žiadne rozsahy pre úpravy.", + "SSE.Views.ProtectRangesDlg.textNew": "Nový", + "SSE.Views.ProtectRangesDlg.textProtect": "Zabezpečiť list", + "SSE.Views.ProtectRangesDlg.textPwd": "Heslo", + "SSE.Views.ProtectRangesDlg.textRange": "Rozsah", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "Rozsahy odomknuté heslom keď je list zabezpečený(toto funguje iba pre uzamknuté bunky)", + "SSE.Views.ProtectRangesDlg.textTitle": "Nadpis", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "Tento prvok upravuje iný používateľ.", + "SSE.Views.ProtectRangesDlg.txtEditRange": "Upraviť rozsah", + "SSE.Views.ProtectRangesDlg.txtNewRange": "Nový rozsah", + "SSE.Views.ProtectRangesDlg.txtNo": "Nie", + "SSE.Views.ProtectRangesDlg.txtTitle": "Umožniť užívateľom upravovať rozsahy", + "SSE.Views.ProtectRangesDlg.txtYes": "Áno", + "SSE.Views.ProtectRangesDlg.warnDelete": "Ste si naozaj istý, že chcete názov {0} zmazať?", "SSE.Views.RemoveDuplicatesDialog.textColumns": "Stĺpce", + "SSE.Views.RemoveDuplicatesDialog.textDescription": "Ak chcete odstrániť duplicitné hodnoty, vyberte jeden alebo viacero stĺpcov, ktoré obsahujú duplikáty.", + "SSE.Views.RemoveDuplicatesDialog.textHeaders": "Moje dáta majú hlavičku", + "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "Vybrať všetko", + "SSE.Views.RemoveDuplicatesDialog.txtTitle": "Odobrať duplicity", "SSE.Views.RightMenu.txtCellSettings": "Nastavenia buniek", "SSE.Views.RightMenu.txtChartSettings": "Nastavenia grafu", "SSE.Views.RightMenu.txtImageSettings": "Nastavenie obrázka", - "SSE.Views.RightMenu.txtParagraphSettings": "Nastavenia textu", + "SSE.Views.RightMenu.txtParagraphSettings": "Nastavenia odseku", + "SSE.Views.RightMenu.txtPivotSettings": "Nastavenia kontingenčnej tabuľky", "SSE.Views.RightMenu.txtSettings": "Všeobecné nastavenia", "SSE.Views.RightMenu.txtShapeSettings": "Nastavenia tvaru", + "SSE.Views.RightMenu.txtSignatureSettings": "Nastavenia Podpisu", + "SSE.Views.RightMenu.txtSlicerSettings": "Nastavenie prierezu", "SSE.Views.RightMenu.txtSparklineSettings": "Nastavenia Sparkline ", "SSE.Views.RightMenu.txtTableSettings": "Nastavenie tabuľky", "SSE.Views.RightMenu.txtTextArtSettings": "Nastavenie Text Art", "SSE.Views.ScaleDialog.textAuto": "Automaticky", + "SSE.Views.ScaleDialog.textError": "Zadaná hodnota nie je platná.", "SSE.Views.ScaleDialog.textFewPages": "Strany", + "SSE.Views.ScaleDialog.textFitTo": "Prispôsobiť ku", "SSE.Views.ScaleDialog.textHeight": "Výška", "SSE.Views.ScaleDialog.textManyPages": "Strany", "SSE.Views.ScaleDialog.textOnePage": "Stránka", + "SSE.Views.ScaleDialog.textScaleTo": "Škáluj do", + "SSE.Views.ScaleDialog.textTitle": "Nastavenia škálovania ", "SSE.Views.ScaleDialog.textWidth": "Šírka", "SSE.Views.SetValueDialog.txtMaxText": "Maximálna hodnota pre toto pole je {0}", "SSE.Views.SetValueDialog.txtMinText": "Minimálna hodnota pre toto pole je {0}", @@ -1775,8 +2860,9 @@ "SSE.Views.ShapeSettings.strFill": "Vyplniť", "SSE.Views.ShapeSettings.strForeground": "Farba popredia", "SSE.Views.ShapeSettings.strPattern": "Vzor", + "SSE.Views.ShapeSettings.strShadow": "Ukázať tieň", "SSE.Views.ShapeSettings.strSize": "Veľkosť", - "SSE.Views.ShapeSettings.strStroke": "Obrys", + "SSE.Views.ShapeSettings.strStroke": "Čiara/líniový graf", "SSE.Views.ShapeSettings.strTransparency": "Priehľadnosť", "SSE.Views.ShapeSettings.strType": "Typ", "SSE.Views.ShapeSettings.textAdvanced": "Zobraziť pokročilé nastavenia", @@ -1789,8 +2875,10 @@ "SSE.Views.ShapeSettings.textFromFile": "Zo súboru", "SSE.Views.ShapeSettings.textFromStorage": "Z úložiska", "SSE.Views.ShapeSettings.textFromUrl": "Z URL adresy ", - "SSE.Views.ShapeSettings.textGradient": "Prechod", + "SSE.Views.ShapeSettings.textGradient": "Body prechodu", "SSE.Views.ShapeSettings.textGradientFill": "Výplň prechodom", + "SSE.Views.ShapeSettings.textHint270": "Otočiť o 90° doľava", + "SSE.Views.ShapeSettings.textHint90": "Otočiť o 90° doprava", "SSE.Views.ShapeSettings.textHintFlipH": "Prevrátiť horizontálne", "SSE.Views.ShapeSettings.textHintFlipV": "Prevrátiť vertikálne", "SSE.Views.ShapeSettings.textImageTexture": "Obrázok alebo textúra", @@ -1798,14 +2886,19 @@ "SSE.Views.ShapeSettings.textNoFill": "Bez výplne", "SSE.Views.ShapeSettings.textOriginalSize": "Pôvodná veľkosť", "SSE.Views.ShapeSettings.textPatternFill": "Vzor", + "SSE.Views.ShapeSettings.textPosition": "Pozícia", "SSE.Views.ShapeSettings.textRadial": "Kruhový/hviezdicovitý", + "SSE.Views.ShapeSettings.textRecentlyUsed": "Nedávno použité", "SSE.Views.ShapeSettings.textRotate90": "Otočiť o 90°", + "SSE.Views.ShapeSettings.textRotation": "Rotácia", + "SSE.Views.ShapeSettings.textSelectImage": "Vybrať obrázok", "SSE.Views.ShapeSettings.textSelectTexture": "Vybrať", "SSE.Views.ShapeSettings.textStretch": "Roztiahnuť", "SSE.Views.ShapeSettings.textStyle": "Štýl", "SSE.Views.ShapeSettings.textTexture": "Z textúry", "SSE.Views.ShapeSettings.textTile": "Dlaždica", "SSE.Views.ShapeSettings.tipAddGradientPoint": "Pridať spádový bod", + "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "Odstrániť prechodový bod", "SSE.Views.ShapeSettings.txtBrownPaper": "Hnedý/baliaci papier", "SSE.Views.ShapeSettings.txtCanvas": "Plátno", "SSE.Views.ShapeSettings.txtCarton": "Kartón", @@ -1820,6 +2913,7 @@ "SSE.Views.ShapeSettings.txtWood": "Drevo", "SSE.Views.ShapeSettingsAdvanced.strColumns": "Stĺpce", "SSE.Views.ShapeSettingsAdvanced.strMargins": "Osadenie textu", + "SSE.Views.ShapeSettingsAdvanced.textAbsolute": "Neposúvať alebo nemeniť veľkosť s bunkami", "SSE.Views.ShapeSettingsAdvanced.textAlt": "Alternatívny text", "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "Popis", "SSE.Views.ShapeSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", @@ -1838,13 +2932,17 @@ "SSE.Views.ShapeSettingsAdvanced.textFlat": "Plochý", "SSE.Views.ShapeSettingsAdvanced.textFlipped": "Prevrátený", "SSE.Views.ShapeSettingsAdvanced.textHeight": "Výška", + "SSE.Views.ShapeSettingsAdvanced.textHorizontally": "Horizontálne", "SSE.Views.ShapeSettingsAdvanced.textJoinType": "Typ pripojenia", "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "Konštantné rozmery", "SSE.Views.ShapeSettingsAdvanced.textLeft": "Vľavo", "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "Štýl čiary", "SSE.Views.ShapeSettingsAdvanced.textMiter": "Sklon", + "SSE.Views.ShapeSettingsAdvanced.textOneCell": "Presúvať ale nemeniť veľkosť spoločne s bunkami", "SSE.Views.ShapeSettingsAdvanced.textOverflow": "Povoliť textu presiahnuť tvar", + "SSE.Views.ShapeSettingsAdvanced.textResizeFit": "Zmeniť veľkosť tvaru, aby zodpovedala textu", "SSE.Views.ShapeSettingsAdvanced.textRight": "Vpravo", + "SSE.Views.ShapeSettingsAdvanced.textRotation": "Rotácia", "SSE.Views.ShapeSettingsAdvanced.textRound": "Zaoblené", "SSE.Views.ShapeSettingsAdvanced.textSize": "Veľkosť", "SSE.Views.ShapeSettingsAdvanced.textSnap": "Prichytenie bunky", @@ -1853,13 +2951,34 @@ "SSE.Views.ShapeSettingsAdvanced.textTextBox": "Textové pole", "SSE.Views.ShapeSettingsAdvanced.textTitle": "Tvar - Pokročilé nastavenia", "SSE.Views.ShapeSettingsAdvanced.textTop": "Hore", + "SSE.Views.ShapeSettingsAdvanced.textTwoCell": "Presúvať a meniť veľkosť spoločne s bunkami", "SSE.Views.ShapeSettingsAdvanced.textVertically": "Zvisle", "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "Nastavenia tvaru", "SSE.Views.ShapeSettingsAdvanced.textWidth": "Šírka", "SSE.Views.SignatureSettings.notcriticalErrorTitle": "Upozornenie", + "SSE.Views.SignatureSettings.strDelete": "Odstrániť podpis", + "SSE.Views.SignatureSettings.strDetails": "Podrobnosti podpisu", "SSE.Views.SignatureSettings.strInvalid": "Neplatné podpisy", + "SSE.Views.SignatureSettings.strRequested": "Vyžadované podpisy", + "SSE.Views.SignatureSettings.strSetup": "Nastavenia podpisu", + "SSE.Views.SignatureSettings.strSign": "Podpísať", + "SSE.Views.SignatureSettings.strSignature": "Podpis", + "SSE.Views.SignatureSettings.strSigner": "Podpisovateľ", "SSE.Views.SignatureSettings.strValid": "Platné podpisy", + "SSE.Views.SignatureSettings.txtContinueEditing": "Aj tak upraviť", + "SSE.Views.SignatureSettings.txtEditWarning": "Upravením budú zo zošitu odobrané podpisy.
                              Naozaj chcete pokračovať? ", + "SSE.Views.SignatureSettings.txtRemoveWarning": "Chcete odstrániť tento podpis?
                              Tento krok je nezvratný.", + "SSE.Views.SignatureSettings.txtRequestedSignatures": "Túto tabuľku je potrebné podpísať.", + "SSE.Views.SignatureSettings.txtSigned": "Do tabuľky boli pridané platné podpisy. Tabuľka je chránená pred úpravami.", + "SSE.Views.SignatureSettings.txtSignedInvalid": "Niektoré digitálne podpisy v tabuľke sú neplatné alebo ich nebolo možné overiť. Tabuľka je chránená pred úpravami.", "SSE.Views.SlicerAddDialog.textColumns": "Stĺpce", + "SSE.Views.SlicerAddDialog.txtTitle": "Vložiť prierezy", + "SSE.Views.SlicerSettings.strHideNoData": "Skryť položky, ktoré neobsahujú dáta", + "SSE.Views.SlicerSettings.strIndNoData": "Vizuálne označte položky bez údajov", + "SSE.Views.SlicerSettings.strShowDel": "Zobraziť položky odstránené zo zdroja údajov", + "SSE.Views.SlicerSettings.strShowNoData": "Ako posledné zobraziť položky bez dát", + "SSE.Views.SlicerSettings.strSorting": "Triedenie a filtrovanie", + "SSE.Views.SlicerSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "SSE.Views.SlicerSettings.textAsc": "Vzostupne", "SSE.Views.SlicerSettings.textAZ": "A po Z", "SSE.Views.SlicerSettings.textButtons": "Tlačidlá", @@ -1868,29 +2987,62 @@ "SSE.Views.SlicerSettings.textHeight": "Výška", "SSE.Views.SlicerSettings.textHor": "Vodorovný", "SSE.Views.SlicerSettings.textKeepRatio": "Nemenné rozmery", + "SSE.Views.SlicerSettings.textLargeSmall": "od najväčších po najmenších", + "SSE.Views.SlicerSettings.textLock": "Vypnúť možnosť zmeny veľkosti a presunu", + "SSE.Views.SlicerSettings.textNewOld": "od najnovších po najstaršie", + "SSE.Views.SlicerSettings.textOldNew": "od najstaršieho po najnovší", "SSE.Views.SlicerSettings.textPosition": "Pozícia", "SSE.Views.SlicerSettings.textSize": "Veľkosť", + "SSE.Views.SlicerSettings.textSmallLarge": "od najmenších po najväčšie", + "SSE.Views.SlicerSettings.textStyle": "Štýl", "SSE.Views.SlicerSettings.textVert": "Zvislý", "SSE.Views.SlicerSettings.textWidth": "Šírka", "SSE.Views.SlicerSettings.textZA": "Z po A", "SSE.Views.SlicerSettingsAdvanced.strButtons": "Tlačidlá", "SSE.Views.SlicerSettingsAdvanced.strColumns": "Stĺpce", "SSE.Views.SlicerSettingsAdvanced.strHeight": "Výška", + "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "Skryť položky, ktoré neobsahujú dáta", + "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "Vizuálne označte položky bez údajov", + "SSE.Views.SlicerSettingsAdvanced.strReferences": "Referencie", + "SSE.Views.SlicerSettingsAdvanced.strShowDel": "Zobraziť položky odstránené zo zdroja údajov", + "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "Zobraziť hlavičku", + "SSE.Views.SlicerSettingsAdvanced.strShowNoData": "Ako posledné zobraziť položky bez dát", "SSE.Views.SlicerSettingsAdvanced.strSize": "Veľkosť", + "SSE.Views.SlicerSettingsAdvanced.strSorting": "Triedenie a filtrovanie", + "SSE.Views.SlicerSettingsAdvanced.strStyle": "Štýl", + "SSE.Views.SlicerSettingsAdvanced.strStyleSize": "Štýl a Veľkosť ", "SSE.Views.SlicerSettingsAdvanced.strWidth": "Šírka", + "SSE.Views.SlicerSettingsAdvanced.textAbsolute": "Neposúvať alebo nemeniť veľkosť s bunkami", "SSE.Views.SlicerSettingsAdvanced.textAlt": "Alternatívny text", "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "Popis", + "SSE.Views.SlicerSettingsAdvanced.textAltTip": "Alternatívne textové zobrazenie informácií o vizuálnych objektoch, ktoré sa prečítajú ľuďom s poruchou videnia alebo kognitívnymi poruchami, aby sa im pomohlo lepšie porozumieť, aké informácie sú na obrázku, automatickom tvarovaní, grafe alebo tabuľke. ", "SSE.Views.SlicerSettingsAdvanced.textAltTitle": "Názov", "SSE.Views.SlicerSettingsAdvanced.textAsc": "Vzostupne", "SSE.Views.SlicerSettingsAdvanced.textAZ": "A po Z", "SSE.Views.SlicerSettingsAdvanced.textDesc": "Zostupne", + "SSE.Views.SlicerSettingsAdvanced.textFormulaName": "Názov ktorý sa použije vo vzorcoch", + "SSE.Views.SlicerSettingsAdvanced.textHeader": "Hlavička", "SSE.Views.SlicerSettingsAdvanced.textKeepRatio": "Konštantné rozmery", + "SSE.Views.SlicerSettingsAdvanced.textLargeSmall": "od najväčších po najmenších", "SSE.Views.SlicerSettingsAdvanced.textName": "Názov", + "SSE.Views.SlicerSettingsAdvanced.textNewOld": "od najnovších po najstaršie", + "SSE.Views.SlicerSettingsAdvanced.textOldNew": "od najstaršieho po najnovší", + "SSE.Views.SlicerSettingsAdvanced.textOneCell": "Presúvať ale nemeniť veľkosť spoločne s bunkami", + "SSE.Views.SlicerSettingsAdvanced.textSmallLarge": "od najmenších po najväčšie", "SSE.Views.SlicerSettingsAdvanced.textSnap": "Prichytenie bunky", "SSE.Views.SlicerSettingsAdvanced.textSort": "Zoradiť", + "SSE.Views.SlicerSettingsAdvanced.textSourceName": "Názov zdroja", + "SSE.Views.SlicerSettingsAdvanced.textTitle": "Slicer – Rozšírené nastavenia", + "SSE.Views.SlicerSettingsAdvanced.textTwoCell": "Presúvať a meniť veľkosť spoločne s bunkami", "SSE.Views.SlicerSettingsAdvanced.textZA": "Z po A", + "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.SortDialog.errorEmpty": "Všetky kritériá triedenia musia mať špecifikovaný stĺpec alebo riadok.", + "SSE.Views.SortDialog.errorMoreOneCol": "Je vybratý viac ako jeden stĺpec", + "SSE.Views.SortDialog.errorMoreOneRow": "Je vybratý viac než jeden riadok.", + "SSE.Views.SortDialog.errorNotOriginalCol": "Stĺpec, ktorý ste vybrali, nie je v pôvodne vybratom rozsahu.", + "SSE.Views.SortDialog.errorNotOriginalRow": "Vybratý riadok nie je v pôvodne vybratom rozsahu.", "SSE.Views.SortDialog.errorSameColumnColor": "%1 sa triedi podľa rovnakej farby viac než jeden raz.
                              Vymažte duplicitné kritériá triedenia a skúste znova. ", + "SSE.Views.SortDialog.errorSameColumnValue": "%1 je zoradené podľa hodnôt viac než jeden krát.
                              Zmažte duplicitné kritérium zoradenia a skúste to znova.", "SSE.Views.SortDialog.textAdd": "Pridať úroveň", "SSE.Views.SortDialog.textAsc": "Vzostupne", "SSE.Views.SortDialog.textAuto": "Automaticky", @@ -1898,7 +3050,10 @@ "SSE.Views.SortDialog.textBelow": "pod", "SSE.Views.SortDialog.textCellColor": "Farba bunky", "SSE.Views.SortDialog.textColumn": "Stĺpec", + "SSE.Views.SortDialog.textCopy": "Skopírovať úroveň", + "SSE.Views.SortDialog.textDelete": "Zmazať úroveň", "SSE.Views.SortDialog.textDesc": "Zostupne", + "SSE.Views.SortDialog.textDown": "Presunúť o stupeň dole", "SSE.Views.SortDialog.textFontColor": "Farba písma", "SSE.Views.SortDialog.textLeft": "Vľavo", "SSE.Views.SortDialog.textMoreCols": "(Viac stĺpcov...)", @@ -1908,36 +3063,59 @@ "SSE.Views.SortDialog.textOrder": "Objednávka", "SSE.Views.SortDialog.textRight": "Vpravo", "SSE.Views.SortDialog.textRow": "Riadok", + "SSE.Views.SortDialog.textSort": "Zoradiť na", "SSE.Views.SortDialog.textSortBy": "Zoradiť podľa", + "SSE.Views.SortDialog.textThenBy": "Následne podľa ", "SSE.Views.SortDialog.textTop": "Hore", + "SSE.Views.SortDialog.textUp": "Presunúť o stupeň hore", "SSE.Views.SortDialog.textValues": "Hodnoty", "SSE.Views.SortDialog.textZA": "Z po A", "SSE.Views.SortDialog.txtInvalidRange": "Neplatný rozsah buněk.", "SSE.Views.SortDialog.txtTitle": "Zoradiť", "SSE.Views.SortFilterDialog.textAsc": "Vzostupne (od A po Z) podľa", + "SSE.Views.SortFilterDialog.textDesc": "Zostupne (od Z do A) podľa", "SSE.Views.SortFilterDialog.txtTitle": "Zoradiť", "SSE.Views.SortOptionsDialog.textCase": "Rozlišovať veľkosť písmen", + "SSE.Views.SortOptionsDialog.textHeaders": "Moje dáta majú hlavičku", + "SSE.Views.SortOptionsDialog.textLeftRight": "Zoradiť zľava doprava", "SSE.Views.SortOptionsDialog.textOrientation": "Orientácia", + "SSE.Views.SortOptionsDialog.textTitle": "Možnosti triedenia", + "SSE.Views.SortOptionsDialog.textTopBottom": "Triediť zhora dole", "SSE.Views.SpecialPasteDialog.textAdd": "Pridať", "SSE.Views.SpecialPasteDialog.textAll": "Všetky", + "SSE.Views.SpecialPasteDialog.textBlanks": "Preskočiť prázdne", "SSE.Views.SpecialPasteDialog.textColWidth": "Šírky stĺpcov", "SSE.Views.SpecialPasteDialog.textComments": "Komentáre", + "SSE.Views.SpecialPasteDialog.textDiv": "Rozdeliť", + "SSE.Views.SpecialPasteDialog.textFFormat": "Vzorce a formátovanie", + "SSE.Views.SpecialPasteDialog.textFNFormat": "Vzorce a formáty čísla", + "SSE.Views.SpecialPasteDialog.textFormats": "Formáty", "SSE.Views.SpecialPasteDialog.textFormulas": "Vzorce", + "SSE.Views.SpecialPasteDialog.textFWidth": "Vzorce a šírky stĺpcov", "SSE.Views.SpecialPasteDialog.textMult": "Viacnásobný", "SSE.Views.SpecialPasteDialog.textNone": "žiadny", "SSE.Views.SpecialPasteDialog.textOperation": "Operácia", "SSE.Views.SpecialPasteDialog.textPaste": "Vložiť", + "SSE.Views.SpecialPasteDialog.textSub": "Odrátať", + "SSE.Views.SpecialPasteDialog.textTitle": "Špeciálne prilepiť", "SSE.Views.SpecialPasteDialog.textTranspose": "Premiestňovať", "SSE.Views.SpecialPasteDialog.textValues": "Hodnoty", + "SSE.Views.SpecialPasteDialog.textVFormat": "Hodnoty a formátovanie", + "SSE.Views.SpecialPasteDialog.textVNFormat": "Formáty hodnôt a čísel", "SSE.Views.SpecialPasteDialog.textWBorders": "Všetko okrem okrajov", + "SSE.Views.Spellcheck.noSuggestions": "Žiadne odporúčania ohľadne pravopisu", "SSE.Views.Spellcheck.textChange": "Zmeniť", "SSE.Views.Spellcheck.textChangeAll": "Zmeniť všetko", "SSE.Views.Spellcheck.textIgnore": "Ignorovať", "SSE.Views.Spellcheck.textIgnoreAll": "Ignorovať všetko", "SSE.Views.Spellcheck.txtAddToDictionary": "Pridať do slovníka", + "SSE.Views.Spellcheck.txtComplete": "Kontrola pravopisu dokončená", + "SSE.Views.Spellcheck.txtDictionaryLanguage": "Jazyk slovníka", + "SSE.Views.Spellcheck.txtNextTip": "Ísť na ďalšie slovo", + "SSE.Views.Spellcheck.txtSpelling": "Hláskovanie", "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(Kopírovať na koniec)", "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(Presunúť na koniec)", - "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Kopírovať pred list", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "Prilepiť pred list", "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "Presunúť pred list", "SSE.Views.Statusbar.filteredRecordsText": "{0} z {1} filtrovaných záznamov ", "SSE.Views.Statusbar.filteredText": "Režim filtra", @@ -1951,27 +3129,34 @@ "SSE.Views.Statusbar.itemMaximum": "Maximum", "SSE.Views.Statusbar.itemMinimum": "Minimum", "SSE.Views.Statusbar.itemMove": "Premiestniť", + "SSE.Views.Statusbar.itemProtect": "Ochrániť", "SSE.Views.Statusbar.itemRename": "Premenovať", + "SSE.Views.Statusbar.itemStatus": "Status ukladania", "SSE.Views.Statusbar.itemSum": "SÚČET", "SSE.Views.Statusbar.itemTabColor": "Farba tabuľky/záložky", + "SSE.Views.Statusbar.itemUnProtect": "Zrušiť zabezpečenie", "SSE.Views.Statusbar.RenameDialog.errNameExists": "Pracovný list s takýmto názvom už existuje.", "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "Názov hárku nemôže obsahovať nasledujúce znaky: \\/*?[]:", "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Názov listu", - "SSE.Views.Statusbar.textAverage": "PRIEMER", - "SSE.Views.Statusbar.textCount": "POČET", + "SSE.Views.Statusbar.selectAllSheets": "Vybrať všetky listy", + "SSE.Views.Statusbar.sheetIndexText": "List {0} z {1}", + "SSE.Views.Statusbar.textAverage": "Priemerne", + "SSE.Views.Statusbar.textCount": "Počítať", "SSE.Views.Statusbar.textMax": "Max", "SSE.Views.Statusbar.textMin": "Min", "SSE.Views.Statusbar.textNewColor": "Pridať novú vlastnú farbu", "SSE.Views.Statusbar.textNoColor": "Bez farby", - "SSE.Views.Statusbar.textSum": "SÚČET", + "SSE.Views.Statusbar.textSum": "Suma", "SSE.Views.Statusbar.tipAddTab": "Pridať pracovný hárok", "SSE.Views.Statusbar.tipFirst": "Prejsť na prvý list", "SSE.Views.Statusbar.tipLast": "Prejsť na posledný list", + "SSE.Views.Statusbar.tipListOfSheets": "Zoznam listov", "SSE.Views.Statusbar.tipNext": "Posunúť zoznam listov vpravo", "SSE.Views.Statusbar.tipPrev": "Posunúť zoznam listov vľavo", "SSE.Views.Statusbar.tipZoomFactor": "Priblíženie", "SSE.Views.Statusbar.tipZoomIn": "Priblížiť", "SSE.Views.Statusbar.tipZoomOut": "Oddialiť", + "SSE.Views.Statusbar.ungroupSheets": "Zrušiť zoskupenie hárkov", "SSE.Views.Statusbar.zoomText": "Priblíženie {0}%", "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "Operáciu nemožno vykonať pre vybraný rozsah buniek.
                              Vyberte jednotný dátový rozsah, iný ako existujúci, a skúste to znova.", "SSE.Views.TableOptionsDialog.errorFTChangeTableRangeError": "Operácia sa nedala dokončiť pre zvolený rozsah buniek.
                              Vyberte rozsah tak, aby prvý riadok tabuľky bol na rovnakom riadku
                              a výsledná tabuľka sa prekrývala s aktuálnou.", @@ -1980,6 +3165,7 @@ "SSE.Views.TableOptionsDialog.txtEmpty": "Toto pole sa vyžaduje", "SSE.Views.TableOptionsDialog.txtFormat": "Vytvoriť tabuľku", "SSE.Views.TableOptionsDialog.txtInvalidRange": "CHYBA! Neplatný rozsah buniek", + "SSE.Views.TableOptionsDialog.txtNote": "Hlavičky musia zostať v rovnakom riadku a výsledný rozsah tabuľky sa musí prekrývať s pôvodným rozsahom tabuľky.", "SSE.Views.TableOptionsDialog.txtTitle": "Názov", "SSE.Views.TableSettings.deleteColumnText": "Odstrániť stĺpec", "SSE.Views.TableSettings.deleteRowText": "Odstrániť riadok", @@ -1993,6 +3179,7 @@ "SSE.Views.TableSettings.selectDataText": "Vybrať údaje stĺpca", "SSE.Views.TableSettings.selectRowText": "Vybrať riadok", "SSE.Views.TableSettings.selectTableText": "Vybrať tabuľku", + "SSE.Views.TableSettings.textActions": "Akcie s tabuľkou", "SSE.Views.TableSettings.textAdvanced": "Zobraziť pokročilé nastavenia", "SSE.Views.TableSettings.textBanded": "Pruhovaný/pásikovaný", "SSE.Views.TableSettings.textColumns": "Stĺpce", @@ -2007,10 +3194,13 @@ "SSE.Views.TableSettings.textIsLocked": "Tento prvok upravuje iný používateľ.", "SSE.Views.TableSettings.textLast": "Posledný", "SSE.Views.TableSettings.textLongOperation": "Dlhá prevádzka", + "SSE.Views.TableSettings.textPivot": "Vložiť kontingenťnú tabuľku", + "SSE.Views.TableSettings.textRemDuplicates": "Odobrať duplicity", "SSE.Views.TableSettings.textReservedName": "Názov, ktorý sa pokúšate použiť, je už uvedený v bunkových vzorcoch. Použite iné meno.", "SSE.Views.TableSettings.textResize": "Zmeniť veľkosť tabuľky", "SSE.Views.TableSettings.textRows": "Riadky", "SSE.Views.TableSettings.textSelectData": "Vybrať údaje", + "SSE.Views.TableSettings.textSlicer": "Vložiť prierez", "SSE.Views.TableSettings.textTableName": "Názov tabuľky", "SSE.Views.TableSettings.textTemplate": "Vybrať zo šablóny", "SSE.Views.TableSettings.textTotal": "Celkovo", @@ -2026,7 +3216,7 @@ "SSE.Views.TextArtSettings.strForeground": "Farba popredia", "SSE.Views.TextArtSettings.strPattern": "Vzor", "SSE.Views.TextArtSettings.strSize": "Veľkosť", - "SSE.Views.TextArtSettings.strStroke": "Obrys", + "SSE.Views.TextArtSettings.strStroke": "Čiara/líniový graf", "SSE.Views.TextArtSettings.strTransparency": "Priehľadnosť", "SSE.Views.TextArtSettings.strType": "Typ", "SSE.Views.TextArtSettings.textAngle": "Uhol", @@ -2036,12 +3226,13 @@ "SSE.Views.TextArtSettings.textEmptyPattern": "Bez vzoru", "SSE.Views.TextArtSettings.textFromFile": "Zo súboru", "SSE.Views.TextArtSettings.textFromUrl": "Z URL adresy ", - "SSE.Views.TextArtSettings.textGradient": "Prechod", + "SSE.Views.TextArtSettings.textGradient": "Body prechodu", "SSE.Views.TextArtSettings.textGradientFill": "Výplň prechodom", "SSE.Views.TextArtSettings.textImageTexture": "Obrázok alebo textúra", "SSE.Views.TextArtSettings.textLinear": "Lineárny/čiarový", "SSE.Views.TextArtSettings.textNoFill": "Bez výplne", "SSE.Views.TextArtSettings.textPatternFill": "Vzor", + "SSE.Views.TextArtSettings.textPosition": "Pozícia", "SSE.Views.TextArtSettings.textRadial": "Kruhový/hviezdicovitý", "SSE.Views.TextArtSettings.textSelectTexture": "Vybrať", "SSE.Views.TextArtSettings.textStretch": "Roztiahnuť", @@ -2051,6 +3242,7 @@ "SSE.Views.TextArtSettings.textTile": "Dlaždica", "SSE.Views.TextArtSettings.textTransform": "Transformovať", "SSE.Views.TextArtSettings.tipAddGradientPoint": "Pridať spádový bod", + "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "Odstrániť prechodový bod", "SSE.Views.TextArtSettings.txtBrownPaper": "Hnedý/baliaci papier", "SSE.Views.TextArtSettings.txtCanvas": "Plátno", "SSE.Views.TextArtSettings.txtCarton": "Kartón", @@ -2064,12 +3256,19 @@ "SSE.Views.TextArtSettings.txtPapyrus": "Papyrus", "SSE.Views.TextArtSettings.txtWood": "Drevo", "SSE.Views.Toolbar.capBtnAddComment": "Pridať komentár", + "SSE.Views.Toolbar.capBtnColorSchemas": "Farebná schéma", "SSE.Views.Toolbar.capBtnComment": "Komentár", + "SSE.Views.Toolbar.capBtnInsHeader": "Hlavička & Päta", + "SSE.Views.Toolbar.capBtnInsSlicer": "Prierez", "SSE.Views.Toolbar.capBtnInsSymbol": "Symbol", "SSE.Views.Toolbar.capBtnMargins": "Okraje", "SSE.Views.Toolbar.capBtnPageOrient": "Orientácia", "SSE.Views.Toolbar.capBtnPageSize": "Veľkosť", + "SSE.Views.Toolbar.capBtnPrintArea": "Oblasť tlače", + "SSE.Views.Toolbar.capBtnPrintTitles": "Tlač názvu", + "SSE.Views.Toolbar.capBtnScale": "Škáluj do rozmeru", "SSE.Views.Toolbar.capImgAlign": "Zarovnať", + "SSE.Views.Toolbar.capImgBackward": "Posunúť späť", "SSE.Views.Toolbar.capImgForward": "Posunúť vpred", "SSE.Views.Toolbar.capImgGroup": "Skupina", "SSE.Views.Toolbar.capInsertChart": "Graf", @@ -2077,9 +3276,11 @@ "SSE.Views.Toolbar.capInsertHyperlink": "Hypertextový odkaz", "SSE.Views.Toolbar.capInsertImage": "Obrázok", "SSE.Views.Toolbar.capInsertShape": "Tvar", + "SSE.Views.Toolbar.capInsertSpark": "Mikro-graf", "SSE.Views.Toolbar.capInsertTable": "Tabuľka", "SSE.Views.Toolbar.capInsertText": "Textové pole", "SSE.Views.Toolbar.mniImageFromFile": "Obrázok zo súboru", + "SSE.Views.Toolbar.mniImageFromStorage": "Obrázok z úložiska", "SSE.Views.Toolbar.mniImageFromUrl": "Obrázok z URL adresy", "SSE.Views.Toolbar.textAddPrintArea": "Pridať k oblasti tlačenia", "SSE.Views.Toolbar.textAlignBottom": "Zarovnať dole", @@ -2091,6 +3292,7 @@ "SSE.Views.Toolbar.textAlignTop": "Zarovnať nahor", "SSE.Views.Toolbar.textAllBorders": "Všetky orámovania", "SSE.Views.Toolbar.textAuto": "Automaticky", + "SSE.Views.Toolbar.textAutoColor": "Automaticky", "SSE.Views.Toolbar.textBold": "Tučné", "SSE.Views.Toolbar.textBordersColor": "Farba orámovania", "SSE.Views.Toolbar.textBordersStyle": "Štýl orámovania", @@ -2098,8 +3300,11 @@ "SSE.Views.Toolbar.textBottomBorders": "Spodné orámovanie", "SSE.Views.Toolbar.textCenterBorders": "Vnútorné vertikálne orámovanie", "SSE.Views.Toolbar.textClearPrintArea": "Vyčistiť oblasť tlačenia", + "SSE.Views.Toolbar.textClearRule": "Zmazať pravidlá", "SSE.Views.Toolbar.textClockwise": "Otočiť v smere hodinových ručičiek", + "SSE.Views.Toolbar.textColorScales": "Farebné škály", "SSE.Views.Toolbar.textCounterCw": "Otočiť proti smeru hodinových ručičiek", + "SSE.Views.Toolbar.textDataBars": "Histogramy", "SSE.Views.Toolbar.textDelLeft": "Posunúť bunky vľavo", "SSE.Views.Toolbar.textDelUp": "Posunúť bunky hore", "SSE.Views.Toolbar.textDiagDownBorder": "Orámovanie diagonálne nadol", @@ -2113,9 +3318,11 @@ "SSE.Views.Toolbar.textInsideBorders": "Vnútorné orámovanie", "SSE.Views.Toolbar.textInsRight": "Posunúť bunky vpravo", "SSE.Views.Toolbar.textItalic": "Kurzíva", + "SSE.Views.Toolbar.textItems": "Položky", "SSE.Views.Toolbar.textLandscape": "Na šírku", "SSE.Views.Toolbar.textLeft": "Vľavo:", "SSE.Views.Toolbar.textLeftBorders": "Orámovanie vľavo", + "SSE.Views.Toolbar.textManageRule": "Spravovať pravidlá", "SSE.Views.Toolbar.textManyPages": "Strany", "SSE.Views.Toolbar.textMarginsLast": "Posledná úprava", "SSE.Views.Toolbar.textMarginsNarrow": "Úzky", @@ -2123,20 +3330,29 @@ "SSE.Views.Toolbar.textMarginsWide": "Široký", "SSE.Views.Toolbar.textMiddleBorders": "Vnútorné horizontálne orámovanie", "SSE.Views.Toolbar.textMoreFormats": "Ďalšie formáty", + "SSE.Views.Toolbar.textMorePages": "Ďalšie stránky", "SSE.Views.Toolbar.textNewColor": "Pridať novú vlastnú farbu", + "SSE.Views.Toolbar.textNewRule": "Nové pravidlo", "SSE.Views.Toolbar.textNoBorders": "Bez orámovania", "SSE.Views.Toolbar.textOnePage": "Stránka", "SSE.Views.Toolbar.textOutBorders": "Vonkajšie orámovanie", "SSE.Views.Toolbar.textPageMarginsCustom": "Vlastné okraje", "SSE.Views.Toolbar.textPortrait": "Na výšku", "SSE.Views.Toolbar.textPrint": "Tlačiť", + "SSE.Views.Toolbar.textPrintGridlines": "Vytlačiť mriežky", + "SSE.Views.Toolbar.textPrintHeadings": "Vytlačiť hlavičku", "SSE.Views.Toolbar.textPrintOptions": "Nastavenia tlače", "SSE.Views.Toolbar.textRight": "Vpravo:", "SSE.Views.Toolbar.textRightBorders": "Orámovanie vpravo", "SSE.Views.Toolbar.textRotateDown": "Otočiť text nadol", "SSE.Views.Toolbar.textRotateUp": "Otočiť text nahor", + "SSE.Views.Toolbar.textScale": "Škála", "SSE.Views.Toolbar.textScaleCustom": "Vlastný", + "SSE.Views.Toolbar.textSelection": "Z aktuálneho výberu", + "SSE.Views.Toolbar.textSetPrintArea": "Nastaviť oblasť tlače", + "SSE.Views.Toolbar.textStrikeout": "Preškrtnutie", "SSE.Views.Toolbar.textSubscript": "Dolný index", + "SSE.Views.Toolbar.textSubSuperscript": "Dolný/Horný index", "SSE.Views.Toolbar.textSuperscript": "Horný index", "SSE.Views.Toolbar.textTabCollaboration": "Spolupráca", "SSE.Views.Toolbar.textTabData": "Dáta", @@ -2146,9 +3362,14 @@ "SSE.Views.Toolbar.textTabInsert": "Vložiť", "SSE.Views.Toolbar.textTabLayout": "Rozloženie", "SSE.Views.Toolbar.textTabProtect": "Ochrana", + "SSE.Views.Toolbar.textTabView": "Zobraziť", + "SSE.Views.Toolbar.textThisPivot": "Z tejto kontingenčnej tabuľky", + "SSE.Views.Toolbar.textThisSheet": "Z tohto listu", + "SSE.Views.Toolbar.textThisTable": "Z tejto tabuľky", "SSE.Views.Toolbar.textTop": "Hore:", "SSE.Views.Toolbar.textTopBorders": "Horné orámovanie", "SSE.Views.Toolbar.textUnderline": "Podčiarknuť", + "SSE.Views.Toolbar.textVertical": "Vertikálny text", "SSE.Views.Toolbar.textWidth": "Šírka", "SSE.Views.Toolbar.textZoom": "Priblíženie", "SSE.Views.Toolbar.tipAlignBottom": "Zarovnať dole", @@ -2165,6 +3386,7 @@ "SSE.Views.Toolbar.tipChangeChart": "Zmeniť typ grafu", "SSE.Views.Toolbar.tipClearStyle": "Vyčistiť", "SSE.Views.Toolbar.tipColorSchemas": "Zmeniť farebnú schému", + "SSE.Views.Toolbar.tipCondFormat": "Podmienené formátovanie", "SSE.Views.Toolbar.tipCopy": "Kopírovať", "SSE.Views.Toolbar.tipCopyStyle": "Kopírovať štýl", "SSE.Views.Toolbar.tipDecDecimal": "Znížiť počet desatinných miest", @@ -2174,11 +3396,14 @@ "SSE.Views.Toolbar.tipDigStyleCurrency": "Formát/štýl meny", "SSE.Views.Toolbar.tipDigStylePercent": "Štýl percent", "SSE.Views.Toolbar.tipEditChart": "Upraviť graf", + "SSE.Views.Toolbar.tipEditChartData": "Vybrať údaje", + "SSE.Views.Toolbar.tipEditChartType": "Zmeniť typ grafu", "SSE.Views.Toolbar.tipEditHeader": "Upraviť hlavičku alebo pätu", "SSE.Views.Toolbar.tipFontColor": "Farba písma", "SSE.Views.Toolbar.tipFontName": "Písmo", "SSE.Views.Toolbar.tipFontSize": "Veľkosť písma", "SSE.Views.Toolbar.tipImgAlign": "Zoradiť/usporiadať objekty", + "SSE.Views.Toolbar.tipImgGroup": "Skupinové objekty", "SSE.Views.Toolbar.tipIncDecimal": "Zvýšiť počet desatinných miest", "SSE.Views.Toolbar.tipIncFont": "Zväčšiť veľkosť písma", "SSE.Views.Toolbar.tipInsertChart": "Vložiť graf", @@ -2188,20 +3413,28 @@ "SSE.Views.Toolbar.tipInsertImage": "Vložiť obrázok", "SSE.Views.Toolbar.tipInsertOpt": "Vložiť bunky", "SSE.Views.Toolbar.tipInsertShape": "Vložiť automatický tvar", + "SSE.Views.Toolbar.tipInsertSlicer": "Vložiť prierez", + "SSE.Views.Toolbar.tipInsertSpark": "Vložiť mikro-graf", + "SSE.Views.Toolbar.tipInsertSymbol": "Vložiť symbol", "SSE.Views.Toolbar.tipInsertTable": "Vložiť tabuľku", - "SSE.Views.Toolbar.tipInsertText": "Vložiť text", + "SSE.Views.Toolbar.tipInsertText": "Vložiť textové pole", "SSE.Views.Toolbar.tipInsertTextart": "Vložiť Text Art", - "SSE.Views.Toolbar.tipMerge": "Zlúčiť", + "SSE.Views.Toolbar.tipMerge": "Zlúčiť a vycentrovať", + "SSE.Views.Toolbar.tipNone": "Žiadny", "SSE.Views.Toolbar.tipNumFormat": "Formát čísla", "SSE.Views.Toolbar.tipPageMargins": "Okraje stránky", "SSE.Views.Toolbar.tipPageOrient": "Orientácia stránky", "SSE.Views.Toolbar.tipPageSize": "Veľkosť stránky", "SSE.Views.Toolbar.tipPaste": "Vložiť", - "SSE.Views.Toolbar.tipPrColor": "Farba pozadia", + "SSE.Views.Toolbar.tipPrColor": "Farba výplne", "SSE.Views.Toolbar.tipPrint": "Tlačiť", + "SSE.Views.Toolbar.tipPrintArea": "Oblasť tlače", + "SSE.Views.Toolbar.tipPrintTitles": "Tlač názvu", "SSE.Views.Toolbar.tipRedo": "Krok vpred", "SSE.Views.Toolbar.tipSave": "Uložiť", "SSE.Views.Toolbar.tipSaveCoauth": "Uložte zmeny, aby ich videli aj ostatní používatelia.", + "SSE.Views.Toolbar.tipScale": "Škáluj do rozmeru", + "SSE.Views.Toolbar.tipSendBackward": "Posunúť späť", "SSE.Views.Toolbar.tipSendForward": "Posunúť vpred", "SSE.Views.Toolbar.tipSynchronize": "Dokument bol zmenený ďalším používateľom. Prosím, kliknite na uloženie zmien a opätovne načítajte aktualizácie.", "SSE.Views.Toolbar.tipTextOrientation": "Orientácia", @@ -2258,6 +3491,7 @@ "SSE.Views.Toolbar.txtScheme2": "Odtiene sivej", "SSE.Views.Toolbar.txtScheme20": "Mestský", "SSE.Views.Toolbar.txtScheme21": "Elán", + "SSE.Views.Toolbar.txtScheme22": "Nová kancelária", "SSE.Views.Toolbar.txtScheme3": "Vrchol", "SSE.Views.Toolbar.txtScheme4": "Aspekt", "SSE.Views.Toolbar.txtScheme5": "Občiansky", @@ -2284,17 +3518,85 @@ "SSE.Views.Top10FilterDialog.txtSum": "SÚČET", "SSE.Views.Top10FilterDialog.txtTitle": "Top 10 automatického filtra", "SSE.Views.Top10FilterDialog.txtTop": "Hore", + "SSE.Views.Top10FilterDialog.txtValueTitle": "Filtre \"Top 10\"", + "SSE.Views.ValueFieldSettingsDialog.textTitle": "Nastavenia poľa hodnôt", "SSE.Views.ValueFieldSettingsDialog.txtAverage": "Priemer", "SSE.Views.ValueFieldSettingsDialog.txtBaseField": "Základné pole", "SSE.Views.ValueFieldSettingsDialog.txtBaseItem": "Základná položka", "SSE.Views.ValueFieldSettingsDialog.txtByField": "%1 z %2", "SSE.Views.ValueFieldSettingsDialog.txtCount": "Počet", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "Spočítať čísla", + "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "Vlastný názov", + "SSE.Views.ValueFieldSettingsDialog.txtDifference": "Rozdielne oproti", "SSE.Views.ValueFieldSettingsDialog.txtIndex": "Index", "SSE.Views.ValueFieldSettingsDialog.txtMax": "Max", "SSE.Views.ValueFieldSettingsDialog.txtMin": "Min", + "SSE.Views.ValueFieldSettingsDialog.txtNormal": "Bez výpočtu", + "SSE.Views.ValueFieldSettingsDialog.txtPercent": "Percento z", + "SSE.Views.ValueFieldSettingsDialog.txtPercentDiff": "Percentá rozdielna od", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfCol": "Percento stĺpca", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfRow": "Percento z celku", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfTotal": "Percento riadku", "SSE.Views.ValueFieldSettingsDialog.txtProduct": "Produkt", + "SSE.Views.ValueFieldSettingsDialog.txtRunTotal": "Priebežný súčet v", + "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "Zobraziť hodnoty ako", + "SSE.Views.ValueFieldSettingsDialog.txtSourceName": "Názov zdroja:", + "SSE.Views.ValueFieldSettingsDialog.txtStdDev": "Smerodajná odchylka", + "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "Populačná smerodajná odchýlka", "SSE.Views.ValueFieldSettingsDialog.txtSum": "SÚČET", + "SSE.Views.ValueFieldSettingsDialog.txtSummarize": "Zhrnúť pole hodnoty podľa", + "SSE.Views.ValueFieldSettingsDialog.txtVar": "Var", + "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", "SSE.Views.ViewManagerDlg.closeButtonText": "Zatvoriť", + "SSE.Views.ViewManagerDlg.guestText": "Hosť", + "SSE.Views.ViewManagerDlg.lockText": "Uzamknutý", + "SSE.Views.ViewManagerDlg.textDelete": "Odstrániť", + "SSE.Views.ViewManagerDlg.textDuplicate": "Duplikát", + "SSE.Views.ViewManagerDlg.textEmpty": "Žiadne zobrazenia neboli zatiaľ vytvorené.", + "SSE.Views.ViewManagerDlg.textGoTo": "Prejsť na zobrazenie", + "SSE.Views.ViewManagerDlg.textLongName": "Vložte meno, ktorého dĺžka je menej ako 128 znakov.", + "SSE.Views.ViewManagerDlg.textNew": "Nový", + "SSE.Views.ViewManagerDlg.textRename": "Premenovať", + "SSE.Views.ViewManagerDlg.textRenameError": "Názov zobrazenia nesmie byť prázdny.", + "SSE.Views.ViewManagerDlg.textRenameLabel": "Premenovať pohľad", + "SSE.Views.ViewManagerDlg.textViews": "Zobrazenie zošitu", + "SSE.Views.ViewManagerDlg.tipIsLocked": "Tento prvok upravuje iný používateľ.", + "SSE.Views.ViewManagerDlg.txtTitle": "Správca zobrazenia zošitu", + "SSE.Views.ViewManagerDlg.warnDeleteView": "Pokúšate sa odstrániť aktuálne povolené zobrazenie '%1'.
                              Zavrieť toto zobrazenie a odstrániť ho?", + "SSE.Views.ViewTab.capBtnFreeze": "Ukotviť priečky", + "SSE.Views.ViewTab.capBtnSheetView": "Zobrazenie zošitu ", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "Vždy zobrazovať panel nástrojov", "SSE.Views.ViewTab.textClose": "Zatvoriť", - "SSE.Views.ViewTab.tipClose": "Zatvoriť zobrazenie hárka" + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "Skombinovať list a stavový riadok", + "SSE.Views.ViewTab.textCreate": "Nový", + "SSE.Views.ViewTab.textDefault": "Štandardné", + "SSE.Views.ViewTab.textFormula": "Lišta vzorca", + "SSE.Views.ViewTab.textFreezeCol": "Ukotviť prvý stĺpec", + "SSE.Views.ViewTab.textFreezeRow": "Ukotviť horný riadok", + "SSE.Views.ViewTab.textGridlines": "Mriežky", + "SSE.Views.ViewTab.textHeadings": "Nadpisy", + "SSE.Views.ViewTab.textInterfaceTheme": "Téma rozhrania", + "SSE.Views.ViewTab.textManager": "Správca zobrazení", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "Zobraziť tieň ukotvených priečok", + "SSE.Views.ViewTab.textUnFreeze": "Zrušiť ukotvenie priečky", + "SSE.Views.ViewTab.textZeros": "Zobraziť nuly", + "SSE.Views.ViewTab.textZoom": "Priblížiť", + "SSE.Views.ViewTab.tipClose": "Zatvoriť zobrazenie hárka", + "SSE.Views.ViewTab.tipCreate": "Vytvoriť nové zobrazenie zošitu", + "SSE.Views.ViewTab.tipFreeze": "Ukotviť priečky", + "SSE.Views.ViewTab.tipSheetView": "Zobrazenie zošitu ", + "SSE.Views.WBProtection.hintAllowRanges": "Umožniť editovať rozsahy", + "SSE.Views.WBProtection.hintProtectSheet": "Zabezpečiť list", + "SSE.Views.WBProtection.hintProtectWB": "Zabezpečiť zošit", + "SSE.Views.WBProtection.txtAllowRanges": "Umožniť editovať rozsahy", + "SSE.Views.WBProtection.txtHiddenFormula": "Skryté vzorce", + "SSE.Views.WBProtection.txtLockedCell": "Uzamknutá bunka", + "SSE.Views.WBProtection.txtLockedShape": "Tvar uzamknutý", + "SSE.Views.WBProtection.txtLockedText": "Uzamknutý text", + "SSE.Views.WBProtection.txtProtectSheet": "Zabezpečiť list", + "SSE.Views.WBProtection.txtProtectWB": "Zabezpečiť zošit", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "Zadajte heslo pre deaktiváciu zabezpečenia listu", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "Zrušte ochranu listu", + "SSE.Views.WBProtection.txtWBUnlockDescription": "Vložte heslo pre vstup k zošitu", + "SSE.Views.WBProtection.txtWBUnlockTitle": "Zrušte ochranu zošita" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/sl.json b/apps/spreadsheeteditor/main/locale/sl.json index d135351a0..958e1631b 100644 --- a/apps/spreadsheeteditor/main/locale/sl.json +++ b/apps/spreadsheeteditor/main/locale/sl.json @@ -24,6 +24,7 @@ "Common.define.conditionalData.textFormula": "Formula", "Common.define.conditionalData.textNotContains": "Ne vsebuje", "Common.Translation.warnFileLockedBtnEdit": "Ustvari kopijo", + "Common.UI.ButtonColored.textNewColor": "Dodaj novo barvo po meri", "Common.UI.ComboBorderSize.txtNoBorders": "Ni mej", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Ni mej", "Common.UI.ComboDataView.emptyComboText": "Ni slogov", @@ -739,15 +740,11 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Spremeni pravice dostopa", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Osebe, ki imajo pravice", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Uporabi", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Vključi samodejno shranjevanje", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Namigovanje pisave", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Vključi možnost živega komentiranja", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Nastavitve makrojev", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", @@ -768,16 +765,12 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "English", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "Francosko", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Palec", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Živo komentiranje", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "kot OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Domači", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Točka", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Russian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "kot Windows", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Uporabi", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Jezik slovarja", "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "Uredi razpredelnico", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Splošen", "SSE.Views.FormatRulesEditDlg.fillColor": "Barva ozadja", "SSE.Views.FormatRulesEditDlg.textAutomatic": "Samodejeno", "SSE.Views.FormatRulesEditDlg.textBordersColor": "Barve obrob", @@ -788,6 +781,7 @@ "SSE.Views.FormatRulesEditDlg.textFill": "Zapolni", "SSE.Views.FormatRulesEditDlg.textFormat": "Format", "SSE.Views.FormatRulesEditDlg.textFormula": "Formula", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Dodaj novo barvo po meri", "SSE.Views.FormatRulesEditDlg.tipBorders": "Obrobe", "SSE.Views.FormatRulesEditDlg.txtAccounting": "Računovodstvo", "SSE.Views.FormatRulesEditDlg.txtCurrency": "Valuta", diff --git a/apps/spreadsheeteditor/main/locale/sv.json b/apps/spreadsheeteditor/main/locale/sv.json index e8c15e1e1..e93ff8259 100644 --- a/apps/spreadsheeteditor/main/locale/sv.json +++ b/apps/spreadsheeteditor/main/locale/sv.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Skapa en kopia", "Common.Translation.warnFileLockedBtnView": "Öppna skrivskyddad", "Common.UI.ButtonColored.textAutoColor": "Automatisk", - "Common.UI.ButtonColored.textNewColor": "Lägg till en ny anpassad färg", + "Common.UI.ButtonColored.textNewColor": "Lägg till ny egen färg", "Common.UI.ComboBorderSize.txtNoBorders": "Inga ramar", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Inga ramar", "Common.UI.ComboDataView.emptyComboText": "Inga stilar", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Ångra", "SSE.Views.DocumentHolder.textUnFreezePanes": "Lås upp paneler", "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Pil punkter", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Bock punkt", + "SSE.Views.DocumentHolder.tipMarkersDash": "Sträck punkter", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Fyllda romb punkter", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Fyllda runda punkter", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Fyllda kvadratiska punkter", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Ofyllda runda punkter", + "SSE.Views.DocumentHolder.tipMarkersStar": "Stjärn punkter", "SSE.Views.DocumentHolder.topCellText": "Justera till toppen", "SSE.Views.DocumentHolder.txtAccounting": "Redovisning", "SSE.Views.DocumentHolder.txtAddComment": "Lägg till kommentar", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Ändra behörigheter", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Personer som har behörigheter", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Tillämpa", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Aktivera automatisk återställning", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Aktivera spara automatiskt", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Redigera samtidigt", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Andra användare kommer att se dina ändringar på en gång", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Du måste acceptera ändringar innan du kan se dom", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Decimaltecken", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Snabb", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Fontförslag", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Lägg till version till lagringen efter att ha klickat på Spara eller CTRL+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formelspråk", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "SUMMA; MIN; MAX; ANTAL", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Aktivera visning av kommentarer", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makroinställningar", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Klipp ut, kopiera och klistra in", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Visa knappen Klistra in alternativ när innehållet klistras in", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Aktivera R1C1-stil", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regionala inställningar", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Exempel:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Aktivera visning av lösta kommentarer", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Separator", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strikt", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Gränssnittstema", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Tusentals-separator", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japanese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Korean", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Visa kommentarer", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Latvian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "som OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Inaktivera alla makron med en avisering", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "som Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Chinese", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Tillämpa", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Rättstavningsspråk", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Ignorera ord med VERSALER", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Ignorera ord med tal", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Inställningar autokorrigering", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Korrektur", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Varning", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Med lösenord", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Skydda kalkylblad", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Giltiga signaturer har lagts till i kalkylbladet. Kalkylarket är skyddat från redigering.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Vissa av de digitala signaturerna i kalkylarket är ogiltiga eller kunde inte verifieras. Kalkylarket är skyddat från redigering.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Visa signaturer", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Generell", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Sidinställningar", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Stavningskontroll", "SSE.Views.FormatRulesEditDlg.fillColor": "Bakgrundsfärg", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Varning", "SSE.Views.FormatRulesEditDlg.text2Scales": "2-färgs skala", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Minst", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Lägsta punkten", "SSE.Views.FormatRulesEditDlg.textNegative": "Negativ", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Anpassad färg", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Lägg till ny egen färg", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Inga ramar", "SSE.Views.FormatRulesEditDlg.textNone": "ingen", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Ett eller flera av de angivna värdena är inte en giltig procentsats.", @@ -2753,6 +2743,7 @@ "SSE.Views.PrintWithPreview.txtCurrentSheet": "Aktuellt kalkylblad", "SSE.Views.PrintWithPreview.txtCustom": "Anpassad", "SSE.Views.PrintWithPreview.txtCustomOptions": "Anpassade alternativ", + "SSE.Views.PrintWithPreview.txtEmptyTable": "Det finns inget att skriva ut eftersom tabellen är tom", "SSE.Views.PrintWithPreview.txtFitCols": "Anpassa alla kolumner till en sida", "SSE.Views.PrintWithPreview.txtFitPage": "Anpassa kalkylbladet på en sida", "SSE.Views.PrintWithPreview.txtFitRows": "Anpassa alla rader på en sida", @@ -3428,14 +3419,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Infoga tabell", "SSE.Views.Toolbar.tipInsertText": "Infoga textruta", "SSE.Views.Toolbar.tipInsertTextart": "Infoga Text Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Pil punkter", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Bock punkt", - "SSE.Views.Toolbar.tipMarkersDash": "Sträck punkter", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Fyllda romb punkter", - "SSE.Views.Toolbar.tipMarkersFRound": "Fyllda runda punkter", - "SSE.Views.Toolbar.tipMarkersFSquare": "Fyllda kvadratiska punkter", - "SSE.Views.Toolbar.tipMarkersHRound": "Ofyllda runda punkter", - "SSE.Views.Toolbar.tipMarkersStar": "Stjärnpunkter", "SSE.Views.Toolbar.tipMerge": "Slå samman och centrera", "SSE.Views.Toolbar.tipNone": "Inga", "SSE.Views.Toolbar.tipNumFormat": "Sifferformat", diff --git a/apps/spreadsheeteditor/main/locale/tr.json b/apps/spreadsheeteditor/main/locale/tr.json index 0c18935e9..5e5d6d76d 100644 --- a/apps/spreadsheeteditor/main/locale/tr.json +++ b/apps/spreadsheeteditor/main/locale/tr.json @@ -1910,6 +1910,14 @@ "SSE.Views.DocumentHolder.textUndo": "Geri Al", "SSE.Views.DocumentHolder.textUnFreezePanes": "Unfreeze Panes", "SSE.Views.DocumentHolder.textVar": "Varyans", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Ok işaretleri", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Onay işaretleri", + "SSE.Views.DocumentHolder.tipMarkersDash": "Çizgi işaretleri", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Dolu yuvarlak işaretler", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Dolu kare işaretler", + "SSE.Views.DocumentHolder.tipMarkersHRound": "İçi boş daire işaretler", + "SSE.Views.DocumentHolder.tipMarkersStar": "Yıldız işaretleri", "SSE.Views.DocumentHolder.topCellText": "Üste Hizala", "SSE.Views.DocumentHolder.txtAccounting": "Muhasebe", "SSE.Views.DocumentHolder.txtAddComment": "Yorum Ekle", @@ -2044,26 +2052,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Erişim haklarını değiştir", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Hakkı olan kişiler", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Uygula", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Otomatik kaydetmeyi aç", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Otomatik kaydetmeyi aç", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Co-editing mode", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Other users will see your changes at once", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "You will need to accept changes before you can see them", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "ondalık ayırıcı", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Fast", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Yazı Tipi İpucu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Kaydet veya Ctrl+S'ye tıkladıktan sonra sürümü depolamaya ekleyin", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Formula Language", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Example: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Canlı yorum yapma seçeneğini aç", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Makro Ayarları", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Kes, kopyala ve yapıştır", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "İçerik yapıştırıldığında Yapıştırma Seçenekleri düğmesini göster", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "R1C1 stilini aç", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Regional Settings", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Example: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Çözülmüş yorumların görünümünü aç", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Ayıraç", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Strict", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Arayüz teması", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Binlik ayırıcı", @@ -2099,7 +2099,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Italian", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Japanese", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Korean", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Canlı Yorum", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Lao", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Letonca", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "OS X olarak", @@ -2126,12 +2125,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Bütün macroları uyarı vererek devre dışı bırak", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "Windows olarak", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Çince", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Uygula", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "sözlük dili", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "BÜYÜK HARF içindeki kelimeleri yoksay", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Sayı içeren kelimeleri yoksay", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Otomatik Düzeltme seçenekleri", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Prova", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Uyarı", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "Parola ile", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Elektronik Tabloyu Koru", @@ -2143,9 +2136,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "Elektronik tabloya geçerli imzalar eklendi. Elektronik tablo, düzenlemeye karşı korumalıdır.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Elektronik tablodaki bazı dijital imzalar geçersiz veya doğrulanamadı. Elektronik tablo, düzenlemeye karşı korumalıdır.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "İmzaları görüntüle", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Genel", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Sayfa Ayarları", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Yazım denetimi", "SSE.Views.FormatRulesEditDlg.fillColor": "Dolgu Rengi", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Dikkat", "SSE.Views.FormatRulesEditDlg.text2Scales": "2 Renk skalası", @@ -3379,12 +3369,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Tablo ekle", "SSE.Views.Toolbar.tipInsertText": "Metin kutusu ekle", "SSE.Views.Toolbar.tipInsertTextart": "Yazı Sanatı Ekle", - "SSE.Views.Toolbar.tipMarkersArrow": "Ok işaretleri", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Onay işaretleri", - "SSE.Views.Toolbar.tipMarkersDash": "Çizgi işaretleri", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Dolu eşkenar dörtgen işaretler", - "SSE.Views.Toolbar.tipMarkersFRound": "Dolu yuvarlak işaretler", - "SSE.Views.Toolbar.tipMarkersFSquare": "Dolu kare işaretler", "SSE.Views.Toolbar.tipMerge": "Birleştir ve ortala", "SSE.Views.Toolbar.tipNumFormat": "Sayı Formatı", "SSE.Views.Toolbar.tipPageMargins": "Sayfa kenar boşlukları", diff --git a/apps/spreadsheeteditor/main/locale/uk.json b/apps/spreadsheeteditor/main/locale/uk.json index e26b50c64..62a9486ee 100644 --- a/apps/spreadsheeteditor/main/locale/uk.json +++ b/apps/spreadsheeteditor/main/locale/uk.json @@ -104,7 +104,7 @@ "Common.Translation.warnFileLockedBtnEdit": "Створити копію", "Common.Translation.warnFileLockedBtnView": "Відкрити на перегляд", "Common.UI.ButtonColored.textAutoColor": "Автоматичний", - "Common.UI.ButtonColored.textNewColor": "Користувальницький колір", + "Common.UI.ButtonColored.textNewColor": "Новий спеціальний колір", "Common.UI.ComboBorderSize.txtNoBorders": "Немає кордонів", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Немає кордонів", "Common.UI.ComboDataView.emptyComboText": "Немає стилів", @@ -1920,6 +1920,14 @@ "SSE.Views.DocumentHolder.textUndo": "Скасувати", "SSE.Views.DocumentHolder.textUnFreezePanes": "Розморозити грані", "SSE.Views.DocumentHolder.textVar": "Дисп", + "SSE.Views.DocumentHolder.tipMarkersArrow": "Маркери-стрілки", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "Маркери-галочки", + "SSE.Views.DocumentHolder.tipMarkersDash": "Маркери-тире", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", + "SSE.Views.DocumentHolder.tipMarkersFRound": "Заповнені круглі маркери", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "Заповнені квадратні маркери", + "SSE.Views.DocumentHolder.tipMarkersHRound": "Пусті круглі маркери", + "SSE.Views.DocumentHolder.tipMarkersStar": "Маркери-зірочки", "SSE.Views.DocumentHolder.topCellText": "Вирівняти догори", "SSE.Views.DocumentHolder.txtAccounting": "Фінансовий", "SSE.Views.DocumentHolder.txtAddComment": "Додати коментар", @@ -2055,26 +2063,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Змінити права доступу", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Особи, які мають права", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Застосувати", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Увімкніть автозапуск", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Увімкніть автоматичне збереження", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Режим спільного редагування", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Інші користувачі побачать ваші зміни одразу", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Вам потрібно буде прийняти зміни, перш ніж побачити їх", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "Десятковий роздільник", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Швидко", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Підказки шрифта", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Додавати версію до сховища після натискання кнопки Зберегти або Ctrl+S", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Мова формули", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Приклад: SUM; ХВ; MAX; РАХУВАТИ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Увімкніть показ коментарів", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "Налаштування макросів", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "Вирізання, копіювання та вставка", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "Показувати кнопку Налаштування вставки при вставці вмісту", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "Включити стиль R1C1", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Регіональні налаштування", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Приклад:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Увімкніть відображення усунених зауважень", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "Розділювач", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Суворий", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "Тема інтерфейсу", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "Роздільник тисяч", @@ -2110,7 +2110,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "Італійська", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "Японська", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "Корейська", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Дісплей коментування", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "Лаоська", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "Латиська", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "як OS X", @@ -2137,12 +2136,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "Вимкнути всі макроси зі сповіщенням", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "як Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "Китайська", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "Застосувати", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "Мова словника", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "Пропускати слова з ВЕЛИКИХ БУКВ", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "Пропускати слова з цифрами", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "Параметри автозаміни...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "Правопис", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "Увага", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "За допомогою паролю", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "Захистити електронну таблицю", @@ -2154,9 +2147,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "До електронної таблиці додано дійсні підписи. Таблиця захищена від редагування.", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "Деякі цифрові підписи в електронній таблиці є недійсними або їх не можна перевірити. Таблиця захищена від редагування.", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "Перегляд підписів", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Загальні", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Налаштування сторінки", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "Перевірка орфографії", "SSE.Views.FormatRulesEditDlg.fillColor": "Колір заливки", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "Увага", "SSE.Views.FormatRulesEditDlg.text2Scales": "Двоколірна шкала", @@ -2211,7 +2201,7 @@ "SSE.Views.FormatRulesEditDlg.textMinimum": "Мінімум", "SSE.Views.FormatRulesEditDlg.textMinpoint": "Мін.точка", "SSE.Views.FormatRulesEditDlg.textNegative": "Негативне", - "SSE.Views.FormatRulesEditDlg.textNewColor": "Користувальницький колір", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Новий спеціальний колір", "SSE.Views.FormatRulesEditDlg.textNoBorders": "Без кордонів", "SSE.Views.FormatRulesEditDlg.textNone": "Немає", "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "Принаймні одне із зазначених значень не є допустимим відсотком.", @@ -2380,7 +2370,7 @@ "SSE.Views.HeaderFooterDialog.textItalic": "Курсив", "SSE.Views.HeaderFooterDialog.textLeft": "Ліворуч", "SSE.Views.HeaderFooterDialog.textMaxError": "Введено занадто довгий текстовий рядок. Зменште кількість символів.", - "SSE.Views.HeaderFooterDialog.textNewColor": "Користувальницький колір", + "SSE.Views.HeaderFooterDialog.textNewColor": "Новий спеціальний колір", "SSE.Views.HeaderFooterDialog.textOdd": "Непарна сторінка", "SSE.Views.HeaderFooterDialog.textPageCount": "Кількість сторінок", "SSE.Views.HeaderFooterDialog.textPageNum": "Номер сторінки", @@ -3153,7 +3143,7 @@ "SSE.Views.Statusbar.textCount": "Кількість", "SSE.Views.Statusbar.textMax": "Макс", "SSE.Views.Statusbar.textMin": "Мін", - "SSE.Views.Statusbar.textNewColor": "Додати новий спеціальний колір", + "SSE.Views.Statusbar.textNewColor": "Новий спеціальний колір", "SSE.Views.Statusbar.textNoColor": "Немає кольору", "SSE.Views.Statusbar.textSum": "Сума", "SSE.Views.Statusbar.tipAddTab": "Додати робочу таблицю", @@ -3340,7 +3330,7 @@ "SSE.Views.Toolbar.textMiddleBorders": "Внутрішні горизонтальні межі", "SSE.Views.Toolbar.textMoreFormats": "Більше форматів", "SSE.Views.Toolbar.textMorePages": "Інші сторінки", - "SSE.Views.Toolbar.textNewColor": "Додати новий спеціальний колір", + "SSE.Views.Toolbar.textNewColor": "Новий спеціальний колір", "SSE.Views.Toolbar.textNewRule": "Нове правило", "SSE.Views.Toolbar.textNoBorders": "Немає кордонів", "SSE.Views.Toolbar.textOnePage": "сторінка", @@ -3428,14 +3418,6 @@ "SSE.Views.Toolbar.tipInsertTable": "Вставити таблицю", "SSE.Views.Toolbar.tipInsertText": "Вставити напис", "SSE.Views.Toolbar.tipInsertTextart": "Вставити текст Art", - "SSE.Views.Toolbar.tipMarkersArrow": "Маркери-стрілки", - "SSE.Views.Toolbar.tipMarkersCheckmark": "Маркери-галочки", - "SSE.Views.Toolbar.tipMarkersDash": "Маркери-тире", - "SSE.Views.Toolbar.tipMarkersFRhombus": "Заповнені ромбоподібні маркери", - "SSE.Views.Toolbar.tipMarkersFRound": "Заповнені круглі маркери", - "SSE.Views.Toolbar.tipMarkersFSquare": "Заповнені квадратні маркери", - "SSE.Views.Toolbar.tipMarkersHRound": "Пусті круглі маркери", - "SSE.Views.Toolbar.tipMarkersStar": "Маркери-зірочки", "SSE.Views.Toolbar.tipMerge": "Об'єднати та помістити в центрі", "SSE.Views.Toolbar.tipNone": "Немає", "SSE.Views.Toolbar.tipNumFormat": "Номер формату", diff --git a/apps/spreadsheeteditor/main/locale/vi.json b/apps/spreadsheeteditor/main/locale/vi.json index 446c6532b..f7e6d134b 100644 --- a/apps/spreadsheeteditor/main/locale/vi.json +++ b/apps/spreadsheeteditor/main/locale/vi.json @@ -14,6 +14,7 @@ "Common.define.chartData.textStock": "Cổ phiếu", "Common.define.chartData.textSurface": "Bề mặt", "Common.define.chartData.textWinLossSpark": "Win/Loss", + "Common.UI.ButtonColored.textNewColor": "Màu tùy chỉnh", "Common.UI.ComboBorderSize.txtNoBorders": "Không viền", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Không viền", "Common.UI.ComboDataView.emptyComboText": "Không có kiểu", @@ -1044,20 +1045,14 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "Thay đổi quyền truy cập", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "Những cá nhân có quyền", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "Áp dụng", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "Bật tự động khôi phục", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "Bật tự động lưu", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "Chế độ đồng chỉnh sửa", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "Những người dùng khác sẽ cùng lúc thấy các thay đổi của bạn", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "Bạn sẽ cần chấp nhận thay đổi trước khi có thể xem chúng", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "Nhanh", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "Phông chữ gợi ý", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "Luôn lưu vào server (hoặc lưu vào server khi đóng tài liệu)", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "Ngôn ngữ công thức", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "Ví dụ: SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "Bật hiển thị bình luận", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "Thiết lập khu vực", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "Ví dụ:", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "Bật hiển thị các bình luận đã giải quyết", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "Nghiêm ngặt", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "Đơn vị đo lường", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "Giá trị Phóng to Mặc định", @@ -1073,15 +1068,13 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "Centimet", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "Tiếng anh", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "Inch", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "Hiển thị đang bình luận", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "như OS X", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "Bản địa", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "Đánh bóng", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "Điểm", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "Nga", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "như Windows", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "Tổng quát", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "Cài đặt trang", + "SSE.Views.FormatRulesEditDlg.textNewColor": "Màu tùy chỉnh", "SSE.Views.FormatSettingsDialog.textCategory": "Danh mục", "SSE.Views.FormatSettingsDialog.textDecimal": "Thập phân", "SSE.Views.FormatSettingsDialog.textFormat": "Định dạng", @@ -1113,6 +1106,7 @@ "SSE.Views.FormulaDialog.textGroupDescription": "Chọn nhóm Hàm", "SSE.Views.FormulaDialog.textListDescription": "Chọn hàm", "SSE.Views.FormulaDialog.txtTitle": "Chèn hàm số", + "SSE.Views.HeaderFooterDialog.textNewColor": "Màu tùy chỉnh", "SSE.Views.HyperlinkSettingsDialog.strDisplay": "Hiển thị", "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "Liên kết tới", "SSE.Views.HyperlinkSettingsDialog.strRange": "Phạm vi", @@ -1371,7 +1365,7 @@ "SSE.Views.Statusbar.RenameDialog.labelSheetName": "Tên trang tính", "SSE.Views.Statusbar.textAverage": "TRUNG BÌNH", "SSE.Views.Statusbar.textCount": "COUNT", - "SSE.Views.Statusbar.textNewColor": "Thêm màu tùy chỉnh mới", + "SSE.Views.Statusbar.textNewColor": "Màu tùy chỉnh", "SSE.Views.Statusbar.textNoColor": "Không màu", "SSE.Views.Statusbar.textSum": "SUM", "SSE.Views.Statusbar.tipAddTab": "Thêm bảng tính", @@ -1509,7 +1503,7 @@ "SSE.Views.Toolbar.textLeftBorders": "Đường viền bên trái", "SSE.Views.Toolbar.textMiddleBorders": "Đường viền ngang bên trong", "SSE.Views.Toolbar.textMoreFormats": "Thêm định dạng", - "SSE.Views.Toolbar.textNewColor": "Thêm màu tùy chỉnh mới", + "SSE.Views.Toolbar.textNewColor": "Màu tùy chỉnh", "SSE.Views.Toolbar.textNoBorders": "Không viền", "SSE.Views.Toolbar.textOutBorders": "Đường viền ngoài", "SSE.Views.Toolbar.textPrint": "In", diff --git a/apps/spreadsheeteditor/main/locale/zh-TW.json b/apps/spreadsheeteditor/main/locale/zh-TW.json new file mode 100644 index 000000000..b411dc530 --- /dev/null +++ b/apps/spreadsheeteditor/main/locale/zh-TW.json @@ -0,0 +1,3602 @@ +{ + "cancelButtonText": "取消", + "Common.Controllers.Chat.notcriticalErrorTitle": "警告", + "Common.Controllers.Chat.textEnterMessage": "在這裡輸入您的信息", + "Common.Controllers.History.notcriticalErrorTitle": "警告", + "Common.define.chartData.textArea": "區域", + "Common.define.chartData.textAreaStacked": "堆叠面積", + "Common.define.chartData.textAreaStackedPer": "100% 堆疊面積圖", + "Common.define.chartData.textBar": "槓", + "Common.define.chartData.textBarNormal": "劇集柱形", + "Common.define.chartData.textBarNormal3d": "3-D 簇狀直式長條圖", + "Common.define.chartData.textBarNormal3dPerspective": "3-D 直式長條圖", + "Common.define.chartData.textBarStacked": "堆叠柱形", + "Common.define.chartData.textBarStacked3d": "3-D 堆疊直式長條圖", + "Common.define.chartData.textBarStackedPer": "100% 堆疊直式長條圖", + "Common.define.chartData.textBarStackedPer3d": "3-D 100% 堆疊直式長條圖", + "Common.define.chartData.textCharts": "圖表", + "Common.define.chartData.textColumn": "欄", + "Common.define.chartData.textColumnSpark": "欄", + "Common.define.chartData.textCombo": "組合", + "Common.define.chartData.textComboAreaBar": "堆叠面積 - 劇集柱形", + "Common.define.chartData.textComboBarLine": "劇集柱形 - 綫", + "Common.define.chartData.textComboBarLineSecondary": "劇集柱形 - 副軸綫", + "Common.define.chartData.textComboCustom": "客制組合", + "Common.define.chartData.textDoughnut": "甜甜圈圖", + "Common.define.chartData.textHBarNormal": "劇集條形", + "Common.define.chartData.textHBarNormal3d": "3-D 簇狀橫式長條圖", + "Common.define.chartData.textHBarStacked": "堆叠條形", + "Common.define.chartData.textHBarStacked3d": "3-D 堆疊橫式長條圖", + "Common.define.chartData.textHBarStackedPer": "100% 堆疊橫式長條圖", + "Common.define.chartData.textHBarStackedPer3d": "3-D 100% 堆疊橫式長條圖", + "Common.define.chartData.textLine": "線", + "Common.define.chartData.textLine3d": "3-D 直線圖", + "Common.define.chartData.textLineMarker": "直線加標記", + "Common.define.chartData.textLineSpark": "線", + "Common.define.chartData.textLineStacked": "堆叠綫", + "Common.define.chartData.textLineStackedMarker": "堆積綫及標記", + "Common.define.chartData.textLineStackedPer": "100% 堆疊直線圖", + "Common.define.chartData.textLineStackedPerMarker": "100% 堆疊直線圖加標記", + "Common.define.chartData.textPie": "餅", + "Common.define.chartData.textPie3d": "3-D 圓餅圖", + "Common.define.chartData.textPoint": "XY(散點圖)", + "Common.define.chartData.textScatter": "散佈圖", + "Common.define.chartData.textScatterLine": "散佈圖同直線", + "Common.define.chartData.textScatterLineMarker": "散佈圖同直線及標記", + "Common.define.chartData.textScatterSmooth": "散佈圖同平滑線", + "Common.define.chartData.textScatterSmoothMarker": "散佈圖同平滑線及標記", + "Common.define.chartData.textSparks": "走勢圖", + "Common.define.chartData.textStock": "庫存", + "Common.define.chartData.textSurface": "表面", + "Common.define.chartData.textWinLossSpark": "贏/輸", + "Common.define.conditionalData.exampleText": "AaBbCcYyZz", + "Common.define.conditionalData.noFormatText": "無設定格式", + "Common.define.conditionalData.text1Above": "高於1個標準差", + "Common.define.conditionalData.text1Below": "低於1個標準差", + "Common.define.conditionalData.text2Above": "高於2個標準差", + "Common.define.conditionalData.text2Below": "低於2個標準差", + "Common.define.conditionalData.text3Above": "高於3個標準差", + "Common.define.conditionalData.text3Below": "低於3個標準差", + "Common.define.conditionalData.textAbove": "以上", + "Common.define.conditionalData.textAverage": " 平均", + "Common.define.conditionalData.textBegins": "開始於", + "Common.define.conditionalData.textBelow": "之下", + "Common.define.conditionalData.textBetween": "之間", + "Common.define.conditionalData.textBlank": "空白", + "Common.define.conditionalData.textBlanks": "包含空白", + "Common.define.conditionalData.textBottom": "底部", + "Common.define.conditionalData.textContains": "包含", + "Common.define.conditionalData.textDataBar": "數據欄", + "Common.define.conditionalData.textDate": "日期", + "Common.define.conditionalData.textDuplicate": "複製", + "Common.define.conditionalData.textEnds": "結尾為", + "Common.define.conditionalData.textEqAbove": "等於或高於", + "Common.define.conditionalData.textEqBelow": "等於或低於", + "Common.define.conditionalData.textEqual": "等於", + "Common.define.conditionalData.textError": "錯誤", + "Common.define.conditionalData.textErrors": "包含錯誤", + "Common.define.conditionalData.textFormula": "公式", + "Common.define.conditionalData.textGreater": "大於", + "Common.define.conditionalData.textGreaterEq": "大於或等於", + "Common.define.conditionalData.textIconSets": "圖標集", + "Common.define.conditionalData.textLast7days": "在過去7天內", + "Common.define.conditionalData.textLastMonth": "上個月", + "Common.define.conditionalData.textLastWeek": "上個星期", + "Common.define.conditionalData.textLess": "少於", + "Common.define.conditionalData.textLessEq": "小於或等於", + "Common.define.conditionalData.textNextMonth": "下個月", + "Common.define.conditionalData.textNextWeek": "下個星期", + "Common.define.conditionalData.textNotBetween": "不介於", + "Common.define.conditionalData.textNotBlanks": "不含空白", + "Common.define.conditionalData.textNotContains": "不含", + "Common.define.conditionalData.textNotEqual": "不等於", + "Common.define.conditionalData.textNotErrors": "不含錯誤", + "Common.define.conditionalData.textText": "文字", + "Common.define.conditionalData.textThisMonth": "這個月", + "Common.define.conditionalData.textThisWeek": "此星期", + "Common.define.conditionalData.textToday": "今天", + "Common.define.conditionalData.textTomorrow": "明天", + "Common.define.conditionalData.textTop": "上方", + "Common.define.conditionalData.textUnique": "獨特", + "Common.define.conditionalData.textValue": "此值是", + "Common.define.conditionalData.textYesterday": "昨天", + "Common.Translation.warnFileLocked": "該文件正在另一個應用程序中進行編輯。您可以繼續編輯並將其另存為副本。", + "Common.Translation.warnFileLockedBtnEdit": "建立副本", + "Common.Translation.warnFileLockedBtnView": "打開查看", + "Common.UI.ButtonColored.textAutoColor": "自動", + "Common.UI.ButtonColored.textNewColor": "新增自訂顏色", + "Common.UI.ComboBorderSize.txtNoBorders": "無邊框", + "Common.UI.ComboBorderSizeEditable.txtNoBorders": "無邊框", + "Common.UI.ComboDataView.emptyComboText": "無樣式", + "Common.UI.ExtendedColorDialog.addButtonText": "新增", + "Common.UI.ExtendedColorDialog.textCurrent": "當前", + "Common.UI.ExtendedColorDialog.textHexErr": "輸入的值不正確。
                              請輸入一個介於000000和FFFFFF之間的值。", + "Common.UI.ExtendedColorDialog.textNew": "新", + "Common.UI.ExtendedColorDialog.textRGBErr": "輸入的值不正確。
                              請輸入0到255之間的數字。", + "Common.UI.HSBColorPicker.textNoColor": "無顏色", + "Common.UI.InputFieldBtnPassword.textHintHidePwd": "不顯示密碼", + "Common.UI.InputFieldBtnPassword.textHintShowPwd": "顯示密碼", + "Common.UI.SearchDialog.textHighlight": "強調結果", + "Common.UI.SearchDialog.textMatchCase": "區分大小寫", + "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.SynchronizeTip.textDontShow": "不再顯示此消息", + "Common.UI.SynchronizeTip.textSynchronize": "該文檔已被其他用戶更改。
                              請單擊以保存更改並重新加載更新。", + "Common.UI.ThemeColorPalette.textStandartColors": "標準顏色", + "Common.UI.ThemeColorPalette.textThemeColors": "主題顏色", + "Common.UI.Themes.txtThemeClassicLight": "傳統亮色", + "Common.UI.Themes.txtThemeDark": "暗黑", + "Common.UI.Themes.txtThemeLight": " 淺色主題", + "Common.UI.Window.cancelButtonText": "取消", + "Common.UI.Window.closeButtonText": "關閉", + "Common.UI.Window.noButtonText": "沒有", + "Common.UI.Window.okButtonText": "確定", + "Common.UI.Window.textConfirmation": "確認", + "Common.UI.Window.textDontShow": "不再顯示此消息", + "Common.UI.Window.textError": "錯誤", + "Common.UI.Window.textInformation": "資訊", + "Common.UI.Window.textWarning": "警告", + "Common.UI.Window.yesButtonText": "是", + "Common.Utils.Metric.txtCm": "公分", + "Common.Utils.Metric.txtPt": "pt", + "Common.Views.About.txtAddress": "地址:", + "Common.Views.About.txtLicensee": "被許可人", + "Common.Views.About.txtLicensor": "許可人", + "Common.Views.About.txtMail": "電子郵件:", + "Common.Views.About.txtPoweredBy": "於支援", + "Common.Views.About.txtTel": "電話: ", + "Common.Views.About.txtVersion": "版本", + "Common.Views.AutoCorrectDialog.textAdd": "新增", + "Common.Views.AutoCorrectDialog.textApplyAsWork": "工作時套用", + "Common.Views.AutoCorrectDialog.textAutoCorrect": " 自動更正", + "Common.Views.AutoCorrectDialog.textAutoFormat": "鍵入時自動調整規格", + "Common.Views.AutoCorrectDialog.textBy": "通過", + "Common.Views.AutoCorrectDialog.textDelete": "刪除", + "Common.Views.AutoCorrectDialog.textHyperlink": "網絡路徑超連結", + "Common.Views.AutoCorrectDialog.textMathCorrect": "數學自動更正", + "Common.Views.AutoCorrectDialog.textNewRowCol": "在表格中包括新的行和列", + "Common.Views.AutoCorrectDialog.textRecognized": "公認的功能", + "Common.Views.AutoCorrectDialog.textRecognizedDesc": "以下表達式是公認的數學表達式。它們不會自動斜體顯示。", + "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.textWarnAddRec": "公認的函數只能包含字母A到Z,大寫或小寫。", + "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.mniAuthorAsc": "作者排行A到Z", + "Common.Views.Comments.mniAuthorDesc": "作者排行Z到A", + "Common.Views.Comments.mniDateAsc": "從最老的", + "Common.Views.Comments.mniDateDesc": "從最新的", + "Common.Views.Comments.mniFilterGroups": "依群組篩選", + "Common.Views.Comments.mniPositionAsc": "從上到下", + "Common.Views.Comments.mniPositionDesc": "自下而上", + "Common.Views.Comments.textAdd": "新增", + "Common.Views.Comments.textAddComment": "增加留言", + "Common.Views.Comments.textAddCommentToDoc": "在文檔中添加評論", + "Common.Views.Comments.textAddReply": "加入回覆", + "Common.Views.Comments.textAll": "全部", + "Common.Views.Comments.textAnonym": "來賓帳戶", + "Common.Views.Comments.textCancel": "取消", + "Common.Views.Comments.textClose": "關閉", + "Common.Views.Comments.textClosePanel": "關註釋", + "Common.Views.Comments.textComments": "評論", + "Common.Views.Comments.textEdit": "確定", + "Common.Views.Comments.textEnterCommentHint": "在這裡輸入您的評論", + "Common.Views.Comments.textHintAddComment": "增加留言", + "Common.Views.Comments.textOpenAgain": "重新打開", + "Common.Views.Comments.textReply": "回覆", + "Common.Views.Comments.textResolve": "解決", + "Common.Views.Comments.textResolved": "已解決", + "Common.Views.Comments.textSort": "註釋分類", + "Common.Views.Comments.textViewResolved": "您沒有權限來重新開啟這個註解", + "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.DocumentAccessDialog.textLoading": "載入中...", + "Common.Views.DocumentAccessDialog.textTitle": "分享設定", + "Common.Views.EditNameDialog.textLabel": "標籤:", + "Common.Views.EditNameDialog.textLabelError": "標籤不能為空。", + "Common.Views.Header.labelCoUsersDescr": "正在編輯文件的用戶:", + "Common.Views.Header.textAddFavorite": "標記為最愛收藏", + "Common.Views.Header.textAdvSettings": "進階設定", + "Common.Views.Header.textBack": "打開文件所在位置", + "Common.Views.Header.textCompactView": "隱藏工具欄", + "Common.Views.Header.textHideLines": "隱藏標尺", + "Common.Views.Header.textHideStatusBar": "隱藏狀態欄", + "Common.Views.Header.textRemoveFavorite": "\n從最愛收藏夾中刪除", + "Common.Views.Header.textSaveBegin": "存檔中...", + "Common.Views.Header.textSaveChanged": "已更改", + "Common.Views.Header.textSaveEnd": "所有更改已保存", + "Common.Views.Header.textSaveExpander": "所有更改已保存", + "Common.Views.Header.textZoom": "放大", + "Common.Views.Header.tipAccessRights": "管理文檔存取權限", + "Common.Views.Header.tipDownload": "下載文件", + "Common.Views.Header.tipGoEdit": "編輯當前文件", + "Common.Views.Header.tipPrint": "列印文件", + "Common.Views.Header.tipRedo": "重做", + "Common.Views.Header.tipSave": "儲存", + "Common.Views.Header.tipUndo": "復原", + "Common.Views.Header.tipUndock": "移至單獨的視窗", + "Common.Views.Header.tipViewSettings": "查看設定", + "Common.Views.Header.tipViewUsers": "查看用戶並管理文檔存取權限", + "Common.Views.Header.txtAccessRights": "更改存取權限", + "Common.Views.Header.txtRename": "重新命名", + "Common.Views.History.textCloseHistory": "關閉歷史紀錄", + "Common.Views.History.textHide": "塌陷", + "Common.Views.History.textHideAll": "隱藏詳細的更改", + "Common.Views.History.textRestore": "恢復", + "Common.Views.History.textShow": "擴大", + "Common.Views.History.textShowAll": "顯示詳細的更改歷史", + "Common.Views.History.textVer": "版本", + "Common.Views.ImageFromUrlDialog.textUrl": "粘貼圖片網址:", + "Common.Views.ImageFromUrlDialog.txtEmpty": "這是必填欄", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "此字段應為“ http://www.example.com”格式的網址", + "Common.Views.ListSettingsDialog.textBulleted": "已加入項目點", + "Common.Views.ListSettingsDialog.textNumbering": "已編號", + "Common.Views.ListSettingsDialog.tipChange": "更改項目點", + "Common.Views.ListSettingsDialog.txtBullet": "項目點", + "Common.Views.ListSettingsDialog.txtColor": "顏色", + "Common.Views.ListSettingsDialog.txtNewBullet": "新項目點", + "Common.Views.ListSettingsDialog.txtNone": "無", + "Common.Views.ListSettingsDialog.txtOfText": "文字百分比", + "Common.Views.ListSettingsDialog.txtSize": "大小", + "Common.Views.ListSettingsDialog.txtStart": "開始", + "Common.Views.ListSettingsDialog.txtSymbol": "符號", + "Common.Views.ListSettingsDialog.txtTitle": "清單設定", + "Common.Views.ListSettingsDialog.txtType": "類型", + "Common.Views.OpenDialog.closeButtonText": "關閉檔案", + "Common.Views.OpenDialog.textInvalidRange": "無效的儲存格範圍", + "Common.Views.OpenDialog.textSelectData": "選擇數據", + "Common.Views.OpenDialog.txtAdvanced": "進階", + "Common.Views.OpenDialog.txtColon": "冒號", + "Common.Views.OpenDialog.txtComma": "逗號", + "Common.Views.OpenDialog.txtDelimiter": "分隔符號", + "Common.Views.OpenDialog.txtDestData": "選擇數據擺位", + "Common.Views.OpenDialog.txtEmpty": "這是必填欄", + "Common.Views.OpenDialog.txtEncoding": "編碼", + "Common.Views.OpenDialog.txtIncorrectPwd": "密碼錯誤。", + "Common.Views.OpenDialog.txtOpenFile": "輸入檔案密碼", + "Common.Views.OpenDialog.txtOther": "其它", + "Common.Views.OpenDialog.txtPassword": "密碼", + "Common.Views.OpenDialog.txtPreview": "預覽", + "Common.Views.OpenDialog.txtProtected": "輸入密碼並打開文件後,該文件的當前密碼將被重置。", + "Common.Views.OpenDialog.txtSemicolon": "分號", + "Common.Views.OpenDialog.txtSpace": "空間", + "Common.Views.OpenDialog.txtTab": "標籤", + "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": "重複輸入密碼", + "Common.Views.PasswordDialog.txtTitle": "設置密碼", + "Common.Views.PasswordDialog.txtWarning": "警告:如果失去密碼,將無法取回。請妥善保存。", + "Common.Views.PluginDlg.textLoading": "載入中", + "Common.Views.Plugins.groupCaption": "外掛程式", + "Common.Views.Plugins.strPlugins": "外掛程式", + "Common.Views.Plugins.textLoading": "載入中", + "Common.Views.Plugins.textStart": "開始", + "Common.Views.Plugins.textStop": "停止", + "Common.Views.Protection.hintAddPwd": "用密碼加密", + "Common.Views.Protection.hintPwd": "更改或刪除密碼", + "Common.Views.Protection.hintSignature": "添加數字簽名或簽名行", + "Common.Views.Protection.txtAddPwd": "新增密碼", + "Common.Views.Protection.txtChangePwd": "變更密碼", + "Common.Views.Protection.txtDeletePwd": "刪除密碼", + "Common.Views.Protection.txtEncrypt": "加密", + "Common.Views.Protection.txtInvisibleSignature": "添加數字簽名", + "Common.Views.Protection.txtSignature": "簽名", + "Common.Views.Protection.txtSignatureLine": "添加簽名行", + "Common.Views.RenameDialog.textName": "檔案名稱", + "Common.Views.RenameDialog.txtInvalidName": "文件名不能包含以下任何字符:", + "Common.Views.ReviewChanges.hintNext": "到下一個變化", + "Common.Views.ReviewChanges.hintPrev": "到之前的變化", + "Common.Views.ReviewChanges.strFast": "快", + "Common.Views.ReviewChanges.strFastDesc": "實時共同編輯。所有更改將自動保存。", + "Common.Views.ReviewChanges.strStrict": "嚴格", + "Common.Views.ReviewChanges.strStrictDesc": "使用“保存”按鈕同步您和其他人所做的更改。", + "Common.Views.ReviewChanges.tipAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.tipCoAuthMode": "設定共同編輯模式", + "Common.Views.ReviewChanges.tipCommentRem": "刪除評論", + "Common.Views.ReviewChanges.tipCommentRemCurrent": "刪除當前評論", + "Common.Views.ReviewChanges.tipCommentResolve": "標記註解為已解決", + "Common.Views.ReviewChanges.tipCommentResolveCurrent": "將註解標記為已解決", + "Common.Views.ReviewChanges.tipHistory": "顯示版本歷史", + "Common.Views.ReviewChanges.tipRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewChanges.tipReview": "跟蹤變化", + "Common.Views.ReviewChanges.tipReviewView": "選擇您要顯示更改的模式", + "Common.Views.ReviewChanges.tipSetDocLang": "設定文件語言", + "Common.Views.ReviewChanges.tipSetSpelling": "拼字檢查", + "Common.Views.ReviewChanges.tipSharing": "管理文檔存取權限", + "Common.Views.ReviewChanges.txtAccept": "同意", + "Common.Views.ReviewChanges.txtAcceptAll": "接受全部的更改", + "Common.Views.ReviewChanges.txtAcceptChanges": "同意更改", + "Common.Views.ReviewChanges.txtAcceptCurrent": "同意當前更改", + "Common.Views.ReviewChanges.txtChat": "聊天", + "Common.Views.ReviewChanges.txtClose": "關閉", + "Common.Views.ReviewChanges.txtCoAuthMode": "共同編輯模式", + "Common.Views.ReviewChanges.txtCommentRemAll": "刪除所有評論", + "Common.Views.ReviewChanges.txtCommentRemCurrent": "刪除當前評論", + "Common.Views.ReviewChanges.txtCommentRemMy": "刪除我的評論", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "刪除我當前的評論", + "Common.Views.ReviewChanges.txtCommentRemove": "移除", + "Common.Views.ReviewChanges.txtCommentResolve": "解決", + "Common.Views.ReviewChanges.txtCommentResolveAll": "將所有註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveCurrent": "將註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMy": "將自己所有的註解標記為已解決", + "Common.Views.ReviewChanges.txtCommentResolveMyCurrent": "將自己的註解標記為已解決", + "Common.Views.ReviewChanges.txtDocLang": "語言", + "Common.Views.ReviewChanges.txtFinal": "更改已全部接受(預覽)", + "Common.Views.ReviewChanges.txtFinalCap": "最後", + "Common.Views.ReviewChanges.txtHistory": "版本歷史", + "Common.Views.ReviewChanges.txtMarkup": "全部的更改(編輯中)", + "Common.Views.ReviewChanges.txtMarkupCap": "標記", + "Common.Views.ReviewChanges.txtNext": "下一個", + "Common.Views.ReviewChanges.txtOriginal": "全部更改被拒絕(預覽)", + "Common.Views.ReviewChanges.txtOriginalCap": "原始", + "Common.Views.ReviewChanges.txtPrev": "前一個", + "Common.Views.ReviewChanges.txtReject": "拒絕", + "Common.Views.ReviewChanges.txtRejectAll": "拒絕所有更改", + "Common.Views.ReviewChanges.txtRejectChanges": "拒絕更改", + "Common.Views.ReviewChanges.txtRejectCurrent": "拒絕當前變化", + "Common.Views.ReviewChanges.txtSharing": "分享", + "Common.Views.ReviewChanges.txtSpelling": "拼字檢查", + "Common.Views.ReviewChanges.txtTurnon": "跟蹤變化", + "Common.Views.ReviewChanges.txtView": "顯示模式", + "Common.Views.ReviewPopover.textAdd": "新增", + "Common.Views.ReviewPopover.textAddReply": "加入回覆", + "Common.Views.ReviewPopover.textCancel": "取消", + "Common.Views.ReviewPopover.textClose": "關閉", + "Common.Views.ReviewPopover.textEdit": "確定", + "Common.Views.ReviewPopover.textMention": "+提及將提供對文檔的存取權限並發送電子郵件", + "Common.Views.ReviewPopover.textMentionNotify": "+提及將通過電子郵件通知用戶", + "Common.Views.ReviewPopover.textOpenAgain": "重新打開", + "Common.Views.ReviewPopover.textReply": "回覆", + "Common.Views.ReviewPopover.textResolve": "解決", + "Common.Views.ReviewPopover.textViewResolved": "您沒有權限來重新開啟這個註解", + "Common.Views.ReviewPopover.txtDeleteTip": "刪除", + "Common.Views.ReviewPopover.txtEditTip": "編輯", + "Common.Views.SaveAsDlg.textLoading": "載入中", + "Common.Views.SaveAsDlg.textTitle": "保存文件夾", + "Common.Views.SelectFileDlg.textLoading": "載入中", + "Common.Views.SelectFileDlg.textTitle": "選擇資料來源", + "Common.Views.SignDialog.textBold": "粗體", + "Common.Views.SignDialog.textCertificate": "證書", + "Common.Views.SignDialog.textChange": "變更", + "Common.Views.SignDialog.textInputName": "輸入簽名者名稱", + "Common.Views.SignDialog.textItalic": "斜體", + "Common.Views.SignDialog.textNameError": "簽名人姓名不能留空。", + "Common.Views.SignDialog.textPurpose": "簽署本文件的目的", + "Common.Views.SignDialog.textSelect": "選擇", + "Common.Views.SignDialog.textSelectImage": "選擇圖片", + "Common.Views.SignDialog.textSignature": "簽名看起來像", + "Common.Views.SignDialog.textTitle": "簽署文件", + "Common.Views.SignDialog.textUseImage": "或單擊“選擇圖像”以使用圖片作為簽名", + "Common.Views.SignDialog.textValid": "從%1到%2有效", + "Common.Views.SignDialog.tipFontName": "字體名稱", + "Common.Views.SignDialog.tipFontSize": "字體大小", + "Common.Views.SignSettingsDialog.textAllowComment": "允許簽名者在簽名對話框中添加註釋", + "Common.Views.SignSettingsDialog.textInfo": "簽名者資訊", + "Common.Views.SignSettingsDialog.textInfoEmail": "電子郵件", + "Common.Views.SignSettingsDialog.textInfoName": "名稱", + "Common.Views.SignSettingsDialog.textInfoTitle": "簽名人稱號", + "Common.Views.SignSettingsDialog.textInstructions": "簽名者說明", + "Common.Views.SignSettingsDialog.textShowDate": "在簽名行中顯示簽名日期", + "Common.Views.SignSettingsDialog.textTitle": "簽名設置", + "Common.Views.SignSettingsDialog.txtEmpty": "這是必填欄", + "Common.Views.SymbolTableDialog.textCharacter": "字符", + "Common.Views.SymbolTableDialog.textCode": "Unicode HEX 值", + "Common.Views.SymbolTableDialog.textCopyright": "版權標誌", + "Common.Views.SymbolTableDialog.textDCQuote": "結束雙引號", + "Common.Views.SymbolTableDialog.textDOQuote": "開頭雙引號", + "Common.Views.SymbolTableDialog.textEllipsis": "水平橢圓", + "Common.Views.SymbolTableDialog.textEmDash": "空槓", + "Common.Views.SymbolTableDialog.textEmSpace": "空白空間", + "Common.Views.SymbolTableDialog.textEnDash": "En 橫槓", + "Common.Views.SymbolTableDialog.textEnSpace": "En 空白", + "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": "註冊標誌", + "Common.Views.SymbolTableDialog.textSCQuote": "結束單引號", + "Common.Views.SymbolTableDialog.textSection": "分區標誌", + "Common.Views.SymbolTableDialog.textShortcut": "快捷鍵", + "Common.Views.SymbolTableDialog.textSHyphen": "軟連字符", + "Common.Views.SymbolTableDialog.textSOQuote": "開單報價", + "Common.Views.SymbolTableDialog.textSpecial": "特殊字符", + "Common.Views.SymbolTableDialog.textSymbols": "符號", + "Common.Views.SymbolTableDialog.textTitle": "符號", + "Common.Views.SymbolTableDialog.textTradeMark": "商標符號", + "Common.Views.UserNameDialog.textDontShow": "不要再顯示", + "Common.Views.UserNameDialog.textLabel": "標記:", + "Common.Views.UserNameDialog.textLabelError": "標籤不能為空。", + "SSE.Controllers.DataTab.textColumns": "欄", + "SSE.Controllers.DataTab.textEmptyUrl": "你必須指定URL", + "SSE.Controllers.DataTab.textRows": "行列", + "SSE.Controllers.DataTab.textWizard": "文字轉欄", + "SSE.Controllers.DataTab.txtDataValidation": "資料驗證", + "SSE.Controllers.DataTab.txtExpand": "擴大", + "SSE.Controllers.DataTab.txtExpandRemDuplicates": "所選內容旁邊的數據將不會被刪除。您要擴展選擇範圍以包括相鄰數據還是僅繼續使用當前選定的單元格?", + "SSE.Controllers.DataTab.txtExtendDataValidation": "該選擇包含一些沒有數據驗證設置的單元。
                              是否要將數據驗證擴展到這些單元?", + "SSE.Controllers.DataTab.txtImportWizard": "文字彙入精靈", + "SSE.Controllers.DataTab.txtRemDuplicates": "刪除重複項", + "SSE.Controllers.DataTab.txtRemoveDataValidation": "該選擇包含多種驗證類型。
                              清除當前設置並繼續嗎?", + "SSE.Controllers.DataTab.txtRemSelected": "在選定的位置刪除", + "SSE.Controllers.DataTab.txtUrlTitle": "粘貼數據 URL", + "SSE.Controllers.DocumentHolder.alignmentText": "對齊", + "SSE.Controllers.DocumentHolder.centerText": "中心", + "SSE.Controllers.DocumentHolder.deleteColumnText": "刪除欄位", + "SSE.Controllers.DocumentHolder.deleteRowText": "刪除行列", + "SSE.Controllers.DocumentHolder.deleteText": "刪除", + "SSE.Controllers.DocumentHolder.errorInvalidLink": "連結引用不存在。請更正連結或將其刪除。", + "SSE.Controllers.DocumentHolder.guestText": "來賓帳戶", + "SSE.Controllers.DocumentHolder.insertColumnLeftText": "欄位以左", + "SSE.Controllers.DocumentHolder.insertColumnRightText": "欄位以右", + "SSE.Controllers.DocumentHolder.insertRowAboveText": "上行", + "SSE.Controllers.DocumentHolder.insertRowBelowText": "下行", + "SSE.Controllers.DocumentHolder.insertText": "插入", + "SSE.Controllers.DocumentHolder.leftText": "左", + "SSE.Controllers.DocumentHolder.notcriticalErrorTitle": "警告", + "SSE.Controllers.DocumentHolder.rightText": "右", + "SSE.Controllers.DocumentHolder.textAutoCorrectSettings": "自動更正選項", + "SSE.Controllers.DocumentHolder.textChangeColumnWidth": "列寬{0}個符號({1}個像素)", + "SSE.Controllers.DocumentHolder.textChangeRowHeight": "行高{0}點({1}像素)", + "SSE.Controllers.DocumentHolder.textCtrlClick": "單擊鏈接將其打開,或單擊並按住鼠標按鈕以選擇該單元格。", + "SSE.Controllers.DocumentHolder.textInsertLeft": "向左插入", + "SSE.Controllers.DocumentHolder.textInsertTop": "插入頂部", + "SSE.Controllers.DocumentHolder.textPasteSpecial": "特別貼黏", + "SSE.Controllers.DocumentHolder.textStopExpand": "停止自動展開表格", + "SSE.Controllers.DocumentHolder.textSym": "象徵", + "SSE.Controllers.DocumentHolder.tipIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Controllers.DocumentHolder.txtAboveAve": "高於平均", + "SSE.Controllers.DocumentHolder.txtAddBottom": "添加底部邊框", + "SSE.Controllers.DocumentHolder.txtAddFractionBar": "添加分數欄", + "SSE.Controllers.DocumentHolder.txtAddHor": "添加水平線", + "SSE.Controllers.DocumentHolder.txtAddLB": "添加左底邊框", + "SSE.Controllers.DocumentHolder.txtAddLeft": "添加左邊框", + "SSE.Controllers.DocumentHolder.txtAddLT": "添加左上頂行", + "SSE.Controllers.DocumentHolder.txtAddRight": "加入右邊框", + "SSE.Controllers.DocumentHolder.txtAddTop": "加入上邊框", + "SSE.Controllers.DocumentHolder.txtAddVer": "加入垂直線", + "SSE.Controllers.DocumentHolder.txtAlignToChar": "與字符對齊", + "SSE.Controllers.DocumentHolder.txtAll": "(所有)", + "SSE.Controllers.DocumentHolder.txtAllTableHint": "回傳表格或指定表格列的全部內容包括列標題,資料和總行術", + "SSE.Controllers.DocumentHolder.txtAnd": "和", + "SSE.Controllers.DocumentHolder.txtBegins": "開始於", + "SSE.Controllers.DocumentHolder.txtBelowAve": "低於平均值", + "SSE.Controllers.DocumentHolder.txtBlanks": "(空白)", + "SSE.Controllers.DocumentHolder.txtBorderProps": "邊框屬性", + "SSE.Controllers.DocumentHolder.txtBottom": "底部", + "SSE.Controllers.DocumentHolder.txtColumn": "欄", + "SSE.Controllers.DocumentHolder.txtColumnAlign": "欄位對準", + "SSE.Controllers.DocumentHolder.txtContains": "包含", + "SSE.Controllers.DocumentHolder.txtDataTableHint": "回傳表格儲存格,或指定的表格儲存格", + "SSE.Controllers.DocumentHolder.txtDecreaseArg": "減小參數大小", + "SSE.Controllers.DocumentHolder.txtDeleteArg": "刪除參數", + "SSE.Controllers.DocumentHolder.txtDeleteBreak": "刪除手動休息", + "SSE.Controllers.DocumentHolder.txtDeleteChars": "刪除封閉字符", + "SSE.Controllers.DocumentHolder.txtDeleteCharsAndSeparators": "刪除括起來的字符和分隔符", + "SSE.Controllers.DocumentHolder.txtDeleteEq": "刪除方程式", + "SSE.Controllers.DocumentHolder.txtDeleteGroupChar": "刪除字元", + "SSE.Controllers.DocumentHolder.txtDeleteRadical": "刪除部首", + "SSE.Controllers.DocumentHolder.txtEnds": "以。。結束", + "SSE.Controllers.DocumentHolder.txtEquals": "等於", + "SSE.Controllers.DocumentHolder.txtEqualsToCellColor": "等於單元格顏色", + "SSE.Controllers.DocumentHolder.txtEqualsToFontColor": "等於字體顏色", + "SSE.Controllers.DocumentHolder.txtExpand": "展開和排序", + "SSE.Controllers.DocumentHolder.txtExpandSort": "選擇項旁邊的數據將不會排序。您是否要擴展選擇範圍以包括相鄰數據,還是僅對當前選定的單元格進行排序?", + "SSE.Controllers.DocumentHolder.txtFilterBottom": "底部", + "SSE.Controllers.DocumentHolder.txtFilterTop": "上方", + "SSE.Controllers.DocumentHolder.txtFractionLinear": "更改為線性分數", + "SSE.Controllers.DocumentHolder.txtFractionSkewed": "更改為傾斜分數", + "SSE.Controllers.DocumentHolder.txtFractionStacked": "更改為堆積分數", + "SSE.Controllers.DocumentHolder.txtGreater": "更佳", + "SSE.Controllers.DocumentHolder.txtGreaterEquals": "大於或等於", + "SSE.Controllers.DocumentHolder.txtGroupCharOver": "字符至文字的上方", + "SSE.Controllers.DocumentHolder.txtGroupCharUnder": "字符至文字的下方", + "SSE.Controllers.DocumentHolder.txtHeadersTableHint": "回傳表格列標題,或指定的表格列標題", + "SSE.Controllers.DocumentHolder.txtHeight": "\n高度", + "SSE.Controllers.DocumentHolder.txtHideBottom": "隱藏底部邊框", + "SSE.Controllers.DocumentHolder.txtHideBottomLimit": "隱藏下限", + "SSE.Controllers.DocumentHolder.txtHideCloseBracket": "隱藏右括號", + "SSE.Controllers.DocumentHolder.txtHideDegree": "隱藏度", + "SSE.Controllers.DocumentHolder.txtHideHor": "隱藏水平線", + "SSE.Controllers.DocumentHolder.txtHideLB": "隱藏左底線", + "SSE.Controllers.DocumentHolder.txtHideLeft": "隱藏左邊框", + "SSE.Controllers.DocumentHolder.txtHideLT": "隱藏左頂行", + "SSE.Controllers.DocumentHolder.txtHideOpenBracket": "隱藏開口支架", + "SSE.Controllers.DocumentHolder.txtHidePlaceholder": "隱藏佔位符", + "SSE.Controllers.DocumentHolder.txtHideRight": "隱藏右邊框", + "SSE.Controllers.DocumentHolder.txtHideTop": "隱藏頂部邊框", + "SSE.Controllers.DocumentHolder.txtHideTopLimit": "隱藏最高限額", + "SSE.Controllers.DocumentHolder.txtHideVer": "隱藏垂直線", + "SSE.Controllers.DocumentHolder.txtImportWizard": "文字彙入精靈", + "SSE.Controllers.DocumentHolder.txtIncreaseArg": "增加參數大小", + "SSE.Controllers.DocumentHolder.txtInsertArgAfter": "在後面插入參數", + "SSE.Controllers.DocumentHolder.txtInsertArgBefore": "在前面插入參數", + "SSE.Controllers.DocumentHolder.txtInsertBreak": "插入手動中斷", + "SSE.Controllers.DocumentHolder.txtInsertEqAfter": "在後面插入方程式", + "SSE.Controllers.DocumentHolder.txtInsertEqBefore": "在前面插入方程式", + "SSE.Controllers.DocumentHolder.txtItems": "項目", + "SSE.Controllers.DocumentHolder.txtKeepTextOnly": "僅保留文字", + "SSE.Controllers.DocumentHolder.txtLess": "少於", + "SSE.Controllers.DocumentHolder.txtLessEquals": "小於或等於", + "SSE.Controllers.DocumentHolder.txtLimitChange": "更改限制位置", + "SSE.Controllers.DocumentHolder.txtLimitOver": "文字限制", + "SSE.Controllers.DocumentHolder.txtLimitUnder": "文字下的限制", + "SSE.Controllers.DocumentHolder.txtLockSort": "您選材的比鄰有數據,可您更改權限不足。
                              是否繼續當前選材?", + "SSE.Controllers.DocumentHolder.txtMatchBrackets": "將括號匹配到參數高度", + "SSE.Controllers.DocumentHolder.txtMatrixAlign": "矩陣對齊", + "SSE.Controllers.DocumentHolder.txtNoChoices": "無法選擇要填充單元格的內容。
                              只能選擇列中的文本值進行替換。", + "SSE.Controllers.DocumentHolder.txtNotBegins": "不以", + "SSE.Controllers.DocumentHolder.txtNotContains": "不含", + "SSE.Controllers.DocumentHolder.txtNotEnds": "不以結束", + "SSE.Controllers.DocumentHolder.txtNotEquals": "不等於", + "SSE.Controllers.DocumentHolder.txtOr": "或", + "SSE.Controllers.DocumentHolder.txtOverbar": "槓覆蓋文字", + "SSE.Controllers.DocumentHolder.txtPaste": "貼上", + "SSE.Controllers.DocumentHolder.txtPasteBorders": "無框公式", + "SSE.Controllers.DocumentHolder.txtPasteColWidths": "公式+欄寬", + "SSE.Controllers.DocumentHolder.txtPasteDestFormat": "目標格式", + "SSE.Controllers.DocumentHolder.txtPasteFormat": "僅粘貼格式", + "SSE.Controllers.DocumentHolder.txtPasteFormulaNumFormat": "公式+數字格式", + "SSE.Controllers.DocumentHolder.txtPasteFormulas": "僅粘貼公式", + "SSE.Controllers.DocumentHolder.txtPasteKeepSourceFormat": "公式+所有格式", + "SSE.Controllers.DocumentHolder.txtPasteLink": "貼上連結", + "SSE.Controllers.DocumentHolder.txtPasteLinkPicture": "已連接的圖片", + "SSE.Controllers.DocumentHolder.txtPasteMerge": "合併條件格式", + "SSE.Controllers.DocumentHolder.txtPastePicture": "圖片", + "SSE.Controllers.DocumentHolder.txtPasteSourceFormat": "源格式", + "SSE.Controllers.DocumentHolder.txtPasteTranspose": "轉置", + "SSE.Controllers.DocumentHolder.txtPasteValFormat": "值+所有格式", + "SSE.Controllers.DocumentHolder.txtPasteValNumFormat": "值+數字格式", + "SSE.Controllers.DocumentHolder.txtPasteValues": "僅粘貼值", + "SSE.Controllers.DocumentHolder.txtPercent": "百分比", + "SSE.Controllers.DocumentHolder.txtRedoExpansion": "重做表自動擴展", + "SSE.Controllers.DocumentHolder.txtRemFractionBar": "刪除分數欄", + "SSE.Controllers.DocumentHolder.txtRemLimit": "取消限制", + "SSE.Controllers.DocumentHolder.txtRemoveAccentChar": "刪除強調字符", + "SSE.Controllers.DocumentHolder.txtRemoveBar": "移除欄", + "SSE.Controllers.DocumentHolder.txtRemoveWarning": "確定移除此簽名?
                              這動作無法復原。", + "SSE.Controllers.DocumentHolder.txtRemScripts": "刪除腳本", + "SSE.Controllers.DocumentHolder.txtRemSubscript": "刪除下標", + "SSE.Controllers.DocumentHolder.txtRemSuperscript": "刪除上標", + "SSE.Controllers.DocumentHolder.txtRowHeight": "行高", + "SSE.Controllers.DocumentHolder.txtScriptsAfter": "文字後的腳本", + "SSE.Controllers.DocumentHolder.txtScriptsBefore": "文字前的腳本", + "SSE.Controllers.DocumentHolder.txtShowBottomLimit": "顯示底限", + "SSE.Controllers.DocumentHolder.txtShowCloseBracket": "顯示結束括號", + "SSE.Controllers.DocumentHolder.txtShowDegree": "顯示程度", + "SSE.Controllers.DocumentHolder.txtShowOpenBracket": "顯示開口支架", + "SSE.Controllers.DocumentHolder.txtShowPlaceholder": "顯示佔位符", + "SSE.Controllers.DocumentHolder.txtShowTopLimit": "顯示最高限額", + "SSE.Controllers.DocumentHolder.txtSorting": "排序", + "SSE.Controllers.DocumentHolder.txtSortSelected": "排序已選擇項目", + "SSE.Controllers.DocumentHolder.txtStretchBrackets": "延伸括號", + "SSE.Controllers.DocumentHolder.txtThisRowHint": "在選定的列裡選擇這行", + "SSE.Controllers.DocumentHolder.txtTop": "上方", + "SSE.Controllers.DocumentHolder.txtTotalsTableHint": "回傳表格或指定表格列的總行數", + "SSE.Controllers.DocumentHolder.txtUnderbar": "槓至文字底下", + "SSE.Controllers.DocumentHolder.txtUndoExpansion": "撤消表自動擴展", + "SSE.Controllers.DocumentHolder.txtUseTextImport": "使用文本導入嚮導", + "SSE.Controllers.DocumentHolder.txtWarnUrl": "這鏈接有可能對您的設備和數據造成損害。
                              您確定要繼續嗎?", + "SSE.Controllers.DocumentHolder.txtWidth": "寬度", + "SSE.Controllers.FormulaDialog.sCategoryAll": "全部", + "SSE.Controllers.FormulaDialog.sCategoryCube": " 立方體", + "SSE.Controllers.FormulaDialog.sCategoryDatabase": "數據庫", + "SSE.Controllers.FormulaDialog.sCategoryDateAndTime": "日期和時間", + "SSE.Controllers.FormulaDialog.sCategoryEngineering": "工程", + "SSE.Controllers.FormulaDialog.sCategoryFinancial": "金融", + "SSE.Controllers.FormulaDialog.sCategoryInformation": "資訊", + "SSE.Controllers.FormulaDialog.sCategoryLast10": "最後使用10", + "SSE.Controllers.FormulaDialog.sCategoryLogical": "合邏輯", + "SSE.Controllers.FormulaDialog.sCategoryLookupAndReference": "查找和參考", + "SSE.Controllers.FormulaDialog.sCategoryMathematic": "數學和三角學", + "SSE.Controllers.FormulaDialog.sCategoryStatistical": "統計", + "SSE.Controllers.FormulaDialog.sCategoryTextAndData": "文字和數據", + "SSE.Controllers.LeftMenu.newDocumentTitle": "未命名電子表格", + "SSE.Controllers.LeftMenu.textByColumns": "按列", + "SSE.Controllers.LeftMenu.textByRows": "按行", + "SSE.Controllers.LeftMenu.textFormulas": "公式", + "SSE.Controllers.LeftMenu.textItemEntireCell": "整個單元格內容", + "SSE.Controllers.LeftMenu.textLoadHistory": "正在載入版本歷史記錄...", + "SSE.Controllers.LeftMenu.textLookin": "探望", + "SSE.Controllers.LeftMenu.textNoTextFound": "找不到您一直在搜索的數據。請調整您的搜索選項。", + "SSE.Controllers.LeftMenu.textReplaceSkipped": "替換已完成。 {0}個事件被跳過。", + "SSE.Controllers.LeftMenu.textReplaceSuccess": "搜索已完成。發生的事件已替換:{0}", + "SSE.Controllers.LeftMenu.textSearch": "搜尋", + "SSE.Controllers.LeftMenu.textSheet": "表格", + "SSE.Controllers.LeftMenu.textValues": "值", + "SSE.Controllers.LeftMenu.textWarning": "警告", + "SSE.Controllers.LeftMenu.textWithin": "內", + "SSE.Controllers.LeftMenu.textWorkbook": "工作簿", + "SSE.Controllers.LeftMenu.txtUntitled": "無標題", + "SSE.Controllers.LeftMenu.warnDownloadAs": "如果繼續以這種格式保存,則除文本外的所有功能都將丟失。
                              確定要繼續嗎?", + "SSE.Controllers.Main.confirmMoveCellRange": "目標單元格範圍可以包含數據。繼續操作嗎?", + "SSE.Controllers.Main.confirmPutMergeRange": "源數據包含合併的單元格。
                              在將它們粘貼到表中之前,它們已被合併。", + "SSE.Controllers.Main.confirmReplaceFormulaInTable": "標題行中的公式將被刪除並轉換為靜態文本。
                              是否繼續?", + "SSE.Controllers.Main.convertationTimeoutText": "轉換逾時。", + "SSE.Controllers.Main.criticalErrorExtText": "按“確定”返回文檔列表。", + "SSE.Controllers.Main.criticalErrorTitle": "錯誤", + "SSE.Controllers.Main.downloadErrorText": "下載失敗", + "SSE.Controllers.Main.downloadTextText": "下載電子表格中...", + "SSE.Controllers.Main.downloadTitleText": "下載電子表格中", + "SSE.Controllers.Main.errNoDuplicates": "找不到重複的值。", + "SSE.Controllers.Main.errorAccessDeny": "您嘗試進行未被授權的動作
                              請聯繫您的文件伺服器主機的管理者。", + "SSE.Controllers.Main.errorArgsRange": "輸入的公式中有錯誤。
                              使用了錯誤的參數範圍。", + "SSE.Controllers.Main.errorAutoFilterChange": "不允許執行此操作,因為它試圖移動工作表中表格中的單元格。", + "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "無法移動表格的一部分,因此無法對所選單元格執行該操作。
                              選擇另一個數據范圍,以使整個表格移動,然後重試。", + "SSE.Controllers.Main.errorAutoFilterDataRange": "無法對所選單元格範圍執行此操作。
                              選擇與現有單元格範圍不同的統一數據范圍,然後重試。", + "SSE.Controllers.Main.errorAutoFilterHiddenRange": "由於該區域包含已過濾的單元格,因此無法執行該操作。
                              請取消隱藏已過濾的元素,然後重試。", + "SSE.Controllers.Main.errorBadImageUrl": "不正確的圖像 URL", + "SSE.Controllers.Main.errorCannotUngroup": "無法取消分組。要開始大綱,請選擇詳細信息行或列並將其分組。", + "SSE.Controllers.Main.errorCannotUseCommandProtectedSheet": "您無法在受保護的工作表使用這個指令,若要使用這個指令,請取消保護該工作表。
                              您可能需要輸入密碼。", + "SSE.Controllers.Main.errorChangeArray": "您不能更改數組的一部分。", + "SSE.Controllers.Main.errorChangeFilteredRange": "這將更改工作表上的篩選範圍。
                              要完成此任務,請刪除“自動篩選”。", + "SSE.Controllers.Main.errorChangeOnProtectedSheet": "嘗試更改的單元格或圖表位於受保護的工作表上。
                              如要更改請把工作表解鎖。會有可能要修您輸入簿密碼。", + "SSE.Controllers.Main.errorCoAuthoringDisconnect": "服務器連接丟失。該文檔目前無法編輯。", + "SSE.Controllers.Main.errorConnectToServer": "此文件無法儲存。請檢查連線設定或聯絡您的管理者
                              當您點選'OK'按鈕, 您將會被提示來進行此文件的下載。", + "SSE.Controllers.Main.errorCopyMultiselectArea": "此命令不能用於多個選擇。
                              選擇單個範圍,然後重試。", + "SSE.Controllers.Main.errorCountArg": "輸入的公式中有錯誤。
                              使用了錯誤的參數數量。", + "SSE.Controllers.Main.errorCountArgExceed": "輸入的公式中有錯誤。
                              參數數超出。", + "SSE.Controllers.Main.errorCreateDefName": "由於其中一些正在被編輯,因此目前無法編輯現有命名範圍,也無法創建新的命名範圍。", + "SSE.Controllers.Main.errorDatabaseConnection": "外部錯誤。
                              數據庫連接錯誤。如果錯誤仍然存在,請聯繫支持。", + "SSE.Controllers.Main.errorDataEncrypted": "已收到加密的更改,無法解密。", + "SSE.Controllers.Main.errorDataRange": "不正確的資料範圍", + "SSE.Controllers.Main.errorDataValidate": "您輸入的值無效。
                              用戶具有可以在此單元格中輸入的限制值。", + "SSE.Controllers.Main.errorDefaultMessage": "錯誤編號:%1", + "SSE.Controllers.Main.errorDeleteColumnContainsLockedCell": "您正嘗試刪除包含鎖定單元格的欄。在工作表受保護的狀態下,含鎖定單元格是不能被刪除的。
                              如要刪除含鎖定單元格請把工作表解鎖。會有可能要修您輸入簿密碼。", + "SSE.Controllers.Main.errorDeleteRowContainsLockedCell": "您正嘗試刪除包含鎖定單元格的行。在工作表受保護的狀態下,含鎖定單元格是不能被刪除的。
                              如要刪除含鎖定單元格請把工作表解鎖。會有可能要修您輸入簿密碼。", + "SSE.Controllers.Main.errorEditingDownloadas": "在處理文檔期間發生錯誤。
                              使用“下載為...”選項將文件備份副本保存到計算機硬碟驅動器中。", + "SSE.Controllers.Main.errorEditingSaveas": "使用文檔期間發生錯誤。
                              使用“另存為...”選項將文件備份副本保存到計算機硬碟驅動器中。", + "SSE.Controllers.Main.errorEditView": "由於其中一些正在被編輯,因此目前無法編輯現有圖紙視圖,也無法創建新圖紙視圖。", + "SSE.Controllers.Main.errorEmailClient": "找不到電子郵件客戶端。", + "SSE.Controllers.Main.errorFilePassProtect": "該文件受密碼保護,無法打開。", + "SSE.Controllers.Main.errorFileRequest": "外部錯誤。
                              文件請求錯誤。如果錯誤仍然存在,請聯繫支持。", + "SSE.Controllers.Main.errorFileSizeExceed": "此檔案超過這一主機限制的大小
                              進一步資訊,請聯絡您的文件服務主機的管理者。", + "SSE.Controllers.Main.errorFileVKey": "外部錯誤。
                              安全密鑰不正確。如果錯誤仍然存在,請聯繫支持。", + "SSE.Controllers.Main.errorFillRange": "無法填充所選的單元格範圍。
                              所有合併的單元格必須具有相同的大小。", + "SSE.Controllers.Main.errorForceSave": "保存文件時發生錯誤。請使用“下載為”選項將文件保存到電腦機硬碟中,或稍後再試。", + "SSE.Controllers.Main.errorFormulaName": "輸入的公式錯誤。
                              使用了錯誤的公式名稱。", + "SSE.Controllers.Main.errorFormulaParsing": "解析公式時發生內部錯誤。", + "SSE.Controllers.Main.errorFrmlMaxLength": "公式的長度超過了8192個字符的限制。
                              請對其進行編輯,然後重試。", + "SSE.Controllers.Main.errorFrmlMaxReference": "您無法輸入此公式,因為它具有太多的值,
                              單元格引用和/或名稱。", + "SSE.Controllers.Main.errorFrmlMaxTextLength": "公式中的文本值限制為255個字符。
                              使用CONCATENATE函數或串聯運算符(&)。", + "SSE.Controllers.Main.errorFrmlWrongReferences": "該功能引用的表格不存在。
                              請檢查數據,然後重試。", + "SSE.Controllers.Main.errorFTChangeTableRangeError": "無法完成所選單元格範圍的操作。
                              選擇一個範圍,以使第一表行位於同一行上,並且結果表與當前表重疊。", + "SSE.Controllers.Main.errorFTRangeIncludedOtherTables": "無法完成所選單元格範圍的操作。
                              選擇一個不包含其他表的範圍。", + "SSE.Controllers.Main.errorInvalidRef": "輸入正確的選擇名稱或有效參考。", + "SSE.Controllers.Main.errorKeyEncrypt": "未知密鑰描述符", + "SSE.Controllers.Main.errorKeyExpire": "密鑰描述符已過期", + "SSE.Controllers.Main.errorLabledColumnsPivot": "若要創建數據透視表,請使用組織為帶有標籤列的列表的數據。", + "SSE.Controllers.Main.errorLoadingFont": "字體未加載。
                              請聯繫文件服務器管理員。", + "SSE.Controllers.Main.errorLocationOrDataRangeError": "位置或數據范圍的引用無效。", + "SSE.Controllers.Main.errorLockedAll": "該工作表已被另一位用戶鎖定,因此無法完成該操作。", + "SSE.Controllers.Main.errorLockedCellPivot": "您不能在數據透視表中更改數據。", + "SSE.Controllers.Main.errorLockedWorksheetRename": "該工作表目前無法重命名,因為它正在被其他用戶重命名", + "SSE.Controllers.Main.errorMaxPoints": "每個圖表的最大串聯點數為4096。", + "SSE.Controllers.Main.errorMoveRange": "無法更改合併單元格的一部分", + "SSE.Controllers.Main.errorMoveSlicerError": "無法將表切片器從一個工作簿複製到另一工作簿。
                              通過選擇整個表和切片器,再試一次。", + "SSE.Controllers.Main.errorMultiCellFormula": "表中不允許使用多單元格數組公式。", + "SSE.Controllers.Main.errorNoDataToParse": "沒有選擇要解析的數據。", + "SSE.Controllers.Main.errorOpenWarning": "其中一個文件公式超過了8192個字符的限制。
                              該公式已被刪除。", + "SSE.Controllers.Main.errorOperandExpected": "輸入的函數語法不正確。請檢查您是否缺少括號之一-'('或')'。", + "SSE.Controllers.Main.errorPasswordIsNotCorrect": "密碼錯誤。
                              核實蓋帽封鎖鍵關閉並且是肯定使用正確資本化。", + "SSE.Controllers.Main.errorPasteMaxRange": "複製和貼上區域不匹配。
                              請選擇一個大小相同的區域,或單擊行中的第一個單元格以粘貼複製的單元格。", + "SSE.Controllers.Main.errorPasteMultiSelect": "無法對多範圍選擇執行此操作。
                              請選但範圍重新审理 。", + "SSE.Controllers.Main.errorPasteSlicerError": "表切片器無法從一個工作簿複製到另一工作簿。", + "SSE.Controllers.Main.errorPivotGroup": "不能進行分組", + "SSE.Controllers.Main.errorPivotOverlap": "數據透視表報表不能與表重疊。", + "SSE.Controllers.Main.errorPivotWithoutUnderlying": "数据透视表未使用基本数据保存。
                              請使用《更新》按鍵更新報表。", + "SSE.Controllers.Main.errorPrintMaxPagesCount": "在此程式的版本中,一次最多不能列印超過1500頁。
                              此限制將在以後的版本中刪除。", + "SSE.Controllers.Main.errorProcessSaveResult": "保存失敗", + "SSE.Controllers.Main.errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以應用更改。", + "SSE.Controllers.Main.errorSessionAbsolute": "此文件編輯的會期已經過時。請重新載入此頁面。", + "SSE.Controllers.Main.errorSessionIdle": "此文件已經在編輯狀態有很長時間, 請重新載入此頁面。", + "SSE.Controllers.Main.errorSessionToken": "與服務器的連接已中斷。請重新加載頁面。", + "SSE.Controllers.Main.errorSetPassword": "無法設定密碼。", + "SSE.Controllers.Main.errorSingleColumnOrRowError": "位置引用無效,因單元格並非都在同一列或行中。
                              請選同列或行中的單元格。", + "SSE.Controllers.Main.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Controllers.Main.errorToken": "文檔安全令牌的格式不正確。
                              請與您的Document Server管理員聯繫。", + "SSE.Controllers.Main.errorTokenExpire": "文檔安全令牌已過期。
                              請與您的Document Server管理員聯繫。", + "SSE.Controllers.Main.errorUnexpectedGuid": "外部錯誤。
                              意外的GUID。如果錯誤仍然存在,請聯繫支持。", + "SSE.Controllers.Main.errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "SSE.Controllers.Main.errorUpdateVersionOnDisconnect": "Internet連接已恢復,文件版本已更改。
                              在繼續工作之前,您需要下載文件或複制其內容以確保沒有丟失,然後重新加載此頁面。", + "SSE.Controllers.Main.errorUserDrop": "目前無法存取該文件。", + "SSE.Controllers.Main.errorUsersExceed": "超出了定價計劃所允許的用戶數量", + "SSE.Controllers.Main.errorViewerDisconnect": "連線失敗。您仍然可以查看該檔案,
                              但在恢復連接並重新加載頁面之前將無法下載或列印該檔案。", + "SSE.Controllers.Main.errorWrongBracketsCount": "輸入的公式錯誤。
                              使用了錯誤的括號。", + "SSE.Controllers.Main.errorWrongOperator": "輸入的公式中有錯誤。使用了錯誤的運算符。
                              請更正錯誤。", + "SSE.Controllers.Main.errorWrongPassword": "密碼錯誤", + "SSE.Controllers.Main.errRemDuplicates": "找到和刪除的重複值:{0},剩餘的唯一值:{1}。", + "SSE.Controllers.Main.leavePageText": "您尚未在此電子表格中保存更改。點擊“停留在此頁面上”,然後點擊“保存”以保存它們。點擊“離開此頁面”以放棄所有未保存的更改。", + "SSE.Controllers.Main.leavePageTextOnClose": "該文檔中所有未保存的更改都將丟失。
                              單擊“取消”,然後單擊“保存”以保存它們。單擊“確定”,放棄所有未保存的更改。", + "SSE.Controllers.Main.loadFontsTextText": "加載數據中...", + "SSE.Controllers.Main.loadFontsTitleText": "加載數據中", + "SSE.Controllers.Main.loadFontTextText": "加載數據中...", + "SSE.Controllers.Main.loadFontTitleText": "加載數據中", + "SSE.Controllers.Main.loadImagesTextText": "正在載入圖片...", + "SSE.Controllers.Main.loadImagesTitleText": "正在載入圖片", + "SSE.Controllers.Main.loadImageTextText": "正在載入圖片...", + "SSE.Controllers.Main.loadImageTitleText": "正在載入圖片", + "SSE.Controllers.Main.loadingDocumentTitleText": "加載電子表格", + "SSE.Controllers.Main.notcriticalErrorTitle": "警告", + "SSE.Controllers.Main.openErrorText": "開啟檔案時發生錯誤", + "SSE.Controllers.Main.openTextText": "打開電子表格...", + "SSE.Controllers.Main.openTitleText": "打開電子表格", + "SSE.Controllers.Main.pastInMergeAreaError": "無法更改合併單元格的一部分", + "SSE.Controllers.Main.printTextText": "列印電子表格...", + "SSE.Controllers.Main.printTitleText": "列印電子表格", + "SSE.Controllers.Main.reloadButtonText": "重新載入頁面", + "SSE.Controllers.Main.requestEditFailedMessageText": "有人正在編輯此文檔。請稍後再試。", + "SSE.Controllers.Main.requestEditFailedTitleText": "存取被拒", + "SSE.Controllers.Main.saveErrorText": "儲存檔案時發生錯誤", + "SSE.Controllers.Main.saveErrorTextDesktop": "無法保存或創建此文件。
                              可能的原因是:
                              1。該文件是只讀的。
                              2。該文件正在由其他用戶編輯。
                              3。磁碟已滿或損壞。", + "SSE.Controllers.Main.saveTextText": "保存電子表格...", + "SSE.Controllers.Main.saveTitleText": "保存電子表格", + "SSE.Controllers.Main.scriptLoadError": "連接速度太慢,某些組件無法加載。請重新加載頁面。", + "SSE.Controllers.Main.textAnonymous": "匿名", + "SSE.Controllers.Main.textApplyAll": "適用於所有方程式", + "SSE.Controllers.Main.textBuyNow": "訪問網站", + "SSE.Controllers.Main.textChangesSaved": "所有更改已保存", + "SSE.Controllers.Main.textClose": "關閉", + "SSE.Controllers.Main.textCloseTip": "點擊關閉提示", + "SSE.Controllers.Main.textConfirm": "確認", + "SSE.Controllers.Main.textContactUs": "聯絡銷售人員", + "SSE.Controllers.Main.textConvertEquation": "該方程式是使用不再受支持的方程式編輯器的舊版本創建的。要對其進行編輯,請將等式轉換為Office Math ML格式。
                              立即轉換?", + "SSE.Controllers.Main.textCustomLoader": "請注意,根據許可條款,您無權更換裝載機。
                              請聯繫我們的銷售部門以獲取報價。", + "SSE.Controllers.Main.textDisconnect": "失去網絡連接", + "SSE.Controllers.Main.textFillOtherRows": "填滿其他行", + "SSE.Controllers.Main.textFormulaFilledAllRows": "函數已填寫 {0} 有資料的行。正在填寫其他空白行,請稍待。", + "SSE.Controllers.Main.textFormulaFilledAllRowsWithEmpty": "函數已填寫了前 {0} 行。正在填寫其它行數,請稍待。", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherHaveData": "為了節省系統記憶體,函數只填寫了前 {0} 個有資料的行。此工作表裡還有 {1} 個有資料的行。您可以手動填寫。", + "SSE.Controllers.Main.textFormulaFilledFirstRowsOtherIsEmpty": "為了節省系統記憶體,函數只填寫了前 {0} 行。此工作表裡的其他行並無資料。", + "SSE.Controllers.Main.textGuest": "來賓帳戶", + "SSE.Controllers.Main.textHasMacros": "此檔案包含自動macros。
                              是否要運行macros?", + "SSE.Controllers.Main.textLearnMore": "了解更多", + "SSE.Controllers.Main.textLoadingDocument": "加載電子表格", + "SSE.Controllers.Main.textLongName": "輸入少於128個字符的名稱。", + "SSE.Controllers.Main.textNeedSynchronize": "您有更新", + "SSE.Controllers.Main.textNo": "沒有", + "SSE.Controllers.Main.textNoLicenseTitle": "達到許可限制", + "SSE.Controllers.Main.textPaidFeature": "付費功能", + "SSE.Controllers.Main.textPleaseWait": "該操作可能花費比預期更多的時間。請耐心等待...", + "SSE.Controllers.Main.textReconnect": "連線恢復", + "SSE.Controllers.Main.textRemember": "記住我對所有文件的選擇", + "SSE.Controllers.Main.textRenameError": "使用者名稱無法留空。", + "SSE.Controllers.Main.textRenameLabel": "輸入合作名稱", + "SSE.Controllers.Main.textShape": "形狀", + "SSE.Controllers.Main.textStrict": "嚴格模式", + "SSE.Controllers.Main.textTryUndoRedo": "快速共同編輯模式禁用了“撤消/重做”功能。
                              單擊“嚴格模式”按鈕切換到“嚴格共同編輯”模式以編輯文件而不會受到其他用戶的干擾,並且僅在保存後發送更改他們。您可以使用編輯器的“進階”設置在共同編輯模式之間切換。", + "SSE.Controllers.Main.textTryUndoRedoWarn": "在快速共同編輯模式下,撤消/重做功能被禁用。", + "SSE.Controllers.Main.textYes": "是", + "SSE.Controllers.Main.titleLicenseExp": "證件過期", + "SSE.Controllers.Main.titleServerVersion": "編輯器已更新", + "SSE.Controllers.Main.txtAccent": "強調", + "SSE.Controllers.Main.txtAll": "(所有)", + "SSE.Controllers.Main.txtArt": "在這輸入文字", + "SSE.Controllers.Main.txtBasicShapes": "基本形狀", + "SSE.Controllers.Main.txtBlank": "(空白)", + "SSE.Controllers.Main.txtButtons": "按鈕", + "SSE.Controllers.Main.txtByField": "第%1個,共%2個", + "SSE.Controllers.Main.txtCallouts": "標註", + "SSE.Controllers.Main.txtCharts": "圖表", + "SSE.Controllers.Main.txtClearFilter": "清除過濾器(Alt + C)", + "SSE.Controllers.Main.txtColLbls": "列標籤", + "SSE.Controllers.Main.txtColumn": "欄", + "SSE.Controllers.Main.txtConfidential": "機密", + "SSE.Controllers.Main.txtDate": "日期", + "SSE.Controllers.Main.txtDays": "天", + "SSE.Controllers.Main.txtDiagramTitle": "圖表標題", + "SSE.Controllers.Main.txtEditingMode": "設定編輯模式...", + "SSE.Controllers.Main.txtErrorLoadHistory": "歷史記錄加載失敗", + "SSE.Controllers.Main.txtFiguredArrows": "圖箭", + "SSE.Controllers.Main.txtFile": "檔案", + "SSE.Controllers.Main.txtGrandTotal": "累計", + "SSE.Controllers.Main.txtGroup": "進行分組", + "SSE.Controllers.Main.txtHours": "小時", + "SSE.Controllers.Main.txtLines": "線", + "SSE.Controllers.Main.txtMath": "數學", + "SSE.Controllers.Main.txtMinutes": "分鐘", + "SSE.Controllers.Main.txtMonths": "月", + "SSE.Controllers.Main.txtMultiSelect": "多選(Alt + S)", + "SSE.Controllers.Main.txtOr": "1%或2%", + "SSE.Controllers.Main.txtPage": "頁面", + "SSE.Controllers.Main.txtPageOf": "第%1頁,共%2頁", + "SSE.Controllers.Main.txtPages": "頁", + "SSE.Controllers.Main.txtPreparedBy": "編制", + "SSE.Controllers.Main.txtPrintArea": "列印區域", + "SSE.Controllers.Main.txtQuarter": "季度", + "SSE.Controllers.Main.txtQuarters": "季度", + "SSE.Controllers.Main.txtRectangles": "長方形", + "SSE.Controllers.Main.txtRow": "行", + "SSE.Controllers.Main.txtRowLbls": "行標籤", + "SSE.Controllers.Main.txtSeconds": "秒數", + "SSE.Controllers.Main.txtSeries": "系列", + "SSE.Controllers.Main.txtShape_accentBorderCallout1": "線路標註1(邊框和強調欄)", + "SSE.Controllers.Main.txtShape_accentBorderCallout2": "線路標註2(邊框和強調欄)", + "SSE.Controllers.Main.txtShape_accentBorderCallout3": "線路標註3(邊框和強調欄)", + "SSE.Controllers.Main.txtShape_accentCallout1": "線路標註1(強調欄)", + "SSE.Controllers.Main.txtShape_accentCallout2": "線路標註2(強調欄)", + "SSE.Controllers.Main.txtShape_accentCallout3": "線路標註3(強調欄)", + "SSE.Controllers.Main.txtShape_actionButtonBackPrevious": "後退或上一步按鈕", + "SSE.Controllers.Main.txtShape_actionButtonBeginning": "開始按鈕", + "SSE.Controllers.Main.txtShape_actionButtonBlank": "空白按鈕", + "SSE.Controllers.Main.txtShape_actionButtonDocument": "文件按鈕", + "SSE.Controllers.Main.txtShape_actionButtonEnd": "結束按鈕", + "SSE.Controllers.Main.txtShape_actionButtonForwardNext": "前進或後退按鈕", + "SSE.Controllers.Main.txtShape_actionButtonHelp": "幫助按鈕", + "SSE.Controllers.Main.txtShape_actionButtonHome": "首頁按鈕", + "SSE.Controllers.Main.txtShape_actionButtonInformation": "信息按鈕", + "SSE.Controllers.Main.txtShape_actionButtonMovie": "電影按鈕", + "SSE.Controllers.Main.txtShape_actionButtonReturn": "返回按鈕", + "SSE.Controllers.Main.txtShape_actionButtonSound": "聲音按鈕", + "SSE.Controllers.Main.txtShape_arc": "弧", + "SSE.Controllers.Main.txtShape_bentArrow": "彎曲箭頭", + "SSE.Controllers.Main.txtShape_bentConnector5": "彎頭接頭", + "SSE.Controllers.Main.txtShape_bentConnector5WithArrow": "彎頭箭頭連接器", + "SSE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "彎頭雙箭頭連接器", + "SSE.Controllers.Main.txtShape_bentUpArrow": "向上彎曲箭頭", + "SSE.Controllers.Main.txtShape_bevel": "斜角", + "SSE.Controllers.Main.txtShape_blockArc": "圓弧", + "SSE.Controllers.Main.txtShape_borderCallout1": "線路標註1", + "SSE.Controllers.Main.txtShape_borderCallout2": "線路標註2", + "SSE.Controllers.Main.txtShape_borderCallout3": "線路標註3", + "SSE.Controllers.Main.txtShape_bracePair": "雙括號", + "SSE.Controllers.Main.txtShape_callout1": "線路標註1(無邊框)", + "SSE.Controllers.Main.txtShape_callout2": "線路標註2(無邊框)", + "SSE.Controllers.Main.txtShape_callout3": "線路標註3(無邊框)", + "SSE.Controllers.Main.txtShape_can": "能夠", + "SSE.Controllers.Main.txtShape_chevron": "雪佛龍", + "SSE.Controllers.Main.txtShape_chord": "弦", + "SSE.Controllers.Main.txtShape_circularArrow": "圓形箭頭", + "SSE.Controllers.Main.txtShape_cloud": "雲端", + "SSE.Controllers.Main.txtShape_cloudCallout": "雲標註", + "SSE.Controllers.Main.txtShape_corner": "角", + "SSE.Controllers.Main.txtShape_cube": " 立方體", + "SSE.Controllers.Main.txtShape_curvedConnector3": "彎曲連接器", + "SSE.Controllers.Main.txtShape_curvedConnector3WithArrow": "彎曲箭頭連接器", + "SSE.Controllers.Main.txtShape_curvedConnector3WithTwoArrows": "彎曲雙箭頭連接器", + "SSE.Controllers.Main.txtShape_curvedDownArrow": "彎曲的向下箭頭", + "SSE.Controllers.Main.txtShape_curvedLeftArrow": "彎曲的左箭頭", + "SSE.Controllers.Main.txtShape_curvedRightArrow": "彎曲的右箭頭", + "SSE.Controllers.Main.txtShape_curvedUpArrow": "彎曲的向上箭頭", + "SSE.Controllers.Main.txtShape_decagon": "十邊形", + "SSE.Controllers.Main.txtShape_diagStripe": "斜條紋", + "SSE.Controllers.Main.txtShape_diamond": "鑽石", + "SSE.Controllers.Main.txtShape_dodecagon": "十二邊形", + "SSE.Controllers.Main.txtShape_donut": "甜甜圈", + "SSE.Controllers.Main.txtShape_doubleWave": "雙波", + "SSE.Controllers.Main.txtShape_downArrow": "下箭頭", + "SSE.Controllers.Main.txtShape_downArrowCallout": "向下箭頭標註", + "SSE.Controllers.Main.txtShape_ellipse": "橢圓", + "SSE.Controllers.Main.txtShape_ellipseRibbon": "彎下絲帶", + "SSE.Controllers.Main.txtShape_ellipseRibbon2": "向上彎曲絲帶", + "SSE.Controllers.Main.txtShape_flowChartAlternateProcess": "流程圖:替代過程", + "SSE.Controllers.Main.txtShape_flowChartCollate": "流程圖:整理", + "SSE.Controllers.Main.txtShape_flowChartConnector": "流程圖:連接器", + "SSE.Controllers.Main.txtShape_flowChartDecision": "流程圖:決策", + "SSE.Controllers.Main.txtShape_flowChartDelay": "流程圖:延遲", + "SSE.Controllers.Main.txtShape_flowChartDisplay": "流程圖:顯示", + "SSE.Controllers.Main.txtShape_flowChartDocument": "流程圖:文件", + "SSE.Controllers.Main.txtShape_flowChartExtract": "流程圖:提取", + "SSE.Controllers.Main.txtShape_flowChartInputOutput": "流程圖:數據", + "SSE.Controllers.Main.txtShape_flowChartInternalStorage": "流程圖:內部存儲", + "SSE.Controllers.Main.txtShape_flowChartMagneticDisk": "流程圖:磁碟", + "SSE.Controllers.Main.txtShape_flowChartMagneticDrum": "流程圖:直接存取存儲", + "SSE.Controllers.Main.txtShape_flowChartMagneticTape": "流程圖:順序存取存儲", + "SSE.Controllers.Main.txtShape_flowChartManualInput": "流程圖:手動輸入", + "SSE.Controllers.Main.txtShape_flowChartManualOperation": "流程圖:手動操作", + "SSE.Controllers.Main.txtShape_flowChartMerge": "流程圖:合併", + "SSE.Controllers.Main.txtShape_flowChartMultidocument": "流程圖:多文檔", + "SSE.Controllers.Main.txtShape_flowChartOffpageConnector": "流程圖:頁外連接器", + "SSE.Controllers.Main.txtShape_flowChartOnlineStorage": "流程圖:存儲的數據", + "SSE.Controllers.Main.txtShape_flowChartOr": "流程圖:或", + "SSE.Controllers.Main.txtShape_flowChartPredefinedProcess": "流程圖:預定義流程", + "SSE.Controllers.Main.txtShape_flowChartPreparation": "流程圖:準備", + "SSE.Controllers.Main.txtShape_flowChartProcess": "流程圖:流程", + "SSE.Controllers.Main.txtShape_flowChartPunchedCard": "流程圖:卡", + "SSE.Controllers.Main.txtShape_flowChartPunchedTape": "流程圖:穿孔紙帶", + "SSE.Controllers.Main.txtShape_flowChartSort": "流程圖:排序", + "SSE.Controllers.Main.txtShape_flowChartSummingJunction": "流程圖:求和結點", + "SSE.Controllers.Main.txtShape_flowChartTerminator": "流程圖:終結者", + "SSE.Controllers.Main.txtShape_foldedCorner": "折角", + "SSE.Controllers.Main.txtShape_frame": "框", + "SSE.Controllers.Main.txtShape_halfFrame": "半框", + "SSE.Controllers.Main.txtShape_heart": "心", + "SSE.Controllers.Main.txtShape_heptagon": "七邊形", + "SSE.Controllers.Main.txtShape_hexagon": "六邊形", + "SSE.Controllers.Main.txtShape_homePlate": "五角形", + "SSE.Controllers.Main.txtShape_horizontalScroll": "水平滾動", + "SSE.Controllers.Main.txtShape_irregularSeal1": "爆炸1", + "SSE.Controllers.Main.txtShape_irregularSeal2": "爆炸2", + "SSE.Controllers.Main.txtShape_leftArrow": "左箭頭", + "SSE.Controllers.Main.txtShape_leftArrowCallout": "向左箭頭標註", + "SSE.Controllers.Main.txtShape_leftBrace": "左括號", + "SSE.Controllers.Main.txtShape_leftBracket": "左括號", + "SSE.Controllers.Main.txtShape_leftRightArrow": "左右箭頭", + "SSE.Controllers.Main.txtShape_leftRightArrowCallout": "左右箭頭標註", + "SSE.Controllers.Main.txtShape_leftRightUpArrow": "左右上箭頭", + "SSE.Controllers.Main.txtShape_leftUpArrow": "左上箭頭", + "SSE.Controllers.Main.txtShape_lightningBolt": "閃電", + "SSE.Controllers.Main.txtShape_line": "線", + "SSE.Controllers.Main.txtShape_lineWithArrow": "箭頭", + "SSE.Controllers.Main.txtShape_lineWithTwoArrows": "雙箭頭", + "SSE.Controllers.Main.txtShape_mathDivide": "分裂", + "SSE.Controllers.Main.txtShape_mathEqual": "等於", + "SSE.Controllers.Main.txtShape_mathMinus": "減去", + "SSE.Controllers.Main.txtShape_mathMultiply": "乘", + "SSE.Controllers.Main.txtShape_mathNotEqual": "不平等", + "SSE.Controllers.Main.txtShape_mathPlus": "加", + "SSE.Controllers.Main.txtShape_moon": "月亮", + "SSE.Controllers.Main.txtShape_noSmoking": "“否”符號", + "SSE.Controllers.Main.txtShape_notchedRightArrow": "缺口右箭頭", + "SSE.Controllers.Main.txtShape_octagon": "八邊形", + "SSE.Controllers.Main.txtShape_parallelogram": "平行四邊形", + "SSE.Controllers.Main.txtShape_pentagon": "五角形", + "SSE.Controllers.Main.txtShape_pie": "餅", + "SSE.Controllers.Main.txtShape_plaque": "簽名", + "SSE.Controllers.Main.txtShape_plus": "加", + "SSE.Controllers.Main.txtShape_polyline1": "塗", + "SSE.Controllers.Main.txtShape_polyline2": "自由形式", + "SSE.Controllers.Main.txtShape_quadArrow": "四箭頭", + "SSE.Controllers.Main.txtShape_quadArrowCallout": "四箭頭標註", + "SSE.Controllers.Main.txtShape_rect": "長方形", + "SSE.Controllers.Main.txtShape_ribbon": "下絨帶", + "SSE.Controllers.Main.txtShape_ribbon2": "上色帶", + "SSE.Controllers.Main.txtShape_rightArrow": "右箭頭", + "SSE.Controllers.Main.txtShape_rightArrowCallout": "右箭頭標註", + "SSE.Controllers.Main.txtShape_rightBrace": "右括號", + "SSE.Controllers.Main.txtShape_rightBracket": "右括號", + "SSE.Controllers.Main.txtShape_round1Rect": "圓形單角矩形", + "SSE.Controllers.Main.txtShape_round2DiagRect": "圓斜角矩形", + "SSE.Controllers.Main.txtShape_round2SameRect": "圓同一邊角矩形", + "SSE.Controllers.Main.txtShape_roundRect": "圓角矩形", + "SSE.Controllers.Main.txtShape_rtTriangle": "直角三角形", + "SSE.Controllers.Main.txtShape_smileyFace": "笑臉", + "SSE.Controllers.Main.txtShape_snip1Rect": "剪斷單角矩形", + "SSE.Controllers.Main.txtShape_snip2DiagRect": "剪裁對角線矩形", + "SSE.Controllers.Main.txtShape_snip2SameRect": "剪斷同一邊角矩形", + "SSE.Controllers.Main.txtShape_snipRoundRect": "剪斷和圓形單角矩形", + "SSE.Controllers.Main.txtShape_spline": "曲線", + "SSE.Controllers.Main.txtShape_star10": "十點星", + "SSE.Controllers.Main.txtShape_star12": "十二點星", + "SSE.Controllers.Main.txtShape_star16": "十六點星", + "SSE.Controllers.Main.txtShape_star24": "24點星", + "SSE.Controllers.Main.txtShape_star32": "32點星", + "SSE.Controllers.Main.txtShape_star4": "4點星", + "SSE.Controllers.Main.txtShape_star5": "5點星", + "SSE.Controllers.Main.txtShape_star6": "6點星", + "SSE.Controllers.Main.txtShape_star7": "7點星", + "SSE.Controllers.Main.txtShape_star8": "8點星", + "SSE.Controllers.Main.txtShape_stripedRightArrow": "條紋右箭頭", + "SSE.Controllers.Main.txtShape_sun": "太陽", + "SSE.Controllers.Main.txtShape_teardrop": "淚珠", + "SSE.Controllers.Main.txtShape_textRect": "文字框", + "SSE.Controllers.Main.txtShape_trapezoid": "梯形", + "SSE.Controllers.Main.txtShape_triangle": "三角形", + "SSE.Controllers.Main.txtShape_upArrow": "向上箭頭", + "SSE.Controllers.Main.txtShape_upArrowCallout": "向上箭頭標註", + "SSE.Controllers.Main.txtShape_upDownArrow": "上下箭頭", + "SSE.Controllers.Main.txtShape_uturnArrow": "掉頭箭頭", + "SSE.Controllers.Main.txtShape_verticalScroll": "垂直滾動", + "SSE.Controllers.Main.txtShape_wave": "波", + "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "橢圓形標註", + "SSE.Controllers.Main.txtShape_wedgeRectCallout": "矩形標註", + "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "圓角矩形標註", + "SSE.Controllers.Main.txtStarsRibbons": "星星和絲帶", + "SSE.Controllers.Main.txtStyle_Bad": "壞", + "SSE.Controllers.Main.txtStyle_Calculation": "計算", + "SSE.Controllers.Main.txtStyle_Check_Cell": "檢查單元格", + "SSE.Controllers.Main.txtStyle_Comma": "逗號", + "SSE.Controllers.Main.txtStyle_Currency": "幣別", + "SSE.Controllers.Main.txtStyle_Explanatory_Text": "解釋性文字", + "SSE.Controllers.Main.txtStyle_Good": "好", + "SSE.Controllers.Main.txtStyle_Heading_1": "標題 1", + "SSE.Controllers.Main.txtStyle_Heading_2": "標題 2", + "SSE.Controllers.Main.txtStyle_Heading_3": "標題 3", + "SSE.Controllers.Main.txtStyle_Heading_4": "標題 4", + "SSE.Controllers.Main.txtStyle_Input": "輸入", + "SSE.Controllers.Main.txtStyle_Linked_Cell": "已連接的單元格", + "SSE.Controllers.Main.txtStyle_Neutral": "中立", + "SSE.Controllers.Main.txtStyle_Normal": "標準", + "SSE.Controllers.Main.txtStyle_Note": "備註", + "SSE.Controllers.Main.txtStyle_Output": "輸出量", + "SSE.Controllers.Main.txtStyle_Percent": "百分比", + "SSE.Controllers.Main.txtStyle_Title": "標題", + "SSE.Controllers.Main.txtStyle_Total": "總計", + "SSE.Controllers.Main.txtStyle_Warning_Text": "警告文字", + "SSE.Controllers.Main.txtTab": "標籤", + "SSE.Controllers.Main.txtTable": "表格", + "SSE.Controllers.Main.txtTime": "時間", + "SSE.Controllers.Main.txtUnlock": "開鎖", + "SSE.Controllers.Main.txtUnlockRange": "範圍解鎖", + "SSE.Controllers.Main.txtUnlockRangeDescription": "如要改變範圍,請輸入密碼:", + "SSE.Controllers.Main.txtUnlockRangeWarning": "試圖改變的範圍受密碼保護。", + "SSE.Controllers.Main.txtValues": "值", + "SSE.Controllers.Main.txtXAxis": "X軸", + "SSE.Controllers.Main.txtYAxis": "Y軸", + "SSE.Controllers.Main.txtYears": "年", + "SSE.Controllers.Main.unknownErrorText": "未知錯誤。", + "SSE.Controllers.Main.unsupportedBrowserErrorText": "不支援您的瀏覽器", + "SSE.Controllers.Main.uploadDocExtMessage": "未知的文件格式。", + "SSE.Controllers.Main.uploadDocFileCountMessage": "沒有文件上傳。", + "SSE.Controllers.Main.uploadDocSizeMessage": "超出最大文檔大小限制。", + "SSE.Controllers.Main.uploadImageExtMessage": "圖片格式未知。", + "SSE.Controllers.Main.uploadImageFileCountMessage": "沒有上傳圖片。", + "SSE.Controllers.Main.uploadImageSizeMessage": "圖像超出最大大小限制。最大大小為25MB。", + "SSE.Controllers.Main.uploadImageTextText": "正在上傳圖片...", + "SSE.Controllers.Main.uploadImageTitleText": "上載圖片", + "SSE.Controllers.Main.waitText": "請耐心等待...", + "SSE.Controllers.Main.warnBrowserIE9": "該應用程序在IE9上具有較低的功能。使用IE10或更高版本", + "SSE.Controllers.Main.warnBrowserZoom": "瀏覽器當前的縮放設置不受完全支持。請按Ctrl + 0重置為預設縮放。", + "SSE.Controllers.Main.warnLicenseExceeded": "您的系統已經達到同時編輯連線的 %1 編輯者。只能以檢視模式開啟此文件。
                              進一步訊息, 請聯繫您的管理者。", + "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.Print.strAllSheets": "所有工作表", + "SSE.Controllers.Print.textFirstCol": "第一欄", + "SSE.Controllers.Print.textFirstRow": "第一排", + "SSE.Controllers.Print.textFrozenCols": "固定列", + "SSE.Controllers.Print.textFrozenRows": "固定行", + "SSE.Controllers.Print.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Controllers.Print.textNoRepeat": "不要重複", + "SSE.Controllers.Print.textRepeat": "重複...", + "SSE.Controllers.Print.textSelectRange": "選擇範圍", + "SSE.Controllers.Print.textWarning": "警告", + "SSE.Controllers.Print.txtCustom": "自訂", + "SSE.Controllers.Print.warnCheckMargings": "邊界錯誤", + "SSE.Controllers.Statusbar.errorLastSheet": "工作簿必須至少具有一個可見的工作表。", + "SSE.Controllers.Statusbar.errorRemoveSheet": "無法刪除工作表。", + "SSE.Controllers.Statusbar.strSheet": "表格", + "SSE.Controllers.Statusbar.textDisconnect": "連線失敗
                              正在嘗試連線。請檢查網路連線設定。", + "SSE.Controllers.Statusbar.textSheetViewTip": "您處於“圖紙視圖”模式。過濾器和排序僅對您和仍處於此視圖的用戶可見。", + "SSE.Controllers.Statusbar.textSheetViewTipFilters": "您處於“圖紙視圖”模式。過濾器僅對您和仍處於此視圖的用戶可見。", + "SSE.Controllers.Statusbar.warnDeleteSheet": "所選的工作表可能包含數據。您確定要繼續嗎?", + "SSE.Controllers.Statusbar.zoomText": "放大{0}%", + "SSE.Controllers.Toolbar.confirmAddFontName": "您要保存的字體在當前設備上不可用。
                              文本樣式將使用一種系統字體顯示,保存的字體將在可用時使用。
                              要繼續嗎? ?", + "SSE.Controllers.Toolbar.errorComboSeries": "新增組合圖表需選兩個以上的數據系列。", + "SSE.Controllers.Toolbar.errorMaxRows": "錯誤!每個圖表的最大數據序列數為255", + "SSE.Controllers.Toolbar.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Controllers.Toolbar.textAccent": "強調", + "SSE.Controllers.Toolbar.textBracket": "括號", + "SSE.Controllers.Toolbar.textDirectional": "定向", + "SSE.Controllers.Toolbar.textFontSizeErr": "輸入的值不正確。
                              請輸入1到409之間的數字值", + "SSE.Controllers.Toolbar.textFraction": "分數", + "SSE.Controllers.Toolbar.textFunction": "功能", + "SSE.Controllers.Toolbar.textIndicator": "指标", + "SSE.Controllers.Toolbar.textInsert": "插入", + "SSE.Controllers.Toolbar.textIntegral": "積分", + "SSE.Controllers.Toolbar.textLargeOperator": "大型運營商", + "SSE.Controllers.Toolbar.textLimitAndLog": "極限和對數", + "SSE.Controllers.Toolbar.textLongOperation": "運行時間長", + "SSE.Controllers.Toolbar.textMatrix": "矩陣", + "SSE.Controllers.Toolbar.textOperator": "經營者", + "SSE.Controllers.Toolbar.textPivot": "數據透視表", + "SSE.Controllers.Toolbar.textRadical": "激進單數", + "SSE.Controllers.Toolbar.textRating": "收視率", + "SSE.Controllers.Toolbar.textRecentlyUsed": "最近使用", + "SSE.Controllers.Toolbar.textScript": "腳本", + "SSE.Controllers.Toolbar.textShapes": "形狀", + "SSE.Controllers.Toolbar.textSymbols": "符號", + "SSE.Controllers.Toolbar.textWarning": "警告", + "SSE.Controllers.Toolbar.txtAccent_Accent": "尖銳", + "SSE.Controllers.Toolbar.txtAccent_ArrowD": "上方的左右箭頭", + "SSE.Controllers.Toolbar.txtAccent_ArrowL": "上方的向左箭頭", + "SSE.Controllers.Toolbar.txtAccent_ArrowR": "上方向右箭頭", + "SSE.Controllers.Toolbar.txtAccent_Bar": "槓", + "SSE.Controllers.Toolbar.txtAccent_BarBot": "底橫槓", + "SSE.Controllers.Toolbar.txtAccent_BarTop": "橫槓", + "SSE.Controllers.Toolbar.txtAccent_BorderBox": "盒裝公式(帶佔位符)", + "SSE.Controllers.Toolbar.txtAccent_BorderBoxCustom": "盒裝公式(示例)", + "SSE.Controllers.Toolbar.txtAccent_Check": "檢查", + "SSE.Controllers.Toolbar.txtAccent_CurveBracketBot": "底括號", + "SSE.Controllers.Toolbar.txtAccent_CurveBracketTop": "大括號", + "SSE.Controllers.Toolbar.txtAccent_Custom_1": "向量A", + "SSE.Controllers.Toolbar.txtAccent_Custom_2": "帶橫線的ABC", + "SSE.Controllers.Toolbar.txtAccent_Custom_3": "x X或y的橫槓", + "SSE.Controllers.Toolbar.txtAccent_DDDot": "三點", + "SSE.Controllers.Toolbar.txtAccent_DDot": "雙點", + "SSE.Controllers.Toolbar.txtAccent_Dot": "點", + "SSE.Controllers.Toolbar.txtAccent_DoubleBar": "雙橫槓", + "SSE.Controllers.Toolbar.txtAccent_Grave": "墓", + "SSE.Controllers.Toolbar.txtAccent_GroupBot": "下面的分組字符", + "SSE.Controllers.Toolbar.txtAccent_GroupTop": "上面的分組字符", + "SSE.Controllers.Toolbar.txtAccent_HarpoonL": "上方的向左魚叉", + "SSE.Controllers.Toolbar.txtAccent_HarpoonR": "右上方的魚叉", + "SSE.Controllers.Toolbar.txtAccent_Hat": "帽子", + "SSE.Controllers.Toolbar.txtAccent_Smile": "布雷夫", + "SSE.Controllers.Toolbar.txtAccent_Tilde": "Tilde", + "SSE.Controllers.Toolbar.txtBracket_Angle": "括號", + "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "帶分隔符的括號", + "SSE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "帶分隔符的括號", + "SSE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Curve": "括號", + "SSE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "帶分隔符的括號", + "SSE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Custom_1": "案件(兩件條件)", + "SSE.Controllers.Toolbar.txtBracket_Custom_2": "案件(三件條件)", + "SSE.Controllers.Toolbar.txtBracket_Custom_3": "堆疊物件", + "SSE.Controllers.Toolbar.txtBracket_Custom_4": "堆疊物件", + "SSE.Controllers.Toolbar.txtBracket_Custom_5": "案件例子", + "SSE.Controllers.Toolbar.txtBracket_Custom_6": "二項式係數", + "SSE.Controllers.Toolbar.txtBracket_Custom_7": "二項式係數", + "SSE.Controllers.Toolbar.txtBracket_Line": "括號", + "SSE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Line_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_LineDouble": "括號", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_LowLim": "括號", + "SSE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Round": "括號", + "SSE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "帶分隔符的括號", + "SSE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Round_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Square": "括號", + "SSE.Controllers.Toolbar.txtBracket_Square_CloseClose": "括號", + "SSE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "括號", + "SSE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Square_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "括號", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble": "括號", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtBracket_UppLim": "括號", + "SSE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "單括號", + "SSE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "單括號", + "SSE.Controllers.Toolbar.txtDeleteCells": "刪除單元格", + "SSE.Controllers.Toolbar.txtExpand": "展開和排序", + "SSE.Controllers.Toolbar.txtExpandSort": "選擇項旁邊的數據將不會排序。您是否要擴展選擇範圍以包括相鄰數據,還是僅對當前選定的單元格進行排序?", + "SSE.Controllers.Toolbar.txtFractionDiagonal": "偏斜分數", + "SSE.Controllers.Toolbar.txtFractionDifferential_1": "微分", + "SSE.Controllers.Toolbar.txtFractionDifferential_2": "微分", + "SSE.Controllers.Toolbar.txtFractionDifferential_3": "微分", + "SSE.Controllers.Toolbar.txtFractionDifferential_4": "微分", + "SSE.Controllers.Toolbar.txtFractionHorizontal": "線性分數", + "SSE.Controllers.Toolbar.txtFractionPi_2": "Pi超過2", + "SSE.Controllers.Toolbar.txtFractionSmall": "小分數", + "SSE.Controllers.Toolbar.txtFractionVertical": "堆積分數", + "SSE.Controllers.Toolbar.txtFunction_1_Cos": "反餘弦函數", + "SSE.Controllers.Toolbar.txtFunction_1_Cosh": "雙曲餘弦函數", + "SSE.Controllers.Toolbar.txtFunction_1_Cot": "反正切函數", + "SSE.Controllers.Toolbar.txtFunction_1_Coth": "雙曲反正切函數", + "SSE.Controllers.Toolbar.txtFunction_1_Csc": "餘割函數反", + "SSE.Controllers.Toolbar.txtFunction_1_Csch": "雙曲反餘割函數", + "SSE.Controllers.Toolbar.txtFunction_1_Sec": "反割線功能", + "SSE.Controllers.Toolbar.txtFunction_1_Sech": "雙曲反正割函數", + "SSE.Controllers.Toolbar.txtFunction_1_Sin": "反正弦函數", + "SSE.Controllers.Toolbar.txtFunction_1_Sinh": "雙曲反正弦函數", + "SSE.Controllers.Toolbar.txtFunction_1_Tan": "反正切函數", + "SSE.Controllers.Toolbar.txtFunction_1_Tanh": "雙曲反正切函數", + "SSE.Controllers.Toolbar.txtFunction_Cos": "Cosine 函數", + "SSE.Controllers.Toolbar.txtFunction_Cosh": "雙曲餘弦函數", + "SSE.Controllers.Toolbar.txtFunction_Cot": "Cotangent 函數", + "SSE.Controllers.Toolbar.txtFunction_Coth": "雙曲餘切函數", + "SSE.Controllers.Toolbar.txtFunction_Csc": "餘割函數", + "SSE.Controllers.Toolbar.txtFunction_Csch": "雙曲餘割函數", + "SSE.Controllers.Toolbar.txtFunction_Custom_1": "正弦波", + "SSE.Controllers.Toolbar.txtFunction_Custom_2": "Cos 2x", + "SSE.Controllers.Toolbar.txtFunction_Custom_3": "切線公式", + "SSE.Controllers.Toolbar.txtFunction_Sec": "正割功能", + "SSE.Controllers.Toolbar.txtFunction_Sech": "雙曲正割函數", + "SSE.Controllers.Toolbar.txtFunction_Sin": "正弦函數", + "SSE.Controllers.Toolbar.txtFunction_Sinh": "雙曲正弦函數", + "SSE.Controllers.Toolbar.txtFunction_Tan": "切線公式", + "SSE.Controllers.Toolbar.txtFunction_Tanh": "雙曲正切函數", + "SSE.Controllers.Toolbar.txtInsertCells": "插入單元格", + "SSE.Controllers.Toolbar.txtIntegral": "積分", + "SSE.Controllers.Toolbar.txtIntegral_dtheta": "微分塞塔", + "SSE.Controllers.Toolbar.txtIntegral_dx": "差分 x", + "SSE.Controllers.Toolbar.txtIntegral_dy": "差分 y", + "SSE.Controllers.Toolbar.txtIntegralCenterSubSup": "積分", + "SSE.Controllers.Toolbar.txtIntegralDouble": "雙積分", + "SSE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "雙積分", + "SSE.Controllers.Toolbar.txtIntegralDoubleSubSup": "雙積分", + "SSE.Controllers.Toolbar.txtIntegralOriented": "輪廓積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedCenterSubSup": "輪廓積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedDouble": "表面積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleCenterSubSup": "表面積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedDoubleSubSup": "表面積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedSubSup": "輪廓積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedTriple": "體積積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "體積積分", + "SSE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "體積積分", + "SSE.Controllers.Toolbar.txtIntegralSubSup": "積分", + "SSE.Controllers.Toolbar.txtIntegralTriple": "三重積分", + "SSE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "三重積分", + "SSE.Controllers.Toolbar.txtIntegralTripleSubSup": "三重積分", + "SSE.Controllers.Toolbar.txtInvalidRange": "錯誤!無效的像元範圍", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction": "楔", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSub": "楔", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_CenterSubSup": "楔", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_Sub": "楔", + "SSE.Controllers.Toolbar.txtLargeOperator_Conjunction_SubSup": "楔", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd": "聯產品", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSub": "聯產品", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_CenterSubSup": "聯產品", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_Sub": "聯產品", + "SSE.Controllers.Toolbar.txtLargeOperator_CoProd_SubSup": "聯產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_1": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_2": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_3": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_4": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Custom_5": "聯合", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection": "交叉點", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "交叉點", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "交叉點", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "交叉點", + "SSE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "交叉點", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "產品", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_Sub": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Sum_SubSup": "求和", + "SSE.Controllers.Toolbar.txtLargeOperator_Union": "聯合", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSub": "聯合", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_CenterSubSup": "聯合", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_Sub": "聯合", + "SSE.Controllers.Toolbar.txtLargeOperator_Union_SubSup": "聯合", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_1": "限制例子", + "SSE.Controllers.Toolbar.txtLimitLog_Custom_2": "最大例子", + "SSE.Controllers.Toolbar.txtLimitLog_Lim": "限制", + "SSE.Controllers.Toolbar.txtLimitLog_Ln": "自然對數", + "SSE.Controllers.Toolbar.txtLimitLog_Log": "對數", + "SSE.Controllers.Toolbar.txtLimitLog_LogBase": "對數", + "SSE.Controllers.Toolbar.txtLimitLog_Max": "最大", + "SSE.Controllers.Toolbar.txtLimitLog_Min": "最低", + "SSE.Controllers.Toolbar.txtLockSort": "您選材的比鄰有數據,可您更改權限不足。
                              是否繼續當前選材?", + "SSE.Controllers.Toolbar.txtMatrix_1_2": "1x2 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_1_3": "1x3 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_1": "2x1 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_2": "2x2 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "帶括號的空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "帶括號的空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "帶括號的空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "帶括號的空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_2_3": "2x3 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_3_1": "3x1 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_3_2": "3x2 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_3_3": "3x3 空矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Baseline": "基準點", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Center": "中線點", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Diagonal": "對角點", + "SSE.Controllers.Toolbar.txtMatrix_Dots_Vertical": "垂直點", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Round": "稀疏矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Flat_Square": "稀疏矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2": "2x2 單位矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 單位矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 單位矩陣", + "SSE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 單位矩陣", + "SSE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "下方的左右箭頭", + "SSE.Controllers.Toolbar.txtOperator_ArrowD_Top": "上方的左右箭頭", + "SSE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "下方的向左箭頭", + "SSE.Controllers.Toolbar.txtOperator_ArrowL_Top": "上方的向左箭頭", + "SSE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "下方向右箭頭", + "SSE.Controllers.Toolbar.txtOperator_ArrowR_Top": "上方向右箭頭", + "SSE.Controllers.Toolbar.txtOperator_ColonEquals": "冒號相等", + "SSE.Controllers.Toolbar.txtOperator_Custom_1": "產量", + "SSE.Controllers.Toolbar.txtOperator_Custom_2": "Delta 收益", + "SSE.Controllers.Toolbar.txtOperator_Definition": "等同於定義", + "SSE.Controllers.Toolbar.txtOperator_DeltaEquals": "Delta 等於", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "下方的左右箭頭", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "上方的左右箭頭", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "下方的向左箭頭", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "上方的向左箭頭", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "下方向右箭頭", + "SSE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "上方向右箭頭", + "SSE.Controllers.Toolbar.txtOperator_EqualsEquals": "等於 等於", + "SSE.Controllers.Toolbar.txtOperator_MinusEquals": "負等於", + "SSE.Controllers.Toolbar.txtOperator_PlusEquals": "加等於", + "SSE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "測量者", + "SSE.Controllers.Toolbar.txtRadicalCustom_1": "激進", + "SSE.Controllers.Toolbar.txtRadicalCustom_2": "激進", + "SSE.Controllers.Toolbar.txtRadicalRoot_2": "平方根與度數", + "SSE.Controllers.Toolbar.txtRadicalRoot_3": "立方根", + "SSE.Controllers.Toolbar.txtRadicalRoot_n": "自由基度", + "SSE.Controllers.Toolbar.txtRadicalSqrt": "平方根", + "SSE.Controllers.Toolbar.txtScriptCustom_1": "腳本", + "SSE.Controllers.Toolbar.txtScriptCustom_2": "腳本", + "SSE.Controllers.Toolbar.txtScriptCustom_3": "腳本", + "SSE.Controllers.Toolbar.txtScriptCustom_4": "腳本", + "SSE.Controllers.Toolbar.txtScriptSub": "下標", + "SSE.Controllers.Toolbar.txtScriptSubSup": "下標-上標", + "SSE.Controllers.Toolbar.txtScriptSubSupLeft": "左下標-上標", + "SSE.Controllers.Toolbar.txtScriptSup": "上標", + "SSE.Controllers.Toolbar.txtSorting": "排序", + "SSE.Controllers.Toolbar.txtSortSelected": "排序已選擇項目", + "SSE.Controllers.Toolbar.txtSymbol_about": "大約", + "SSE.Controllers.Toolbar.txtSymbol_additional": "補充", + "SSE.Controllers.Toolbar.txtSymbol_aleph": "A", + "SSE.Controllers.Toolbar.txtSymbol_alpha": "Α", + "SSE.Controllers.Toolbar.txtSymbol_approx": "幾乎等於", + "SSE.Controllers.Toolbar.txtSymbol_ast": "星號運算符", + "SSE.Controllers.Toolbar.txtSymbol_beta": "貝塔", + "SSE.Controllers.Toolbar.txtSymbol_beth": "賭注", + "SSE.Controllers.Toolbar.txtSymbol_bullet": "項目點操作者", + "SSE.Controllers.Toolbar.txtSymbol_cap": "交叉點", + "SSE.Controllers.Toolbar.txtSymbol_cbrt": "立方根", + "SSE.Controllers.Toolbar.txtSymbol_cdots": "中線水平省略號", + "SSE.Controllers.Toolbar.txtSymbol_celsius": "攝氏度", + "SSE.Controllers.Toolbar.txtSymbol_chi": "Chi", + "SSE.Controllers.Toolbar.txtSymbol_cong": "大約等於", + "SSE.Controllers.Toolbar.txtSymbol_cup": "聯合", + "SSE.Controllers.Toolbar.txtSymbol_ddots": "右下斜省略號", + "SSE.Controllers.Toolbar.txtSymbol_degree": "度", + "SSE.Controllers.Toolbar.txtSymbol_delta": "Delta", + "SSE.Controllers.Toolbar.txtSymbol_div": "分裂標誌", + "SSE.Controllers.Toolbar.txtSymbol_downarrow": "下箭頭", + "SSE.Controllers.Toolbar.txtSymbol_emptyset": "空組集", + "SSE.Controllers.Toolbar.txtSymbol_epsilon": "Epsilon", + "SSE.Controllers.Toolbar.txtSymbol_equals": "等於", + "SSE.Controllers.Toolbar.txtSymbol_equiv": "相同", + "SSE.Controllers.Toolbar.txtSymbol_eta": "Eta", + "SSE.Controllers.Toolbar.txtSymbol_exists": "存在", + "SSE.Controllers.Toolbar.txtSymbol_factorial": "階乘", + "SSE.Controllers.Toolbar.txtSymbol_fahrenheit": "華氏度", + "SSE.Controllers.Toolbar.txtSymbol_forall": "對所有人", + "SSE.Controllers.Toolbar.txtSymbol_gamma": "Gamma", + "SSE.Controllers.Toolbar.txtSymbol_geq": "大於或等於", + "SSE.Controllers.Toolbar.txtSymbol_gg": "比大得多", + "SSE.Controllers.Toolbar.txtSymbol_greater": "更佳", + "SSE.Controllers.Toolbar.txtSymbol_in": "元素", + "SSE.Controllers.Toolbar.txtSymbol_inc": "增量", + "SSE.Controllers.Toolbar.txtSymbol_infinity": "無限", + "SSE.Controllers.Toolbar.txtSymbol_iota": "Iota", + "SSE.Controllers.Toolbar.txtSymbol_kappa": "Kappa", + "SSE.Controllers.Toolbar.txtSymbol_lambda": "拉姆達", + "SSE.Controllers.Toolbar.txtSymbol_leftarrow": "左箭頭", + "SSE.Controllers.Toolbar.txtSymbol_leftrightarrow": "左右箭頭", + "SSE.Controllers.Toolbar.txtSymbol_leq": "小於或等於", + "SSE.Controllers.Toolbar.txtSymbol_less": "少於", + "SSE.Controllers.Toolbar.txtSymbol_ll": "遠遠少於", + "SSE.Controllers.Toolbar.txtSymbol_minus": "減去", + "SSE.Controllers.Toolbar.txtSymbol_mp": "減加", + "SSE.Controllers.Toolbar.txtSymbol_mu": "Mu", + "SSE.Controllers.Toolbar.txtSymbol_nabla": "Nabla", + "SSE.Controllers.Toolbar.txtSymbol_neq": "不等於", + "SSE.Controllers.Toolbar.txtSymbol_ni": "包含為成員", + "SSE.Controllers.Toolbar.txtSymbol_not": "不簽名", + "SSE.Controllers.Toolbar.txtSymbol_notexists": "不存在", + "SSE.Controllers.Toolbar.txtSymbol_nu": "Nu", + "SSE.Controllers.Toolbar.txtSymbol_o": "Omicron", + "SSE.Controllers.Toolbar.txtSymbol_omega": "Omega", + "SSE.Controllers.Toolbar.txtSymbol_partial": "偏微分", + "SSE.Controllers.Toolbar.txtSymbol_percent": "百分比", + "SSE.Controllers.Toolbar.txtSymbol_phi": "Phi", + "SSE.Controllers.Toolbar.txtSymbol_pi": "Pi", + "SSE.Controllers.Toolbar.txtSymbol_plus": "加", + "SSE.Controllers.Toolbar.txtSymbol_pm": "加減", + "SSE.Controllers.Toolbar.txtSymbol_propto": "成比例", + "SSE.Controllers.Toolbar.txtSymbol_psi": "Psi", + "SSE.Controllers.Toolbar.txtSymbol_qdrt": "第四根", + "SSE.Controllers.Toolbar.txtSymbol_qed": "證明結束", + "SSE.Controllers.Toolbar.txtSymbol_rddots": "右上斜省略號", + "SSE.Controllers.Toolbar.txtSymbol_rho": "Rho", + "SSE.Controllers.Toolbar.txtSymbol_rightarrow": "右箭頭", + "SSE.Controllers.Toolbar.txtSymbol_sigma": "Sigma", + "SSE.Controllers.Toolbar.txtSymbol_sqrt": "激進標誌", + "SSE.Controllers.Toolbar.txtSymbol_tau": "Tau", + "SSE.Controllers.Toolbar.txtSymbol_therefore": "因此", + "SSE.Controllers.Toolbar.txtSymbol_theta": "Theta", + "SSE.Controllers.Toolbar.txtSymbol_times": "乘法符號", + "SSE.Controllers.Toolbar.txtSymbol_uparrow": "向上箭頭", + "SSE.Controllers.Toolbar.txtSymbol_upsilon": "Upsilon", + "SSE.Controllers.Toolbar.txtSymbol_varepsilon": "Epsilon 變體", + "SSE.Controllers.Toolbar.txtSymbol_varphi": "Phi 變體", + "SSE.Controllers.Toolbar.txtSymbol_varpi": "Pi變體", + "SSE.Controllers.Toolbar.txtSymbol_varrho": "Rho變體", + "SSE.Controllers.Toolbar.txtSymbol_varsigma": "Sigma 變體", + "SSE.Controllers.Toolbar.txtSymbol_vartheta": "Theta變體", + "SSE.Controllers.Toolbar.txtSymbol_vdots": "垂直省略號", + "SSE.Controllers.Toolbar.txtSymbol_xsi": "Xi", + "SSE.Controllers.Toolbar.txtSymbol_zeta": "Zeta", + "SSE.Controllers.Toolbar.txtTable_TableStyleDark": "表格風格深色", + "SSE.Controllers.Toolbar.txtTable_TableStyleLight": "表格風格淺色", + "SSE.Controllers.Toolbar.txtTable_TableStyleMedium": "屌格風中階", + "SSE.Controllers.Toolbar.warnLongOperation": "您將要執行的操作可能需要花費大量時間才能完成。
                              您確定要繼續嗎?", + "SSE.Controllers.Toolbar.warnMergeLostData": "只有左上角單元格中的數據會保留。
                              繼續嗎?", + "SSE.Controllers.Viewport.textFreezePanes": "凍結窗格", + "SSE.Controllers.Viewport.textFreezePanesShadow": "顯示固定面版視窗的陰影", + "SSE.Controllers.Viewport.textHideFBar": "隱藏公式欄", + "SSE.Controllers.Viewport.textHideGridlines": "隱藏網格線", + "SSE.Controllers.Viewport.textHideHeadings": "隱藏標題", + "SSE.Views.AdvancedSeparatorDialog.strDecimalSeparator": "小數點分隔符", + "SSE.Views.AdvancedSeparatorDialog.strThousandsSeparator": "千位分隔符", + "SSE.Views.AdvancedSeparatorDialog.textLabel": "用於識別數字數據的設置", + "SSE.Views.AdvancedSeparatorDialog.textQualifier": "文字識別符號", + "SSE.Views.AdvancedSeparatorDialog.textTitle": "進階設定", + "SSE.Views.AdvancedSeparatorDialog.txtNone": "(空)", + "SSE.Views.AutoFilterDialog.btnCustomFilter": "自訂過濾", + "SSE.Views.AutoFilterDialog.textAddSelection": "將當前選擇添加到過濾器", + "SSE.Views.AutoFilterDialog.textEmptyItem": "{空白}", + "SSE.Views.AutoFilterDialog.textSelectAll": "全選", + "SSE.Views.AutoFilterDialog.textSelectAllResults": "選擇所有搜索結果", + "SSE.Views.AutoFilterDialog.textWarning": "警告", + "SSE.Views.AutoFilterDialog.txtAboveAve": "高於平均", + "SSE.Views.AutoFilterDialog.txtBegins": "開始於...", + "SSE.Views.AutoFilterDialog.txtBelowAve": "低於平均值", + "SSE.Views.AutoFilterDialog.txtBetween": "之間...", + "SSE.Views.AutoFilterDialog.txtClear": "清除", + "SSE.Views.AutoFilterDialog.txtContains": "包含...", + "SSE.Views.AutoFilterDialog.txtEmpty": "輸入單元格過濾器", + "SSE.Views.AutoFilterDialog.txtEnds": "以。。結束", + "SSE.Views.AutoFilterDialog.txtEquals": "等於...", + "SSE.Views.AutoFilterDialog.txtFilterCellColor": "按單元格顏色過濾", + "SSE.Views.AutoFilterDialog.txtFilterFontColor": "按字體顏色過濾", + "SSE.Views.AutoFilterDialog.txtGreater": "比...更大", + "SSE.Views.AutoFilterDialog.txtGreaterEquals": "大於或等於...", + "SSE.Views.AutoFilterDialog.txtLabelFilter": "標籤過濾器", + "SSE.Views.AutoFilterDialog.txtLess": "小於...", + "SSE.Views.AutoFilterDialog.txtLessEquals": "小於或等於...", + "SSE.Views.AutoFilterDialog.txtNotBegins": "不以...", + "SSE.Views.AutoFilterDialog.txtNotBetween": "不介於...", + "SSE.Views.AutoFilterDialog.txtNotContains": "不含...", + "SSE.Views.AutoFilterDialog.txtNotEnds": "不以結束...", + "SSE.Views.AutoFilterDialog.txtNotEquals": "不等於...", + "SSE.Views.AutoFilterDialog.txtNumFilter": "號碼過濾器", + "SSE.Views.AutoFilterDialog.txtReapply": "重新申請", + "SSE.Views.AutoFilterDialog.txtSortCellColor": "按單元格顏色排序", + "SSE.Views.AutoFilterDialog.txtSortFontColor": "按字體顏色排序", + "SSE.Views.AutoFilterDialog.txtSortHigh2Low": "最高到最低排序", + "SSE.Views.AutoFilterDialog.txtSortLow2High": "從最低到最高排序", + "SSE.Views.AutoFilterDialog.txtSortOption": "更多排序選項...", + "SSE.Views.AutoFilterDialog.txtTextFilter": "文字過濾器", + "SSE.Views.AutoFilterDialog.txtTitle": "過濾器", + "SSE.Views.AutoFilterDialog.txtTop10": "前10名", + "SSE.Views.AutoFilterDialog.txtValueFilter": "值過濾器", + "SSE.Views.AutoFilterDialog.warnFilterError": "您必須在“值”區域中至少有一個字段才能應用值過濾器。", + "SSE.Views.AutoFilterDialog.warnNoSelected": "您必須選擇至少一個值", + "SSE.Views.CellEditor.textManager": "名稱管理員", + "SSE.Views.CellEditor.tipFormula": "插入功能", + "SSE.Views.CellRangeDialog.errorMaxRows": "錯誤!每個圖表的最大數據序列數為255", + "SSE.Views.CellRangeDialog.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Views.CellRangeDialog.txtEmpty": "這是必填欄", + "SSE.Views.CellRangeDialog.txtInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.CellRangeDialog.txtTitle": "選擇數據范圍", + "SSE.Views.CellSettings.strShrink": "縮小以適合", + "SSE.Views.CellSettings.strWrap": "包覆文字", + "SSE.Views.CellSettings.textAngle": "角度", + "SSE.Views.CellSettings.textBackColor": "背景顏色", + "SSE.Views.CellSettings.textBackground": "背景顏色", + "SSE.Views.CellSettings.textBorderColor": "顏色", + "SSE.Views.CellSettings.textBorders": "邊框樣式", + "SSE.Views.CellSettings.textClearRule": "清除規則", + "SSE.Views.CellSettings.textColor": "填充顏色", + "SSE.Views.CellSettings.textColorScales": "色標", + "SSE.Views.CellSettings.textCondFormat": "條件格式", + "SSE.Views.CellSettings.textControl": "文字控制", + "SSE.Views.CellSettings.textDataBars": "數據欄", + "SSE.Views.CellSettings.textDirection": "方向", + "SSE.Views.CellSettings.textFill": "填入", + "SSE.Views.CellSettings.textForeground": "前景色", + "SSE.Views.CellSettings.textGradient": "漸變點", + "SSE.Views.CellSettings.textGradientColor": "顏色", + "SSE.Views.CellSettings.textGradientFill": "漸層填充", + "SSE.Views.CellSettings.textIndent": "縮排", + "SSE.Views.CellSettings.textItems": "項目", + "SSE.Views.CellSettings.textLinear": "線性的", + "SSE.Views.CellSettings.textManageRule": "管理規則", + "SSE.Views.CellSettings.textNewRule": "新槼則", + "SSE.Views.CellSettings.textNoFill": "沒有填充", + "SSE.Views.CellSettings.textOrientation": "文字方向", + "SSE.Views.CellSettings.textPattern": "模式", + "SSE.Views.CellSettings.textPatternFill": "模式", + "SSE.Views.CellSettings.textPosition": "位置", + "SSE.Views.CellSettings.textRadial": "徑向的", + "SSE.Views.CellSettings.textSelectBorders": "選擇您要更改上面選擇的應用樣式的邊框", + "SSE.Views.CellSettings.textSelection": "凍結當前選擇", + "SSE.Views.CellSettings.textThisPivot": "由此數據透視表", + "SSE.Views.CellSettings.textThisSheet": "由此工作表", + "SSE.Views.CellSettings.textThisTable": "由此表", + "SSE.Views.CellSettings.tipAddGradientPoint": "添加漸變點", + "SSE.Views.CellSettings.tipAll": "設置外邊界和所有內線", + "SSE.Views.CellSettings.tipBottom": "僅設置外底邊框", + "SSE.Views.CellSettings.tipDiagD": "設置對角向下邊框", + "SSE.Views.CellSettings.tipDiagU": "設置對角上邊界", + "SSE.Views.CellSettings.tipInner": "僅設置內線", + "SSE.Views.CellSettings.tipInnerHor": "僅設置水平內線", + "SSE.Views.CellSettings.tipInnerVert": "僅設置垂直內線", + "SSE.Views.CellSettings.tipLeft": "僅設置左外邊框", + "SSE.Views.CellSettings.tipNone": "設置無邊界", + "SSE.Views.CellSettings.tipOuter": "僅設置外部框線", + "SSE.Views.CellSettings.tipRemoveGradientPoint": "刪除漸變點", + "SSE.Views.CellSettings.tipRight": "僅設置右外框", + "SSE.Views.CellSettings.tipTop": "僅設置外部頂部邊框", + "SSE.Views.ChartDataDialog.errorInFormula": "您輸入的公式有誤。", + "SSE.Views.ChartDataDialog.errorInvalidReference": "該引用無效。引用必須是一個打開的工作表。", + "SSE.Views.ChartDataDialog.errorMaxPoints": "每個圖表的最大串聯點數為4096。", + "SSE.Views.ChartDataDialog.errorMaxRows": "每個圖表的最大數據系列數為255。", + "SSE.Views.ChartDataDialog.errorNoSingleRowCol": "該引用無效。標題,值,大小或數據標籤的引用必須是單個單元格,行或列。", + "SSE.Views.ChartDataDialog.errorNoValues": "要創建圖表,該系列必須至少包含一個值。", + "SSE.Views.ChartDataDialog.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Views.ChartDataDialog.textAdd": "新增", + "SSE.Views.ChartDataDialog.textCategory": "水平(類別)軸標籤", + "SSE.Views.ChartDataDialog.textData": "圖表數據範圍", + "SSE.Views.ChartDataDialog.textDelete": "移除", + "SSE.Views.ChartDataDialog.textDown": "下", + "SSE.Views.ChartDataDialog.textEdit": "編輯", + "SSE.Views.ChartDataDialog.textInvalidRange": "無效的單元格範圍", + "SSE.Views.ChartDataDialog.textSelectData": "選擇數據", + "SSE.Views.ChartDataDialog.textSeries": "圖例條目(系列)", + "SSE.Views.ChartDataDialog.textSwitch": "切換行/列", + "SSE.Views.ChartDataDialog.textTitle": "圖表數據", + "SSE.Views.ChartDataDialog.textUp": "上", + "SSE.Views.ChartDataRangeDialog.errorInFormula": "您輸入的公式有誤。", + "SSE.Views.ChartDataRangeDialog.errorInvalidReference": "該引用無效。引用必須是一個打開的工作表。", + "SSE.Views.ChartDataRangeDialog.errorMaxPoints": "每個圖表的最大串聯點數為4096。", + "SSE.Views.ChartDataRangeDialog.errorMaxRows": "每個圖表的最大數據系列數為255。", + "SSE.Views.ChartDataRangeDialog.errorNoSingleRowCol": "該引用無效。標題,值,大小或數據標籤的引用必須是單個單元格,行或列。", + "SSE.Views.ChartDataRangeDialog.errorNoValues": "要創建圖表,該系列必須至少包含一個值。", + "SSE.Views.ChartDataRangeDialog.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Views.ChartDataRangeDialog.textInvalidRange": "無效的單元格範圍", + "SSE.Views.ChartDataRangeDialog.textSelectData": "選擇數據", + "SSE.Views.ChartDataRangeDialog.txtAxisLabel": "軸標範圍", + "SSE.Views.ChartDataRangeDialog.txtChoose": "選擇範圍", + "SSE.Views.ChartDataRangeDialog.txtSeriesName": "系列名稱", + "SSE.Views.ChartDataRangeDialog.txtTitleCategory": "軸標籤", + "SSE.Views.ChartDataRangeDialog.txtTitleSeries": "編輯系列", + "SSE.Views.ChartDataRangeDialog.txtValues": "值", + "SSE.Views.ChartDataRangeDialog.txtXValues": "X值", + "SSE.Views.ChartDataRangeDialog.txtYValues": "Y值", + "SSE.Views.ChartSettings.strLineWeight": "線寬", + "SSE.Views.ChartSettings.strSparkColor": "顏色", + "SSE.Views.ChartSettings.strTemplate": "樣板", + "SSE.Views.ChartSettings.textAdvanced": "顯示進階設定", + "SSE.Views.ChartSettings.textBorderSizeErr": "輸入的值不正確。
                              請輸入0 pt至1584 pt之間的值。", + "SSE.Views.ChartSettings.textChangeType": "變更類型", + "SSE.Views.ChartSettings.textChartType": "更改圖表類型", + "SSE.Views.ChartSettings.textEditData": "編輯數據和位置", + "SSE.Views.ChartSettings.textFirstPoint": "第一點", + "SSE.Views.ChartSettings.textHeight": "高度", + "SSE.Views.ChartSettings.textHighPoint": "高點", + "SSE.Views.ChartSettings.textKeepRatio": "比例不變", + "SSE.Views.ChartSettings.textLastPoint": "最後一點", + "SSE.Views.ChartSettings.textLowPoint": "低點", + "SSE.Views.ChartSettings.textMarkers": "標記物", + "SSE.Views.ChartSettings.textNegativePoint": "負點", + "SSE.Views.ChartSettings.textRanges": "數據範圍", + "SSE.Views.ChartSettings.textSelectData": "選擇數據", + "SSE.Views.ChartSettings.textShow": "顯示", + "SSE.Views.ChartSettings.textSize": "大小", + "SSE.Views.ChartSettings.textStyle": "樣式", + "SSE.Views.ChartSettings.textType": "類型", + "SSE.Views.ChartSettings.textWidth": "寬度", + "SSE.Views.ChartSettingsDlg.errorMaxPoints": "錯誤!每個圖表的最大串聯點數為4096。", + "SSE.Views.ChartSettingsDlg.errorMaxRows": "錯誤!每個圖表的最大數據序列數為255", + "SSE.Views.ChartSettingsDlg.errorStockChart": "不正確的列次序。要建立一推疊圖表, 需要將此表的資料放置為以下的次序
                              出價, 最高價, 最低價, 節標價。", + "SSE.Views.ChartSettingsDlg.textAbsolute": "不要移動或調整單元格的大小", + "SSE.Views.ChartSettingsDlg.textAlt": "替代文字", + "SSE.Views.ChartSettingsDlg.textAltDescription": "描述", + "SSE.Views.ChartSettingsDlg.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.ChartSettingsDlg.textAltTitle": "標題", + "SSE.Views.ChartSettingsDlg.textAuto": "自動", + "SSE.Views.ChartSettingsDlg.textAutoEach": "每個自動", + "SSE.Views.ChartSettingsDlg.textAxisCrosses": "軸十字", + "SSE.Views.ChartSettingsDlg.textAxisOptions": "軸選項", + "SSE.Views.ChartSettingsDlg.textAxisPos": "軸位置", + "SSE.Views.ChartSettingsDlg.textAxisSettings": "軸設定", + "SSE.Views.ChartSettingsDlg.textAxisTitle": "標題", + "SSE.Views.ChartSettingsDlg.textBetweenTickMarks": "勾線之間", + "SSE.Views.ChartSettingsDlg.textBillions": "億", + "SSE.Views.ChartSettingsDlg.textBottom": "底部", + "SSE.Views.ChartSettingsDlg.textCategoryName": "分類名稱", + "SSE.Views.ChartSettingsDlg.textCenter": "中心", + "SSE.Views.ChartSettingsDlg.textChartElementsLegend": "圖表元素和
                              圖例", + "SSE.Views.ChartSettingsDlg.textChartTitle": "圖表標題", + "SSE.Views.ChartSettingsDlg.textCross": "交叉", + "SSE.Views.ChartSettingsDlg.textCustom": "自訂", + "SSE.Views.ChartSettingsDlg.textDataColumns": "在列中", + "SSE.Views.ChartSettingsDlg.textDataLabels": "數據標籤", + "SSE.Views.ChartSettingsDlg.textDataRows": "成排", + "SSE.Views.ChartSettingsDlg.textDisplayLegend": "顯示圖例", + "SSE.Views.ChartSettingsDlg.textEmptyCells": "隱藏和清空單元格", + "SSE.Views.ChartSettingsDlg.textEmptyLine": "用線連接數據點", + "SSE.Views.ChartSettingsDlg.textFit": "切合至寬度", + "SSE.Views.ChartSettingsDlg.textFixed": "固定", + "SSE.Views.ChartSettingsDlg.textFormat": "標記格式", + "SSE.Views.ChartSettingsDlg.textGaps": "縫隙", + "SSE.Views.ChartSettingsDlg.textGridLines": "網格線", + "SSE.Views.ChartSettingsDlg.textGroup": "組走勢圖", + "SSE.Views.ChartSettingsDlg.textHide": "隱藏", + "SSE.Views.ChartSettingsDlg.textHideAxis": "隱藏軸", + "SSE.Views.ChartSettingsDlg.textHigh": "高", + "SSE.Views.ChartSettingsDlg.textHorAxis": "橫軸", + "SSE.Views.ChartSettingsDlg.textHorAxisSec": "副横轴", + "SSE.Views.ChartSettingsDlg.textHorizontal": "水平", + "SSE.Views.ChartSettingsDlg.textHundredMil": "100 000 000", + "SSE.Views.ChartSettingsDlg.textHundreds": "幾百個", + "SSE.Views.ChartSettingsDlg.textHundredThousands": "100 000", + "SSE.Views.ChartSettingsDlg.textIn": "在", + "SSE.Views.ChartSettingsDlg.textInnerBottom": "內底", + "SSE.Views.ChartSettingsDlg.textInnerTop": "內頂", + "SSE.Views.ChartSettingsDlg.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.ChartSettingsDlg.textLabelDist": "軸標距離", + "SSE.Views.ChartSettingsDlg.textLabelInterval": "標籤之間的間隔", + "SSE.Views.ChartSettingsDlg.textLabelOptions": "標籤選項", + "SSE.Views.ChartSettingsDlg.textLabelPos": "標籤位置", + "SSE.Views.ChartSettingsDlg.textLayout": "佈局", + "SSE.Views.ChartSettingsDlg.textLeft": "左", + "SSE.Views.ChartSettingsDlg.textLeftOverlay": "左側覆蓋", + "SSE.Views.ChartSettingsDlg.textLegendBottom": "底部", + "SSE.Views.ChartSettingsDlg.textLegendLeft": "左", + "SSE.Views.ChartSettingsDlg.textLegendPos": "說明", + "SSE.Views.ChartSettingsDlg.textLegendRight": "右", + "SSE.Views.ChartSettingsDlg.textLegendTop": "上方", + "SSE.Views.ChartSettingsDlg.textLines": "線", + "SSE.Views.ChartSettingsDlg.textLocationRange": "位置範圍", + "SSE.Views.ChartSettingsDlg.textLow": "低", + "SSE.Views.ChartSettingsDlg.textMajor": "重大", + "SSE.Views.ChartSettingsDlg.textMajorMinor": "主要和次要", + "SSE.Views.ChartSettingsDlg.textMajorType": "主要類型", + "SSE.Views.ChartSettingsDlg.textManual": "手動", + "SSE.Views.ChartSettingsDlg.textMarkers": "標記物", + "SSE.Views.ChartSettingsDlg.textMarksInterval": "標記之間的間隔", + "SSE.Views.ChartSettingsDlg.textMaxValue": "最大值", + "SSE.Views.ChartSettingsDlg.textMillions": "百萬", + "SSE.Views.ChartSettingsDlg.textMinor": "次要", + "SSE.Views.ChartSettingsDlg.textMinorType": "次要類", + "SSE.Views.ChartSettingsDlg.textMinValue": "最低值", + "SSE.Views.ChartSettingsDlg.textNextToAxis": "軸旁", + "SSE.Views.ChartSettingsDlg.textNone": "無", + "SSE.Views.ChartSettingsDlg.textNoOverlay": "無覆蓋", + "SSE.Views.ChartSettingsDlg.textOneCell": "移動但不調整單元格的大小", + "SSE.Views.ChartSettingsDlg.textOnTickMarks": "在勾標上", + "SSE.Views.ChartSettingsDlg.textOut": "外", + "SSE.Views.ChartSettingsDlg.textOuterTop": "外上", + "SSE.Views.ChartSettingsDlg.textOverlay": "覆蓋", + "SSE.Views.ChartSettingsDlg.textReverse": "值倒序", + "SSE.Views.ChartSettingsDlg.textReverseOrder": "相反的順序", + "SSE.Views.ChartSettingsDlg.textRight": "右", + "SSE.Views.ChartSettingsDlg.textRightOverlay": "右側覆蓋", + "SSE.Views.ChartSettingsDlg.textRotated": "已旋轉", + "SSE.Views.ChartSettingsDlg.textSameAll": "所有都一樣", + "SSE.Views.ChartSettingsDlg.textSelectData": "選擇數據", + "SSE.Views.ChartSettingsDlg.textSeparator": "數據標籤分隔符", + "SSE.Views.ChartSettingsDlg.textSeriesName": "系列名稱", + "SSE.Views.ChartSettingsDlg.textShow": "顯示", + "SSE.Views.ChartSettingsDlg.textShowBorders": "顯示圖表邊框", + "SSE.Views.ChartSettingsDlg.textShowData": "在隱藏的行和列中顯示數據", + "SSE.Views.ChartSettingsDlg.textShowEmptyCells": "將空單元格顯示為", + "SSE.Views.ChartSettingsDlg.textShowSparkAxis": "顯示軸", + "SSE.Views.ChartSettingsDlg.textShowValues": "顯示圖表值", + "SSE.Views.ChartSettingsDlg.textSingle": "單一走勢圖", + "SSE.Views.ChartSettingsDlg.textSmooth": "光滑", + "SSE.Views.ChartSettingsDlg.textSnap": "單元捕捉", + "SSE.Views.ChartSettingsDlg.textSparkRanges": "走勢圖範圍", + "SSE.Views.ChartSettingsDlg.textStraight": "直行", + "SSE.Views.ChartSettingsDlg.textStyle": "樣式", + "SSE.Views.ChartSettingsDlg.textTenMillions": "10 000 000", + "SSE.Views.ChartSettingsDlg.textTenThousands": "10 000", + "SSE.Views.ChartSettingsDlg.textThousands": "千", + "SSE.Views.ChartSettingsDlg.textTickOptions": "勾號選項", + "SSE.Views.ChartSettingsDlg.textTitle": "圖表-進階設置", + "SSE.Views.ChartSettingsDlg.textTitleSparkline": "走勢圖-進階設置", + "SSE.Views.ChartSettingsDlg.textTop": "上方", + "SSE.Views.ChartSettingsDlg.textTrillions": "兆", + "SSE.Views.ChartSettingsDlg.textTwoCell": "移動並調整單元格大小", + "SSE.Views.ChartSettingsDlg.textType": "類型", + "SSE.Views.ChartSettingsDlg.textTypeData": "類型和數據", + "SSE.Views.ChartSettingsDlg.textUnits": "顯示單位", + "SSE.Views.ChartSettingsDlg.textValue": "值", + "SSE.Views.ChartSettingsDlg.textVertAxis": "垂直軸", + "SSE.Views.ChartSettingsDlg.textVertAxisSec": "副纵轴", + "SSE.Views.ChartSettingsDlg.textXAxisTitle": "X軸標題", + "SSE.Views.ChartSettingsDlg.textYAxisTitle": "Y軸標題", + "SSE.Views.ChartSettingsDlg.textZero": "零", + "SSE.Views.ChartSettingsDlg.txtEmpty": "這是必填欄", + "SSE.Views.ChartTypeDialog.errorComboSeries": "新增組合圖表需選兩個以上的數據系列。", + "SSE.Views.ChartTypeDialog.errorSecondaryAxis": "所選圖表類型需要現有圖表使用的輔助軸。 請選擇其他圖表類型。", + "SSE.Views.ChartTypeDialog.textSecondary": "副轴", + "SSE.Views.ChartTypeDialog.textSeries": "系列", + "SSE.Views.ChartTypeDialog.textStyle": "樣式", + "SSE.Views.ChartTypeDialog.textTitle": "圖表類型", + "SSE.Views.ChartTypeDialog.textType": "類型", + "SSE.Views.CreatePivotDialog.textDataRange": "源數據范圍", + "SSE.Views.CreatePivotDialog.textDestination": "選擇放置桌子的位置", + "SSE.Views.CreatePivotDialog.textExist": "現有工作表", + "SSE.Views.CreatePivotDialog.textInvalidRange": "無效的單元格範圍", + "SSE.Views.CreatePivotDialog.textNew": "新工作表", + "SSE.Views.CreatePivotDialog.textSelectData": "選擇數據", + "SSE.Views.CreatePivotDialog.textTitle": "創建數據透視表", + "SSE.Views.CreatePivotDialog.txtEmpty": "這是必填欄", + "SSE.Views.CreateSparklineDialog.textDataRange": "源數據范圍", + "SSE.Views.CreateSparklineDialog.textDestination": "選擇走勢圖掰位", + "SSE.Views.CreateSparklineDialog.textInvalidRange": "無效的儲存格範圍", + "SSE.Views.CreateSparklineDialog.textSelectData": "選擇數據", + "SSE.Views.CreateSparklineDialog.textTitle": "創建走勢圖", + "SSE.Views.CreateSparklineDialog.txtEmpty": "這是必填欄", + "SSE.Views.DataTab.capBtnGroup": "群組", + "SSE.Views.DataTab.capBtnTextCustomSort": "自定義排序", + "SSE.Views.DataTab.capBtnTextDataValidation": "資料驗證", + "SSE.Views.DataTab.capBtnTextRemDuplicates": "刪除重複項", + "SSE.Views.DataTab.capBtnTextToCol": "文字轉欄", + "SSE.Views.DataTab.capBtnUngroup": "解開組合", + "SSE.Views.DataTab.capDataFromText": "獲取數據", + "SSE.Views.DataTab.mniFromFile": "從本機TXT/CSV", + "SSE.Views.DataTab.mniFromUrl": "從TXT/CSV網址", + "SSE.Views.DataTab.textBelow": "詳細信息下方的摘要行", + "SSE.Views.DataTab.textClear": "輪廓清晰", + "SSE.Views.DataTab.textColumns": "取消分組列", + "SSE.Views.DataTab.textGroupColumns": "組列", + "SSE.Views.DataTab.textGroupRows": "組行", + "SSE.Views.DataTab.textRightOf": "詳細信息右側的摘要列", + "SSE.Views.DataTab.textRows": "取消分組行", + "SSE.Views.DataTab.tipCustomSort": "自定義排序", + "SSE.Views.DataTab.tipDataFromText": "從TXT/CSV檔獲取數據", + "SSE.Views.DataTab.tipDataValidation": "資料驗證", + "SSE.Views.DataTab.tipGroup": "單元格範圍", + "SSE.Views.DataTab.tipRemDuplicates": "從工作表中刪除重複的行", + "SSE.Views.DataTab.tipToColumns": "將單元格文本分成列", + "SSE.Views.DataTab.tipUngroup": "取消單元格範圍", + "SSE.Views.DataValidationDialog.errorFormula": "該值當前評估為錯誤。你要繼續嗎?", + "SSE.Views.DataValidationDialog.errorInvalid": "您為字段“ {0}”輸入的值無效。", + "SSE.Views.DataValidationDialog.errorInvalidDate": "您為字段“ {0}”輸入的日期無效。", + "SSE.Views.DataValidationDialog.errorInvalidList": "列表源必須是定界列表,或者是對單行或單列的引用。", + "SSE.Views.DataValidationDialog.errorInvalidTime": "您為字段“ {0}”輸入的時間無效。", + "SSE.Views.DataValidationDialog.errorMinGreaterMax": "“ {1}”字段必須大於或等於“ {0}”字段。", + "SSE.Views.DataValidationDialog.errorMustEnterBothValues": "您必須在字段“ {0}”和字段“ {1}”中都輸入一個值。", + "SSE.Views.DataValidationDialog.errorMustEnterValue": "您必須在字段“ {0}”中輸入一個值。", + "SSE.Views.DataValidationDialog.errorNamedRange": "找不到您指定的命名範圍。", + "SSE.Views.DataValidationDialog.errorNegativeTextLength": "在條件“ {0}”中不能使用負值。", + "SSE.Views.DataValidationDialog.errorNotNumeric": "字段“ {0}”必須是數字值,數字表達式或引用包含數字值的單元格。", + "SSE.Views.DataValidationDialog.strError": "錯誤提示", + "SSE.Views.DataValidationDialog.strInput": "輸入信息", + "SSE.Views.DataValidationDialog.strSettings": "設定", + "SSE.Views.DataValidationDialog.textAlert": "警示", + "SSE.Views.DataValidationDialog.textAllow": "允許", + "SSE.Views.DataValidationDialog.textApply": "將這些更改應用於具有相同設置的所有其他單元格", + "SSE.Views.DataValidationDialog.textCellSelected": "選擇單元格後,顯示此輸入消息", + "SSE.Views.DataValidationDialog.textCompare": "相比於", + "SSE.Views.DataValidationDialog.textData": "數據", + "SSE.Views.DataValidationDialog.textEndDate": "結束日期", + "SSE.Views.DataValidationDialog.textEndTime": "時間結束", + "SSE.Views.DataValidationDialog.textError": "錯誤信息", + "SSE.Views.DataValidationDialog.textFormula": "配方", + "SSE.Views.DataValidationDialog.textIgnore": "忽略空白", + "SSE.Views.DataValidationDialog.textInput": "輸入信息", + "SSE.Views.DataValidationDialog.textMax": "最大", + "SSE.Views.DataValidationDialog.textMessage": "信息", + "SSE.Views.DataValidationDialog.textMin": "最低", + "SSE.Views.DataValidationDialog.textSelectData": "選擇數據", + "SSE.Views.DataValidationDialog.textShowDropDown": "在單元格中顯示下拉列表", + "SSE.Views.DataValidationDialog.textShowError": "輸入無效數據後顯示錯誤警報", + "SSE.Views.DataValidationDialog.textShowInput": "選擇單元格時顯示輸入消息", + "SSE.Views.DataValidationDialog.textSource": "來源", + "SSE.Views.DataValidationDialog.textStartDate": "開始日期", + "SSE.Views.DataValidationDialog.textStartTime": "開始時間", + "SSE.Views.DataValidationDialog.textStop": "停止", + "SSE.Views.DataValidationDialog.textStyle": "樣式", + "SSE.Views.DataValidationDialog.textTitle": "標題", + "SSE.Views.DataValidationDialog.textUserEnters": "當用戶輸入無效數據時,顯示此錯誤警報", + "SSE.Views.DataValidationDialog.txtAny": "任何值", + "SSE.Views.DataValidationDialog.txtBetween": "之間", + "SSE.Views.DataValidationDialog.txtDate": "日期", + "SSE.Views.DataValidationDialog.txtDecimal": "小數", + "SSE.Views.DataValidationDialog.txtElTime": "以經過時間", + "SSE.Views.DataValidationDialog.txtEndDate": "結束日期", + "SSE.Views.DataValidationDialog.txtEndTime": "時間結束", + "SSE.Views.DataValidationDialog.txtEqual": "等於", + "SSE.Views.DataValidationDialog.txtGreaterThan": "更佳", + "SSE.Views.DataValidationDialog.txtGreaterThanOrEqual": "大於或等於", + "SSE.Views.DataValidationDialog.txtLength": "長度", + "SSE.Views.DataValidationDialog.txtLessThan": "少於", + "SSE.Views.DataValidationDialog.txtLessThanOrEqual": "小於或等於", + "SSE.Views.DataValidationDialog.txtList": "清單", + "SSE.Views.DataValidationDialog.txtNotBetween": "不介於", + "SSE.Views.DataValidationDialog.txtNotEqual": "不等於", + "SSE.Views.DataValidationDialog.txtOther": "其它", + "SSE.Views.DataValidationDialog.txtStartDate": "開始日期", + "SSE.Views.DataValidationDialog.txtStartTime": "開始時間", + "SSE.Views.DataValidationDialog.txtTextLength": "文字長度", + "SSE.Views.DataValidationDialog.txtTime": "時間", + "SSE.Views.DataValidationDialog.txtWhole": "完整的號碼", + "SSE.Views.DigitalFilterDialog.capAnd": "和", + "SSE.Views.DigitalFilterDialog.capCondition1": "等於", + "SSE.Views.DigitalFilterDialog.capCondition10": "不以結束", + "SSE.Views.DigitalFilterDialog.capCondition11": "包含", + "SSE.Views.DigitalFilterDialog.capCondition12": "不含", + "SSE.Views.DigitalFilterDialog.capCondition2": "不等於", + "SSE.Views.DigitalFilterDialog.capCondition3": "大於", + "SSE.Views.DigitalFilterDialog.capCondition4": "大於或等於", + "SSE.Views.DigitalFilterDialog.capCondition5": "小於", + "SSE.Views.DigitalFilterDialog.capCondition6": "小於或等於", + "SSE.Views.DigitalFilterDialog.capCondition7": "開始於", + "SSE.Views.DigitalFilterDialog.capCondition8": "不以", + "SSE.Views.DigitalFilterDialog.capCondition9": "以。。結束", + "SSE.Views.DigitalFilterDialog.capOr": "或", + "SSE.Views.DigitalFilterDialog.textNoFilter": "沒有過濾器", + "SSE.Views.DigitalFilterDialog.textShowRows": "顯示行", + "SSE.Views.DigitalFilterDialog.textUse1": "採用 ?呈現任何單個字符", + "SSE.Views.DigitalFilterDialog.textUse2": "使用*表示任何系列字符", + "SSE.Views.DigitalFilterDialog.txtTitle": "自訂過濾器", + "SSE.Views.DocumentHolder.advancedImgText": "圖像進階設置", + "SSE.Views.DocumentHolder.advancedShapeText": "形狀進階設定", + "SSE.Views.DocumentHolder.advancedSlicerText": "切片器進階設置", + "SSE.Views.DocumentHolder.bottomCellText": "底部對齊", + "SSE.Views.DocumentHolder.bulletsText": "項目符和編號", + "SSE.Views.DocumentHolder.centerCellText": "中央對齊", + "SSE.Views.DocumentHolder.chartText": "圖表進階設置", + "SSE.Views.DocumentHolder.deleteColumnText": "欄", + "SSE.Views.DocumentHolder.deleteRowText": "行", + "SSE.Views.DocumentHolder.deleteTableText": "表格", + "SSE.Views.DocumentHolder.direct270Text": "向上旋轉文字", + "SSE.Views.DocumentHolder.direct90Text": "向下旋轉文字", + "SSE.Views.DocumentHolder.directHText": "水平", + "SSE.Views.DocumentHolder.directionText": "文字方向", + "SSE.Views.DocumentHolder.editChartText": "編輯資料", + "SSE.Views.DocumentHolder.editHyperlinkText": "編輯超連結", + "SSE.Views.DocumentHolder.insertColumnLeftText": "欄位以左", + "SSE.Views.DocumentHolder.insertColumnRightText": "欄位以右", + "SSE.Views.DocumentHolder.insertRowAboveText": "上行", + "SSE.Views.DocumentHolder.insertRowBelowText": "下行", + "SSE.Views.DocumentHolder.originalSizeText": "實際大小", + "SSE.Views.DocumentHolder.removeHyperlinkText": "刪除超連結", + "SSE.Views.DocumentHolder.selectColumnText": "整列", + "SSE.Views.DocumentHolder.selectDataText": "列數據", + "SSE.Views.DocumentHolder.selectRowText": "行", + "SSE.Views.DocumentHolder.selectTableText": "表格", + "SSE.Views.DocumentHolder.strDelete": "刪除簽名", + "SSE.Views.DocumentHolder.strDetails": "簽名細節", + "SSE.Views.DocumentHolder.strSetup": "簽名設置", + "SSE.Views.DocumentHolder.strSign": "簽名", + "SSE.Views.DocumentHolder.textAlign": "對齊", + "SSE.Views.DocumentHolder.textArrange": "安排", + "SSE.Views.DocumentHolder.textArrangeBack": "傳送到背景", + "SSE.Views.DocumentHolder.textArrangeBackward": "向後發送", + "SSE.Views.DocumentHolder.textArrangeForward": "向前帶進", + "SSE.Views.DocumentHolder.textArrangeFront": "移到前景", + "SSE.Views.DocumentHolder.textAverage": "平均", + "SSE.Views.DocumentHolder.textBullets": "項目符號", + "SSE.Views.DocumentHolder.textCount": "計數", + "SSE.Views.DocumentHolder.textCrop": "修剪", + "SSE.Views.DocumentHolder.textCropFill": "填入", + "SSE.Views.DocumentHolder.textCropFit": "切合", + "SSE.Views.DocumentHolder.textEditPoints": "編輯點", + "SSE.Views.DocumentHolder.textEntriesList": "從下拉列表中選擇", + "SSE.Views.DocumentHolder.textFlipH": "水平翻轉", + "SSE.Views.DocumentHolder.textFlipV": "垂直翻轉", + "SSE.Views.DocumentHolder.textFreezePanes": "凍結窗格", + "SSE.Views.DocumentHolder.textFromFile": "從檔案", + "SSE.Views.DocumentHolder.textFromStorage": "從存儲", + "SSE.Views.DocumentHolder.textFromUrl": "從 URL", + "SSE.Views.DocumentHolder.textListSettings": "清單設定", + "SSE.Views.DocumentHolder.textMacro": "指定巨集", + "SSE.Views.DocumentHolder.textMax": "最高", + "SSE.Views.DocumentHolder.textMin": "最低", + "SSE.Views.DocumentHolder.textMore": "更多功能", + "SSE.Views.DocumentHolder.textMoreFormats": "更多格式", + "SSE.Views.DocumentHolder.textNone": "無", + "SSE.Views.DocumentHolder.textNumbering": "編號", + "SSE.Views.DocumentHolder.textReplace": "取代圖片", + "SSE.Views.DocumentHolder.textRotate": "旋轉", + "SSE.Views.DocumentHolder.textRotate270": "逆時針旋轉90°", + "SSE.Views.DocumentHolder.textRotate90": "順時針旋轉90°", + "SSE.Views.DocumentHolder.textShapeAlignBottom": "底部對齊", + "SSE.Views.DocumentHolder.textShapeAlignCenter": "居中對齊", + "SSE.Views.DocumentHolder.textShapeAlignLeft": "對齊左側", + "SSE.Views.DocumentHolder.textShapeAlignMiddle": "中央對齊", + "SSE.Views.DocumentHolder.textShapeAlignRight": "對齊右側", + "SSE.Views.DocumentHolder.textShapeAlignTop": "上方對齊", + "SSE.Views.DocumentHolder.textStdDev": "標準差", + "SSE.Views.DocumentHolder.textSum": "總和", + "SSE.Views.DocumentHolder.textUndo": "復原", + "SSE.Views.DocumentHolder.textUnFreezePanes": "取消凍結窗格", + "SSE.Views.DocumentHolder.textVar": "Var", + "SSE.Views.DocumentHolder.tipMarkersArrow": "箭頭項目符號", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "核取記號項目符號", + "SSE.Views.DocumentHolder.tipMarkersDash": "連字號項目符號", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "實心菱形項目符號", + "SSE.Views.DocumentHolder.tipMarkersFRound": "實心圓項目符號", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "實心方形項目符號", + "SSE.Views.DocumentHolder.tipMarkersHRound": "空心圓項目符號", + "SSE.Views.DocumentHolder.tipMarkersStar": "星星項目符號", + "SSE.Views.DocumentHolder.topCellText": "上方對齊", + "SSE.Views.DocumentHolder.txtAccounting": "會計", + "SSE.Views.DocumentHolder.txtAddComment": "增加留言", + "SSE.Views.DocumentHolder.txtAddNamedRange": "定義名稱", + "SSE.Views.DocumentHolder.txtArrange": "安排", + "SSE.Views.DocumentHolder.txtAscending": "上升", + "SSE.Views.DocumentHolder.txtAutoColumnWidth": "自動調整列寬", + "SSE.Views.DocumentHolder.txtAutoRowHeight": "自動調整行高", + "SSE.Views.DocumentHolder.txtClear": "清除", + "SSE.Views.DocumentHolder.txtClearAll": "全部", + "SSE.Views.DocumentHolder.txtClearComments": "評論", + "SSE.Views.DocumentHolder.txtClearFormat": "格式", + "SSE.Views.DocumentHolder.txtClearHyper": "超連結", + "SSE.Views.DocumentHolder.txtClearSparklineGroups": "清除選定的迷你圖組", + "SSE.Views.DocumentHolder.txtClearSparklines": "清除選定的迷你圖", + "SSE.Views.DocumentHolder.txtClearText": "文字", + "SSE.Views.DocumentHolder.txtColumn": "整列", + "SSE.Views.DocumentHolder.txtColumnWidth": "設置列寬", + "SSE.Views.DocumentHolder.txtCondFormat": "條件格式", + "SSE.Views.DocumentHolder.txtCopy": "複製", + "SSE.Views.DocumentHolder.txtCurrency": "幣別", + "SSE.Views.DocumentHolder.txtCustomColumnWidth": "自定列寬", + "SSE.Views.DocumentHolder.txtCustomRowHeight": "自定義行高", + "SSE.Views.DocumentHolder.txtCustomSort": "自定義排序", + "SSE.Views.DocumentHolder.txtCut": "剪下", + "SSE.Views.DocumentHolder.txtDate": "日期", + "SSE.Views.DocumentHolder.txtDelete": "刪除", + "SSE.Views.DocumentHolder.txtDescending": "降序", + "SSE.Views.DocumentHolder.txtDistribHor": "水平分佈", + "SSE.Views.DocumentHolder.txtDistribVert": "垂直分佈", + "SSE.Views.DocumentHolder.txtEditComment": "編輯評論", + "SSE.Views.DocumentHolder.txtFilter": "過濾器", + "SSE.Views.DocumentHolder.txtFilterCellColor": "按單元格顏色過濾", + "SSE.Views.DocumentHolder.txtFilterFontColor": "按字體顏色過濾", + "SSE.Views.DocumentHolder.txtFilterValue": "按選定單元格的值過濾", + "SSE.Views.DocumentHolder.txtFormula": "插入功能", + "SSE.Views.DocumentHolder.txtFraction": "分數", + "SSE.Views.DocumentHolder.txtGeneral": "一般", + "SSE.Views.DocumentHolder.txtGroup": "群組", + "SSE.Views.DocumentHolder.txtHide": "隱藏", + "SSE.Views.DocumentHolder.txtInsert": "插入", + "SSE.Views.DocumentHolder.txtInsHyperlink": "超連結", + "SSE.Views.DocumentHolder.txtNumber": "數字", + "SSE.Views.DocumentHolder.txtNumFormat": "數字格式", + "SSE.Views.DocumentHolder.txtPaste": "貼上", + "SSE.Views.DocumentHolder.txtPercentage": "百分比", + "SSE.Views.DocumentHolder.txtReapply": "重新申請", + "SSE.Views.DocumentHolder.txtRow": "整行", + "SSE.Views.DocumentHolder.txtRowHeight": "設置行高", + "SSE.Views.DocumentHolder.txtScientific": "科學的", + "SSE.Views.DocumentHolder.txtSelect": "選擇", + "SSE.Views.DocumentHolder.txtShiftDown": "下移單元格", + "SSE.Views.DocumentHolder.txtShiftLeft": "左移單元格", + "SSE.Views.DocumentHolder.txtShiftRight": "右移單元格", + "SSE.Views.DocumentHolder.txtShiftUp": "上移單元格", + "SSE.Views.DocumentHolder.txtShow": "顯示", + "SSE.Views.DocumentHolder.txtShowComment": "顯示評論", + "SSE.Views.DocumentHolder.txtSort": "分類", + "SSE.Views.DocumentHolder.txtSortCellColor": "所選單元格顏色在頂部", + "SSE.Views.DocumentHolder.txtSortFontColor": "所選字體顏色在頂部", + "SSE.Views.DocumentHolder.txtSparklines": "走勢圖", + "SSE.Views.DocumentHolder.txtText": "文字", + "SSE.Views.DocumentHolder.txtTextAdvanced": "段落進階設置", + "SSE.Views.DocumentHolder.txtTime": "時間", + "SSE.Views.DocumentHolder.txtUngroup": "解開組合", + "SSE.Views.DocumentHolder.txtWidth": "寬度", + "SSE.Views.DocumentHolder.vertAlignText": "垂直對齊", + "SSE.Views.FieldSettingsDialog.strLayout": "佈局", + "SSE.Views.FieldSettingsDialog.strSubtotals": "小計", + "SSE.Views.FieldSettingsDialog.textReport": "報表", + "SSE.Views.FieldSettingsDialog.textTitle": "欄位設定", + "SSE.Views.FieldSettingsDialog.txtAverage": "平均", + "SSE.Views.FieldSettingsDialog.txtBlank": "在每個項目之後插入空白行", + "SSE.Views.FieldSettingsDialog.txtBottom": "顯示在組的底部", + "SSE.Views.FieldSettingsDialog.txtCompact": "緊湊", + "SSE.Views.FieldSettingsDialog.txtCount": "計數", + "SSE.Views.FieldSettingsDialog.txtCountNums": "數數", + "SSE.Views.FieldSettingsDialog.txtCustomName": "自定義名稱", + "SSE.Views.FieldSettingsDialog.txtEmpty": "顯示沒有數據的項目", + "SSE.Views.FieldSettingsDialog.txtMax": "最高", + "SSE.Views.FieldSettingsDialog.txtMin": "最低", + "SSE.Views.FieldSettingsDialog.txtOutline": "大綱", + "SSE.Views.FieldSettingsDialog.txtProduct": "產品", + "SSE.Views.FieldSettingsDialog.txtRepeat": "在每一行重複項目標籤", + "SSE.Views.FieldSettingsDialog.txtShowSubtotals": "顯示小計", + "SSE.Views.FieldSettingsDialog.txtSourceName": "來源名稱:", + "SSE.Views.FieldSettingsDialog.txtStdDev": "標準差", + "SSE.Views.FieldSettingsDialog.txtStdDevp": "標準差p", + "SSE.Views.FieldSettingsDialog.txtSum": "總和", + "SSE.Views.FieldSettingsDialog.txtSummarize": "小計的功能", + "SSE.Views.FieldSettingsDialog.txtTabular": "表格式的", + "SSE.Views.FieldSettingsDialog.txtTop": "顯示在群組頂部", + "SSE.Views.FieldSettingsDialog.txtVar": "Var", + "SSE.Views.FieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.FileMenu.btnBackCaption": "打開文件所在位置", + "SSE.Views.FileMenu.btnCloseMenuCaption": "關閉選單", + "SSE.Views.FileMenu.btnCreateNewCaption": "創建新的", + "SSE.Views.FileMenu.btnDownloadCaption": "下載為...", + "SSE.Views.FileMenu.btnExitCaption": "關閉", + "SSE.Views.FileMenu.btnFileOpenCaption": "開啟...", + "SSE.Views.FileMenu.btnHelpCaption": "幫助...", + "SSE.Views.FileMenu.btnHistoryCaption": "版本歷史", + "SSE.Views.FileMenu.btnInfoCaption": "電子表格信息...", + "SSE.Views.FileMenu.btnPrintCaption": "列印", + "SSE.Views.FileMenu.btnProtectCaption": "保護", + "SSE.Views.FileMenu.btnRecentFilesCaption": "打開最近...", + "SSE.Views.FileMenu.btnRenameCaption": "改名...", + "SSE.Views.FileMenu.btnReturnCaption": "返回至試算表", + "SSE.Views.FileMenu.btnRightsCaption": "存取權限...", + "SSE.Views.FileMenu.btnSaveAsCaption": "另存為", + "SSE.Views.FileMenu.btnSaveCaption": "儲存", + "SSE.Views.FileMenu.btnSaveCopyAsCaption": "另存為...", + "SSE.Views.FileMenu.btnSettingsCaption": "進階設定...", + "SSE.Views.FileMenu.btnToEditCaption": "編輯電子表格", + "SSE.Views.FileMenuPanels.CreateNew.txtBlank": "空白表格", + "SSE.Views.FileMenuPanels.CreateNew.txtCreateNew": "創建新的", + "SSE.Views.FileMenuPanels.DocumentInfo.okButtonText": "套用", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "添加作者", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAddText": "添加文字", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAppName": "應用程式", + "SSE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "作者", + "SSE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "更改存取權限", + "SSE.Views.FileMenuPanels.DocumentInfo.txtComment": "評論", + "SSE.Views.FileMenuPanels.DocumentInfo.txtCreated": "已建立", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "最後修改者", + "SSE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "上一次更改", + "SSE.Views.FileMenuPanels.DocumentInfo.txtOwner": "擁有者", + "SSE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "位置", + "SSE.Views.FileMenuPanels.DocumentInfo.txtRights": "有權利的人", + "SSE.Views.FileMenuPanels.DocumentInfo.txtSubject": "主旨", + "SSE.Views.FileMenuPanels.DocumentInfo.txtTitle": "標題", + "SSE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "\n已上傳", + "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改存取權限", + "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "有權利的人", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "套用", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "共同編輯模式", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "小數點分隔符", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "快", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "字體提示", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "儲存時同時上傳到伺服器(否則在文檔關閉時才上傳)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "公式語言", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "示例:SUM; MIN; MAX;COUNT", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "巨集設定", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "剪切,複製和粘貼", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "粘貼內容時顯示“粘貼選項”按鈕", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "區域設置", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "例:", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "嚴格", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "介面主題", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "千位分隔符", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUnit": "測量單位", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strUseSeparatorsBasedOnRegionalSettings": "根據區域設置使用分隔符", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.strZoom": "預設縮放值", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text10Minutes": "每10分鐘", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text30Minutes": "每30分鐘", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text5Minutes": "每5分鐘", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.text60Minutes": "每一小時", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoRecover": "自動恢復", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textAutoSave": "自動保存", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textDisabled": "已停用", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textForceSave": "儲存所有歷史版本到伺服器", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textMinute": "每一分鐘", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.textRefStyle": "參考風格", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBe": "白俄羅斯語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtBg": "保加利亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCa": "加泰羅尼亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCacheMode": "預設緩存模式", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCm": "公分", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtCs": "捷克語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDa": "丹麥語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtDe": "德語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEl": "希腊语", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEn": "英語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtEs": "西班牙文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFi": "芬蘭語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtFr": "法文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtHu": "匈牙利語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtId": "印度尼西亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtInch": "吋", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "義大利文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "日文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "韓文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "老撾語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "拉脫維亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "作為OS X", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNative": "本機", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNb": "挪威語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtNl": "荷蘭語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPl": "拋光", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPt": "點", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtbr": "葡萄牙語(巴西)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtPtlang": "葡萄牙語(葡萄牙)", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRo": "羅馬尼亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRu": "俄語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacros": "全部啟用", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtRunMacrosDesc": "不用提示啟用全部巨集", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSk": "斯洛伐克語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSl": "斯洛文尼亞語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacros": "全部停用", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtStopMacrosDesc": "不用提示停用全部巨集", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtSv": "瑞典語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtTr": "土耳其文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtUk": "烏克蘭文", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtVi": "越南語", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacros": "顯示通知", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "以提示停用全部巨集", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "作為Windows", + "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "中文", + "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", + "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "帶密碼", + "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "保護電子表格", + "SSE.Views.FileMenuPanels.ProtectDoc.strSignature": "帶簽名", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEdit": "編輯電子表格", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEditWarning": "編輯將刪除電子表格中的簽名。
                              確定要繼續嗎?", + "SSE.Views.FileMenuPanels.ProtectDoc.txtEncrypted": "此電子表格已受密碼保護", + "SSE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "該電子表格需要簽名。", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有效簽名已添加到電子表格中。電子表格受到保護,無法編輯。", + "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "電子表格中的某些數字簽名無效或無法驗證。電子表格受到保護,無法編輯。", + "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "查看簽名", + "SSE.Views.FormatRulesEditDlg.fillColor": "填色", + "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "警告", + "SSE.Views.FormatRulesEditDlg.text2Scales": "2色標", + "SSE.Views.FormatRulesEditDlg.text3Scales": "3色標", + "SSE.Views.FormatRulesEditDlg.textAllBorders": "所有邊界", + "SSE.Views.FormatRulesEditDlg.textAppearance": "條綫外貌", + "SSE.Views.FormatRulesEditDlg.textApply": "套用至範圍", + "SSE.Views.FormatRulesEditDlg.textAutomatic": "自動", + "SSE.Views.FormatRulesEditDlg.textAxis": "軸", + "SSE.Views.FormatRulesEditDlg.textBarDirection": "條綫方向", + "SSE.Views.FormatRulesEditDlg.textBold": "粗體", + "SSE.Views.FormatRulesEditDlg.textBorder": "邊框", + "SSE.Views.FormatRulesEditDlg.textBordersColor": "邊界顔色", + "SSE.Views.FormatRulesEditDlg.textBordersStyle": "邊框樣式", + "SSE.Views.FormatRulesEditDlg.textBottomBorders": "底部邊框", + "SSE.Views.FormatRulesEditDlg.textCannotAddCF": "無法設定條件格式。", + "SSE.Views.FormatRulesEditDlg.textCellMidpoint": "儲存格中點", + "SSE.Views.FormatRulesEditDlg.textCenterBorders": "內部垂直邊框", + "SSE.Views.FormatRulesEditDlg.textClear": "清除", + "SSE.Views.FormatRulesEditDlg.textColor": "文字顏色", + "SSE.Views.FormatRulesEditDlg.textContext": "語境", + "SSE.Views.FormatRulesEditDlg.textCustom": "客制", + "SSE.Views.FormatRulesEditDlg.textDiagDownBorder": "對角向下邊界", + "SSE.Views.FormatRulesEditDlg.textDiagUpBorder": "對角向上邊界", + "SSE.Views.FormatRulesEditDlg.textEmptyFormula": "輸入有效公式。", + "SSE.Views.FormatRulesEditDlg.textEmptyFormulaExt": "您輸入的公式未計算為數字、日期、時間或字符串。", + "SSE.Views.FormatRulesEditDlg.textEmptyText": "輸入定值。", + "SSE.Views.FormatRulesEditDlg.textEmptyValue": "输入值未是數字、日期、時間或字符串。", + "SSE.Views.FormatRulesEditDlg.textErrorGreater": "{0}定值必須大於{1}定值。", + "SSE.Views.FormatRulesEditDlg.textErrorTop10Between": "輸入{0}于{1}之間的數字。", + "SSE.Views.FormatRulesEditDlg.textFill": "填入", + "SSE.Views.FormatRulesEditDlg.textFormat": "格式", + "SSE.Views.FormatRulesEditDlg.textFormula": "公式", + "SSE.Views.FormatRulesEditDlg.textGradient": "漸層", + "SSE.Views.FormatRulesEditDlg.textIconLabel": "{0}{1}時而", + "SSE.Views.FormatRulesEditDlg.textIconLabelFirst": "{0}{1}時", + "SSE.Views.FormatRulesEditDlg.textIconLabelLast": "當定值是", + "SSE.Views.FormatRulesEditDlg.textIconsOverlap": "一或多個圖標範圍重叠。
                              調整圖標數據范圍值,使范圍不重疊。", + "SSE.Views.FormatRulesEditDlg.textIconStyle": "圖標樣式", + "SSE.Views.FormatRulesEditDlg.textInsideBorders": "內部邊界", + "SSE.Views.FormatRulesEditDlg.textInvalid": "無效數據範圍", + "SSE.Views.FormatRulesEditDlg.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.FormatRulesEditDlg.textItalic": "斜體", + "SSE.Views.FormatRulesEditDlg.textItem": "項目", + "SSE.Views.FormatRulesEditDlg.textLeft2Right": "左到右", + "SSE.Views.FormatRulesEditDlg.textLeftBorders": "左邊框", + "SSE.Views.FormatRulesEditDlg.textLongBar": "最長的槓", + "SSE.Views.FormatRulesEditDlg.textMaximum": "最大", + "SSE.Views.FormatRulesEditDlg.textMaxpoint": "最大點", + "SSE.Views.FormatRulesEditDlg.textMiddleBorders": "內部水平邊框", + "SSE.Views.FormatRulesEditDlg.textMidpoint": "中點", + "SSE.Views.FormatRulesEditDlg.textMinimum": "最小", + "SSE.Views.FormatRulesEditDlg.textMinpoint": "最低點", + "SSE.Views.FormatRulesEditDlg.textNegative": "負數", + "SSE.Views.FormatRulesEditDlg.textNewColor": "新增自訂顏色", + "SSE.Views.FormatRulesEditDlg.textNoBorders": "無邊框", + "SSE.Views.FormatRulesEditDlg.textNone": "無", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentage": "一或多個指定定值不是有效百分比。", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentageExt": "{0}指定值不是有效百分比。", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentile": "一或多個指定定值不是有效百分位。", + "SSE.Views.FormatRulesEditDlg.textNotValidPercentileExt": "{0}指定值不是有效百分位。", + "SSE.Views.FormatRulesEditDlg.textOutBorders": "境外", + "SSE.Views.FormatRulesEditDlg.textPercent": "百分比", + "SSE.Views.FormatRulesEditDlg.textPercentile": "百分位數", + "SSE.Views.FormatRulesEditDlg.textPosition": "位置", + "SSE.Views.FormatRulesEditDlg.textPositive": "正數", + "SSE.Views.FormatRulesEditDlg.textPresets": "預設值", + "SSE.Views.FormatRulesEditDlg.textPreview": "預覽", + "SSE.Views.FormatRulesEditDlg.textRelativeRef": "無法使用相對引用設定色標、數據欄、圖標集的條件格式標準。", + "SSE.Views.FormatRulesEditDlg.textReverse": "顛倒圖標順序", + "SSE.Views.FormatRulesEditDlg.textRight2Left": "右到左", + "SSE.Views.FormatRulesEditDlg.textRightBorders": "右邊界", + "SSE.Views.FormatRulesEditDlg.textRule": "規則", + "SSE.Views.FormatRulesEditDlg.textSameAs": "于正相等", + "SSE.Views.FormatRulesEditDlg.textSelectData": "選擇數據", + "SSE.Views.FormatRulesEditDlg.textShortBar": "最短的槓", + "SSE.Views.FormatRulesEditDlg.textShowBar": "只顯示槓", + "SSE.Views.FormatRulesEditDlg.textShowIcon": "只顯示圖標", + "SSE.Views.FormatRulesEditDlg.textSingleRef": "這種類型的引用不能用於條件格式公式。
                              請改引用為單单元格,或者設爲工作表公式如 =SUM(A1:B5)。", + "SSE.Views.FormatRulesEditDlg.textSolid": "固體", + "SSE.Views.FormatRulesEditDlg.textStrikeout": "淘汰", + "SSE.Views.FormatRulesEditDlg.textSubscript": "下標", + "SSE.Views.FormatRulesEditDlg.textSuperscript": "上標", + "SSE.Views.FormatRulesEditDlg.textTopBorders": "上邊界", + "SSE.Views.FormatRulesEditDlg.textUnderline": "底線", + "SSE.Views.FormatRulesEditDlg.tipBorders": "邊框", + "SSE.Views.FormatRulesEditDlg.tipNumFormat": "數字格式", + "SSE.Views.FormatRulesEditDlg.txtAccounting": "會計", + "SSE.Views.FormatRulesEditDlg.txtCurrency": "貨幣", + "SSE.Views.FormatRulesEditDlg.txtDate": "日期", + "SSE.Views.FormatRulesEditDlg.txtEmpty": "這是必填欄", + "SSE.Views.FormatRulesEditDlg.txtFraction": "分數", + "SSE.Views.FormatRulesEditDlg.txtGeneral": "一般", + "SSE.Views.FormatRulesEditDlg.txtNoCellIcon": "沒有圖標", + "SSE.Views.FormatRulesEditDlg.txtNumber": "數字", + "SSE.Views.FormatRulesEditDlg.txtPercentage": "百分比", + "SSE.Views.FormatRulesEditDlg.txtScientific": "科學的", + "SSE.Views.FormatRulesEditDlg.txtText": "文字", + "SSE.Views.FormatRulesEditDlg.txtTime": "時間", + "SSE.Views.FormatRulesEditDlg.txtTitleEdit": "編輯格式規則", + "SSE.Views.FormatRulesEditDlg.txtTitleNew": "新的格式規則", + "SSE.Views.FormatRulesManagerDlg.guestText": "來賓帳戶", + "SSE.Views.FormatRulesManagerDlg.lockText": "已鎖定", + "SSE.Views.FormatRulesManagerDlg.text1Above": "高於平均值1個標準差", + "SSE.Views.FormatRulesManagerDlg.text1Below": "低於平均值1個標準差", + "SSE.Views.FormatRulesManagerDlg.text2Above": "高於平均值2個標準差", + "SSE.Views.FormatRulesManagerDlg.text2Below": "低於平均值2個標準差", + "SSE.Views.FormatRulesManagerDlg.text3Above": "高於平均值3個標準差", + "SSE.Views.FormatRulesManagerDlg.text3Below": "低於平均值3個標準差", + "SSE.Views.FormatRulesManagerDlg.textAbove": "高於平均", + "SSE.Views.FormatRulesManagerDlg.textApply": "套用至", + "SSE.Views.FormatRulesManagerDlg.textBeginsWith": "儲存格定值開始於", + "SSE.Views.FormatRulesManagerDlg.textBelow": "低於平均值", + "SSE.Views.FormatRulesManagerDlg.textBetween": "在{0}與{1}之間", + "SSE.Views.FormatRulesManagerDlg.textCellValue": "儲存格的值", + "SSE.Views.FormatRulesManagerDlg.textColorScale": "分級色標", + "SSE.Views.FormatRulesManagerDlg.textContains": "儲存格定值包含", + "SSE.Views.FormatRulesManagerDlg.textContainsBlank": "儲存格的值是空白的", + "SSE.Views.FormatRulesManagerDlg.textContainsError": "儲存格中有錯誤", + "SSE.Views.FormatRulesManagerDlg.textDelete": "刪除", + "SSE.Views.FormatRulesManagerDlg.textDown": "規則往下移", + "SSE.Views.FormatRulesManagerDlg.textDuplicate": "重复值", + "SSE.Views.FormatRulesManagerDlg.textEdit": "編輯", + "SSE.Views.FormatRulesManagerDlg.textEnds": "儲存格定值結尾為", + "SSE.Views.FormatRulesManagerDlg.textEqAbove": "等於或高於平均", + "SSE.Views.FormatRulesManagerDlg.textEqBelow": "等於或低於平均", + "SSE.Views.FormatRulesManagerDlg.textFormat": "格式", + "SSE.Views.FormatRulesManagerDlg.textIconSet": "圖標集", + "SSE.Views.FormatRulesManagerDlg.textNew": "新", + "SSE.Views.FormatRulesManagerDlg.textNotBetween": "不在{0}與{1}之間", + "SSE.Views.FormatRulesManagerDlg.textNotContains": "儲存格定值無包含", + "SSE.Views.FormatRulesManagerDlg.textNotContainsBlank": "儲存格的值不是空白的", + "SSE.Views.FormatRulesManagerDlg.textNotContainsError": "儲存格沒有錯誤", + "SSE.Views.FormatRulesManagerDlg.textRules": "規則", + "SSE.Views.FormatRulesManagerDlg.textScope": "顯示格式規則", + "SSE.Views.FormatRulesManagerDlg.textSelectData": "選擇數據", + "SSE.Views.FormatRulesManagerDlg.textSelection": "目前所選", + "SSE.Views.FormatRulesManagerDlg.textThisPivot": "這數據透視", + "SSE.Views.FormatRulesManagerDlg.textThisSheet": "此工作表", + "SSE.Views.FormatRulesManagerDlg.textThisTable": "這個表格", + "SSE.Views.FormatRulesManagerDlg.textUnique": "獨特值", + "SSE.Views.FormatRulesManagerDlg.textUp": "規則網上移", + "SSE.Views.FormatRulesManagerDlg.tipIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Views.FormatRulesManagerDlg.txtTitle": "條件格式", + "SSE.Views.FormatSettingsDialog.textCategory": "分類", + "SSE.Views.FormatSettingsDialog.textDecimal": "小數", + "SSE.Views.FormatSettingsDialog.textFormat": "格式", + "SSE.Views.FormatSettingsDialog.textLinked": "鏈接到來源", + "SSE.Views.FormatSettingsDialog.textSeparator": "使用1000個分隔符", + "SSE.Views.FormatSettingsDialog.textSymbols": "符號", + "SSE.Views.FormatSettingsDialog.textTitle": "數字格式", + "SSE.Views.FormatSettingsDialog.txtAccounting": "會計", + "SSE.Views.FormatSettingsDialog.txtAs10": "作為十分之一(5/10)", + "SSE.Views.FormatSettingsDialog.txtAs100": "作為百分之一(50/100)", + "SSE.Views.FormatSettingsDialog.txtAs16": "作為十六分之一(8/16)", + "SSE.Views.FormatSettingsDialog.txtAs2": "作為一半(1/2)", + "SSE.Views.FormatSettingsDialog.txtAs4": "作為四分之一(2/4)", + "SSE.Views.FormatSettingsDialog.txtAs8": "八分之一(4/8)", + "SSE.Views.FormatSettingsDialog.txtCurrency": "幣別", + "SSE.Views.FormatSettingsDialog.txtCustom": "自訂", + "SSE.Views.FormatSettingsDialog.txtCustomWarning": "請仔細輸入自定義數字格式。電子表格編輯器不會檢查自定義格式中是否存在可能影響xlsx文件的錯誤。", + "SSE.Views.FormatSettingsDialog.txtDate": "日期", + "SSE.Views.FormatSettingsDialog.txtFraction": "分數", + "SSE.Views.FormatSettingsDialog.txtGeneral": "一般", + "SSE.Views.FormatSettingsDialog.txtNone": "無", + "SSE.Views.FormatSettingsDialog.txtNumber": "數字", + "SSE.Views.FormatSettingsDialog.txtPercentage": "百分比", + "SSE.Views.FormatSettingsDialog.txtSample": "樣品:", + "SSE.Views.FormatSettingsDialog.txtScientific": "科學的", + "SSE.Views.FormatSettingsDialog.txtText": "文字", + "SSE.Views.FormatSettingsDialog.txtTime": "時間", + "SSE.Views.FormatSettingsDialog.txtUpto1": "最多一位(1/3)", + "SSE.Views.FormatSettingsDialog.txtUpto2": "最多兩位數(12/25)", + "SSE.Views.FormatSettingsDialog.txtUpto3": "最多三位數(131/135)", + "SSE.Views.FormulaDialog.sDescription": "描述", + "SSE.Views.FormulaDialog.textGroupDescription": "選擇功能組", + "SSE.Views.FormulaDialog.textListDescription": "選擇功能", + "SSE.Views.FormulaDialog.txtRecommended": "推薦的", + "SSE.Views.FormulaDialog.txtSearch": "搜尋", + "SSE.Views.FormulaDialog.txtTitle": "插入功能", + "SSE.Views.FormulaTab.textAutomatic": "自動", + "SSE.Views.FormulaTab.textCalculateCurrentSheet": "計算當前工作表", + "SSE.Views.FormulaTab.textCalculateWorkbook": "計算工作簿", + "SSE.Views.FormulaTab.textManual": "手動", + "SSE.Views.FormulaTab.tipCalculate": "計算", + "SSE.Views.FormulaTab.tipCalculateTheEntireWorkbook": "計算整個工作簿", + "SSE.Views.FormulaTab.txtAdditional": "額外", + "SSE.Views.FormulaTab.txtAutosum": "自動求和", + "SSE.Views.FormulaTab.txtAutosumTip": "求和", + "SSE.Views.FormulaTab.txtCalculation": "計算", + "SSE.Views.FormulaTab.txtFormula": "功能", + "SSE.Views.FormulaTab.txtFormulaTip": "插入功能", + "SSE.Views.FormulaTab.txtMore": "更多功能", + "SSE.Views.FormulaTab.txtRecent": "最近使用", + "SSE.Views.FormulaWizard.textAny": "任何", + "SSE.Views.FormulaWizard.textArgument": "論據", + "SSE.Views.FormulaWizard.textFunction": "功能", + "SSE.Views.FormulaWizard.textFunctionRes": "功能結果", + "SSE.Views.FormulaWizard.textHelp": "有關此功能的幫助", + "SSE.Views.FormulaWizard.textLogical": "合邏輯", + "SSE.Views.FormulaWizard.textNoArgs": "該函數沒有參數", + "SSE.Views.FormulaWizard.textNumber": "數字", + "SSE.Views.FormulaWizard.textRef": "參考", + "SSE.Views.FormulaWizard.textText": "文字", + "SSE.Views.FormulaWizard.textTitle": "功能參數", + "SSE.Views.FormulaWizard.textValue": "公式結果", + "SSE.Views.HeaderFooterDialog.textAlign": "與頁面邊界對齊", + "SSE.Views.HeaderFooterDialog.textAll": "所有頁面", + "SSE.Views.HeaderFooterDialog.textBold": "粗體", + "SSE.Views.HeaderFooterDialog.textCenter": "中心", + "SSE.Views.HeaderFooterDialog.textColor": "文字顏色", + "SSE.Views.HeaderFooterDialog.textDate": "日期", + "SSE.Views.HeaderFooterDialog.textDiffFirst": "首頁不同", + "SSE.Views.HeaderFooterDialog.textDiffOdd": "單/雙數頁不同", + "SSE.Views.HeaderFooterDialog.textEven": "雙數頁", + "SSE.Views.HeaderFooterDialog.textFileName": "檔案名稱", + "SSE.Views.HeaderFooterDialog.textFirst": "第一頁", + "SSE.Views.HeaderFooterDialog.textFooter": "頁尾", + "SSE.Views.HeaderFooterDialog.textHeader": "標頭", + "SSE.Views.HeaderFooterDialog.textInsert": "插入", + "SSE.Views.HeaderFooterDialog.textItalic": "斜體", + "SSE.Views.HeaderFooterDialog.textLeft": "左", + "SSE.Views.HeaderFooterDialog.textMaxError": "您輸入的文本字符串太長。減少使用的字符數。", + "SSE.Views.HeaderFooterDialog.textNewColor": "新增自訂顏色", + "SSE.Views.HeaderFooterDialog.textOdd": "奇數頁", + "SSE.Views.HeaderFooterDialog.textPageCount": "頁數", + "SSE.Views.HeaderFooterDialog.textPageNum": "頁碼", + "SSE.Views.HeaderFooterDialog.textPresets": "預設值", + "SSE.Views.HeaderFooterDialog.textRight": "右", + "SSE.Views.HeaderFooterDialog.textScale": "隨文件縮放", + "SSE.Views.HeaderFooterDialog.textSheet": "表格名稱", + "SSE.Views.HeaderFooterDialog.textStrikeout": "淘汰", + "SSE.Views.HeaderFooterDialog.textSubscript": "下標", + "SSE.Views.HeaderFooterDialog.textSuperscript": "上標", + "SSE.Views.HeaderFooterDialog.textTime": "時間", + "SSE.Views.HeaderFooterDialog.textTitle": "頁眉/頁腳設置", + "SSE.Views.HeaderFooterDialog.textUnderline": "底線", + "SSE.Views.HeaderFooterDialog.tipFontName": "字體", + "SSE.Views.HeaderFooterDialog.tipFontSize": "字體大小", + "SSE.Views.HyperlinkSettingsDialog.strDisplay": "顯示", + "SSE.Views.HyperlinkSettingsDialog.strLinkTo": "連結至", + "SSE.Views.HyperlinkSettingsDialog.strRange": "範圍", + "SSE.Views.HyperlinkSettingsDialog.strSheet": "表格", + "SSE.Views.HyperlinkSettingsDialog.textCopy": "複製", + "SSE.Views.HyperlinkSettingsDialog.textDefault": "選擇範圍", + "SSE.Views.HyperlinkSettingsDialog.textEmptyDesc": "在此處輸入標題", + "SSE.Views.HyperlinkSettingsDialog.textEmptyLink": "在此處輸入連結", + "SSE.Views.HyperlinkSettingsDialog.textEmptyTooltip": "在此處輸入工具提示", + "SSE.Views.HyperlinkSettingsDialog.textExternalLink": "外部連結", + "SSE.Views.HyperlinkSettingsDialog.textGetLink": "獲取連結", + "SSE.Views.HyperlinkSettingsDialog.textInternalLink": "內部數據範圍", + "SSE.Views.HyperlinkSettingsDialog.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.HyperlinkSettingsDialog.textNames": "定義名稱", + "SSE.Views.HyperlinkSettingsDialog.textSelectData": "選擇數據", + "SSE.Views.HyperlinkSettingsDialog.textSheets": "工作表", + "SSE.Views.HyperlinkSettingsDialog.textTipText": "屏幕提示文字", + "SSE.Views.HyperlinkSettingsDialog.textTitle": "超連結設置", + "SSE.Views.HyperlinkSettingsDialog.txtEmpty": "這是必填欄", + "SSE.Views.HyperlinkSettingsDialog.txtNotUrl": "此字段應為“ http://www.example.com”格式的網址", + "SSE.Views.HyperlinkSettingsDialog.txtSizeLimit": "此欄位限2083字符", + "SSE.Views.ImageSettings.textAdvanced": "顯示進階設定", + "SSE.Views.ImageSettings.textCrop": "修剪", + "SSE.Views.ImageSettings.textCropFill": "填入", + "SSE.Views.ImageSettings.textCropFit": "切合", + "SSE.Views.ImageSettings.textCropToShape": "剪裁成圖形", + "SSE.Views.ImageSettings.textEdit": "編輯", + "SSE.Views.ImageSettings.textEditObject": "編輯物件", + "SSE.Views.ImageSettings.textFlip": "翻轉", + "SSE.Views.ImageSettings.textFromFile": "從檔案", + "SSE.Views.ImageSettings.textFromStorage": "從存儲", + "SSE.Views.ImageSettings.textFromUrl": "從 URL", + "SSE.Views.ImageSettings.textHeight": "高度", + "SSE.Views.ImageSettings.textHint270": "逆時針旋轉90°", + "SSE.Views.ImageSettings.textHint90": "順時針旋轉90°", + "SSE.Views.ImageSettings.textHintFlipH": "水平翻轉", + "SSE.Views.ImageSettings.textHintFlipV": "垂直翻轉", + "SSE.Views.ImageSettings.textInsert": "取代圖片", + "SSE.Views.ImageSettings.textKeepRatio": "比例不變", + "SSE.Views.ImageSettings.textOriginalSize": "實際大小", + "SSE.Views.ImageSettings.textRecentlyUsed": "最近使用", + "SSE.Views.ImageSettings.textRotate90": "旋轉90°", + "SSE.Views.ImageSettings.textRotation": "旋轉", + "SSE.Views.ImageSettings.textSize": "大小", + "SSE.Views.ImageSettings.textWidth": "寬度", + "SSE.Views.ImageSettingsAdvanced.textAbsolute": "不要移動或調整單元格的大小", + "SSE.Views.ImageSettingsAdvanced.textAlt": "替代文字", + "SSE.Views.ImageSettingsAdvanced.textAltDescription": "描述", + "SSE.Views.ImageSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.ImageSettingsAdvanced.textAltTitle": "標題", + "SSE.Views.ImageSettingsAdvanced.textAngle": "角度", + "SSE.Views.ImageSettingsAdvanced.textFlipped": "已翻轉", + "SSE.Views.ImageSettingsAdvanced.textHorizontally": "水平地", + "SSE.Views.ImageSettingsAdvanced.textOneCell": "移動但不調整單元格的大小", + "SSE.Views.ImageSettingsAdvanced.textRotation": "旋轉", + "SSE.Views.ImageSettingsAdvanced.textSnap": "單元捕捉", + "SSE.Views.ImageSettingsAdvanced.textTitle": "圖像-進階設置", + "SSE.Views.ImageSettingsAdvanced.textTwoCell": "移動並調整單元格大小", + "SSE.Views.ImageSettingsAdvanced.textVertically": "垂直", + "SSE.Views.LeftMenu.tipAbout": "關於", + "SSE.Views.LeftMenu.tipChat": "聊天", + "SSE.Views.LeftMenu.tipComments": "評論", + "SSE.Views.LeftMenu.tipFile": "檔案", + "SSE.Views.LeftMenu.tipPlugins": "外掛程式", + "SSE.Views.LeftMenu.tipSearch": "搜尋", + "SSE.Views.LeftMenu.tipSpellcheck": "拼字檢查", + "SSE.Views.LeftMenu.tipSupport": "反饋與支持", + "SSE.Views.LeftMenu.txtDeveloper": "開發者模式", + "SSE.Views.LeftMenu.txtLimit": "限制存取", + "SSE.Views.LeftMenu.txtTrial": "試用模式", + "SSE.Views.LeftMenu.txtTrialDev": "試用開發人員模式", + "SSE.Views.MacroDialog.textMacro": "宏名稱", + "SSE.Views.MacroDialog.textTitle": "指定巨集", + "SSE.Views.MainSettingsPrint.okButtonText": "儲存", + "SSE.Views.MainSettingsPrint.strBottom": "底部", + "SSE.Views.MainSettingsPrint.strLandscape": "橫向方向", + "SSE.Views.MainSettingsPrint.strLeft": "左", + "SSE.Views.MainSettingsPrint.strMargins": "邊界", + "SSE.Views.MainSettingsPrint.strPortrait": "直向方向", + "SSE.Views.MainSettingsPrint.strPrint": "列印", + "SSE.Views.MainSettingsPrint.strPrintTitles": "列印標題", + "SSE.Views.MainSettingsPrint.strRight": "右", + "SSE.Views.MainSettingsPrint.strTop": "上方", + "SSE.Views.MainSettingsPrint.textActualSize": "實際大小", + "SSE.Views.MainSettingsPrint.textCustom": "自訂", + "SSE.Views.MainSettingsPrint.textCustomOptions": "自訂選項", + "SSE.Views.MainSettingsPrint.textFitCols": "將所有列放在一頁上", + "SSE.Views.MainSettingsPrint.textFitPage": "一頁上適合紙張", + "SSE.Views.MainSettingsPrint.textFitRows": "將所有行放在一頁上", + "SSE.Views.MainSettingsPrint.textPageOrientation": "頁面方向", + "SSE.Views.MainSettingsPrint.textPageScaling": "縮放比例", + "SSE.Views.MainSettingsPrint.textPageSize": "頁面大小", + "SSE.Views.MainSettingsPrint.textPrintGrid": "列印網格線", + "SSE.Views.MainSettingsPrint.textPrintHeadings": "列印行和列標題", + "SSE.Views.MainSettingsPrint.textRepeat": "重複...", + "SSE.Views.MainSettingsPrint.textRepeatLeft": "在左側重複列", + "SSE.Views.MainSettingsPrint.textRepeatTop": "在頂部重複行", + "SSE.Views.MainSettingsPrint.textSettings": "的設定", + "SSE.Views.NamedRangeEditDlg.errorCreateDefName": "由於其中一些正在被編輯,因此目前無法編輯現有命名範圍,也無法創建新的命名範圍。", + "SSE.Views.NamedRangeEditDlg.namePlaceholder": "定義名稱", + "SSE.Views.NamedRangeEditDlg.notcriticalErrorTitle": "警告", + "SSE.Views.NamedRangeEditDlg.strWorkbook": "工作簿", + "SSE.Views.NamedRangeEditDlg.textDataRange": "數據範圍", + "SSE.Views.NamedRangeEditDlg.textExistName": "錯誤!具有這樣名稱的範圍已經存在", + "SSE.Views.NamedRangeEditDlg.textInvalidName": "名稱必須以字母或下劃線開頭,並且不得包含無效字符。", + "SSE.Views.NamedRangeEditDlg.textInvalidRange": "錯誤!無效的像元範圍", + "SSE.Views.NamedRangeEditDlg.textIsLocked": "錯誤!該元素正在由另一個用戶編輯。", + "SSE.Views.NamedRangeEditDlg.textName": "名稱", + "SSE.Views.NamedRangeEditDlg.textReservedName": "單元格公式中已經引用了您要使用的名稱。請使用其他名稱。", + "SSE.Views.NamedRangeEditDlg.textScope": "範圍", + "SSE.Views.NamedRangeEditDlg.textSelectData": "選擇數據", + "SSE.Views.NamedRangeEditDlg.txtEmpty": "這是必填欄", + "SSE.Views.NamedRangeEditDlg.txtTitleEdit": "編輯名稱", + "SSE.Views.NamedRangeEditDlg.txtTitleNew": "新名字", + "SSE.Views.NamedRangePasteDlg.textNames": "命名範圍", + "SSE.Views.NamedRangePasteDlg.txtTitle": "粘貼名稱", + "SSE.Views.NameManagerDlg.closeButtonText": "關閉", + "SSE.Views.NameManagerDlg.guestText": "來賓帳戶", + "SSE.Views.NameManagerDlg.lockText": "已鎖定", + "SSE.Views.NameManagerDlg.textDataRange": "數據範圍", + "SSE.Views.NameManagerDlg.textDelete": "刪除", + "SSE.Views.NameManagerDlg.textEdit": "編輯", + "SSE.Views.NameManagerDlg.textEmpty": "尚未創建命名範圍。
                              創建至少一個命名範圍,它將出現在此字段中。", + "SSE.Views.NameManagerDlg.textFilter": "過濾器", + "SSE.Views.NameManagerDlg.textFilterAll": "全部", + "SSE.Views.NameManagerDlg.textFilterDefNames": "定義名稱", + "SSE.Views.NameManagerDlg.textFilterSheet": "範圍內的名稱", + "SSE.Views.NameManagerDlg.textFilterTableNames": "表名", + "SSE.Views.NameManagerDlg.textFilterWorkbook": "名稱適用於工作簿", + "SSE.Views.NameManagerDlg.textNew": "新", + "SSE.Views.NameManagerDlg.textnoNames": "找不到與您的過濾器匹配的命名範圍。", + "SSE.Views.NameManagerDlg.textRanges": "命名範圍", + "SSE.Views.NameManagerDlg.textScope": "範圍", + "SSE.Views.NameManagerDlg.textWorkbook": "工作簿", + "SSE.Views.NameManagerDlg.tipIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Views.NameManagerDlg.txtTitle": "名稱管理員", + "SSE.Views.NameManagerDlg.warnDelete": "確定要刪除此姓名: {0}?", + "SSE.Views.PageMarginsDialog.textBottom": "底部", + "SSE.Views.PageMarginsDialog.textLeft": "左", + "SSE.Views.PageMarginsDialog.textRight": "右", + "SSE.Views.PageMarginsDialog.textTitle": "邊界", + "SSE.Views.PageMarginsDialog.textTop": "上方", + "SSE.Views.ParagraphSettings.strLineHeight": "行間距", + "SSE.Views.ParagraphSettings.strParagraphSpacing": "段落間距", + "SSE.Views.ParagraphSettings.strSpacingAfter": "之後", + "SSE.Views.ParagraphSettings.strSpacingBefore": "之前", + "SSE.Views.ParagraphSettings.textAdvanced": "顯示進階設定", + "SSE.Views.ParagraphSettings.textAt": "在", + "SSE.Views.ParagraphSettings.textAtLeast": "至少", + "SSE.Views.ParagraphSettings.textAuto": "多項", + "SSE.Views.ParagraphSettings.textExact": "準確", + "SSE.Views.ParagraphSettings.txtAutoText": "自動", + "SSE.Views.ParagraphSettingsAdvanced.noTabs": "指定的標籤將出現在此字段中", + "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大寫", + "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "雙刪除線", + "SSE.Views.ParagraphSettingsAdvanced.strIndent": "縮進", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行間距", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "右", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "之後", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "之前", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "通過", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字體", + "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "縮進和間距", + "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小大寫", + "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "間距", + "SSE.Views.ParagraphSettingsAdvanced.strStrike": "刪除線", + "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "下標", + "SSE.Views.ParagraphSettingsAdvanced.strSuperscript": "上標", + "SSE.Views.ParagraphSettingsAdvanced.strTabs": "標籤", + "SSE.Views.ParagraphSettingsAdvanced.textAlign": "對齊", + "SSE.Views.ParagraphSettingsAdvanced.textAuto": "多項", + "SSE.Views.ParagraphSettingsAdvanced.textCharacterSpacing": "字符間距", + "SSE.Views.ParagraphSettingsAdvanced.textDefault": "預設分頁", + "SSE.Views.ParagraphSettingsAdvanced.textEffects": "效果", + "SSE.Views.ParagraphSettingsAdvanced.textExact": "準確", + "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "第一行", + "SSE.Views.ParagraphSettingsAdvanced.textHanging": "懸掛式", + "SSE.Views.ParagraphSettingsAdvanced.textJustified": "合理的", + "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(空)", + "SSE.Views.ParagraphSettingsAdvanced.textRemove": "移除", + "SSE.Views.ParagraphSettingsAdvanced.textRemoveAll": "移除所有", + "SSE.Views.ParagraphSettingsAdvanced.textSet": "指定", + "SSE.Views.ParagraphSettingsAdvanced.textTabCenter": "中心", + "SSE.Views.ParagraphSettingsAdvanced.textTabLeft": "左", + "SSE.Views.ParagraphSettingsAdvanced.textTabPosition": "標籤位置", + "SSE.Views.ParagraphSettingsAdvanced.textTabRight": "右", + "SSE.Views.ParagraphSettingsAdvanced.textTitle": "段落-進階設置", + "SSE.Views.ParagraphSettingsAdvanced.txtAutoText": "自動", + "SSE.Views.PivotDigitalFilterDialog.capCondition1": "等於", + "SSE.Views.PivotDigitalFilterDialog.capCondition10": "不以結束", + "SSE.Views.PivotDigitalFilterDialog.capCondition11": "包含", + "SSE.Views.PivotDigitalFilterDialog.capCondition12": "不含", + "SSE.Views.PivotDigitalFilterDialog.capCondition13": "之間", + "SSE.Views.PivotDigitalFilterDialog.capCondition14": "不介於", + "SSE.Views.PivotDigitalFilterDialog.capCondition2": "不等於", + "SSE.Views.PivotDigitalFilterDialog.capCondition3": "大於", + "SSE.Views.PivotDigitalFilterDialog.capCondition4": "大於或等於", + "SSE.Views.PivotDigitalFilterDialog.capCondition5": "小於", + "SSE.Views.PivotDigitalFilterDialog.capCondition6": "小於或等於", + "SSE.Views.PivotDigitalFilterDialog.capCondition7": "開始於", + "SSE.Views.PivotDigitalFilterDialog.capCondition8": "不以", + "SSE.Views.PivotDigitalFilterDialog.capCondition9": "以。。結束", + "SSE.Views.PivotDigitalFilterDialog.textShowLabel": "顯示標籤如下的項目:", + "SSE.Views.PivotDigitalFilterDialog.textShowValue": "顯示以下項目:", + "SSE.Views.PivotDigitalFilterDialog.textUse1": "採用 ?呈現任何單個字符", + "SSE.Views.PivotDigitalFilterDialog.textUse2": "使用*表示任何系列字符", + "SSE.Views.PivotDigitalFilterDialog.txtAnd": "和", + "SSE.Views.PivotDigitalFilterDialog.txtTitleLabel": "標籤過濾器", + "SSE.Views.PivotDigitalFilterDialog.txtTitleValue": "值過濾器", + "SSE.Views.PivotGroupDialog.textAuto": "自動", + "SSE.Views.PivotGroupDialog.textBy": "依照", + "SSE.Views.PivotGroupDialog.textDays": "天", + "SSE.Views.PivotGroupDialog.textEnd": "結束於", + "SSE.Views.PivotGroupDialog.textError": "欄位限數值。", + "SSE.Views.PivotGroupDialog.textGreaterError": "結尾編號必須大於起頭編號。", + "SSE.Views.PivotGroupDialog.textHour": "小時", + "SSE.Views.PivotGroupDialog.textMin": "分鐘", + "SSE.Views.PivotGroupDialog.textMonth": "月", + "SSE.Views.PivotGroupDialog.textNumDays": "天數", + "SSE.Views.PivotGroupDialog.textQuart": "季度", + "SSE.Views.PivotGroupDialog.textSec": "秒數", + "SSE.Views.PivotGroupDialog.textStart": "開始於", + "SSE.Views.PivotGroupDialog.textYear": "年", + "SSE.Views.PivotGroupDialog.txtTitle": "組合", + "SSE.Views.PivotSettings.textAdvanced": "顯示進階設定", + "SSE.Views.PivotSettings.textColumns": "欄", + "SSE.Views.PivotSettings.textFields": "選擇字段", + "SSE.Views.PivotSettings.textFilters": "過濾器", + "SSE.Views.PivotSettings.textRows": "行列", + "SSE.Views.PivotSettings.textValues": "值", + "SSE.Views.PivotSettings.txtAddColumn": "添加到列", + "SSE.Views.PivotSettings.txtAddFilter": "添加到過濾器", + "SSE.Views.PivotSettings.txtAddRow": "添加到行", + "SSE.Views.PivotSettings.txtAddValues": "增到值數", + "SSE.Views.PivotSettings.txtFieldSettings": "欄位設定", + "SSE.Views.PivotSettings.txtMoveBegin": "移至開頭", + "SSE.Views.PivotSettings.txtMoveColumn": "移至欄位", + "SSE.Views.PivotSettings.txtMoveDown": "下移", + "SSE.Views.PivotSettings.txtMoveEnd": "移至結尾", + "SSE.Views.PivotSettings.txtMoveFilter": "移至過濾器", + "SSE.Views.PivotSettings.txtMoveRow": "移至行列", + "SSE.Views.PivotSettings.txtMoveUp": "上移", + "SSE.Views.PivotSettings.txtMoveValues": "轉變為直", + "SSE.Views.PivotSettings.txtRemove": "移除欄位", + "SSE.Views.PivotSettingsAdvanced.strLayout": "名稱和佈局", + "SSE.Views.PivotSettingsAdvanced.textAlt": "替代文字", + "SSE.Views.PivotSettingsAdvanced.textAltDescription": "描述", + "SSE.Views.PivotSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.PivotSettingsAdvanced.textAltTitle": "標題", + "SSE.Views.PivotSettingsAdvanced.textDataRange": "數據範圍", + "SSE.Views.PivotSettingsAdvanced.textDataSource": "數據源", + "SSE.Views.PivotSettingsAdvanced.textDisplayFields": "在報告過濾器區域中顯示字段", + "SSE.Views.PivotSettingsAdvanced.textDown": "下來,然後結束", + "SSE.Views.PivotSettingsAdvanced.textGrandTotals": "累計", + "SSE.Views.PivotSettingsAdvanced.textHeaders": "字段標題", + "SSE.Views.PivotSettingsAdvanced.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.PivotSettingsAdvanced.textOver": "結束,然後向下", + "SSE.Views.PivotSettingsAdvanced.textSelectData": "選擇數據", + "SSE.Views.PivotSettingsAdvanced.textShowCols": "顯示列", + "SSE.Views.PivotSettingsAdvanced.textShowHeaders": "顯示行和列的字段標題", + "SSE.Views.PivotSettingsAdvanced.textShowRows": "顯示行", + "SSE.Views.PivotSettingsAdvanced.textTitle": "數據透視表-進階設置", + "SSE.Views.PivotSettingsAdvanced.textWrapCol": "按列報告過濾器字段", + "SSE.Views.PivotSettingsAdvanced.textWrapRow": "每行報告過濾器字段", + "SSE.Views.PivotSettingsAdvanced.txtEmpty": "這是必填欄", + "SSE.Views.PivotSettingsAdvanced.txtName": "名稱", + "SSE.Views.PivotTable.capBlankRows": "空白行", + "SSE.Views.PivotTable.capGrandTotals": "累計", + "SSE.Views.PivotTable.capLayout": "報告格式", + "SSE.Views.PivotTable.capSubtotals": "小計", + "SSE.Views.PivotTable.mniBottomSubtotals": "在組底部顯示所有小計", + "SSE.Views.PivotTable.mniInsertBlankLine": "在每個項目之後插入空白行", + "SSE.Views.PivotTable.mniLayoutCompact": "以緊湊形式顯示", + "SSE.Views.PivotTable.mniLayoutNoRepeat": "不要重複所有商品標籤", + "SSE.Views.PivotTable.mniLayoutOutline": "以大綱形式顯示", + "SSE.Views.PivotTable.mniLayoutRepeat": "重複所有商品標籤", + "SSE.Views.PivotTable.mniLayoutTabular": "以表格形式顯示", + "SSE.Views.PivotTable.mniNoSubtotals": "不顯示小計", + "SSE.Views.PivotTable.mniOffTotals": "為行和列關閉", + "SSE.Views.PivotTable.mniOnColumnsTotals": "開啟僅適用於列", + "SSE.Views.PivotTable.mniOnRowsTotals": "僅限行", + "SSE.Views.PivotTable.mniOnTotals": "在行和列上", + "SSE.Views.PivotTable.mniRemoveBlankLine": "刪除每個項目後的空白行", + "SSE.Views.PivotTable.mniTopSubtotals": "在組頂部顯示所有小計", + "SSE.Views.PivotTable.textColBanded": "帶狀柱", + "SSE.Views.PivotTable.textColHeader": "列標題", + "SSE.Views.PivotTable.textRowBanded": "帶狀的行", + "SSE.Views.PivotTable.textRowHeader": "行標題", + "SSE.Views.PivotTable.tipCreatePivot": "插入樞紐分析表", + "SSE.Views.PivotTable.tipGrandTotals": "顯示或隱藏總計", + "SSE.Views.PivotTable.tipRefresh": "更新數據源中的信息", + "SSE.Views.PivotTable.tipSelect": "選擇整個數據透視表", + "SSE.Views.PivotTable.tipSubtotals": "顯示或隱藏小計", + "SSE.Views.PivotTable.txtCreate": "插入表格", + "SSE.Views.PivotTable.txtPivotTable": "數據透視表", + "SSE.Views.PivotTable.txtRefresh": "刷新", + "SSE.Views.PivotTable.txtSelect": "選擇", + "SSE.Views.PrintSettings.btnDownload": "保存並下載", + "SSE.Views.PrintSettings.btnPrint": "保存並列印", + "SSE.Views.PrintSettings.strBottom": "底部", + "SSE.Views.PrintSettings.strLandscape": "橫向方向", + "SSE.Views.PrintSettings.strLeft": "左", + "SSE.Views.PrintSettings.strMargins": "邊界", + "SSE.Views.PrintSettings.strPortrait": "直向方向", + "SSE.Views.PrintSettings.strPrint": "列印", + "SSE.Views.PrintSettings.strPrintTitles": "列印標題", + "SSE.Views.PrintSettings.strRight": "右", + "SSE.Views.PrintSettings.strShow": "顯示", + "SSE.Views.PrintSettings.strTop": "上方", + "SSE.Views.PrintSettings.textActualSize": "實際大小", + "SSE.Views.PrintSettings.textAllSheets": "所有工作表", + "SSE.Views.PrintSettings.textCurrentSheet": "當前工作表", + "SSE.Views.PrintSettings.textCustom": "自訂", + "SSE.Views.PrintSettings.textCustomOptions": "自訂選項", + "SSE.Views.PrintSettings.textFitCols": "將所有列放在一頁上", + "SSE.Views.PrintSettings.textFitPage": "一頁上適合紙張", + "SSE.Views.PrintSettings.textFitRows": "將所有行放在一頁上", + "SSE.Views.PrintSettings.textHideDetails": "隱藏細節", + "SSE.Views.PrintSettings.textIgnore": "忽略列印​​區域", + "SSE.Views.PrintSettings.textLayout": "佈局", + "SSE.Views.PrintSettings.textPageOrientation": "頁面方向", + "SSE.Views.PrintSettings.textPageScaling": "縮放比例", + "SSE.Views.PrintSettings.textPageSize": "頁面大小", + "SSE.Views.PrintSettings.textPrintGrid": "列印網格線", + "SSE.Views.PrintSettings.textPrintHeadings": "列印行和列標題", + "SSE.Views.PrintSettings.textPrintRange": "列印範圍", + "SSE.Views.PrintSettings.textRange": "範圍", + "SSE.Views.PrintSettings.textRepeat": "重複...", + "SSE.Views.PrintSettings.textRepeatLeft": "在左側重複列", + "SSE.Views.PrintSettings.textRepeatTop": "在頂部重複行", + "SSE.Views.PrintSettings.textSelection": "選拔", + "SSE.Views.PrintSettings.textSettings": "圖紙設置", + "SSE.Views.PrintSettings.textShowDetails": "顯示詳細資料", + "SSE.Views.PrintSettings.textShowGrid": "顯示網格線", + "SSE.Views.PrintSettings.textShowHeadings": "顯示行和列標題", + "SSE.Views.PrintSettings.textTitle": "列印設定", + "SSE.Views.PrintSettings.textTitlePDF": "PDF設置", + "SSE.Views.PrintTitlesDialog.textFirstCol": "第一欄", + "SSE.Views.PrintTitlesDialog.textFirstRow": "第一排", + "SSE.Views.PrintTitlesDialog.textFrozenCols": "固定列", + "SSE.Views.PrintTitlesDialog.textFrozenRows": "固定行", + "SSE.Views.PrintTitlesDialog.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.PrintTitlesDialog.textLeft": "在左側重複列", + "SSE.Views.PrintTitlesDialog.textNoRepeat": "不要重複", + "SSE.Views.PrintTitlesDialog.textRepeat": "重複...", + "SSE.Views.PrintTitlesDialog.textSelectRange": "選擇範圍", + "SSE.Views.PrintTitlesDialog.textTitle": "列印標題", + "SSE.Views.PrintTitlesDialog.textTop": "在頂部重複行", + "SSE.Views.PrintWithPreview.txtActualSize": "實際大小", + "SSE.Views.PrintWithPreview.txtAllSheets": "所有工作表", + "SSE.Views.PrintWithPreview.txtApplyToAllSheets": "應用在所有工作表", + "SSE.Views.PrintWithPreview.txtBottom": "底部", + "SSE.Views.PrintWithPreview.txtCurrentSheet": "當前工作表", + "SSE.Views.PrintWithPreview.txtCustom": "自訂", + "SSE.Views.PrintWithPreview.txtCustomOptions": "自訂選項", + "SSE.Views.PrintWithPreview.txtEmptyTable": "表格是空白的,無法列印。", + "SSE.Views.PrintWithPreview.txtFitCols": "將所有列放在一頁上", + "SSE.Views.PrintWithPreview.txtFitPage": "一頁上適合紙張", + "SSE.Views.PrintWithPreview.txtFitRows": "將所有行放在一頁上", + "SSE.Views.PrintWithPreview.txtGridlinesAndHeadings": "網格線與標題", + "SSE.Views.PrintWithPreview.txtHeaderFooterSettings": "頁頭/頁尾設定", + "SSE.Views.PrintWithPreview.txtIgnore": "忽略列印​​區域", + "SSE.Views.PrintWithPreview.txtLandscape": "橫向方向", + "SSE.Views.PrintWithPreview.txtLeft": "左", + "SSE.Views.PrintWithPreview.txtMargins": "邊界", + "SSE.Views.PrintWithPreview.txtOf": "之 {0}", + "SSE.Views.PrintWithPreview.txtPage": "頁面", + "SSE.Views.PrintWithPreview.txtPageNumInvalid": "頁碼無效", + "SSE.Views.PrintWithPreview.txtPageOrientation": "頁面方向", + "SSE.Views.PrintWithPreview.txtPageSize": "頁面大小", + "SSE.Views.PrintWithPreview.txtPortrait": "直向方向", + "SSE.Views.PrintWithPreview.txtPrint": "列印", + "SSE.Views.PrintWithPreview.txtPrintGrid": "列印網格線", + "SSE.Views.PrintWithPreview.txtPrintHeadings": "列印行和列標題", + "SSE.Views.PrintWithPreview.txtPrintRange": "列印範圍", + "SSE.Views.PrintWithPreview.txtPrintTitles": "列印標題", + "SSE.Views.PrintWithPreview.txtRepeat": "重複...", + "SSE.Views.PrintWithPreview.txtRepeatColumnsAtLeft": "在左側重複列", + "SSE.Views.PrintWithPreview.txtRepeatRowsAtTop": "在頂部重複行", + "SSE.Views.PrintWithPreview.txtRight": "右", + "SSE.Views.PrintWithPreview.txtSave": "存檔", + "SSE.Views.PrintWithPreview.txtScaling": "縮放比例", + "SSE.Views.PrintWithPreview.txtSelection": "選項", + "SSE.Views.PrintWithPreview.txtSettingsOfSheet": "工作表設定", + "SSE.Views.PrintWithPreview.txtSheet": "工作表:{0}", + "SSE.Views.PrintWithPreview.txtTop": "上方", + "SSE.Views.ProtectDialog.textExistName": "錯誤!有標題的範圍已存在", + "SSE.Views.ProtectDialog.textInvalidName": "範圍標準必須為字母起頭而只能包含數字、字母和空格。", + "SSE.Views.ProtectDialog.textInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.ProtectDialog.textSelectData": "選擇數據", + "SSE.Views.ProtectDialog.txtAllow": "允許所有用戶:", + "SSE.Views.ProtectDialog.txtAutofilter": "使用自動分類", + "SSE.Views.ProtectDialog.txtDelCols": "列刪除", + "SSE.Views.ProtectDialog.txtDelRows": "行刪除", + "SSE.Views.ProtectDialog.txtEmpty": "這是必填欄", + "SSE.Views.ProtectDialog.txtFormatCells": "儲存格格式化", + "SSE.Views.ProtectDialog.txtFormatCols": "格式化柱列", + "SSE.Views.ProtectDialog.txtFormatRows": "格式化行列", + "SSE.Views.ProtectDialog.txtIncorrectPwd": "確認密碼不相同", + "SSE.Views.ProtectDialog.txtInsCols": "插入欄列", + "SSE.Views.ProtectDialog.txtInsHyper": "插入超鏈接", + "SSE.Views.ProtectDialog.txtInsRows": "插入行列", + "SSE.Views.ProtectDialog.txtObjs": "編輯物件", + "SSE.Views.ProtectDialog.txtOptional": "可選的", + "SSE.Views.ProtectDialog.txtPassword": "密碼", + "SSE.Views.ProtectDialog.txtPivot": "使用PivotTable和PivotChart", + "SSE.Views.ProtectDialog.txtProtect": "保護", + "SSE.Views.ProtectDialog.txtRange": "範圍", + "SSE.Views.ProtectDialog.txtRangeName": "標題", + "SSE.Views.ProtectDialog.txtRepeat": "重複輸入密碼", + "SSE.Views.ProtectDialog.txtScen": "編輯場景", + "SSE.Views.ProtectDialog.txtSelLocked": "選鎖定儲存格", + "SSE.Views.ProtectDialog.txtSelUnLocked": "選無鎖定儲存格", + "SSE.Views.ProtectDialog.txtSheetDescription": "防止其他用戶編改,可限制其他用戶的編輯權限。", + "SSE.Views.ProtectDialog.txtSheetTitle": "保護工作表", + "SSE.Views.ProtectDialog.txtSort": "分類", + "SSE.Views.ProtectDialog.txtWarning": "警告:如果失去密碼,將無法取回。請妥善保存。", + "SSE.Views.ProtectDialog.txtWBDescription": "為防止其他用戶查看隱藏的工作表,添加、移動、刪除或隱藏工作表和重命名工作表,您可以設定密碼保護工作表架構。", + "SSE.Views.ProtectDialog.txtWBTitle": "保護工作簿結構", + "SSE.Views.ProtectRangesDlg.guestText": "來賓帳戶", + "SSE.Views.ProtectRangesDlg.lockText": "已鎖定", + "SSE.Views.ProtectRangesDlg.textDelete": "刪除", + "SSE.Views.ProtectRangesDlg.textEdit": "編輯", + "SSE.Views.ProtectRangesDlg.textEmpty": "無範圍可編輯", + "SSE.Views.ProtectRangesDlg.textNew": "新", + "SSE.Views.ProtectRangesDlg.textProtect": "保護工作表", + "SSE.Views.ProtectRangesDlg.textPwd": "密碼", + "SSE.Views.ProtectRangesDlg.textRange": "範圍", + "SSE.Views.ProtectRangesDlg.textRangesDesc": "工作表受保護時,範圍為密碼解鎖。", + "SSE.Views.ProtectRangesDlg.textTitle": "標題", + "SSE.Views.ProtectRangesDlg.tipIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Views.ProtectRangesDlg.txtEditRange": "編輯範圍", + "SSE.Views.ProtectRangesDlg.txtNewRange": "新範圍", + "SSE.Views.ProtectRangesDlg.txtNo": "沒有", + "SSE.Views.ProtectRangesDlg.txtTitle": "允許用戶範圍編輯", + "SSE.Views.ProtectRangesDlg.txtYes": "是", + "SSE.Views.ProtectRangesDlg.warnDelete": "確定要刪除此姓名: {0}?", + "SSE.Views.RemoveDuplicatesDialog.textColumns": "欄", + "SSE.Views.RemoveDuplicatesDialog.textDescription": "要刪除重複的值,請選擇一個或多個包含重複的列。", + "SSE.Views.RemoveDuplicatesDialog.textHeaders": "我的數據有標題", + "SSE.Views.RemoveDuplicatesDialog.textSelectAll": "全選", + "SSE.Views.RemoveDuplicatesDialog.txtTitle": "刪除重複項", + "SSE.Views.RightMenu.txtCellSettings": "單元格設置", + "SSE.Views.RightMenu.txtChartSettings": "圖表設定", + "SSE.Views.RightMenu.txtImageSettings": "影像設定", + "SSE.Views.RightMenu.txtParagraphSettings": "段落設定", + "SSE.Views.RightMenu.txtPivotSettings": "數據透視表設置", + "SSE.Views.RightMenu.txtSettings": "一般設定", + "SSE.Views.RightMenu.txtShapeSettings": "形狀設定", + "SSE.Views.RightMenu.txtSignatureSettings": "簽名設置", + "SSE.Views.RightMenu.txtSlicerSettings": "切片器設置", + "SSE.Views.RightMenu.txtSparklineSettings": "走勢圖設置", + "SSE.Views.RightMenu.txtTableSettings": "表格設定", + "SSE.Views.RightMenu.txtTextArtSettings": "文字藝術設定", + "SSE.Views.ScaleDialog.textAuto": "自動", + "SSE.Views.ScaleDialog.textError": "輸入的值不正確。", + "SSE.Views.ScaleDialog.textFewPages": "頁", + "SSE.Views.ScaleDialog.textFitTo": "適合", + "SSE.Views.ScaleDialog.textHeight": "高度", + "SSE.Views.ScaleDialog.textManyPages": "頁", + "SSE.Views.ScaleDialog.textOnePage": "頁面", + "SSE.Views.ScaleDialog.textScaleTo": "縮放到", + "SSE.Views.ScaleDialog.textTitle": "比例設置", + "SSE.Views.ScaleDialog.textWidth": "寬度", + "SSE.Views.SetValueDialog.txtMaxText": "此字段的最大值為{0}", + "SSE.Views.SetValueDialog.txtMinText": "此字段的最小值為{0}", + "SSE.Views.ShapeSettings.strBackground": "背景顏色", + "SSE.Views.ShapeSettings.strChange": "更改自動形狀", + "SSE.Views.ShapeSettings.strColor": "顏色", + "SSE.Views.ShapeSettings.strFill": "填入", + "SSE.Views.ShapeSettings.strForeground": "前景色", + "SSE.Views.ShapeSettings.strPattern": "模式", + "SSE.Views.ShapeSettings.strShadow": "顯示陰影", + "SSE.Views.ShapeSettings.strSize": "大小", + "SSE.Views.ShapeSettings.strStroke": "筆鋒", + "SSE.Views.ShapeSettings.strTransparency": "透明度", + "SSE.Views.ShapeSettings.strType": "類型", + "SSE.Views.ShapeSettings.textAdvanced": "顯示進階設定", + "SSE.Views.ShapeSettings.textAngle": "角度", + "SSE.Views.ShapeSettings.textBorderSizeErr": "輸入的值不正確。
                              請輸入0 pt至1584 pt之間的值。", + "SSE.Views.ShapeSettings.textColor": "填充顏色", + "SSE.Views.ShapeSettings.textDirection": "方向", + "SSE.Views.ShapeSettings.textEmptyPattern": "無模式", + "SSE.Views.ShapeSettings.textFlip": "翻轉", + "SSE.Views.ShapeSettings.textFromFile": "從檔案", + "SSE.Views.ShapeSettings.textFromStorage": "從存儲", + "SSE.Views.ShapeSettings.textFromUrl": "從 URL", + "SSE.Views.ShapeSettings.textGradient": "漸變點", + "SSE.Views.ShapeSettings.textGradientFill": "漸層填充", + "SSE.Views.ShapeSettings.textHint270": "逆時針旋轉90°", + "SSE.Views.ShapeSettings.textHint90": "順時針旋轉90°", + "SSE.Views.ShapeSettings.textHintFlipH": "水平翻轉", + "SSE.Views.ShapeSettings.textHintFlipV": "垂直翻轉", + "SSE.Views.ShapeSettings.textImageTexture": "圖片或紋理", + "SSE.Views.ShapeSettings.textLinear": "線性的", + "SSE.Views.ShapeSettings.textNoFill": "沒有填充", + "SSE.Views.ShapeSettings.textOriginalSize": "原始尺寸", + "SSE.Views.ShapeSettings.textPatternFill": "模式", + "SSE.Views.ShapeSettings.textPosition": "位置", + "SSE.Views.ShapeSettings.textRadial": "徑向的", + "SSE.Views.ShapeSettings.textRecentlyUsed": "最近使用", + "SSE.Views.ShapeSettings.textRotate90": "旋轉90°", + "SSE.Views.ShapeSettings.textRotation": "旋轉", + "SSE.Views.ShapeSettings.textSelectImage": "選擇圖片", + "SSE.Views.ShapeSettings.textSelectTexture": "選擇", + "SSE.Views.ShapeSettings.textStretch": "延伸", + "SSE.Views.ShapeSettings.textStyle": "樣式", + "SSE.Views.ShapeSettings.textTexture": "從紋理", + "SSE.Views.ShapeSettings.textTile": "磚瓦", + "SSE.Views.ShapeSettings.tipAddGradientPoint": "添加漸變點", + "SSE.Views.ShapeSettings.tipRemoveGradientPoint": "刪除漸變點", + "SSE.Views.ShapeSettings.txtBrownPaper": "牛皮紙", + "SSE.Views.ShapeSettings.txtCanvas": "帆布", + "SSE.Views.ShapeSettings.txtCarton": "紙箱", + "SSE.Views.ShapeSettings.txtDarkFabric": "深色面料", + "SSE.Views.ShapeSettings.txtGrain": "紋", + "SSE.Views.ShapeSettings.txtGranite": "花崗岩", + "SSE.Views.ShapeSettings.txtGreyPaper": "灰紙", + "SSE.Views.ShapeSettings.txtKnit": "編織", + "SSE.Views.ShapeSettings.txtLeather": "皮革", + "SSE.Views.ShapeSettings.txtNoBorders": "無線條", + "SSE.Views.ShapeSettings.txtPapyrus": "紙莎草紙", + "SSE.Views.ShapeSettings.txtWood": "木頭", + "SSE.Views.ShapeSettingsAdvanced.strColumns": "欄", + "SSE.Views.ShapeSettingsAdvanced.strMargins": "文字填充", + "SSE.Views.ShapeSettingsAdvanced.textAbsolute": "不要移動或調整單元格的大小", + "SSE.Views.ShapeSettingsAdvanced.textAlt": "替代文字", + "SSE.Views.ShapeSettingsAdvanced.textAltDescription": "描述", + "SSE.Views.ShapeSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.ShapeSettingsAdvanced.textAltTitle": "標題", + "SSE.Views.ShapeSettingsAdvanced.textAngle": "角度", + "SSE.Views.ShapeSettingsAdvanced.textArrows": "箭頭", + "SSE.Views.ShapeSettingsAdvanced.textAutofit": "自動調整", + "SSE.Views.ShapeSettingsAdvanced.textBeginSize": "開始大小", + "SSE.Views.ShapeSettingsAdvanced.textBeginStyle": "開始樣式", + "SSE.Views.ShapeSettingsAdvanced.textBevel": "斜角", + "SSE.Views.ShapeSettingsAdvanced.textBottom": "底部", + "SSE.Views.ShapeSettingsAdvanced.textCapType": "Cap 類型", + "SSE.Views.ShapeSettingsAdvanced.textColNumber": "列數", + "SSE.Views.ShapeSettingsAdvanced.textEndSize": "端部尺寸", + "SSE.Views.ShapeSettingsAdvanced.textEndStyle": "結束樣式", + "SSE.Views.ShapeSettingsAdvanced.textFlat": "平面", + "SSE.Views.ShapeSettingsAdvanced.textFlipped": "已翻轉", + "SSE.Views.ShapeSettingsAdvanced.textHeight": "高度", + "SSE.Views.ShapeSettingsAdvanced.textHorizontally": "水平地", + "SSE.Views.ShapeSettingsAdvanced.textJoinType": "加入類型", + "SSE.Views.ShapeSettingsAdvanced.textKeepRatio": "比例不變", + "SSE.Views.ShapeSettingsAdvanced.textLeft": "左", + "SSE.Views.ShapeSettingsAdvanced.textLineStyle": "線型", + "SSE.Views.ShapeSettingsAdvanced.textMiter": "Miter", + "SSE.Views.ShapeSettingsAdvanced.textOneCell": "移動但不調整單元格的大小", + "SSE.Views.ShapeSettingsAdvanced.textOverflow": "允許文字溢出形狀", + "SSE.Views.ShapeSettingsAdvanced.textResizeFit": "調整形狀以適合文本", + "SSE.Views.ShapeSettingsAdvanced.textRight": "右", + "SSE.Views.ShapeSettingsAdvanced.textRotation": "旋轉", + "SSE.Views.ShapeSettingsAdvanced.textRound": "圓", + "SSE.Views.ShapeSettingsAdvanced.textSize": "大小", + "SSE.Views.ShapeSettingsAdvanced.textSnap": "單元捕捉", + "SSE.Views.ShapeSettingsAdvanced.textSpacing": "欄之前的距離", + "SSE.Views.ShapeSettingsAdvanced.textSquare": "正方形", + "SSE.Views.ShapeSettingsAdvanced.textTextBox": "文字框", + "SSE.Views.ShapeSettingsAdvanced.textTitle": "形狀 - 進階設定", + "SSE.Views.ShapeSettingsAdvanced.textTop": "上方", + "SSE.Views.ShapeSettingsAdvanced.textTwoCell": "移動並調整單元格大小", + "SSE.Views.ShapeSettingsAdvanced.textVertically": "垂直", + "SSE.Views.ShapeSettingsAdvanced.textWeightArrows": "重量和箭頭", + "SSE.Views.ShapeSettingsAdvanced.textWidth": "寬度", + "SSE.Views.SignatureSettings.notcriticalErrorTitle": "警告", + "SSE.Views.SignatureSettings.strDelete": "刪除簽名", + "SSE.Views.SignatureSettings.strDetails": "簽名細節", + "SSE.Views.SignatureSettings.strInvalid": "無效的簽名", + "SSE.Views.SignatureSettings.strRequested": "要求的簽名", + "SSE.Views.SignatureSettings.strSetup": "簽名設置", + "SSE.Views.SignatureSettings.strSign": "簽名", + "SSE.Views.SignatureSettings.strSignature": "簽名", + "SSE.Views.SignatureSettings.strSigner": "簽名者", + "SSE.Views.SignatureSettings.strValid": "有效簽名", + "SSE.Views.SignatureSettings.txtContinueEditing": "仍要編輯", + "SSE.Views.SignatureSettings.txtEditWarning": "編輯將刪除電子表格中的簽名。
                              確定要繼續嗎?", + "SSE.Views.SignatureSettings.txtRemoveWarning": "確定移除此簽名?
                              這動作無法復原.", + "SSE.Views.SignatureSettings.txtRequestedSignatures": "該電子表格需要簽名。", + "SSE.Views.SignatureSettings.txtSigned": "有效簽名已添加到電子表格中。電子表格受到保護,無法編輯。", + "SSE.Views.SignatureSettings.txtSignedInvalid": "電子表格中的某些數字簽名無效或無法驗證。電子表格受到保護,無法編輯。", + "SSE.Views.SlicerAddDialog.textColumns": "欄", + "SSE.Views.SlicerAddDialog.txtTitle": "插入切片機", + "SSE.Views.SlicerSettings.strHideNoData": "隱藏沒有數據的項目", + "SSE.Views.SlicerSettings.strIndNoData": "直觀地指示沒有數據的項目", + "SSE.Views.SlicerSettings.strShowDel": "顯示從數據源中刪除的項目", + "SSE.Views.SlicerSettings.strShowNoData": "顯示最後沒有數據的項目", + "SSE.Views.SlicerSettings.strSorting": "排序與過濾", + "SSE.Views.SlicerSettings.textAdvanced": "顯示進階設定", + "SSE.Views.SlicerSettings.textAsc": "上升", + "SSE.Views.SlicerSettings.textAZ": "從A到Z", + "SSE.Views.SlicerSettings.textButtons": "按鈕", + "SSE.Views.SlicerSettings.textColumns": "欄", + "SSE.Views.SlicerSettings.textDesc": "降序", + "SSE.Views.SlicerSettings.textHeight": "高度", + "SSE.Views.SlicerSettings.textHor": "水平", + "SSE.Views.SlicerSettings.textKeepRatio": "比例不變", + "SSE.Views.SlicerSettings.textLargeSmall": "最大到最小", + "SSE.Views.SlicerSettings.textLock": "禁用調整大小或移動", + "SSE.Views.SlicerSettings.textNewOld": "最新到最舊", + "SSE.Views.SlicerSettings.textOldNew": "最舊到最新", + "SSE.Views.SlicerSettings.textPosition": "位置", + "SSE.Views.SlicerSettings.textSize": "大小", + "SSE.Views.SlicerSettings.textSmallLarge": "最小到最大", + "SSE.Views.SlicerSettings.textStyle": "樣式", + "SSE.Views.SlicerSettings.textVert": "垂直", + "SSE.Views.SlicerSettings.textWidth": "寬度", + "SSE.Views.SlicerSettings.textZA": "從Z到A", + "SSE.Views.SlicerSettingsAdvanced.strButtons": "按鈕", + "SSE.Views.SlicerSettingsAdvanced.strColumns": "欄", + "SSE.Views.SlicerSettingsAdvanced.strHeight": "高度", + "SSE.Views.SlicerSettingsAdvanced.strHideNoData": "隱藏沒有數據的項目", + "SSE.Views.SlicerSettingsAdvanced.strIndNoData": "直觀地指示沒有數據的項目", + "SSE.Views.SlicerSettingsAdvanced.strReferences": "參考文獻", + "SSE.Views.SlicerSettingsAdvanced.strShowDel": "顯示從數據源中刪除的項目", + "SSE.Views.SlicerSettingsAdvanced.strShowHeader": "顯示標題", + "SSE.Views.SlicerSettingsAdvanced.strShowNoData": "顯示最後沒有數據的項目", + "SSE.Views.SlicerSettingsAdvanced.strSize": "大小", + "SSE.Views.SlicerSettingsAdvanced.strSorting": "排序與過濾", + "SSE.Views.SlicerSettingsAdvanced.strStyle": "樣式", + "SSE.Views.SlicerSettingsAdvanced.strStyleSize": "樣式和尺寸", + "SSE.Views.SlicerSettingsAdvanced.strWidth": "寬度", + "SSE.Views.SlicerSettingsAdvanced.textAbsolute": "不要移動或調整單元格的大小", + "SSE.Views.SlicerSettingsAdvanced.textAlt": "替代文字", + "SSE.Views.SlicerSettingsAdvanced.textAltDescription": "描述", + "SSE.Views.SlicerSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.SlicerSettingsAdvanced.textAltTitle": "標題", + "SSE.Views.SlicerSettingsAdvanced.textAsc": "上升", + "SSE.Views.SlicerSettingsAdvanced.textAZ": "從A到Z", + "SSE.Views.SlicerSettingsAdvanced.textDesc": "降序", + "SSE.Views.SlicerSettingsAdvanced.textFormulaName": "公式中使用的名稱", + "SSE.Views.SlicerSettingsAdvanced.textHeader": "標頭", + "SSE.Views.SlicerSettingsAdvanced.textKeepRatio": "比例不變", + "SSE.Views.SlicerSettingsAdvanced.textLargeSmall": "最大到最小", + "SSE.Views.SlicerSettingsAdvanced.textName": "名稱", + "SSE.Views.SlicerSettingsAdvanced.textNewOld": "最新到最舊", + "SSE.Views.SlicerSettingsAdvanced.textOldNew": "最舊到最新", + "SSE.Views.SlicerSettingsAdvanced.textOneCell": "移動但不調整單元格的大小", + "SSE.Views.SlicerSettingsAdvanced.textSmallLarge": "最小到最大", + "SSE.Views.SlicerSettingsAdvanced.textSnap": "單元捕捉", + "SSE.Views.SlicerSettingsAdvanced.textSort": "分類", + "SSE.Views.SlicerSettingsAdvanced.textSourceName": "來源名稱", + "SSE.Views.SlicerSettingsAdvanced.textTitle": "切片器-進階設置", + "SSE.Views.SlicerSettingsAdvanced.textTwoCell": "移動並調整單元格大小", + "SSE.Views.SlicerSettingsAdvanced.textZA": "從Z到A", + "SSE.Views.SlicerSettingsAdvanced.txtEmpty": "這是必填欄", + "SSE.Views.SortDialog.errorEmpty": "所有排序條件必須指定一個列或行。", + "SSE.Views.SortDialog.errorMoreOneCol": "選擇了多個列。", + "SSE.Views.SortDialog.errorMoreOneRow": "選擇了多個行。", + "SSE.Views.SortDialog.errorNotOriginalCol": "您選擇的列不在原始選定範圍內。", + "SSE.Views.SortDialog.errorNotOriginalRow": "您選擇的行不在原始選定範圍內。", + "SSE.Views.SortDialog.errorSameColumnColor": "%1被多次用相同的顏色排序。
                              刪除重複的排序條件,然後重試。", + "SSE.Views.SortDialog.errorSameColumnValue": "%1多次按值排序。
                              刪除重複的排序條件,然後重試。", + "SSE.Views.SortDialog.textAdd": "添加等級", + "SSE.Views.SortDialog.textAsc": "上升", + "SSE.Views.SortDialog.textAuto": "自動", + "SSE.Views.SortDialog.textAZ": "從A到Z", + "SSE.Views.SortDialog.textBelow": "之下", + "SSE.Views.SortDialog.textCellColor": "單元格顏色", + "SSE.Views.SortDialog.textColumn": "欄", + "SSE.Views.SortDialog.textCopy": "複製等級", + "SSE.Views.SortDialog.textDelete": "刪除等級", + "SSE.Views.SortDialog.textDesc": "降序", + "SSE.Views.SortDialog.textDown": "向下移動級別", + "SSE.Views.SortDialog.textFontColor": "字體顏色", + "SSE.Views.SortDialog.textLeft": "左", + "SSE.Views.SortDialog.textMoreCols": "(更多列...)", + "SSE.Views.SortDialog.textMoreRows": "(更多行...)", + "SSE.Views.SortDialog.textNone": "無", + "SSE.Views.SortDialog.textOptions": "選項", + "SSE.Views.SortDialog.textOrder": "排序", + "SSE.Views.SortDialog.textRight": "右", + "SSE.Views.SortDialog.textRow": "行", + "SSE.Views.SortDialog.textSort": "排序", + "SSE.Views.SortDialog.textSortBy": "排序方式", + "SSE.Views.SortDialog.textThenBy": "然後", + "SSE.Views.SortDialog.textTop": "上方", + "SSE.Views.SortDialog.textUp": "向上移動", + "SSE.Views.SortDialog.textValues": "值", + "SSE.Views.SortDialog.textZA": "從Z到A", + "SSE.Views.SortDialog.txtInvalidRange": "無效的單元格範圍。", + "SSE.Views.SortDialog.txtTitle": "分類", + "SSE.Views.SortFilterDialog.textAsc": "由(A到Z)升序", + "SSE.Views.SortFilterDialog.textDesc": "降序(Z到A)", + "SSE.Views.SortFilterDialog.txtTitle": "分類", + "SSE.Views.SortOptionsDialog.textCase": "區分大小寫", + "SSE.Views.SortOptionsDialog.textHeaders": "我的數據有標題", + "SSE.Views.SortOptionsDialog.textLeftRight": "從左到右排序", + "SSE.Views.SortOptionsDialog.textOrientation": "方向", + "SSE.Views.SortOptionsDialog.textTitle": "排序選項", + "SSE.Views.SortOptionsDialog.textTopBottom": "從上到下排序", + "SSE.Views.SpecialPasteDialog.textAdd": "新增", + "SSE.Views.SpecialPasteDialog.textAll": "全部", + "SSE.Views.SpecialPasteDialog.textBlanks": "跳過空白", + "SSE.Views.SpecialPasteDialog.textColWidth": "列寬", + "SSE.Views.SpecialPasteDialog.textComments": "評論", + "SSE.Views.SpecialPasteDialog.textDiv": "劃分", + "SSE.Views.SpecialPasteDialog.textFFormat": "公式和格式", + "SSE.Views.SpecialPasteDialog.textFNFormat": "公式和數字格式", + "SSE.Views.SpecialPasteDialog.textFormats": "格式", + "SSE.Views.SpecialPasteDialog.textFormulas": "公式", + "SSE.Views.SpecialPasteDialog.textFWidth": "公式和列寬", + "SSE.Views.SpecialPasteDialog.textMult": "乘", + "SSE.Views.SpecialPasteDialog.textNone": "無", + "SSE.Views.SpecialPasteDialog.textOperation": "操作", + "SSE.Views.SpecialPasteDialog.textPaste": "貼上", + "SSE.Views.SpecialPasteDialog.textSub": "減去", + "SSE.Views.SpecialPasteDialog.textTitle": "特別貼黏", + "SSE.Views.SpecialPasteDialog.textTranspose": "轉置", + "SSE.Views.SpecialPasteDialog.textValues": "值", + "SSE.Views.SpecialPasteDialog.textVFormat": "值和格式", + "SSE.Views.SpecialPasteDialog.textVNFormat": "值和數字格式", + "SSE.Views.SpecialPasteDialog.textWBorders": "所有,除邊界", + "SSE.Views.Spellcheck.noSuggestions": "沒有拼寫建議", + "SSE.Views.Spellcheck.textChange": "變更", + "SSE.Views.Spellcheck.textChangeAll": "全部更改", + "SSE.Views.Spellcheck.textIgnore": "忽視", + "SSE.Views.Spellcheck.textIgnoreAll": "忽略所有", + "SSE.Views.Spellcheck.txtAddToDictionary": "添加到字典", + "SSE.Views.Spellcheck.txtComplete": "拼寫檢查已完成", + "SSE.Views.Spellcheck.txtDictionaryLanguage": "字典語言", + "SSE.Views.Spellcheck.txtNextTip": "轉到下一個單詞", + "SSE.Views.Spellcheck.txtSpelling": "拼寫", + "SSE.Views.Statusbar.CopyDialog.itemCopyToEnd": "(複製到結尾)", + "SSE.Views.Statusbar.CopyDialog.itemMoveToEnd": "(移至結尾)", + "SSE.Views.Statusbar.CopyDialog.textCopyBefore": "複製工作表之前", + "SSE.Views.Statusbar.CopyDialog.textMoveBefore": "在工作表前移動", + "SSE.Views.Statusbar.filteredRecordsText": "已過濾{1}個記錄中的{0}個", + "SSE.Views.Statusbar.filteredText": "過濾模式", + "SSE.Views.Statusbar.itemAverage": "平均", + "SSE.Views.Statusbar.itemCopy": "複製", + "SSE.Views.Statusbar.itemCount": "計數", + "SSE.Views.Statusbar.itemDelete": "刪除", + "SSE.Views.Statusbar.itemHidden": "隱長", + "SSE.Views.Statusbar.itemHide": "隱藏", + "SSE.Views.Statusbar.itemInsert": "插入", + "SSE.Views.Statusbar.itemMaximum": "最大", + "SSE.Views.Statusbar.itemMinimum": "最低", + "SSE.Views.Statusbar.itemMove": "搬移", + "SSE.Views.Statusbar.itemProtect": "保護", + "SSE.Views.Statusbar.itemRename": "重新命名", + "SSE.Views.Statusbar.itemStatus": "保存狀態", + "SSE.Views.Statusbar.itemSum": "總和", + "SSE.Views.Statusbar.itemTabColor": "標籤顏色", + "SSE.Views.Statusbar.itemUnProtect": "解鎖", + "SSE.Views.Statusbar.RenameDialog.errNameExists": "具有這樣名稱的工作表已經存在。", + "SSE.Views.Statusbar.RenameDialog.errNameWrongChar": "工作表名稱不能包含以下字符:\\ / *?[]:", + "SSE.Views.Statusbar.RenameDialog.labelSheetName": "表格名稱", + "SSE.Views.Statusbar.selectAllSheets": "選擇所有工作表", + "SSE.Views.Statusbar.sheetIndexText": "工作表{0}共{1}", + "SSE.Views.Statusbar.textAverage": "平均", + "SSE.Views.Statusbar.textCount": "計數", + "SSE.Views.Statusbar.textMax": "最高", + "SSE.Views.Statusbar.textMin": "最低", + "SSE.Views.Statusbar.textNewColor": "新增自訂顏色", + "SSE.Views.Statusbar.textNoColor": "無顏色", + "SSE.Views.Statusbar.textSum": "總和", + "SSE.Views.Statusbar.tipAddTab": "添加工作表", + "SSE.Views.Statusbar.tipFirst": "滾動到第一張紙", + "SSE.Views.Statusbar.tipLast": "滾動到最後張紙", + "SSE.Views.Statusbar.tipListOfSheets": "工作表列表", + "SSE.Views.Statusbar.tipNext": "向右滾動工作表列表", + "SSE.Views.Statusbar.tipPrev": "向左滾動工作表列表", + "SSE.Views.Statusbar.tipZoomFactor": "放大", + "SSE.Views.Statusbar.tipZoomIn": "放大", + "SSE.Views.Statusbar.tipZoomOut": "縮小", + "SSE.Views.Statusbar.ungroupSheets": "取消工作表分組", + "SSE.Views.Statusbar.zoomText": "放大{0}%", + "SSE.Views.TableOptionsDialog.errorAutoFilterDataRange": "無法對所選單元格範圍執行此操作。
                              選擇與現有單元格範圍不同的統一數據范圍,然後重試。", + "SSE.Views.TableOptionsDialog.errorFTChangeTableRangeError": "無法完成所選單元格範圍的操作。
                              選擇一個範圍,以使第一表行位於同一行上,並且結果表與當前表重疊。", + "SSE.Views.TableOptionsDialog.errorFTRangeIncludedOtherTables": "無法完成所選單元格範圍的操作。
                              選擇一個不包含其他表的範圍。", + "SSE.Views.TableOptionsDialog.errorMultiCellFormula": "表中不允許使用多單元格數組公式。", + "SSE.Views.TableOptionsDialog.txtEmpty": "這是必填欄", + "SSE.Views.TableOptionsDialog.txtFormat": "建立表格", + "SSE.Views.TableOptionsDialog.txtInvalidRange": "錯誤!無效的單元格範圍", + "SSE.Views.TableOptionsDialog.txtNote": "標頭必須保留在同一行中,並且結果表範圍必須與原始表範圍重疊。", + "SSE.Views.TableOptionsDialog.txtTitle": "標題", + "SSE.Views.TableSettings.deleteColumnText": "刪除欄位", + "SSE.Views.TableSettings.deleteRowText": "刪除行列", + "SSE.Views.TableSettings.deleteTableText": "刪除表格", + "SSE.Views.TableSettings.insertColumnLeftText": "向左插入列", + "SSE.Views.TableSettings.insertColumnRightText": "向右插入列", + "SSE.Views.TableSettings.insertRowAboveText": "在上方插入行", + "SSE.Views.TableSettings.insertRowBelowText": "在下方插入行", + "SSE.Views.TableSettings.notcriticalErrorTitle": "警告", + "SSE.Views.TableSettings.selectColumnText": "選擇整個列", + "SSE.Views.TableSettings.selectDataText": "選擇列數據", + "SSE.Views.TableSettings.selectRowText": "選擇列", + "SSE.Views.TableSettings.selectTableText": "選擇表格", + "SSE.Views.TableSettings.textActions": "表動作", + "SSE.Views.TableSettings.textAdvanced": "顯示進階設定", + "SSE.Views.TableSettings.textBanded": "帶狀", + "SSE.Views.TableSettings.textColumns": "欄", + "SSE.Views.TableSettings.textConvertRange": "轉換為範圍", + "SSE.Views.TableSettings.textEdit": "行和列", + "SSE.Views.TableSettings.textEmptyTemplate": "\n沒有模板", + "SSE.Views.TableSettings.textExistName": "錯誤!具有這樣名稱的範圍已經存在", + "SSE.Views.TableSettings.textFilter": "篩選按鈕", + "SSE.Views.TableSettings.textFirst": "第一", + "SSE.Views.TableSettings.textHeader": "標頭", + "SSE.Views.TableSettings.textInvalidName": "錯誤!無效的表名", + "SSE.Views.TableSettings.textIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Views.TableSettings.textLast": "最後", + "SSE.Views.TableSettings.textLongOperation": "運行時間長", + "SSE.Views.TableSettings.textPivot": "插入樞紐分析表", + "SSE.Views.TableSettings.textRemDuplicates": "刪除重複項", + "SSE.Views.TableSettings.textReservedName": "單元格公式中已經引用了您要使用的名稱。請使用其他名稱。", + "SSE.Views.TableSettings.textResize": "調整表格", + "SSE.Views.TableSettings.textRows": "行列", + "SSE.Views.TableSettings.textSelectData": "選擇數據", + "SSE.Views.TableSettings.textSlicer": "插入切片器", + "SSE.Views.TableSettings.textTableName": "表名", + "SSE.Views.TableSettings.textTemplate": "從範本中選擇", + "SSE.Views.TableSettings.textTotal": "總計", + "SSE.Views.TableSettings.warnLongOperation": "您將要執行的操作可能需要花費大量時間才能完成。
                              您確定要繼續嗎?", + "SSE.Views.TableSettingsAdvanced.textAlt": "替代文字", + "SSE.Views.TableSettingsAdvanced.textAltDescription": "描述", + "SSE.Views.TableSettingsAdvanced.textAltTip": "視覺對象信息的替代基於文本的表示形式,將向有視力或認知障礙的人讀取,以幫助他們更好地理解圖像,自動成型,圖表或表格中包含的信息。", + "SSE.Views.TableSettingsAdvanced.textAltTitle": "標題", + "SSE.Views.TableSettingsAdvanced.textTitle": "表格 - 進階設定", + "SSE.Views.TextArtSettings.strBackground": "背景顏色", + "SSE.Views.TextArtSettings.strColor": "顏色", + "SSE.Views.TextArtSettings.strFill": "填入", + "SSE.Views.TextArtSettings.strForeground": "前景色", + "SSE.Views.TextArtSettings.strPattern": "模式", + "SSE.Views.TextArtSettings.strSize": "大小", + "SSE.Views.TextArtSettings.strStroke": "筆鋒", + "SSE.Views.TextArtSettings.strTransparency": "透明度", + "SSE.Views.TextArtSettings.strType": "類型", + "SSE.Views.TextArtSettings.textAngle": "角度", + "SSE.Views.TextArtSettings.textBorderSizeErr": "輸入的值不正確。
                              請輸入0 pt至1584 pt之間的值。", + "SSE.Views.TextArtSettings.textColor": "填充顏色", + "SSE.Views.TextArtSettings.textDirection": "方向", + "SSE.Views.TextArtSettings.textEmptyPattern": "無模式", + "SSE.Views.TextArtSettings.textFromFile": "從檔案", + "SSE.Views.TextArtSettings.textFromUrl": "從 URL", + "SSE.Views.TextArtSettings.textGradient": "漸變點", + "SSE.Views.TextArtSettings.textGradientFill": "漸層填充", + "SSE.Views.TextArtSettings.textImageTexture": "圖片或紋理", + "SSE.Views.TextArtSettings.textLinear": "線性的", + "SSE.Views.TextArtSettings.textNoFill": "沒有填充", + "SSE.Views.TextArtSettings.textPatternFill": "模式", + "SSE.Views.TextArtSettings.textPosition": "位置", + "SSE.Views.TextArtSettings.textRadial": "徑向的", + "SSE.Views.TextArtSettings.textSelectTexture": "選擇", + "SSE.Views.TextArtSettings.textStretch": "延伸", + "SSE.Views.TextArtSettings.textStyle": "樣式", + "SSE.Views.TextArtSettings.textTemplate": "樣板", + "SSE.Views.TextArtSettings.textTexture": "從紋理", + "SSE.Views.TextArtSettings.textTile": "磚瓦", + "SSE.Views.TextArtSettings.textTransform": "轉變", + "SSE.Views.TextArtSettings.tipAddGradientPoint": "添加漸變點", + "SSE.Views.TextArtSettings.tipRemoveGradientPoint": "刪除漸變點", + "SSE.Views.TextArtSettings.txtBrownPaper": "牛皮紙", + "SSE.Views.TextArtSettings.txtCanvas": "帆布", + "SSE.Views.TextArtSettings.txtCarton": "紙箱", + "SSE.Views.TextArtSettings.txtDarkFabric": "深色面料", + "SSE.Views.TextArtSettings.txtGrain": "紋", + "SSE.Views.TextArtSettings.txtGranite": "花崗岩", + "SSE.Views.TextArtSettings.txtGreyPaper": "灰紙", + "SSE.Views.TextArtSettings.txtKnit": "編織", + "SSE.Views.TextArtSettings.txtLeather": "皮革", + "SSE.Views.TextArtSettings.txtNoBorders": "無線條", + "SSE.Views.TextArtSettings.txtPapyrus": "紙莎草紙", + "SSE.Views.TextArtSettings.txtWood": "木頭", + "SSE.Views.Toolbar.capBtnAddComment": "增加留言", + "SSE.Views.Toolbar.capBtnColorSchemas": "配色", + "SSE.Views.Toolbar.capBtnComment": "評論", + "SSE.Views.Toolbar.capBtnInsHeader": "頁首/頁尾", + "SSE.Views.Toolbar.capBtnInsSlicer": "切片機", + "SSE.Views.Toolbar.capBtnInsSymbol": "符號", + "SSE.Views.Toolbar.capBtnMargins": "邊界", + "SSE.Views.Toolbar.capBtnPageOrient": "方向", + "SSE.Views.Toolbar.capBtnPageSize": "大小", + "SSE.Views.Toolbar.capBtnPrintArea": "列印區", + "SSE.Views.Toolbar.capBtnPrintTitles": "列印標題", + "SSE.Views.Toolbar.capBtnScale": "縮放以適合", + "SSE.Views.Toolbar.capImgAlign": "對齊", + "SSE.Views.Toolbar.capImgBackward": "向後發送", + "SSE.Views.Toolbar.capImgForward": "向前帶進", + "SSE.Views.Toolbar.capImgGroup": "群組", + "SSE.Views.Toolbar.capInsertChart": "圖表", + "SSE.Views.Toolbar.capInsertEquation": "公式", + "SSE.Views.Toolbar.capInsertHyperlink": "超連結", + "SSE.Views.Toolbar.capInsertImage": "圖像", + "SSE.Views.Toolbar.capInsertShape": "形狀", + "SSE.Views.Toolbar.capInsertSpark": "走勢圖", + "SSE.Views.Toolbar.capInsertTable": "表格", + "SSE.Views.Toolbar.capInsertText": "文字框", + "SSE.Views.Toolbar.mniImageFromFile": "圖片來自文件", + "SSE.Views.Toolbar.mniImageFromStorage": "來自存儲的圖像", + "SSE.Views.Toolbar.mniImageFromUrl": "來自網址的圖片", + "SSE.Views.Toolbar.textAddPrintArea": "添加到列印區", + "SSE.Views.Toolbar.textAlignBottom": "底部對齊", + "SSE.Views.Toolbar.textAlignCenter": "居中對齊", + "SSE.Views.Toolbar.textAlignJust": "合理的", + "SSE.Views.Toolbar.textAlignLeft": "對齊左側", + "SSE.Views.Toolbar.textAlignMiddle": "中央對齊", + "SSE.Views.Toolbar.textAlignRight": "對齊右側", + "SSE.Views.Toolbar.textAlignTop": "上方對齊", + "SSE.Views.Toolbar.textAllBorders": "所有邊界", + "SSE.Views.Toolbar.textAuto": "自動", + "SSE.Views.Toolbar.textAutoColor": "自動", + "SSE.Views.Toolbar.textBold": "粗體", + "SSE.Views.Toolbar.textBordersColor": "邊框顏色", + "SSE.Views.Toolbar.textBordersStyle": "邊框樣式", + "SSE.Views.Toolbar.textBottom": "底部:", + "SSE.Views.Toolbar.textBottomBorders": "底部邊框", + "SSE.Views.Toolbar.textCenterBorders": "內部垂直邊框", + "SSE.Views.Toolbar.textClearPrintArea": "清除列印區域", + "SSE.Views.Toolbar.textClearRule": "清除規則", + "SSE.Views.Toolbar.textClockwise": "順時針旋轉角度", + "SSE.Views.Toolbar.textColorScales": "色標", + "SSE.Views.Toolbar.textCounterCw": "逆時針旋轉角度", + "SSE.Views.Toolbar.textDataBars": "數據欄", + "SSE.Views.Toolbar.textDelLeft": "左移單元格", + "SSE.Views.Toolbar.textDelUp": "上移單元格", + "SSE.Views.Toolbar.textDiagDownBorder": "對角向下邊界", + "SSE.Views.Toolbar.textDiagUpBorder": "對角上邊界", + "SSE.Views.Toolbar.textEntireCol": "整列", + "SSE.Views.Toolbar.textEntireRow": "整行", + "SSE.Views.Toolbar.textFewPages": "頁", + "SSE.Views.Toolbar.textHeight": "高度", + "SSE.Views.Toolbar.textHorizontal": "橫軸上的文字", + "SSE.Views.Toolbar.textInsDown": "下移單元格", + "SSE.Views.Toolbar.textInsideBorders": "內部邊界", + "SSE.Views.Toolbar.textInsRight": "右移單元格", + "SSE.Views.Toolbar.textItalic": "斜體", + "SSE.Views.Toolbar.textItems": "項目", + "SSE.Views.Toolbar.textLandscape": "橫向方向", + "SSE.Views.Toolbar.textLeft": "左:", + "SSE.Views.Toolbar.textLeftBorders": "左邊框", + "SSE.Views.Toolbar.textManageRule": "管理規則", + "SSE.Views.Toolbar.textManyPages": "頁", + "SSE.Views.Toolbar.textMarginsLast": "最後自訂", + "SSE.Views.Toolbar.textMarginsNarrow": "狹窄", + "SSE.Views.Toolbar.textMarginsNormal": "標準", + "SSE.Views.Toolbar.textMarginsWide": "寬", + "SSE.Views.Toolbar.textMiddleBorders": "內部水平邊框", + "SSE.Views.Toolbar.textMoreFormats": "更多格式", + "SSE.Views.Toolbar.textMorePages": "更多頁面", + "SSE.Views.Toolbar.textNewColor": "新增自訂顏色", + "SSE.Views.Toolbar.textNewRule": "新槼則", + "SSE.Views.Toolbar.textNoBorders": "無邊框", + "SSE.Views.Toolbar.textOnePage": "頁面", + "SSE.Views.Toolbar.textOutBorders": "境外", + "SSE.Views.Toolbar.textPageMarginsCustom": "自定邊界", + "SSE.Views.Toolbar.textPortrait": "直向方向", + "SSE.Views.Toolbar.textPrint": "列印", + "SSE.Views.Toolbar.textPrintGridlines": "列印網格線", + "SSE.Views.Toolbar.textPrintHeadings": "列印標題", + "SSE.Views.Toolbar.textPrintOptions": "列印設定", + "SSE.Views.Toolbar.textRight": "右: ", + "SSE.Views.Toolbar.textRightBorders": "右邊界", + "SSE.Views.Toolbar.textRotateDown": "向下旋轉文字", + "SSE.Views.Toolbar.textRotateUp": "向上旋轉文字", + "SSE.Views.Toolbar.textScale": "尺度", + "SSE.Views.Toolbar.textScaleCustom": "自訂", + "SSE.Views.Toolbar.textSelection": "凍結當前選擇", + "SSE.Views.Toolbar.textSetPrintArea": "設置列印區域", + "SSE.Views.Toolbar.textStrikeout": "淘汰", + "SSE.Views.Toolbar.textSubscript": "下標", + "SSE.Views.Toolbar.textSubSuperscript": "下標/上標", + "SSE.Views.Toolbar.textSuperscript": "上標", + "SSE.Views.Toolbar.textTabCollaboration": "協作", + "SSE.Views.Toolbar.textTabData": "數據", + "SSE.Views.Toolbar.textTabFile": "檔案", + "SSE.Views.Toolbar.textTabFormula": "配方", + "SSE.Views.Toolbar.textTabHome": "首頁", + "SSE.Views.Toolbar.textTabInsert": "插入", + "SSE.Views.Toolbar.textTabLayout": "佈局", + "SSE.Views.Toolbar.textTabProtect": "保護", + "SSE.Views.Toolbar.textTabView": "檢視", + "SSE.Views.Toolbar.textThisPivot": "由此數據透視表", + "SSE.Views.Toolbar.textThisSheet": "由此工作表", + "SSE.Views.Toolbar.textThisTable": "由此表", + "SSE.Views.Toolbar.textTop": "頂部: ", + "SSE.Views.Toolbar.textTopBorders": "上邊界", + "SSE.Views.Toolbar.textUnderline": "底線", + "SSE.Views.Toolbar.textVertical": "垂直文字", + "SSE.Views.Toolbar.textWidth": "寬度", + "SSE.Views.Toolbar.textZoom": "放大", + "SSE.Views.Toolbar.tipAlignBottom": "底部對齊", + "SSE.Views.Toolbar.tipAlignCenter": "居中對齊", + "SSE.Views.Toolbar.tipAlignJust": "合理的", + "SSE.Views.Toolbar.tipAlignLeft": "對齊左側", + "SSE.Views.Toolbar.tipAlignMiddle": "中央對齊", + "SSE.Views.Toolbar.tipAlignRight": "對齊右側", + "SSE.Views.Toolbar.tipAlignTop": "上方對齊", + "SSE.Views.Toolbar.tipAutofilter": "排序和過濾", + "SSE.Views.Toolbar.tipBack": "返回", + "SSE.Views.Toolbar.tipBorders": "邊框", + "SSE.Views.Toolbar.tipCellStyle": "單元格樣式", + "SSE.Views.Toolbar.tipChangeChart": "更改圖表類型", + "SSE.Views.Toolbar.tipClearStyle": "清除", + "SSE.Views.Toolbar.tipColorSchemas": "更改配色方案", + "SSE.Views.Toolbar.tipCondFormat": "條件格式", + "SSE.Views.Toolbar.tipCopy": "複製", + "SSE.Views.Toolbar.tipCopyStyle": "複製樣式", + "SSE.Views.Toolbar.tipDecDecimal": "減少小數", + "SSE.Views.Toolbar.tipDecFont": "減少字體大小", + "SSE.Views.Toolbar.tipDeleteOpt": "刪除單元格", + "SSE.Views.Toolbar.tipDigStyleAccounting": "會計風格", + "SSE.Views.Toolbar.tipDigStyleCurrency": "貨幣風格", + "SSE.Views.Toolbar.tipDigStylePercent": "百分比樣式", + "SSE.Views.Toolbar.tipEditChart": "編輯圖表", + "SSE.Views.Toolbar.tipEditChartData": "選擇數據", + "SSE.Views.Toolbar.tipEditChartType": "更改圖表類型", + "SSE.Views.Toolbar.tipEditHeader": "編輯頁眉或頁腳", + "SSE.Views.Toolbar.tipFontColor": "字體顏色", + "SSE.Views.Toolbar.tipFontName": "字體", + "SSE.Views.Toolbar.tipFontSize": "字體大小", + "SSE.Views.Toolbar.tipImgAlign": "對齊物件", + "SSE.Views.Toolbar.tipImgGroup": "組物件", + "SSE.Views.Toolbar.tipIncDecimal": "增加小數", + "SSE.Views.Toolbar.tipIncFont": "增量字體大小", + "SSE.Views.Toolbar.tipInsertChart": "插入圖表", + "SSE.Views.Toolbar.tipInsertChartSpark": "插入圖表", + "SSE.Views.Toolbar.tipInsertEquation": "插入方程式", + "SSE.Views.Toolbar.tipInsertHyperlink": "新增超連結", + "SSE.Views.Toolbar.tipInsertImage": "插入圖片", + "SSE.Views.Toolbar.tipInsertOpt": "插入單元格", + "SSE.Views.Toolbar.tipInsertShape": "插入自動形狀", + "SSE.Views.Toolbar.tipInsertSlicer": "插入切片器", + "SSE.Views.Toolbar.tipInsertSpark": "插入走勢圖", + "SSE.Views.Toolbar.tipInsertSymbol": "插入符號", + "SSE.Views.Toolbar.tipInsertTable": "插入表格", + "SSE.Views.Toolbar.tipInsertText": "插入文字框", + "SSE.Views.Toolbar.tipInsertTextart": "插入文字藝術", + "SSE.Views.Toolbar.tipMerge": "合併和居中", + "SSE.Views.Toolbar.tipNone": "無", + "SSE.Views.Toolbar.tipNumFormat": "數字格式", + "SSE.Views.Toolbar.tipPageMargins": "頁面邊界", + "SSE.Views.Toolbar.tipPageOrient": "頁面方向", + "SSE.Views.Toolbar.tipPageSize": "頁面大小", + "SSE.Views.Toolbar.tipPaste": "貼上", + "SSE.Views.Toolbar.tipPrColor": "填色", + "SSE.Views.Toolbar.tipPrint": "列印", + "SSE.Views.Toolbar.tipPrintArea": "列印區", + "SSE.Views.Toolbar.tipPrintTitles": "列印標題", + "SSE.Views.Toolbar.tipRedo": "重做", + "SSE.Views.Toolbar.tipSave": "儲存", + "SSE.Views.Toolbar.tipSaveCoauth": "保存您的更改,以供其他用戶查看。", + "SSE.Views.Toolbar.tipScale": "縮放以適合", + "SSE.Views.Toolbar.tipSendBackward": "向後發送", + "SSE.Views.Toolbar.tipSendForward": "向前帶進", + "SSE.Views.Toolbar.tipSynchronize": "該文檔已被其他用戶更改。請單擊以保存您的更改並重新加載更新。", + "SSE.Views.Toolbar.tipTextOrientation": "方向", + "SSE.Views.Toolbar.tipUndo": "復原", + "SSE.Views.Toolbar.tipWrap": "包覆文字", + "SSE.Views.Toolbar.txtAccounting": "會計", + "SSE.Views.Toolbar.txtAdditional": "額外功能", + "SSE.Views.Toolbar.txtAscending": "上升", + "SSE.Views.Toolbar.txtAutosumTip": "求和", + "SSE.Views.Toolbar.txtClearAll": "全部", + "SSE.Views.Toolbar.txtClearComments": "評論", + "SSE.Views.Toolbar.txtClearFilter": "清空過濾器", + "SSE.Views.Toolbar.txtClearFormat": "格式", + "SSE.Views.Toolbar.txtClearFormula": "功能", + "SSE.Views.Toolbar.txtClearHyper": "超連結", + "SSE.Views.Toolbar.txtClearText": "文字", + "SSE.Views.Toolbar.txtCurrency": "幣別", + "SSE.Views.Toolbar.txtCustom": "自訂", + "SSE.Views.Toolbar.txtDate": "日期", + "SSE.Views.Toolbar.txtDateTime": "日期和時間", + "SSE.Views.Toolbar.txtDescending": "降序", + "SSE.Views.Toolbar.txtDollar": "$美元", + "SSE.Views.Toolbar.txtEuro": "\n€歐元", + "SSE.Views.Toolbar.txtExp": "指數的", + "SSE.Views.Toolbar.txtFilter": "過濾器", + "SSE.Views.Toolbar.txtFormula": "插入功能", + "SSE.Views.Toolbar.txtFraction": "分數", + "SSE.Views.Toolbar.txtFranc": "CHF 瑞士法郎", + "SSE.Views.Toolbar.txtGeneral": "一般", + "SSE.Views.Toolbar.txtInteger": "整數", + "SSE.Views.Toolbar.txtManageRange": "名稱管理員", + "SSE.Views.Toolbar.txtMergeAcross": "合併", + "SSE.Views.Toolbar.txtMergeCells": "合併單元格", + "SSE.Views.Toolbar.txtMergeCenter": "合併與中心", + "SSE.Views.Toolbar.txtNamedRange": "命名範圍", + "SSE.Views.Toolbar.txtNewRange": "定義名稱", + "SSE.Views.Toolbar.txtNoBorders": "無邊框", + "SSE.Views.Toolbar.txtNumber": "數字", + "SSE.Views.Toolbar.txtPasteRange": "粘貼名稱", + "SSE.Views.Toolbar.txtPercentage": "百分比", + "SSE.Views.Toolbar.txtPound": "£英鎊", + "SSE.Views.Toolbar.txtRouble": "₽盧布", + "SSE.Views.Toolbar.txtScheme1": "辦公室", + "SSE.Views.Toolbar.txtScheme10": "中位數", + "SSE.Views.Toolbar.txtScheme11": " 地鐵", + "SSE.Views.Toolbar.txtScheme12": "模組", + "SSE.Views.Toolbar.txtScheme13": "豐富的", + "SSE.Views.Toolbar.txtScheme14": "Oriel", + "SSE.Views.Toolbar.txtScheme15": "起源", + "SSE.Views.Toolbar.txtScheme16": "紙", + "SSE.Views.Toolbar.txtScheme17": "冬至", + "SSE.Views.Toolbar.txtScheme18": "技術", + "SSE.Views.Toolbar.txtScheme19": "跋涉", + "SSE.Views.Toolbar.txtScheme2": "灰階", + "SSE.Views.Toolbar.txtScheme20": "市區", + "SSE.Views.Toolbar.txtScheme21": "感染力", + "SSE.Views.Toolbar.txtScheme22": "新的Office", + "SSE.Views.Toolbar.txtScheme3": "頂尖", + "SSE.Views.Toolbar.txtScheme4": "方面", + "SSE.Views.Toolbar.txtScheme5": "思域", + "SSE.Views.Toolbar.txtScheme6": "大堂", + "SSE.Views.Toolbar.txtScheme7": "產權", + "SSE.Views.Toolbar.txtScheme8": "流程", + "SSE.Views.Toolbar.txtScheme9": "鑄造廠", + "SSE.Views.Toolbar.txtScientific": "科學的", + "SSE.Views.Toolbar.txtSearch": "搜尋", + "SSE.Views.Toolbar.txtSort": "分類", + "SSE.Views.Toolbar.txtSortAZ": "升序", + "SSE.Views.Toolbar.txtSortZA": "降序排列", + "SSE.Views.Toolbar.txtSpecial": "特殊", + "SSE.Views.Toolbar.txtTableTemplate": "格式化為表格模板", + "SSE.Views.Toolbar.txtText": "文字", + "SSE.Views.Toolbar.txtTime": "時間", + "SSE.Views.Toolbar.txtUnmerge": "解除單元格", + "SSE.Views.Toolbar.txtYen": "¥日元", + "SSE.Views.Top10FilterDialog.textType": "顯示", + "SSE.Views.Top10FilterDialog.txtBottom": "底部", + "SSE.Views.Top10FilterDialog.txtBy": "通過", + "SSE.Views.Top10FilterDialog.txtItems": "項目", + "SSE.Views.Top10FilterDialog.txtPercent": "百分比", + "SSE.Views.Top10FilterDialog.txtSum": "總和", + "SSE.Views.Top10FilterDialog.txtTitle": "十大自動篩選", + "SSE.Views.Top10FilterDialog.txtTop": "上方", + "SSE.Views.Top10FilterDialog.txtValueTitle": "十大過濾器", + "SSE.Views.ValueFieldSettingsDialog.textTitle": "值字段設置", + "SSE.Views.ValueFieldSettingsDialog.txtAverage": "平均", + "SSE.Views.ValueFieldSettingsDialog.txtBaseField": "基礎領域", + "SSE.Views.ValueFieldSettingsDialog.txtBaseItem": "基礎項目", + "SSE.Views.ValueFieldSettingsDialog.txtByField": "第%1個,共%2個", + "SSE.Views.ValueFieldSettingsDialog.txtCount": "計數", + "SSE.Views.ValueFieldSettingsDialog.txtCountNums": "數數", + "SSE.Views.ValueFieldSettingsDialog.txtCustomName": "自定義名稱", + "SSE.Views.ValueFieldSettingsDialog.txtDifference": "與...的區別", + "SSE.Views.ValueFieldSettingsDialog.txtIndex": "索引", + "SSE.Views.ValueFieldSettingsDialog.txtMax": "最高", + "SSE.Views.ValueFieldSettingsDialog.txtMin": "最低", + "SSE.Views.ValueFieldSettingsDialog.txtNormal": "沒有計算", + "SSE.Views.ValueFieldSettingsDialog.txtPercent": "的百分比", + "SSE.Views.ValueFieldSettingsDialog.txtPercentDiff": "與的差異百分比", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfCol": "列百分比", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfRow": "佔總數的百分比", + "SSE.Views.ValueFieldSettingsDialog.txtPercentOfTotal": "行的百分比", + "SSE.Views.ValueFieldSettingsDialog.txtProduct": "產品", + "SSE.Views.ValueFieldSettingsDialog.txtRunTotal": "總計運行", + "SSE.Views.ValueFieldSettingsDialog.txtShowAs": "顯示值為", + "SSE.Views.ValueFieldSettingsDialog.txtSourceName": "來源名稱:", + "SSE.Views.ValueFieldSettingsDialog.txtStdDev": "標準差", + "SSE.Views.ValueFieldSettingsDialog.txtStdDevp": "標準差p", + "SSE.Views.ValueFieldSettingsDialog.txtSum": "總和", + "SSE.Views.ValueFieldSettingsDialog.txtSummarize": "匯總值字段", + "SSE.Views.ValueFieldSettingsDialog.txtVar": "Var", + "SSE.Views.ValueFieldSettingsDialog.txtVarp": "Varp", + "SSE.Views.ViewManagerDlg.closeButtonText": "關閉", + "SSE.Views.ViewManagerDlg.guestText": "來賓帳戶", + "SSE.Views.ViewManagerDlg.lockText": "已鎖定", + "SSE.Views.ViewManagerDlg.textDelete": "刪除", + "SSE.Views.ViewManagerDlg.textDuplicate": "重複複製", + "SSE.Views.ViewManagerDlg.textEmpty": "尚未創建任何視圖。", + "SSE.Views.ViewManagerDlg.textGoTo": "去查看", + "SSE.Views.ViewManagerDlg.textLongName": "輸入少於128個字符的名稱。", + "SSE.Views.ViewManagerDlg.textNew": "新", + "SSE.Views.ViewManagerDlg.textRename": "重新命名", + "SSE.Views.ViewManagerDlg.textRenameError": "視圖名稱不能為空。", + "SSE.Views.ViewManagerDlg.textRenameLabel": "重命名視圖", + "SSE.Views.ViewManagerDlg.textViews": "工作表視圖", + "SSE.Views.ViewManagerDlg.tipIsLocked": "該元素正在由另一個用戶編輯。", + "SSE.Views.ViewManagerDlg.txtTitle": "圖紙視圖管理器", + "SSE.Views.ViewManagerDlg.warnDeleteView": "您正在嘗試刪除當前啟用的視圖'%1'。
                              關閉此視圖並刪除它嗎?", + "SSE.Views.ViewTab.capBtnFreeze": "凍結窗格", + "SSE.Views.ViewTab.capBtnSheetView": "圖紙視圖", + "SSE.Views.ViewTab.textAlwaysShowToolbar": "永遠顯示工具欄", + "SSE.Views.ViewTab.textClose": "關閉", + "SSE.Views.ViewTab.textCombineSheetAndStatusBars": "隱藏狀態欄", + "SSE.Views.ViewTab.textCreate": "新", + "SSE.Views.ViewTab.textDefault": "預設", + "SSE.Views.ViewTab.textFormula": "公式欄", + "SSE.Views.ViewTab.textFreezeCol": "凍結第一列", + "SSE.Views.ViewTab.textFreezeRow": "凍結第一排", + "SSE.Views.ViewTab.textGridlines": "網格線", + "SSE.Views.ViewTab.textHeadings": "標題", + "SSE.Views.ViewTab.textInterfaceTheme": "介面主題", + "SSE.Views.ViewTab.textManager": "查看管理員", + "SSE.Views.ViewTab.textShowFrozenPanesShadow": "顯示固定面版視窗的陰影", + "SSE.Views.ViewTab.textUnFreeze": "取消凍結窗格", + "SSE.Views.ViewTab.textZeros": "顯示零", + "SSE.Views.ViewTab.textZoom": "放大", + "SSE.Views.ViewTab.tipClose": "關閉工作表視圖", + "SSE.Views.ViewTab.tipCreate": "創建圖紙視圖", + "SSE.Views.ViewTab.tipFreeze": "凍結窗格", + "SSE.Views.ViewTab.tipSheetView": "圖紙視圖", + "SSE.Views.WBProtection.hintAllowRanges": "允許範圍編輯", + "SSE.Views.WBProtection.hintProtectSheet": "保護工作表", + "SSE.Views.WBProtection.hintProtectWB": "保護工作簿", + "SSE.Views.WBProtection.txtAllowRanges": "允許範圍編輯", + "SSE.Views.WBProtection.txtHiddenFormula": "隱藏公式", + "SSE.Views.WBProtection.txtLockedCell": "儲存格鎖定", + "SSE.Views.WBProtection.txtLockedShape": "形狀鎖定", + "SSE.Views.WBProtection.txtLockedText": "鎖定文字", + "SSE.Views.WBProtection.txtProtectSheet": "保護工作表", + "SSE.Views.WBProtection.txtProtectWB": "保護工作簿", + "SSE.Views.WBProtection.txtSheetUnlockDescription": "如解除表格保護,請輸入密碼", + "SSE.Views.WBProtection.txtSheetUnlockTitle": "工作表解鎖", + "SSE.Views.WBProtection.txtWBUnlockDescription": "如解除工作表保護,請輸入密碼", + "SSE.Views.WBProtection.txtWBUnlockTitle": "工作簿解鎖" +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/locale/zh.json b/apps/spreadsheeteditor/main/locale/zh.json index b37610800..ed04177b1 100644 --- a/apps/spreadsheeteditor/main/locale/zh.json +++ b/apps/spreadsheeteditor/main/locale/zh.json @@ -3,10 +3,10 @@ "Common.Controllers.Chat.notcriticalErrorTitle": "警告", "Common.Controllers.Chat.textEnterMessage": "在这里输入你的信息", "Common.Controllers.History.notcriticalErrorTitle": "警告", - "Common.define.chartData.textArea": "区域", + "Common.define.chartData.textArea": "面积图", "Common.define.chartData.textAreaStacked": "堆积面积图", "Common.define.chartData.textAreaStackedPer": "百分比堆积面积图", - "Common.define.chartData.textBar": "条", + "Common.define.chartData.textBar": "条形图", "Common.define.chartData.textBarNormal": "簇状柱形图", "Common.define.chartData.textBarNormal3d": "三维簇状柱形图", "Common.define.chartData.textBarNormal3dPerspective": "三维柱形图", @@ -14,10 +14,10 @@ "Common.define.chartData.textBarStacked3d": "三维堆积柱形图", "Common.define.chartData.textBarStackedPer": "百分比堆积柱形图", "Common.define.chartData.textBarStackedPer3d": "三维百分比堆积柱形图", - "Common.define.chartData.textCharts": "图表", - "Common.define.chartData.textColumn": "列", + "Common.define.chartData.textCharts": "流程图", + "Common.define.chartData.textColumn": "柱状图", "Common.define.chartData.textColumnSpark": "列", - "Common.define.chartData.textCombo": "组合", + "Common.define.chartData.textCombo": "组合图", "Common.define.chartData.textComboAreaBar": "堆积面积图 - 簇状柱形图", "Common.define.chartData.textComboBarLine": "簇状柱形图 - 折线图", "Common.define.chartData.textComboBarLineSecondary": "簇状柱形图 - 次坐标轴上的折线图", @@ -29,24 +29,24 @@ "Common.define.chartData.textHBarStacked3d": "三维堆积条形图", "Common.define.chartData.textHBarStackedPer": "百分比堆积条形图", "Common.define.chartData.textHBarStackedPer3d": "三维百分比堆积条形图", - "Common.define.chartData.textLine": "线", - "Common.define.chartData.textLine3d": "三维直线图", - "Common.define.chartData.textLineMarker": "有标记的折线图", + "Common.define.chartData.textLine": "折线图", + "Common.define.chartData.textLine3d": "三维折线图", + "Common.define.chartData.textLineMarker": "带数据标记的折线图", "Common.define.chartData.textLineSpark": "线", "Common.define.chartData.textLineStacked": "堆积折线图", - "Common.define.chartData.textLineStackedMarker": "有标记的堆积折线图", + "Common.define.chartData.textLineStackedMarker": "带数据标记的堆积折线图", "Common.define.chartData.textLineStackedPer": "百分比堆积折线图", - "Common.define.chartData.textLineStackedPerMarker": "有标记的百分比堆积折线图", - "Common.define.chartData.textPie": "派", + "Common.define.chartData.textLineStackedPerMarker": "带数据标记的百分比堆积折线图", + "Common.define.chartData.textPie": "饼图", "Common.define.chartData.textPie3d": "三维饼图", - "Common.define.chartData.textPoint": "XY(散射)", + "Common.define.chartData.textPoint": "散点图", "Common.define.chartData.textScatter": "散点图​​", "Common.define.chartData.textScatterLine": "带直线的散点图", "Common.define.chartData.textScatterLineMarker": "带直线和数据标记的散点图", "Common.define.chartData.textScatterSmooth": "带平滑线的散点图", "Common.define.chartData.textScatterSmoothMarker": "带平滑线和数据标记的散点图", "Common.define.chartData.textSparks": "迷你", - "Common.define.chartData.textStock": "股票", + "Common.define.chartData.textStock": "股价图", "Common.define.chartData.textSurface": "平面", "Common.define.chartData.textWinLossSpark": "赢/输", "Common.define.conditionalData.exampleText": "AaBbCcYyZz", @@ -202,6 +202,7 @@ "Common.Views.Comments.textResolved": "已解决", "Common.Views.Comments.textSort": "评论排序", "Common.Views.Comments.textViewResolved": "您没有重开评论的权限", + "Common.Views.Comments.txtEmpty": "工作表中没有任何评论。", "Common.Views.CopyWarningDialog.textDontShow": "不要再显示此消息", "Common.Views.CopyWarningDialog.textMsg": "使用编辑器工具栏按钮和上下文菜单操作复制,剪切和粘贴操作将仅在此编辑器选项卡中执行。

                              要在编辑器选项卡之外复制或粘贴到应用程序,请使用以下键盘组合:", "Common.Views.CopyWarningDialog.textTitle": "复制,剪切和粘贴操作", @@ -415,7 +416,7 @@ "Common.Views.SymbolTableDialog.textNBSpace": "不换行空格", "Common.Views.SymbolTableDialog.textPilcrow": "段落标识", "Common.Views.SymbolTableDialog.textQEmSpace": "1/4全角空格", - "Common.Views.SymbolTableDialog.textRange": "范围", + "Common.Views.SymbolTableDialog.textRange": "子集", "Common.Views.SymbolTableDialog.textRecent": "最近使用的符号", "Common.Views.SymbolTableDialog.textRegistered": "注册商标标识", "Common.Views.SymbolTableDialog.textSCQuote": "后单引号", @@ -800,7 +801,7 @@ "SSE.Controllers.Main.txtButtons": "按钮", "SSE.Controllers.Main.txtByField": "%1/%2", "SSE.Controllers.Main.txtCallouts": "标注", - "SSE.Controllers.Main.txtCharts": "图表", + "SSE.Controllers.Main.txtCharts": "流程图", "SSE.Controllers.Main.txtClearFilter": "清除过滤器 (Alt+C)", "SSE.Controllers.Main.txtColLbls": "列标签", "SSE.Controllers.Main.txtColumn": "列", @@ -810,13 +811,13 @@ "SSE.Controllers.Main.txtDiagramTitle": "图表标题", "SSE.Controllers.Main.txtEditingMode": "设置编辑模式..", "SSE.Controllers.Main.txtErrorLoadHistory": "历史记录的加载失败", - "SSE.Controllers.Main.txtFiguredArrows": "图形箭头", + "SSE.Controllers.Main.txtFiguredArrows": "箭头汇总", "SSE.Controllers.Main.txtFile": "文件", "SSE.Controllers.Main.txtGrandTotal": "合计", "SSE.Controllers.Main.txtGroup": "组合", "SSE.Controllers.Main.txtHours": "小时", - "SSE.Controllers.Main.txtLines": "行", - "SSE.Controllers.Main.txtMath": "数学", + "SSE.Controllers.Main.txtLines": "线条", + "SSE.Controllers.Main.txtMath": "公式形状", "SSE.Controllers.Main.txtMinutes": "分钟", "SSE.Controllers.Main.txtMonths": "月", "SSE.Controllers.Main.txtMultiSelect": "多选模式 (Alt+S)", @@ -954,7 +955,7 @@ "SSE.Controllers.Main.txtShape_octagon": "八边形", "SSE.Controllers.Main.txtShape_parallelogram": "平行四边形", "SSE.Controllers.Main.txtShape_pentagon": "五边形", - "SSE.Controllers.Main.txtShape_pie": "派", + "SSE.Controllers.Main.txtShape_pie": "饼图", "SSE.Controllers.Main.txtShape_plaque": "符号", "SSE.Controllers.Main.txtShape_plus": "加", "SSE.Controllers.Main.txtShape_polyline1": "自由曲线", @@ -1004,7 +1005,7 @@ "SSE.Controllers.Main.txtShape_wedgeEllipseCallout": "椭圆形标注", "SSE.Controllers.Main.txtShape_wedgeRectCallout": "矩形标注", "SSE.Controllers.Main.txtShape_wedgeRoundRectCallout": "圆角矩形标注", - "SSE.Controllers.Main.txtStarsRibbons": "星星和丝带", + "SSE.Controllers.Main.txtStarsRibbons": "星星和旗帜", "SSE.Controllers.Main.txtStyle_Bad": "差", "SSE.Controllers.Main.txtStyle_Calculation": "计算", "SSE.Controllers.Main.txtStyle_Check_Cell": "检查单元格", @@ -1019,7 +1020,7 @@ "SSE.Controllers.Main.txtStyle_Input": "输入", "SSE.Controllers.Main.txtStyle_Linked_Cell": "关联的单元格", "SSE.Controllers.Main.txtStyle_Neutral": "中立", - "SSE.Controllers.Main.txtStyle_Normal": "正常", + "SSE.Controllers.Main.txtStyle_Normal": "常规", "SSE.Controllers.Main.txtStyle_Note": "备注", "SSE.Controllers.Main.txtStyle_Output": "输出", "SSE.Controllers.Main.txtStyle_Percent": "百分比", @@ -1675,7 +1676,7 @@ "SSE.Views.ChartSettingsDlg.textMinorType": "次要类型", "SSE.Views.ChartSettingsDlg.textMinValue": "最小值", "SSE.Views.ChartSettingsDlg.textNextToAxis": "在轴旁边", - "SSE.Views.ChartSettingsDlg.textNone": "没有", + "SSE.Views.ChartSettingsDlg.textNone": "无", "SSE.Views.ChartSettingsDlg.textNoOverlay": "没有叠加", "SSE.Views.ChartSettingsDlg.textOneCell": "移动但不按单元格大小调整", "SSE.Views.ChartSettingsDlg.textOnTickMarks": "刻度标记", @@ -1852,13 +1853,13 @@ "SSE.Views.DocumentHolder.advancedSlicerText": "切片器高级设置", "SSE.Views.DocumentHolder.bottomCellText": "底部对齐", "SSE.Views.DocumentHolder.bulletsText": "符号和编号", - "SSE.Views.DocumentHolder.centerCellText": "居中对齐", + "SSE.Views.DocumentHolder.centerCellText": "垂直居中", "SSE.Views.DocumentHolder.chartText": "图表高级设置", "SSE.Views.DocumentHolder.deleteColumnText": "列", "SSE.Views.DocumentHolder.deleteRowText": "行", "SSE.Views.DocumentHolder.deleteTableText": "表格", - "SSE.Views.DocumentHolder.direct270Text": "旋转270°", - "SSE.Views.DocumentHolder.direct90Text": "旋转90°", + "SSE.Views.DocumentHolder.direct270Text": "向上旋转文字", + "SSE.Views.DocumentHolder.direct90Text": "向下旋转文字", "SSE.Views.DocumentHolder.directHText": "水平的", "SSE.Views.DocumentHolder.directionText": "文字方向", "SSE.Views.DocumentHolder.editChartText": "编辑数据", @@ -1880,8 +1881,8 @@ "SSE.Views.DocumentHolder.textAlign": "对齐", "SSE.Views.DocumentHolder.textArrange": "安排", "SSE.Views.DocumentHolder.textArrangeBack": "发送到背景", - "SSE.Views.DocumentHolder.textArrangeBackward": "向后移动", - "SSE.Views.DocumentHolder.textArrangeForward": "向前移动", + "SSE.Views.DocumentHolder.textArrangeBackward": "下移一层", + "SSE.Views.DocumentHolder.textArrangeForward": "上移一层", "SSE.Views.DocumentHolder.textArrangeFront": "放到最上面", "SSE.Views.DocumentHolder.textAverage": "平均值", "SSE.Views.DocumentHolder.textBullets": "项目符号", @@ -1903,7 +1904,7 @@ "SSE.Views.DocumentHolder.textMin": "最小值", "SSE.Views.DocumentHolder.textMore": "其他函数", "SSE.Views.DocumentHolder.textMoreFormats": "更多格式", - "SSE.Views.DocumentHolder.textNone": "没有", + "SSE.Views.DocumentHolder.textNone": "无", "SSE.Views.DocumentHolder.textNumbering": "编号", "SSE.Views.DocumentHolder.textReplace": "替换图像", "SSE.Views.DocumentHolder.textRotate": "旋转", @@ -1912,7 +1913,7 @@ "SSE.Views.DocumentHolder.textShapeAlignBottom": "底部对齐", "SSE.Views.DocumentHolder.textShapeAlignCenter": "居中对齐", "SSE.Views.DocumentHolder.textShapeAlignLeft": "左对齐", - "SSE.Views.DocumentHolder.textShapeAlignMiddle": "对齐中间", + "SSE.Views.DocumentHolder.textShapeAlignMiddle": "垂直居中", "SSE.Views.DocumentHolder.textShapeAlignRight": "右对齐", "SSE.Views.DocumentHolder.textShapeAlignTop": "顶端对齐", "SSE.Views.DocumentHolder.textStdDev": "标准差", @@ -1920,6 +1921,14 @@ "SSE.Views.DocumentHolder.textUndo": "复原", "SSE.Views.DocumentHolder.textUnFreezePanes": "解冻窗格", "SSE.Views.DocumentHolder.textVar": "方差", + "SSE.Views.DocumentHolder.tipMarkersArrow": "箭头项目符号", + "SSE.Views.DocumentHolder.tipMarkersCheckmark": "选中标记项目符号", + "SSE.Views.DocumentHolder.tipMarkersDash": "划线项目符号", + "SSE.Views.DocumentHolder.tipMarkersFRhombus": "实心菱形项目符号", + "SSE.Views.DocumentHolder.tipMarkersFRound": "实心圆形项目符号", + "SSE.Views.DocumentHolder.tipMarkersFSquare": "实心方形项目符号", + "SSE.Views.DocumentHolder.tipMarkersHRound": "空心圆形项目符号", + "SSE.Views.DocumentHolder.tipMarkersStar": "星形项目符号", "SSE.Views.DocumentHolder.topCellText": "顶端对齐", "SSE.Views.DocumentHolder.txtAccounting": "统计", "SSE.Views.DocumentHolder.txtAddComment": "添加批注", @@ -2018,7 +2027,7 @@ "SSE.Views.FileMenu.btnCloseMenuCaption": "关闭菜单", "SSE.Views.FileMenu.btnCreateNewCaption": "新建", "SSE.Views.FileMenu.btnDownloadCaption": "下载为...", - "SSE.Views.FileMenu.btnExitCaption": "退出", + "SSE.Views.FileMenu.btnExitCaption": "关闭", "SSE.Views.FileMenu.btnFileOpenCaption": "打开...", "SSE.Views.FileMenu.btnHelpCaption": "帮助", "SSE.Views.FileMenu.btnHistoryCaption": "版本历史", @@ -2055,26 +2064,18 @@ "SSE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "更改访问权限", "SSE.Views.FileMenuPanels.DocumentRights.txtRights": "有权利的人", "SSE.Views.FileMenuPanels.MainSettingsGeneral.okButtonText": "应用", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutoRecover": "启用自动恢复", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strAutosave": "打开自动保存", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthMode": "共同编辑模式", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescFast": "其他用户将一次看到您的更改", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strCoAuthModeDescStrict": "您将需要接受更改才能看到它们", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strDecimalSeparator": "小数分隔符", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFast": "快速", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFontRender": "字体微调方式", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strForcesave": "单击“保存”或Ctrl+S之后版本添加到存储", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocale": "公式语言", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strFuncLocaleEx": "例:SUM; MIN; MAX; COUNT", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strLiveComment": "显示批注", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strMacrosSettings": "宏设置", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPaste": "剪切、复制、黏贴", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strPasteButton": "粘贴内容时显示“粘贴选项”按钮", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strR1C1": "打开R1C1风格", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettings": "区域设置", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strRegSettingsEx": "例: ", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strResolvedComment": "显示已解决批注", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.strSeparator": "分隔符", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strStrict": "严格", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strTheme": "界面主题", "SSE.Views.FileMenuPanels.MainSettingsGeneral.strThousandsSeparator": "千位分隔符", @@ -2110,7 +2111,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtIt": "意大利语", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtJa": "日语", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtKo": "韩语", - "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLiveComment": "批注显示", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLo": "老挝语", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtLv": "拉脱维亚语", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtMac": "仿照 OS X", @@ -2137,12 +2137,6 @@ "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWarnMacrosDesc": "解除所有带通知的宏", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtWin": "仿照 Windows", "SSE.Views.FileMenuPanels.MainSettingsGeneral.txtZh": "中文", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.okButtonText": "应用", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strDictionaryLanguage": "词典语言", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsInUPPERCASE": "忽略大写单词", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.strIgnoreWordsWithNumbers": "忽略带数字的单词", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtAutoCorrect": "自动修正选项...", - "SSE.Views.FileMenuPanels.MainSpellCheckSettings.txtProofing": "校对", "SSE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "警告", "SSE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "使用密码", "SSE.Views.FileMenuPanels.ProtectDoc.strProtect": "保护电子表格", @@ -2154,9 +2148,6 @@ "SSE.Views.FileMenuPanels.ProtectDoc.txtSigned": "有效签名已添加到电子表格中。该电子表格已限制编辑。", "SSE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "电子表格中的某些数字签名无效或无法验证。该电子表格已限制编辑。", "SSE.Views.FileMenuPanels.ProtectDoc.txtView": "查看签名", - "SSE.Views.FileMenuPanels.Settings.txtGeneral": "常规", - "SSE.Views.FileMenuPanels.Settings.txtPageSettings": "页面设置", - "SSE.Views.FileMenuPanels.Settings.txtSpellChecking": "拼写检查", "SSE.Views.FormatRulesEditDlg.fillColor": "填充颜色", "SSE.Views.FormatRulesEditDlg.notcriticalErrorTitle": "警告", "SSE.Views.FormatRulesEditDlg.text2Scales": "双色刻度", @@ -2321,7 +2312,7 @@ "SSE.Views.FormatSettingsDialog.txtDate": "日期", "SSE.Views.FormatSettingsDialog.txtFraction": "分数", "SSE.Views.FormatSettingsDialog.txtGeneral": "常规", - "SSE.Views.FormatSettingsDialog.txtNone": "没有", + "SSE.Views.FormatSettingsDialog.txtNone": "无", "SSE.Views.FormatSettingsDialog.txtNumber": "数", "SSE.Views.FormatSettingsDialog.txtPercentage": "百分比", "SSE.Views.FormatSettingsDialog.txtSample": "样品:", @@ -2540,8 +2531,8 @@ "SSE.Views.PageMarginsDialog.textTop": "顶部", "SSE.Views.ParagraphSettings.strLineHeight": "行间距", "SSE.Views.ParagraphSettings.strParagraphSpacing": "段落间距", - "SSE.Views.ParagraphSettings.strSpacingAfter": "后", - "SSE.Views.ParagraphSettings.strSpacingBefore": "以前", + "SSE.Views.ParagraphSettings.strSpacingAfter": "段后", + "SSE.Views.ParagraphSettings.strSpacingBefore": "段前", "SSE.Views.ParagraphSettings.textAdvanced": "显示高级设置", "SSE.Views.ParagraphSettings.textAt": "在", "SSE.Views.ParagraphSettings.textAtLeast": "至少", @@ -2549,19 +2540,19 @@ "SSE.Views.ParagraphSettings.textExact": "精确地", "SSE.Views.ParagraphSettings.txtAutoText": "自动", "SSE.Views.ParagraphSettingsAdvanced.noTabs": "指定的选项卡将显示在此字段中", - "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写", + "SSE.Views.ParagraphSettingsAdvanced.strAllCaps": "全部大写字母", "SSE.Views.ParagraphSettingsAdvanced.strDoubleStrike": "双删除线", "SSE.Views.ParagraphSettingsAdvanced.strIndent": "缩进", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "左", "SSE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "行间距", "SSE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "对", - "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "后", - "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "前", - "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特别", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "段后", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "段前", + "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecial": "特殊格式", "SSE.Views.ParagraphSettingsAdvanced.strIndentsSpecialBy": "由", "SSE.Views.ParagraphSettingsAdvanced.strParagraphFont": "字体", "SSE.Views.ParagraphSettingsAdvanced.strParagraphIndents": "缩进和间距", - "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小写", + "SSE.Views.ParagraphSettingsAdvanced.strSmallCaps": "小型大写字母", "SSE.Views.ParagraphSettingsAdvanced.strSpacing": "间距", "SSE.Views.ParagraphSettingsAdvanced.strStrike": "删除线", "SSE.Views.ParagraphSettingsAdvanced.strSubscript": "下标", @@ -2573,8 +2564,8 @@ "SSE.Views.ParagraphSettingsAdvanced.textDefault": "默认选项", "SSE.Views.ParagraphSettingsAdvanced.textEffects": "效果", "SSE.Views.ParagraphSettingsAdvanced.textExact": "精确", - "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "第一行", - "SSE.Views.ParagraphSettingsAdvanced.textHanging": "悬挂", + "SSE.Views.ParagraphSettingsAdvanced.textFirstLine": "首行缩进", + "SSE.Views.ParagraphSettingsAdvanced.textHanging": "悬挂缩进", "SSE.Views.ParagraphSettingsAdvanced.textJustified": "正当", "SSE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(无)", "SSE.Views.ParagraphSettingsAdvanced.textRemove": "删除", @@ -2851,7 +2842,7 @@ "SSE.Views.RightMenu.txtSlicerSettings": "切片器设置", "SSE.Views.RightMenu.txtSparklineSettings": "迷你图设置", "SSE.Views.RightMenu.txtTableSettings": "表设置", - "SSE.Views.RightMenu.txtTextArtSettings": "文字艺术设定", + "SSE.Views.RightMenu.txtTextArtSettings": "艺术字体设置", "SSE.Views.ScaleDialog.textAuto": "自动", "SSE.Views.ScaleDialog.textError": "输入的值不正确。", "SSE.Views.ScaleDialog.textFewPages": "页面", @@ -2957,7 +2948,7 @@ "SSE.Views.ShapeSettingsAdvanced.textSize": "大小", "SSE.Views.ShapeSettingsAdvanced.textSnap": "单元捕捉", "SSE.Views.ShapeSettingsAdvanced.textSpacing": "列之间的间距", - "SSE.Views.ShapeSettingsAdvanced.textSquare": "正方形", + "SSE.Views.ShapeSettingsAdvanced.textSquare": "四周型环绕", "SSE.Views.ShapeSettingsAdvanced.textTextBox": "文本框", "SSE.Views.ShapeSettingsAdvanced.textTitle": "形状 - 高级设置", "SSE.Views.ShapeSettingsAdvanced.textTop": "顶部", @@ -3272,14 +3263,14 @@ "SSE.Views.Toolbar.capBtnInsSlicer": "切片器", "SSE.Views.Toolbar.capBtnInsSymbol": "符号", "SSE.Views.Toolbar.capBtnMargins": "边距", - "SSE.Views.Toolbar.capBtnPageOrient": "选项", + "SSE.Views.Toolbar.capBtnPageOrient": "方向", "SSE.Views.Toolbar.capBtnPageSize": "大小", "SSE.Views.Toolbar.capBtnPrintArea": "打印区域", "SSE.Views.Toolbar.capBtnPrintTitles": "打印标题", "SSE.Views.Toolbar.capBtnScale": "按比例调整", "SSE.Views.Toolbar.capImgAlign": "对齐", - "SSE.Views.Toolbar.capImgBackward": "向后移动", - "SSE.Views.Toolbar.capImgForward": "向前移动", + "SSE.Views.Toolbar.capImgBackward": "下移一层", + "SSE.Views.Toolbar.capImgForward": "上移一层", "SSE.Views.Toolbar.capImgGroup": "分组", "SSE.Views.Toolbar.capInsertChart": "图表", "SSE.Views.Toolbar.capInsertEquation": "方程", @@ -3297,7 +3288,7 @@ "SSE.Views.Toolbar.textAlignCenter": "居中对齐", "SSE.Views.Toolbar.textAlignJust": "正当", "SSE.Views.Toolbar.textAlignLeft": "左对齐", - "SSE.Views.Toolbar.textAlignMiddle": "对齐中间", + "SSE.Views.Toolbar.textAlignMiddle": "垂直居中", "SSE.Views.Toolbar.textAlignRight": "右对齐", "SSE.Views.Toolbar.textAlignTop": "顶端对齐", "SSE.Views.Toolbar.textAllBorders": "所有边框", @@ -3311,9 +3302,9 @@ "SSE.Views.Toolbar.textCenterBorders": "内部垂直边框", "SSE.Views.Toolbar.textClearPrintArea": "清除打印区域", "SSE.Views.Toolbar.textClearRule": "清除规则", - "SSE.Views.Toolbar.textClockwise": "顺时针方向角", + "SSE.Views.Toolbar.textClockwise": "顺时针角度", "SSE.Views.Toolbar.textColorScales": "色阶", - "SSE.Views.Toolbar.textCounterCw": "角逆时针", + "SSE.Views.Toolbar.textCounterCw": "逆时针角度", "SSE.Views.Toolbar.textDataBars": "数据栏", "SSE.Views.Toolbar.textDelLeft": "移动单元格", "SSE.Views.Toolbar.textDelUp": "向上移动单元格", @@ -3335,8 +3326,8 @@ "SSE.Views.Toolbar.textManageRule": "管理规则", "SSE.Views.Toolbar.textManyPages": "页面", "SSE.Views.Toolbar.textMarginsLast": "最后自定义", - "SSE.Views.Toolbar.textMarginsNarrow": "缩小", - "SSE.Views.Toolbar.textMarginsNormal": "正常", + "SSE.Views.Toolbar.textMarginsNarrow": "窄", + "SSE.Views.Toolbar.textMarginsNormal": "常规", "SSE.Views.Toolbar.textMarginsWide": "宽", "SSE.Views.Toolbar.textMiddleBorders": "水平边框", "SSE.Views.Toolbar.textMoreFormats": "更多格式", @@ -3354,8 +3345,8 @@ "SSE.Views.Toolbar.textPrintOptions": "打印设置", "SSE.Views.Toolbar.textRight": "右: ", "SSE.Views.Toolbar.textRightBorders": "右边框", - "SSE.Views.Toolbar.textRotateDown": "旋转90°", - "SSE.Views.Toolbar.textRotateUp": "旋转270°", + "SSE.Views.Toolbar.textRotateDown": "向下旋转文字", + "SSE.Views.Toolbar.textRotateUp": "向上旋转文字", "SSE.Views.Toolbar.textScale": "缩放", "SSE.Views.Toolbar.textScaleCustom": "自定义", "SSE.Views.Toolbar.textSelection": "从当前选择", @@ -3379,14 +3370,14 @@ "SSE.Views.Toolbar.textTop": "顶边: ", "SSE.Views.Toolbar.textTopBorders": "上边框", "SSE.Views.Toolbar.textUnderline": "下划线", - "SSE.Views.Toolbar.textVertical": "纵向文本", + "SSE.Views.Toolbar.textVertical": "竖排文字", "SSE.Views.Toolbar.textWidth": "宽度", "SSE.Views.Toolbar.textZoom": "放大", "SSE.Views.Toolbar.tipAlignBottom": "底部对齐", "SSE.Views.Toolbar.tipAlignCenter": "居中对齐", "SSE.Views.Toolbar.tipAlignJust": "正当", "SSE.Views.Toolbar.tipAlignLeft": "左对齐", - "SSE.Views.Toolbar.tipAlignMiddle": "对齐中间", + "SSE.Views.Toolbar.tipAlignMiddle": "垂直居中", "SSE.Views.Toolbar.tipAlignRight": "右对齐", "SSE.Views.Toolbar.tipAlignTop": "顶端对齐", "SSE.Views.Toolbar.tipAutofilter": "排序和过滤", @@ -3428,15 +3419,7 @@ "SSE.Views.Toolbar.tipInsertSymbol": "插入符号", "SSE.Views.Toolbar.tipInsertTable": "插入表", "SSE.Views.Toolbar.tipInsertText": "插入文字", - "SSE.Views.Toolbar.tipInsertTextart": "插入文字艺术", - "SSE.Views.Toolbar.tipMarkersArrow": "箭头项目符号", - "SSE.Views.Toolbar.tipMarkersCheckmark": "选中标记项目符号", - "SSE.Views.Toolbar.tipMarkersDash": "划线项目符号", - "SSE.Views.Toolbar.tipMarkersFRhombus": "实心菱形项目符号", - "SSE.Views.Toolbar.tipMarkersFRound": "实心圆形项目符号", - "SSE.Views.Toolbar.tipMarkersFSquare": "实心方形项目符号", - "SSE.Views.Toolbar.tipMarkersHRound": "空心圆形项目符号", - "SSE.Views.Toolbar.tipMarkersStar": "星形项目符号", + "SSE.Views.Toolbar.tipInsertTextart": "插入艺术字体", "SSE.Views.Toolbar.tipMerge": "合并且居中", "SSE.Views.Toolbar.tipNone": "无", "SSE.Views.Toolbar.tipNumFormat": "数字格式", @@ -3452,10 +3435,10 @@ "SSE.Views.Toolbar.tipSave": "保存", "SSE.Views.Toolbar.tipSaveCoauth": "保存您的更改以供其他用户查看", "SSE.Views.Toolbar.tipScale": "按比例调整", - "SSE.Views.Toolbar.tipSendBackward": "向后移动", - "SSE.Views.Toolbar.tipSendForward": "向前移动", + "SSE.Views.Toolbar.tipSendBackward": "下移一层", + "SSE.Views.Toolbar.tipSendForward": "上移一层", "SSE.Views.Toolbar.tipSynchronize": "该文档已被其他用户更改。请点击保存更改和重新加载更新。", - "SSE.Views.Toolbar.tipTextOrientation": "选项", + "SSE.Views.Toolbar.tipTextOrientation": "方向", "SSE.Views.Toolbar.tipUndo": "复原", "SSE.Views.Toolbar.tipWrap": "文字换行", "SSE.Views.Toolbar.txtAccounting": "统计", @@ -3484,9 +3467,9 @@ "SSE.Views.Toolbar.txtGeneral": "常规", "SSE.Views.Toolbar.txtInteger": "整数", "SSE.Views.Toolbar.txtManageRange": "名称管理", - "SSE.Views.Toolbar.txtMergeAcross": "合并", + "SSE.Views.Toolbar.txtMergeAcross": "跨越合并", "SSE.Views.Toolbar.txtMergeCells": "合并单元格", - "SSE.Views.Toolbar.txtMergeCenter": "合并与中心", + "SSE.Views.Toolbar.txtMergeCenter": "合并后居中", "SSE.Views.Toolbar.txtNamedRange": "命名范围", "SSE.Views.Toolbar.txtNewRange": "定义名称", "SSE.Views.Toolbar.txtNoBorders": "无边框", @@ -3520,13 +3503,13 @@ "SSE.Views.Toolbar.txtScientific": "科学", "SSE.Views.Toolbar.txtSearch": "搜索", "SSE.Views.Toolbar.txtSort": "分类", - "SSE.Views.Toolbar.txtSortAZ": "排序升序", - "SSE.Views.Toolbar.txtSortZA": "排序降序", - "SSE.Views.Toolbar.txtSpecial": "特别", + "SSE.Views.Toolbar.txtSortAZ": "升序排序", + "SSE.Views.Toolbar.txtSortZA": "降序排序", + "SSE.Views.Toolbar.txtSpecial": "特殊格式", "SSE.Views.Toolbar.txtTableTemplate": "格式为表格模板", "SSE.Views.Toolbar.txtText": "文本", "SSE.Views.Toolbar.txtTime": "时间", - "SSE.Views.Toolbar.txtUnmerge": "不牢固的单元格", + "SSE.Views.Toolbar.txtUnmerge": "取消合并", "SSE.Views.Toolbar.txtYen": "日元", "SSE.Views.Top10FilterDialog.textType": "显示", "SSE.Views.Top10FilterDialog.txtBottom": "底部", diff --git a/apps/spreadsheeteditor/main/resources/help/de/Contents.json b/apps/spreadsheeteditor/main/resources/help/de/Contents.json index 12282f01a..0d9c493f3 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/de/Contents.json @@ -8,8 +8,9 @@ { "src": "ProgramInterface/DataTab.htm", "name": "Registerkarte Daten" }, { "src": "ProgramInterface/PivotTableTab.htm", "name": "Registerkarte Pivot-Tabelle" }, { "src": "ProgramInterface/CollaborationTab.htm", "name": "Registerkarte Zusammenarbeit" }, - { "src": "ProgramInterface/PluginsTab.htm", "name": "Registerkarte Plugins" }, + { "src": "ProgramInterface/ProtectionTab.htm", "name": "Registerkarte Schutz" }, { "src": "ProgramInterface/ViewTab.htm", "name": "Registerkarte Tabellenansicht" }, + { "src": "ProgramInterface/PluginsTab.htm", "name": "Registerkarte Plugins" }, { "src": "UsageInstructions/OpenCreateNew.htm", "name": "Eine neue Kalkulationstabelle erstellen oder eine vorhandene öffnen", "headername": "Grundfunktionen" }, { "src": "UsageInstructions/CopyPasteData.htm", "name": "Daten ausschneiden/kopieren/einfügen" }, { "src": "UsageInstructions/UndoRedo.htm", "name": "Aktionen rückgängig machen/wiederholen" }, @@ -25,24 +26,34 @@ { "src": "UsageInstructions/InsertDeleteCells.htm", "name": "Verwalten von Zellen, Zeilen und Spalten", "headername": "Zeilen/Spalten bearbeiten" }, { "src": "UsageInstructions/SortData.htm", "name": "Daten filtern und sortieren" }, { "src": "UsageInstructions/FormattedTables.htm", "name": "Tabellenvorlage formatieren" }, - { "src": "UsageInstructions/Slicers.htm", "name": "Datenschnitte in den formatierten Tabellen erstellen" }, { "src": "UsageInstructions/PivotTables.htm", "name": "Pivot-Tabellen erstellen und bearbeiten" }, + { "src": "UsageInstructions/Slicers.htm", "name": "Datenschnitte in den formatierten Tabellen erstellen" }, { "src": "UsageInstructions/GroupData.htm", "name": "Daten gruppieren" }, { "src": "UsageInstructions/RemoveDuplicates.htm", "name": "Duplikate entfernen" }, { "src": "UsageInstructions/ConditionalFormatting.htm", "name": "Bedingte Formatierung" }, { "src": "UsageInstructions/DataValidation.htm", "name": "Datenüberprüfung" }, { "src": "UsageInstructions/InsertFunction.htm", "name": "Funktionen einfügen", "headername": "Mit Funktionen arbeiten" }, + {"src": "UsageInstructions/InsertArrayFormulas.htm", "name": "Matrixformeln einfügen"}, { "src": "UsageInstructions/UseNamedRanges.htm", "name": "Namensbereiche verwenden" }, { "src": "UsageInstructions/InsertImages.htm", "name": "Bilder einfügen", "headername": "Objekte bearbeiten" }, { "src": "UsageInstructions/InsertChart.htm", "name": "Diagramme einfügen" }, {"src": "UsageInstructions/InsertSparklines.htm", "name": "Sparklines einfügen"}, { "src": "UsageInstructions/InsertAutoshapes.htm", "name": "AutoFormen einfügen und formatieren" }, { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Textobjekte einfügen" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Unterstützung von SmartArt" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Symbole und Sonderzeichen einfügen" }, { "src": "UsageInstructions/ManipulateObjects.htm", "name": "Objekte formatieren" }, { "src": "UsageInstructions/InsertEquation.htm", "name": "Formeln einfügen", "headername": "Mathematische Formeln" }, - { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Kalkulationstabellen", "headername": "Co-Bearbeitung von Tabellenblättern" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Gemeinsame Bearbeitung von Kalkulationstabellen in Echtzeit", "headername": "Co-Bearbeitung" }, { "src": "UsageInstructions/SheetView.htm", "name": "Tabellenansichten verwalten" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Kommunikation in Echtzeit" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Kalkulationstabelle kommentieren" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Versionshistorie" }, + { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Kalkulationstabelle schützen", "headername": "Kalkulationstabelle schützen" }, + { "src": "UsageInstructions/AllowEditRanges.htm", "name": "Bearbeitung der Bereiche erlauben" }, + { "src": "UsageInstructions/Password.htm", "name": "Tabellen mit einem Kennwort schützen" }, + { "src": "UsageInstructions/ProtectSheet.htm", "name": "Blatt schützen" }, + { "src": "UsageInstructions/ProtectWorkbook.htm", "name": "Arbeitsmappe schützen" }, { "src": "UsageInstructions/PhotoEditor.htm", "name": "Bild bearbeiten", "headername": "Plugins"}, { "src": "UsageInstructions/YouTube.htm", "name": "Video einfügen" }, { "src": "UsageInstructions/HighlightedCode.htm", "name": "Hervorgehobenen Code einfügen" }, @@ -56,7 +67,6 @@ { "src": "HelpfulHints/Search.htm", "name": "Such- und Ersatzfunktionen" }, { "src": "HelpfulHints/SpellChecking.htm", "name": "Rechtschreibprüfung" }, { "src": "UsageInstructions/MathAutoCorrect.htm", "name": "AutoKorrekturfunktionen" }, - { "src": "HelpfulHints/Password.htm", "name": "Tabellen mit einem Kennwort schützen" }, {"src": "HelpfulHints/ImportData.htm", "name": "Daten aus Text-/CSV-Datei erhalten"}, { "src": "HelpfulHints/About.htm", "name": "Über den Kalkulationstabelleneditor", "headername": "Nützliche Hinweise" }, { "src": "HelpfulHints/SupportedFormats.htm", "name": "Unterstützte Formate für Kalkulationstabellen" }, diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/average.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/average.htm index 726007854..5edf04ae4 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/average.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/average.htm @@ -3,7 +3,7 @@ MITTELWERT-Funktion - + @@ -19,7 +19,8 @@

                              Formelsyntax der Funktion MITTELWERT:

                              MITTELWERT(Zahl1;[Zahl2];...)

                              Die Liste der Argumente Zahl1;[Zahl2];... kann bis zu 255 nummerische Werte enthalten, die manuell eingegeben werden oder in den Zellen enthalten sind, auf die Sie Bezug nehmen.

                              -

                              MITTELWERT-Funktion anwenden:

                              +

                              Wie funktioniert MITTELWERT

                              +

                              Um die MITTELWERT-Funktion anzuwenden:

                              1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                              2. Klicken Sie auf das Symbol Funktion einfügen
                                auf der oberen Symbolleiste
                                oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus
                                oder klicken Sie auf das Symbol
                                auf der Formelleiste.
                              3. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/averageif.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/averageif.htm index 6dcc8337c..c2fc71453 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/averageif.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/averageif.htm @@ -3,7 +3,7 @@ MITTELWERTWENN-Funktion - + @@ -22,10 +22,12 @@

                                Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten.

                                Kriterien sind die Kriterien in Form einer Zahl, eines Ausdrucks, eines Zellbezugs oder eines Texts, mit denen definiert wird, für welche Zellen der Mittelwert berechnet werden soll.

                                Mittelwert_Bereich ist der tatsächliche Bereich der Zellen, für die der Mittelwert berechnet wird.

                                -

                                Hinweis: Das Argument Mittelwert_Bereich ist optional. Fehlt diese Argument, wird Bereich verwendet.

                                Anwendung der Funktion MITTELWERTWENN:

                                +

                                Das Argument Mittelwert_Bereich ist optional. Fehlt diese Argument, wird Bereich verwendet.

                                +

                                Wie funktioniert MITTELWERTWENN

                                +

                                Anwendung der Funktion MITTELWERTWENN:

                                1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                2. -
                                3. Klicken Sie auf das Symbol Funktion einfügen
                                  auf der oberen Symbolleiste
                                  oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                  oder klicken Sie auf das Symbol
                                  auf der Formelleiste.
                                4. +
                                5. Klicken Sie auf das Symbol Funktion einfügen Funktion einfügen auf der oberen Symbolleiste
                                  oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextmenü aus
                                  oder klicken Sie auf das Symbol Funktion auf der Formelleiste.
                                6. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus.
                                7. Klicken Sie auf die Funktion MITTELWERTWENN.
                                8. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas.
                                9. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/averageifs.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/averageifs.htm index 20ad749a0..a11d3803f 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/averageifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/averageifs.htm @@ -3,7 +3,7 @@ MITTELWERTWENNS-Funktion - + @@ -24,6 +24,7 @@

                                  Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um den Mittelwert der Zellen Summe_Bereich zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Das Argument ist zwingend erforderlich.

                                  Kriterien_Bereich2; Kriterien2 sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen.

                                  Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden.

                                  +

                                  Wie funktioniert MITTELWERTWENNS

                                  Anwendung der Funktion MITTELWERTWENNS:

                                  1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                  2. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/countifs.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/countifs.htm index 701515491..8948c3c8a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/countifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/countifs.htm @@ -3,7 +3,7 @@ ZÄHLENWENNS-Funktion - + @@ -23,6 +23,7 @@

                                    Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um die zu zählenden Zellen in Kriterien_Bereich1 zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Dieses Argument ist zwingend erforderlich.

                                    Kriterien_Bereich2; Kriterien2,... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen.

                                    Hinweis: Bei der Angabe von Kriterien können Sie Platzhalterzeichen verwenden. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wenn Sie ein Fragezeichen oder ein Sternchen suchen, geben Sie vor dem Zeichen eine Tilde (~) ein.

                                    +

                                    Wie funktioniert ZÄHLENWENNS

                                    Anwendung der Funktion ZÄHLENWENNS:

                                    1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                    2. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/hlookup.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/hlookup.htm index 517733343..bd31b39ce 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/hlookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/hlookup.htm @@ -3,7 +3,7 @@ WVERWEIS-Funktion - + @@ -23,7 +23,8 @@

                                      Matrix sind zwei oder mehr Spalten die in aufsteigender Reihenfolge sortiert sind.

                                      Zeilenindex ist eine Zeilennummer in der Matrix, ein numerischer Wert der größer oder gleich 1 ist, aber kleiner als die Gesamtanzahl der Spalten in Matrix.

                                      Das Argument Bereich_Verweis ist optional. Es handelt sich um einen Wahrheitswert. WAHR oder FALSCH. Geben Sie FALSCH an, um eine genaue Übereinstimmung des Rückgabewerts zu finden. Geben Sie WAHR ein, um eine ungefähre Übereinstimmung zu finden; wenn keine genaue Übereinstimmung mit dem Suchkriterium vorliegt, wählt die Funktion den nächstgrößeren Wert aus, der kleiner ist als Suchkriterium. Fehlt das Argument, findet die Funktion eine genaue Übereinstimmung.

                                      -

                                      Hinweis: Ist für Übereinstimmung FALSCH festgelegt, aber es wird keine exakte Übereinstimmung gefunden wird, gibt die Funktion den Fehler #NV zurück.

                                      +

                                      Ist für Übereinstimmung FALSCH festgelegt, aber es wird keine exakte Übereinstimmung gefunden wird, gibt die Funktion den Fehler #NV zurück.

                                      +

                                      Wie funktioniert WVERWEIS

                                      Anwendung der Funktion WVERWEIS:

                                      1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                      2. @@ -34,7 +35,7 @@
                                      3. Drücken Sie die Eingabetaste.

                                      Das Ergebnis wird in der gewählten Zelle angezeigt.

                                      -

                                      WVERWEIS-Funktion

                                      + WVERWEIS-Funktion gif \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/hyperlink.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/hyperlink.htm index 893b5a39d..49dd4e3fb 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/hyperlink.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/hyperlink.htm @@ -1,7 +1,7 @@  - HYPERLINLK-Funktion + HYPERLINK-Funktion @@ -14,26 +14,26 @@
                                      -

                                      HYPERLINLK-Funktion

                                      -

                                      Die Funktion HYPERLINLK gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Mit dieser Funktion lässt sich eine Verknüpfung erstellen, die zu einem anderen Speicherort in der aktuellen Arbeitsmappe wechselt oder ein Dokument öffnet, das auf einem Netzwerkserver, im Intranet oder im Internet gespeichert ist.

                                      -

                                      Die Formelsyntax der Funktion HYPERLINLK ist:

                                      +

                                      HYPERLINK-Funktion

                                      +

                                      Die Funktion HYPERLINK gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Mit dieser Funktion lässt sich eine Verknüpfung erstellen, die zu einem anderen Speicherort in der aktuellen Arbeitsmappe wechselt oder ein Dokument öffnet, das auf einem Netzwerkserver, im Intranet oder im Internet gespeichert ist.

                                      +

                                      Die Formelsyntax der Funktion HYPERLINK ist:

                                      HYPERLINK(Hyperlink_Adresse, [Anzeigename])

                                      Dabei gilt:

                                      Hyperlink_Adresse bezeichnet Pfad und Dateiname des zu öffnenden Dokuments. In der Online-Version darf der Pfad ausschließlich eine URL-Adresse sein. Hyperlink_Adresse kann sich auch auf eine bestimmte Stelle in der aktuellen Arbeitsmappe beziehen, z. B. auf eine bestimmte Zelle oder einen benannten Bereich. Der Wert kann als Textzeichenfolge in Anführungszeichen oder als Verweis auf eine Zelle, die den Link als Textzeichenfolge enthält, angegeben werden.

                                      Anzeigename ist ein Text, der in der Zelle angezeigt wird. Dieser Wert ist optional. Bleibt die Angabe aus, wird der Wert aus Hyperlink_Adresse in der Zelle angezeigt.

                                      -

                                      Anwendung der Funktion HYPERLINLK:

                                      +

                                      Anwendung der Funktion HYPERLINK:

                                      1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                      2. Klicken Sie auf das Symbol Funktion einfügen
                                        auf der oberen Symbolleiste
                                        oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus
                                        oder klicken Sie auf das Symbol
                                        auf der Formelleiste.
                                      3. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus.
                                      4. -
                                      5. Klicken Sie auf die Funktion HYPERLINLK.
                                      6. +
                                      7. Klicken Sie auf die Funktion HYPERLINK.
                                      8. Geben Sie die gewünschten Argumente ein und trennen Sie diese durch Kommas.
                                      9. Drücken Sie die Eingabetaste.

                                      Das Ergebnis wird in der gewählten Zelle angezeigt.

                                      Klicken Sie den Link zum Öffnen einfach an. Um eine Zelle auszuwählen die einen Link enthält, ohne den Link zu öffnen, klicken Sie diese an und halten Sie die Maustaste gedrückt.

                                      -

                                      HYPERLINLK-Funktion

                                      +

                                      HYPERLINK-Funktion

                                      \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/iferror.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/iferror.htm index 6d741b6a9..2c611b4a3 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/iferror.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/iferror.htm @@ -3,7 +3,7 @@ WENNFEHLER-Funktion - + @@ -19,6 +19,7 @@

                                      Die Formelsyntax der Funktion WENNFEHLER ist:

                                      WENNFEHLER(Wert;Wert_falls_Fehler)

                                      Wert und Wert_falls_Fehler werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen.

                                      +

                                      Wie funktioniert WENNFEHLER

                                      Anwendung der Funktion WENNFEHLER:

                                      1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                      2. @@ -30,10 +31,8 @@

                                      Das Ergebnis wird in der gewählten Zelle angezeigt.

                                      Beispiel:

                                      -

                                      Es gibt 2 Argumente: Wert = A1/B1, Wert_falls_Fehler = „Fehler"; A1 ist gleich 12 und B1 ist gleich 3. Die Formel im ersten Argument hat keinen Fehler. Also gibt die Funktion das Ergebnis der Berechnung zurück.

                                      -

                                      WENNFEHLER-Funktion: Kein Fehler

                                      -

                                      Ändert man B1 von 3 zu 0, gibt die Funktion Fehler zurück, da es nicht möglich ist durch Null zu teilen.

                                      -

                                      WENNFEHLER-Funktion: Fehler

                                      +

                                      Sie haben eine Liste des verfügbaren Artikelbestands und den Gesamtwert. Um den Stückpreis zu erfahren, verwenden wir die Funktion WENNFEHLER, um zu sehen, ob Fehler aufgetreten sind. Die Argumente lauten wie folgt: Wert = B2/A2, Wert_falls_Fehler = "Nicht verrätig". Die Formel im ersten Argument enthält keine Fehler für die Zellen C2:C9 und C11:C14, sodass die Funktion das Ergebnis der Berechnung zurückgibt. Bei C10 und C11 ist es jedoch umgekehrt, da die Formel versucht, durch Null zu teilen, daher erhalten wir als Ergebnis "Nicht verrätig".

                                      + WENNFEHLER-Funktion gif \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/ifs.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/ifs.htm index edb112c89..474b316eb 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/ifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/ifs.htm @@ -3,7 +3,7 @@ WENNS-Funktion - + @@ -23,7 +23,8 @@

                                      Wert wenn Wahr1 ist der Wert, der zurückgegeben wird, wenn der Logiktest1 WAHR ist.

                                      Logiktest2; Wert wenn Wahr2... sind zusätzliche Bedingungen und Werte, die zurückgegeben werden sollen. Diese Argumente sind optional. Hinweis: Sie können bis zu 127 Bedingungen überprüfen.

                                      Die Argumente werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen.

                                      -

                                      Anwendung der Funktion WENNS:

                                      +

                                      Wie funktioniert WENNS

                                      +

                                      Anwendung der Funktion WENNS:

                                      1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                      2. Klicken Sie auf das Symbol Funktion einfügen
                                        auf der oberen Symbolleiste
                                        oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus
                                        oder klicken Sie auf das Symbol
                                        auf der Formelleiste.
                                      3. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/lookup.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/lookup.htm index eb350e1ad..bee572650 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/lookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/lookup.htm @@ -3,7 +3,7 @@ VERWEIS-Funktion - + @@ -23,7 +23,8 @@

                                        Suchvektor ist eine einzelne Zeile oder Spalte mit Daten in aufsteigender Reihenfolge.

                                        Ergebnisvektor ist eine einzelne Zeile oder Spalte mit der gleichen Größe wie Suchvektor.

                                        Die Funktion sucht im Suchvektor nach dem Suchkriterium und gibt den Wert von der gleichen Postion im Ergebnisvektor zurück.

                                        -

                                        Hinweis: Wenn das Suchkriterium kleiner ist als alle Werte im Ergebnisvektor, gibt die Funktion den Fehlerwert #NV zurück. Kann die Funktion keinen Wert finden, der mit dem jeweiligen Wert von Suchkriterium übereinstimmt, verwendet die Funktion den größten Wert in Suchvektor, der kleiner oder gleich dem Wert von Suchkriterium ist.

                                        +

                                        Wenn das Suchkriterium kleiner ist als alle Werte im Ergebnisvektor, gibt die Funktion den Fehlerwert #NV zurück. Kann die Funktion keinen Wert finden, der mit dem jeweiligen Wert von Suchkriterium übereinstimmt, verwendet die Funktion den größten Wert in Suchvektor, der kleiner oder gleich dem Wert von Suchkriterium ist.

                                        +

                                        Wie funktioniert VERWEIS

                                        Anwendung der Funktion VERWEIS:

                                        1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                        2. @@ -34,7 +35,7 @@
                                        3. Drücken Sie die Eingabetaste.

                                        Das Ergebnis wird in der gewählten Zelle angezeigt.

                                        -

                                        VERWEIS-Funktion

                                        + lVERWEIS-Funktion gif \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/munit.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/munit.htm index 41152747e..5af561eac 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/munit.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/munit.htm @@ -23,53 +23,14 @@

                                        Anwendung der Funktion MEINHEIT:

                                        1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                        2. -
                                        3. Klicken Sie auf das Symbol Funktion einfügen
                                          auf der oberen Symbolleiste
                                          oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                          oder klicken Sie auf das Symbol
                                          auf der Formelleiste.
                                        4. +
                                        5. Klicken Sie auf das Symbol Funktion einfügen Funktion einfügen auf der oberen Symbolleiste
                                          oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                          oder klicken Sie auf das Symbol Funktion auf der Formelleiste.
                                        6. Wählen Sie die Gruppe Mathematik und Trigonometrie Funktionen aus der Liste aus.
                                        7. Klicken Sie auf die Funktion MEINHEIT.
                                        8. Geben Sie das Argument ein.
                                        9. Drücken Sie die Eingabetaste.

                                        Das Ergebnis wird in der gewählten Zelle angezeigt.

                                        -

                                        MEINHEIT-Funktion

                                        - - - - - - - RKP-Funktion - - - - - - - -
                                        -
                                        - -
                                        -

                                        RKP-Funktion

                                        -

                                        Die Funktion RKP ist eine der statistischen Funktionen. Sie wird verwendet, um eine Exponentialkurve zu berechnen, die zu den Daten passt und ein Array von Werten zurückgibt, die die Kurve beschreiben.

                                        -

                                        Die Formelsyntax der Funktion RKP ist:

                                        -

                                        RKP(bekannte_y-Werte, [bekannte_x-Werte], [Konstante], [Statistiken])

                                        -

                                        dabei gilt

                                        -

                                        bekannte_y-Werte ist die Gruppe von y-Werten, die Sie bereits in der Gleichung y = b*m^x kennen.

                                        -

                                        bekannte_x-Werte ist die optionale Gruppe von x-Werten, die Sie möglicherweise in der Gleichung y = b*m^x kennen.

                                        -

                                        Konstante ist ein optionales Argument. Es ist ein WAHR oder FALSCH Wert, bei dem WAHR oder das Fehlen des Arguments die normale Berechnung von b gibt und FALSCH b in der Gleichung y = b*m^x auf 1 setzt und die m-Werte in der Gleichung y = m^x entsprechen.

                                        -

                                        Statistiken ist ein optionales Argument. Es ist ein WAHR oder FALSCH Wert, der festlegt, ob zusätzliche Regressionsstatistiken ausgegeben werden sollen.

                                        - -

                                        Anwendung der Funktion RKP:

                                        -
                                          -
                                        1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                        2. -
                                        3. Klicken Sie auf das Symbol Funktion einfügen
                                          auf der oberen Symbolleiste
                                          oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                          oder klicken Sie auf das Symbol
                                          auf der Formelleiste.
                                        4. -
                                        5. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus.
                                        6. -
                                        7. Klicken Sie auf die Funktion RKP.
                                        8. -
                                        9. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas.
                                        10. -
                                        11. Drücken Sie die Eingabetaste.
                                        12. -
                                        -

                                        Das Ergebnis wird in der gewählten Zelle angezeigt.

                                        -

                                        RKP-Funktion

                                        +

                                        MEINHEIT-Funktion

                                        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/randarray.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/randarray.htm index 80ee0ec84..f195b1667 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/randarray.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/randarray.htm @@ -28,14 +28,14 @@

                                        Anwendung der Funktion ZUFALLSMATRIX:

                                        1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                        2. -
                                        3. Klicken Sie auf das Symbol Funktion einfügen
                                          auf der oberen Symbolleiste
                                          oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                          oder klicken Sie auf das Symbol
                                          auf der Formelleiste.
                                        4. +
                                        5. Klicken Sie auf das Symbol Funktion einfügen Funktion einfügen auf der oberen Symbolleiste
                                          oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                          oder klicken Sie auf das Symbol Funktion auf der Formelleiste.
                                        6. Wählen Sie die Gruppe Mathematik und Trigonometrie Funktionen aus der Liste aus.
                                        7. Klicken Sie auf die Funktion ZUFALLSMATRIX.
                                        8. Geben Sie die Argumente ein und trennen Sie diese durch Kommas.
                                        9. Drücken Sie die Eingabetaste.

                                        Das Ergebnis wird in der gewählten Zelle angezeigt.

                                        -

                                        ZUFALLSMATRIX-Funktion

                                        +

                                        ZUFALLSMATRIX-Funktion

                                        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/sum.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/sum.htm index 952487fc9..e69752adb 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/sum.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/sum.htm @@ -3,7 +3,7 @@ SUMME-Funktion - + @@ -19,6 +19,7 @@

                                        Die Formelsyntax der Funktion SUMME ist:

                                        SUMME(Zahl1;[Zahl2];...)

                                        Die Liste der Argumente Zahl1;[Zahl2];... ist eine Auswahl nummerischer Werte, die manuell eingegeben werden oder in dem Zellbereich eingeschlossen sind, auf den Sie Bezug nehmen.

                                        +

                                        Wie funktioniert SUMME

                                        Anwendung der Funktion SUMME:

                                        1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                        2. diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/sumif.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/sumif.htm index 4637f063a..c6dc2de83 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/sumif.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/sumif.htm @@ -3,7 +3,7 @@ SUMMEWENN-Funktion - + @@ -11,29 +11,30 @@
                                          -
                                          - -
                                          +
                                          + +

                                          SUMMEWENN-Funktion

                                          Die Funktion SUMMEWENN gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen in gewählten Zellenbereich anhand vom angegebenen Kriterium zu addieren und das Ergebnis zurückzugeben.

                                          -

                                          Die Formelsyntax der Funktion SUMMEWENN ist:

                                          -

                                          SUMMEWENN(Bereich;Suchkriterien;[Summe_Bereich])

                                          -

                                          Dabei gilt:

                                          +

                                          Die Formelsyntax der Funktion SUMMEWENN ist:

                                          +

                                          SUMMEWENN(Bereich;Suchkriterien;[Summe_Bereich])

                                          +

                                          Dabei gilt:

                                          Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten.

                                          Suchkriterien sind die Suchkriterien mit denen definiert wird, welche Zellen addiert werden sollen, diese können manuell eingegeben werden oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen.

                                          Summe_Bereich ist der Zellenbereich, der addiert werden soll. Dieses Argument ist optional. Wird es ausgelassen, addiert die Funktion die Zahlen von Bereich.

                                          -

                                          Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden.

                                          +

                                          Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden.

                                          +

                                          Wie funktioniert SUMMEWENN

                                          Anwendung der Funktion SUMMEWENN:

                                            -
                                          1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                          2. -
                                          3. Klicken Sie auf das Symbol Funktion einfügen
                                            auf der oberen Symbolleiste
                                            oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                            oder klicken Sie auf das Symbol
                                            auf der Formelleiste.
                                          4. -
                                          5. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus.
                                          6. -
                                          7. Klicken Sie auf die Funktion SUMMEWENN.
                                          8. -
                                          9. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas.
                                          10. -
                                          11. Drücken Sie die Eingabetaste.
                                          12. +
                                          13. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                          14. +
                                          15. Klicken Sie auf das Symbol Funktion einfügen Funktion einfügen auf der oberen Symbolleiste
                                            oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus
                                            oder klicken Sie auf das Symbol Funktion auf der Formelleiste.
                                          16. +
                                          17. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus.
                                          18. +
                                          19. Klicken Sie auf die Funktion SUMMEWENN.
                                          20. +
                                          21. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas.
                                          22. +
                                          23. Drücken Sie die Eingabetaste.

                                          Das Ergebnis wird in der gewählten Zelle angezeigt.

                                          -

                                          SUMMEWENN-Funktion

                                          + SUMMEWENN-Funktion gif
                                          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/Functions/sumifs.htm b/apps/spreadsheeteditor/main/resources/help/de/Functions/sumifs.htm index b5a2158cf..6c5226ec1 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/Functions/sumifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/Functions/sumifs.htm @@ -3,7 +3,7 @@ SUMMEWENNS-Funktion - + @@ -23,7 +23,8 @@

                                          Kriterien_Bereich1 ist der erste gewählte Zellenbereich, der auf Kriterien1 getestet wird.

                                          Kriterien1 sind die Kriterien, die definieren, welche Zellen in Kriterien_Bereich1 addiert werden. Sie werden auf Kriterien_Bereich1 angewendet und bestimmen den Mittelwert der Zellen Summe_Bereich. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen.

                                          Kriterien_Bereich2; Kriterien2, ... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional.

                                          -

                                          Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden.

                                          +

                                          Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden.

                                          +

                                          Wie funktioniert SUMMEWENNS

                                          Anwendung der Funktion SUMMEWENNS:

                                          1. Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus.
                                          2. diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm index 43cde3ec3..6b87939d5 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm @@ -44,10 +44,12 @@
                                            • Die Option Hell enthält Standardfarben - grün, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind.
                                            • Die Option Klassisch Hell enthält Standardfarben - grün, weiß und hellgrau.
                                            • -
                                            • Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind.
                                            • +
                                            • Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. +

                                              Hinweis: Abgesehen von den verfügbaren Oberflächenfarbschemas Hell, Klassisch Hell und Dunkel können ONLYOFFICE Editoren jetzt mit Ihrem eigenen Farbdesign angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können.

                                              +
                                            -
                                          3. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %.
                                          4. +
                                          5. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %.
                                          6. Hinting - Auswahl der Schriftartdarstellung in der Tabellenkalkulation:
                                              @@ -72,8 +74,8 @@
                                            • Maßeinheiten - geben Sie an, welche Einheiten verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. anzugeben. Sie können die Optionen Zentimeter, Punkt oder Zoll wählen.
                                            • Die Option Formelsprache wird verwendet, um die Sprache für die Anzeige und Eingabe von Formelnamen, Argumentnamen und Beschreibungen festzulegen. -

                                              Formelsprache wird für 31 Sprachen unterstützt:

                                              -

                                              Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch, Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch.

                                              +

                                              Formelsprache wird für 32 Sprachen unterstützt:

                                              +

                                              Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch (Brasilien), Portugiesisch (Portugal), Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch.

                                            • Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen.
                                            • diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm index 0dbd8df45..cd0a58f44 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Gemeinsame Bearbeitung von Kalkulationstabellen + Gemeinsame Bearbeitung von Kalkulationstabellen in Echtzeit @@ -10,72 +10,27 @@ -
                                              -
                                              - +
                                              +
                                              + +
                                              +

                                              Gemeinsame Bearbeitung von Kalkulationstabellen in Echtzeit

                                              +

                                              Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern.

                                              +

                                              In der Tabellenkalkulation können Sie mithilfe von zwei Modi in Echtzeit an Kalkulationstabellen zusammenarbeiten: Schnell oder Formal.

                                              +

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

                                              +

                                              Co-editing Mode menu

                                              +

                                              Die Anzahl der Benutzer, die an der aktuellen Kalkulationstabelle arbeiten, wird auf der rechten Seite der Kopfzeile des Editors angegeben - Number of users icon. Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen.

                                              +

                                              Modus "Schnell"

                                              +

                                              Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie in diesem Modus eine Kalkulationstabelle gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. Dieser Modus zeigt die Aktionen und die Namen der Mitbearbeiter, wenn sie die Daten in Zellen bearbeiten. Unterschiedliche Rahmenfarben heben auch die Zellbereiche hervor, die gerade von jemand anderem ausgewählt wurden.

                                              +

                                              Bewegen Sie Ihren Mauszeiger über die Auswahl, um den Namen des Benutzers anzuzeigen, der sie bearbeitet.

                                              +

                                              Modus "Formal"

                                              +

                                              Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern Save icon klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen.

                                              +

                                              Wenn eine Tabelle von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Zellen mit gestrichelten Linien in verschiedenen Farben markiert. Die Registerkarten der Tabelle, auf denen sich diese Zellen befinden, sind mit einer roten Markierung markiert. Bewegen Sie den Mauszeiger über eine der bearbeiteten Zellen, um den Namen des Benutzers anzuzeigen, der sie gerade bearbeitet.

                                              +

                                              Coediting Highlighted Selection

                                              +

                                              Sobald einer der Benutzer seine Änderungen speichert, indem er auf das Symbol Save icon klickt, sehen die anderen einen Hinweis in der oberen linken Ecke, der darauf informiert, das es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen, und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abzurufen, klicken Sie auf das Symbol Save icon in der linken oberen Ecke der oberen Symbolleiste.

                                              +

                                              Anonym

                                              +

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

                                              +

                                              Anonym - Zusammenarbeit

                                              -

                                              Gemeinsame Bearbeitung von Kalkulationstabellen

                                              -

                                              Im Tabelleneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Tabelle zu arbeiten. Diese Funktion umfasst:

                                              -
                                                -
                                              • Gleichzeitiger Zugriff von mehreren Benutzern auf eine Tabelle.
                                              • -
                                              • Visuelle Markierung von Zellen, die aktuell von anderen Benutzern bearbeitet werden.
                                              • -
                                              • Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick.
                                              • -
                                              • Chat zum Austauschen von Ideen zu bestimmten Abschnitten im Tabellenblatt.
                                              • -
                                              • Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).
                                              • -
                                              -
                                              -

                                              Verbindung mit der Online-Version herstellen

                                              -

                                              Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her.

                                              -
                                              -
                                              -

                                              Co-Bearbeitung

                                              -

                                              Im Kalkulationstabelleneditor stehen die folgenden Modi für die Co-Bearbeitung zur Verfügung.

                                              -
                                                -
                                              • Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt.
                                              • -
                                              • Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern
                                                klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen.
                                              • -
                                              -

                                              Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol

                                              Co-Bearbeitung.

                                              -

                                              Menü Co-Bearbeitung

                                              -

                                              Hinweis: Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar.

                                              -

                                              Wenn eine Tabelle im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Zellen sowie das jeweilige Blattregister mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Zellen bewegen, wird der Name des Benutzers angezeigt, der diese Zelle aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben.

                                              -

                                              Die Anzahl der Benutzer, die in der aktuellen Tabelle arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben -

                                              . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält.

                                              -

                                              Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus:

                                              über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Kommentieren der Tabelle erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol
                                              , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige der Tabelle beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol
                                              Teilen.

                                              -

                                              Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol

                                              speichert, sehen die anderen Benutzer in der oberen linken Ecke eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf
                                              .

                                              -

                                              Anonym

                                              -

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

                                              -

                                              Anonym - Zusammenarbeit

                                              -

                                              Chat

                                              -

                                              Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Teil der Tabelle Sie aktuell bearbeiten usw.

                                              -

                                              Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Tabelle zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden.

                                              -

                                              Chat nutzen und Nachrichten für andere Benutzer erstellen:

                                              -
                                                -
                                              1. Klicken Sie im linken Seitenbereich auf das Symbol
                                                oder
                                                wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche
                                                Chat.
                                              2. -
                                              3. Geben Sie Ihren Text in das entsprechende Feld unten ein.
                                              4. -
                                              5. klicken Sie auf Senden.
                                              6. -
                                              -

                                              Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus -

                                              .

                                              -

                                              Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie erneut auf das

                                              Symbol.

                                              -
                                              -

                                              Kommentare

                                              -

                                              Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen).

                                              -

                                              Einen Kommentar hinterlassen:

                                              -
                                                -
                                              1. Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet.
                                              2. -
                                              3. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf
                                                Kommentare oder
                                                nutzen Sie das
                                                Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder
                                                klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus.
                                              4. -
                                              5. Geben Sie den gewünschten Text ein.
                                              6. -
                                              7. Klicken Sie auf Kommentar hinzufügen/Hinzufügen.
                                              8. -
                                              -

                                              Der Kommentar wird im linken Seitenbereich angezeigt. In der oberen rechten Ecke der kommentierten Zelle wird ein orangefarbenes Dreieck angezeigt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf

                                              klicken.

                                              -

                                              Zur Anzeige des Kommentars, klicken Sie einfach in die jeweilige Zelle. Alle Nutzer können nun auf den hinzugefügten Kommentar antworten, Fragen stellen oder über die durchgeführten Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar.

                                              -

                                              Hinzugefügte Kommentare verwalten:

                                              -
                                                -
                                              • bearbeiten - klicken Sie dazu auf
                                              • -
                                              • löschen - klicken Sie dazu auf
                                              • -
                                              • Diskussion schließen - klicken Sie dazu auf
                                                , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf
                                                . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf
                                                klicken.
                                              • -
                                              • Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
                                              • -
                                              -

                                              Wenn Sie im Modus Strikt arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf

                                              geklickt haben.

                                              -

                                              Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf

                                              .

                                              -
                                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Commenting.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..65e2f6abb --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Commenting.htm @@ -0,0 +1,86 @@ + + + + Kalkulationstabelle kommentieren + + + + + + + +
                                              +
                                              + +
                                              +

                                              Kalkulationstabelle kommentieren

                                              +

                                              Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; direkt in der Tabellenkalkulation kommunizieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern.

                                              +

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

                                              +

                                              Kommentare hinterlassen und darauf antworten

                                              +

                                              Um einen Kommentar zu hinterlassen:

                                              +
                                                +
                                              1. Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet.
                                              2. +
                                              3. + Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit in der oberen Symbolleiste und klicken Sie auf das Symbol Comment icon Kommentare, oder
                                                + Verwenden Sie das Kommentarsymbol Comments icon in der linken Seitenleiste, um das Fenster Kommentare zu öffnen, und klicken Sie auf den Link Kommentar zum Dokument hinzufügen, oder
                                                + Klicken Sie mit der rechten Maustaste in die ausgewählte Zelle und wählen Sie im Menü die Option Kommentar hinzufügen. +
                                              4. +
                                              5. Geben Sie den erforderlichen Text ein.
                                              6. +
                                              7. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen.
                                              8. +
                                              +

                                              Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol Save icon in der linken oberen Ecke der oberen Symbolleiste geklickt haben.

                                              +

                                              Um den Kommentar anzuzeigen, klicken Sie einfach in die Zelle. Sie oder jeder andere Benutzer kann auf den hinzugefügten Kommentar antworten, indem Sie Fragen stellen oder über die Arbeit berichten. Verwenden Sie dazu den Link Antwort hinzufügen, geben Sie Ihren Antworttext in das Eingabefeld ein und drücken Sie den Button Antworten.

                                              +

                                              Anzeige von Kommentaren deaktivieren

                                              +

                                              Der Kommentar wird im Bereich auf der linken Seite angezeigt. Das orangefarbene Dreieck erscheint in der oberen rechten Ecke der Zelle, die Sie kommentiert haben. Um diese Funktion zu deaktivieren:

                                              +
                                                +
                                              • Klicken Sie in der oberen Symbolleiste auf die Registerkarte Datei.
                                              • +
                                              • Wählen Sie die Option Erweiterte Einstellungen....
                                              • +
                                              • Deaktivieren Sie das Kontrollkästchen Live-Kommentare einschalten.
                                              • +
                                              +

                                              In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf das Symbol Kommentare Comments icon klicken.

                                              +

                                              Kommentare verwalten

                                              +

                                              Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten:

                                              +
                                                +
                                              • + Sortieren Sie die hinzugefügten Kommentare, indem Sie auf das Symbol Sort icon klicken: +
                                                  +
                                                • nach Datum: Neueste zuerst oder Älteste zuerste.
                                                • +
                                                • nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A).
                                                • +
                                                • + nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. +

                                                  Sort comments

                                                  +
                                                • +
                                                +
                                              • +
                                              • Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Edit icon klicken.
                                              • +
                                              • Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol Delete icon klicken.
                                              • +
                                              • Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol Resolve icon klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol Open again icon, um die Diskussion neu zu öffnen. Wenn Sie aufgelöste Kommentare ausblenden möchten, klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie die Option Anzeige der aktivieren Kommentare gelöst und klicken Sie auf Anwenden. In diesem Fall werden die gelösten Kommentare nur hervorgehoben, wenn Sie auf das Symbol Comments icon klicken.
                                              • +
                                              • Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen.
                                              • +
                                              +

                                              Erwähnungen hinzufügen

                                              +

                                              Sie können Erwähnungen nur zu den Kommentaren zum Inhalt der Kalkulationstabelle hinzufügen, nicht zur Kalkulationstabelle selbst.

                                              +

                                              Beim Eingeben von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie jemanden auf den Kommentar aufmerksam machen und dem genannten Benutzer per E-Mail und Chat eine Benachrichtigung senden können.

                                              +

                                              Um eine Erwähnung hinzuzufügen:

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

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

                                              +

                                              Kommentare entfernen

                                              +

                                              Um Kommentare zu entfernen:

                                              +
                                                +
                                              1. Klicken Sie auf die Schaltfläche Remove comment icon Kommentare entfernen auf der Registerkarte Zusammenarbeit der oberen Symbolleiste.
                                              2. +
                                              3. + Wählen Sie die erforderliche Option aus dem Menü: +
                                                  +
                                                • Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt.
                                                • +
                                                • Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt.
                                                • +
                                                • Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben.
                                                • +
                                                +
                                              4. +
                                              +

                                              Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol Comments icon.

                                              +
                                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Communicating.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..fe4258d71 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Communicating.htm @@ -0,0 +1,30 @@ + + + + Kommunikation in Echtzeit + + + + + + + +
                                              +
                                              + +
                                              +

                                              Kommunikation in Echtzeit

                                              +

                                              Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern.

                                              +

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

                                              +

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

                                              +
                                                +
                                              1. Klicken Sie auf das Symbol Chat icon in der linken Symbolleiste.
                                              2. +
                                              3. Geben Sie Ihren Text in das entsprechende Feld unten ein.
                                              4. +
                                              5. Klicken Sie auf die Schaltfläche Senden.
                                              6. +
                                              +

                                              Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt der Tabelle zu diskutieren, ist es besser, Kommentare zu verwenden, die gespeichert werden, bis sie gelöscht werden.

                                              +

                                              Alle von Benutzern hinterlassenen Nachrichten werden auf der linken Seite angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, sieht das Chat-Symbol so aus - Chat icon.

                                              +

                                              Um das Fenster mit Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol Chat icon.

                                              +
                                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/ImportData.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/ImportData.htm index 929df1f06..8b3c54600 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/ImportData.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/ImportData.htm @@ -22,7 +22,11 @@
                                            • Wählen Sie eine der Importoptionen:
                                              • Daten aus einer Datei erhalten: Finden Sie die benötigte Datei auf Ihrer Festplatte, wählen Sie diese aus und klicken Sie auf Öffnen.
                                              • -
                                              • Daten aus einer URL erhalten: Fügen Sie den Link zur Datei oder Webseite in das Feld In Daten-URL einfügen ein und klicken Sie auf OK.
                                              • +
                                              • Daten aus einer URL erhalten: Fügen Sie den Link zur Datei oder Webseite in das Feld In Daten-URL einfügen ein und klicken Sie auf OK. +

                                                + Ein Link zum Anzeigen oder Bearbeiten einer auf dem ONLYOFFICE-Portal oder in einem Drittspeicher abgelegten Datei kann in diesem Fall nicht verwendet werden. Bitte verwenden Sie den Link, um die Datei herunterzuladen. +

                                                +
                                          @@ -31,7 +35,17 @@

                                          Textimport-Assistent

                                          1. Zeichenkodierung. Der Parameter ist standardmäßig auf UTF-8 eingestellt. Lassen Sie es dabei oder wählen Sie den gewünschten Typ über das Drop-Down-Menü aus.
                                          2. -
                                          3. Trennzeichen. Der Parameter legt den Typ des Trennzeichens fest, das verwendet wird, um den Text in verschiedene Zellen zu verteilen. Die verfügbaren Trennzeichen sind Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen und Sonstige (manuell eingeben). Klicken Sie rechts auf die Schaltfläche Erweitert, um ein Dezimaltrennzeichen und ein Tausendertrennzeichen festzulegen. Die Standardtrennzeichen sind “.“ für Dezimal und “,“ für Tausend.
                                          4. +
                                          5. + Trennzeichen. Der Parameter legt den Typ des Trennzeichens fest, das verwendet wird, um den Text in verschiedene Zellen zu verteilen. Die verfügbaren Trennzeichen sind Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen und Sonstige (manuell eingeben). +

                                            Klicken Sie auf die Schaltfläche Erweitert rechts, um Einstellungen für numerisch erkannte Daten zu konfigurieren:

                                            +

                                            Datenimport Erweiterte Einstellungen

                                            +
                                              +
                                            • Legen Sie ein Dezimaltrennzeichen und ein Tausendertrennzeichen fest. Die Standardtrennzeichen sind „.“ für Dezimalstellen und “, für Tausender.
                                            • +
                                            • + Wählen Sie einen Textqualifizierer aus. Ein Textqualifizierer ist ein Zeichen, das verwendet wird, um zu erkennen, wo der Text beginnt und endet, wenn Sie Daten importieren. Die verfügbaren Optionen: (kein), doppelte Anführungszeichen und einfache Anführungszeichen. +
                                            • +
                                            +
                                          6. Vorshau. Der Abschnitt zeigt, wie der Text in den Tabellenzellen angeordnet wird.
                                          7. Wählen Sie aus, wo diese Daten abgelegt werden soll. Geben Sie den gewünschten Bereich in das Feld ein oder wählen Sie einen mit der Schaltfläche Daten auswählen rechts aus.
                                          8. Klicken Sie auf OK, um die Datei zu importieren und den Textimport-Assistenten zu schließen.
                                          9. diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm index f03c75d0d..cb7867c67 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm @@ -13,22 +13,39 @@
                                            -
                                            - -
                                            +
                                            + +

                                            Tastenkombinationen

                                            -
                                              -
                                            • Windows/Linux
                                            • Mac OS
                                            • -
                                            +

                                            Tastenkombinationen für Key-Tipps

                                            +

                                            Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen der Tabellenkalkulation ohne eine Maus zu verwenden.

                                            +
                                              +
                                            1. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten.
                                            2. +
                                            3. + Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. +

                                              Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen.

                                              +

                                              Primärtastentipps

                                              +

                                              Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte.

                                              +

                                              Sekundärtastentipps

                                              +

                                              Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht.

                                              +
                                            4. +
                                            5. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren.
                                            6. +
                                            +

                                            In der folgenden Liste finden Sie die gängigsten Tastenkombinationen:

                                            +
                                              +
                                            • Windows/Linux
                                            • + +
                                            • Mac OS
                                            • +
                              - - + + @@ -37,31 +54,31 @@ - - - + + + - - - - - + + + + + - - - - - + + + + + - - + + - + @@ -85,45 +102,51 @@ - - - + + - - - - - + + + + + + - - - - - + + + + + - - - - - + + + + - - + + + + + + + + + - - - + + - - - - - + + + + + + - - + + @@ -184,28 +207,28 @@ - - - + + - - - - - + + + + + - - + + + - + - + @@ -253,56 +276,56 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -317,7 +340,7 @@ - + @@ -338,7 +361,7 @@ - + @@ -358,41 +381,41 @@ - - - + + + - - + + - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + @@ -436,20 +459,20 @@ - - - - - - - - - - - - - + + + + + + + + + + + + + @@ -457,102 +480,102 @@ - - - + + + - - - - - + + + + + - - - - - - - - + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - + +
                              Kalkulationstabelle bearbeiten
                              Dateimenü öffnenALT+F⌥ Option+FALT+F⌥ Option+F Über das Dateimenü können Sie die aktuelle Tabelle speichern, drucken, herunterladen, Informationen einsehen, eine neue Tabelle erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen.
                              ^ STRG+F,
                              ⌘ Cmd+F
                              Das Dialogfeld Suchen und Ersetzen wird geöffnet. Hier können Sie nach einer Zelle mit den gewünschten Zeichen suchen.
                              Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnenSTRG+H
                              Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnenSTRG+H ^ STRG+HÖffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen.
                              Kommentarleiste öffnenSTRG+⇧ UMSCHALT+HÖffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen.
                              Kommentarleiste öffnenSTRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H,
                              ⌘ Cmd+⇧ UMSCHALT+H
                              Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten.
                              Kommentarfeld öffnenALT+HÜber die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten.
                              Kommentarfeld öffnenALT+H ⌥ Option+HEin Textfeld zum Eingeben eines Kommentars öffnen.
                              Ein Textfeld zum Eingeben eines Kommentars öffnen.
                              Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden.
                              Tabelle speichern STRG+S ^ STRG+S,
                              ⌘ Cmd+S
                              Der Tabelleneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt.
                              HilfemenüF1
                              Hilfemenü F1Das Hilfemenü wird geöffnet.
                              Vorhandene Datei öffnen (Desktop-Editoren)STRG+OF1Das Hilfemenü wird geöffnet.
                              Vorhandene Datei öffnen (Desktop-Editoren)STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können.
                              Datei schließen (Desktop-Editoren)STRG+W,
                              STRG+F4
                              Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können.
                              Datei schließen (Desktop-Editoren)STRG+W,
                              STRG+F4
                              ^ STRG+W,
                              ⌘ Cmd+W
                              Das aktuelle Tabellenfenster in Desktop-Editoren schließen.
                              Element-Kontextmenü⇧ UMSCHALT+F10Das aktuelle Tabellenfenster in Desktop-Editoren schließen.
                              Element-Kontextmenü ⇧ UMSCHALT+F10Öffnen des ausgewählten Element-Kontextmenüs.
                              ⇧ UMSCHALT+F10Öffnen des ausgewählten Element-Kontextmenüs.
                              Arbeitsblatt duplizierenStrg drücken und halten + den Blatt-Tab ziehen⌥ Option drücken und halten + den Blatt-Tab ziehenEin gesamtes Arbeitsblatt in eine Arbeitsmappe kopieren und es an die gewünschte Registerkartenposition verschieben.
                              Navigation
                              Eine Zelle nach oben, unten links oder rechts
                              Eine Zelle nach oben, unten links oder rechts Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren.
                              Zum Rand des aktuellen Datenbereichs springenSTRG+ Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren.
                              Zum Rand des aktuellen Datenbereichs springenSTRG+ ⌘ Cmd+ Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren.
                              Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren.
                              Zum Anfang einer Zeile springen POS1,
                              ↹ Tab
                              Markiert die nächste Zelle der aktuellen Reihe.
                              Einen Bildschirm nach untenBILD unten
                              Einen Bildschirm nach unten BILD untenIm aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln.
                              Einen Bildschirm nach obenBILD obenBILD untenIm aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln.
                              Einen Bildschirm nach oben BILD obenIm aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln.
                              BILD obenIm aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln.
                              Vergrößern STRG++^ STRG+=,
                              ⌘ Cmd+=
                              ^ STRG+= Die Ansicht der aktuellen Tabelle wird vergrößert.
                              Verkleinern STRG+-^ STRG+-,
                              ⌘ Cmd+-
                              ^ STRG+- Die Ansicht der aktuelle bearbeiteten Tabelle wird verkleinert.
                              ^ STRG+⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuell ausgewählten Zelle bis zum Anfang des Blatts auswählen.
                              Auswahl bis auf die letzte aktive Zelle erweiternSTRG+⇧ UMSCHALT+ENDE^ STRG+⇧ UMSCHALT+ENDEEin Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt.
                              Eine Zelle nach links auswählen⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabEine Zelle nach links in einer Tabelle auswählen.
                              Eine Zelle nach rechts auswählen↹ Tab↹ TabEine Zelle nach rechts in einer Tabelle auswählen.
                              Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern⇧ UMSCHALT+ALT+ENDE,
                              STRG+⇧ UMSCHALT+
                              ⇧ UMSCHALT+⌥ Option+ENDEAuswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Auswahl bis auf die letzte nicht leere Zelle nach links erweitern⇧ UMSCHALT+ALT+POS1,
                              STRG+⇧ UMSCHALT+
                              ⇧ UMSCHALT+⌥ Option+POS1Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweiternSTRG+⇧ UMSCHALT+ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Die Auswahl um einen Bildschirm nach unten erweitern.⇧ UMSCHALT+BILD unten⇧ UMSCHALT+BILD untenDie Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden.
                              Die Auswahl um einen Bildschirm nach oben erweitern.⇧ UMSCHALT+BILD oben⇧ UMSCHALT+BILD obenDie Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden.
                              Rückgängig machen und WiederholenAuswahl bis auf die letzte aktive Zelle erweiternSTRG+⇧ UMSCHALT+ENDE^ STRG+⇧ UMSCHALT+ENDEEin Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt.
                              Eine Zelle nach links auswählen⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabEine Zelle nach links in einer Tabelle auswählen.
                              Eine Zelle nach rechts auswählen↹ Tab↹ TabEine Zelle nach rechts in einer Tabelle auswählen.
                              Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern⇧ UMSCHALT+ALT+ENDE,
                              STRG+⇧ UMSCHALT+
                              ⇧ UMSCHALT+⌥ Option+ENDEAuswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Auswahl bis auf die letzte nicht leere Zelle nach links erweitern⇧ UMSCHALT+ALT+POS1,
                              STRG+⇧ UMSCHALT+
                              ⇧ UMSCHALT+⌥ Option+POS1Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweiternSTRG+⇧ UMSCHALT+ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert.
                              Die Auswahl um einen Bildschirm nach unten erweitern.⇧ UMSCHALT+BILD unten⇧ UMSCHALT+BILD untenDie Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden.
                              Die Auswahl um einen Bildschirm nach oben erweitern.⇧ UMSCHALT+BILD oben⇧ UMSCHALT+BILD obenDie Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden.
                              Rückgängig machen und Wiederholen
                              Rückgängig machenDie zuletzt durchgeführte Aktion wird wiederholt.
                              Ausschneiden, Kopieren, EinfügenAusschneiden, Kopieren, Einfügen
                              AusschneidenDie zuvor kopierten Daten werden aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Die Daten können zuvor aus derselben Tabelle, einer anderen Tabelle bzw. einem anderen Programm, kopiert worden sein.
                              DatenformatierungDatenformatierung
                              Fett^ STRG+U,
                              ⌘ Cmd+U
                              Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird mit einer Linie unterstrichen.
                              DurchgestrichenSTRG+5
                              DurchgestrichenSTRG+5 ^ STRG+5,
                              ⌘ Cmd+5
                              Der gewählten Textabschnitt wird mit einer Linie durchgestrichen.
                              Der gewählten Textabschnitt wird mit einer Linie durchgestrichen.
                              Hyperlink hinzufügen STRG+K ⌘ Cmd+K Ein Hyperlink zu einer externen Website oder einem anderen Arbeitsblatt wird eingefügt.
                              Aktive Zelle bearbeitenF2F2Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben.
                              Datenfilterung
                              Filter aktivieren/entfernenSTRG+⇧ UMSCHALT+L^ STRG+⇧ UMSCHALT+L,
                              ⌘ Cmd+⇧ UMSCHALT+L
                              Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt.
                              Wie Tabellenvorlage formatierenSTRG+L^ STRG+L,
                              ⌘ Cmd+L
                              Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden
                              DateneingabeAktive Zelle bearbeitenF2F2Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben.
                              Datenfilterung
                              Filter aktivieren/entfernenSTRG+⇧ UMSCHALT+L^ STRG+⇧ UMSCHALT+L,
                              ⌘ Cmd+⇧ UMSCHALT+L
                              Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt.
                              Wie Tabellenvorlage formatierenSTRG+L^ STRG+L,
                              ⌘ Cmd+L
                              Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden
                              Dateneingabe
                              Zelleintrag abschließen und in der Tabelle nach unten bewegen.ENTF,
                              ← Rücktaste
                              Der Inhalt der ausgewählten Zellen (Daten und Formeln) wird gelöscht, Zellformatierungen und Kommentare werden davon nicht berührt.
                              Zelleintrag abschließen und eine Zelle nach rechts wechseln↹ Tab↹ TabZelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln.
                              Zelleintrag abschließen und eine Zelle nach links wechseln⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabZelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln .
                              FunktionenZelleintrag abschließen und eine Zelle nach rechts wechseln↹ Tab↹ TabZelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln.
                              Zelleintrag abschließen und eine Zelle nach links wechseln⇧ UMSCHALT+↹ Tab⇧ UMSCHALT+↹ TabZelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln .
                              Funktionen
                              SUMME-Funktion⌥ Option+= Die Funktion SUMME wird in die gewählte Zelle eingefügt.
                              Dropdown-Liste öffnenALT+
                              Dropdown-Liste öffnenALT+ Eine ausgewählte Dropdown-Liste öffnen.
                              Kontextmenü öffnen≣ MenüEine ausgewählte Dropdown-Liste öffnen.
                              Kontextmenü öffnen≣ Menü Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen.
                              Datenformate
                              Dialogfeld „Zahlenformat“ öffnenSTRG+1Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen.
                              Datenformate
                              Dialogfeld „Zahlenformat“ öffnenSTRG+1 ^ STRG+1Dialogfeld Zahlenformat öffnen
                              Standardformat anwendenSTRG+⇧ UMSCHALT+~Dialogfeld Zahlenformat öffnen
                              Standardformat anwendenSTRG+⇧ UMSCHALT+~ ^ STRG+⇧ UMSCHALT+~Das Format Standardzahl wird angewendet.
                              Format Währung anwendenSTRG+⇧ UMSCHALT+$Das Format Standardzahl wird angewendet.
                              Format Währung anwendenSTRG+⇧ UMSCHALT+$ ^ STRG+⇧ UMSCHALT+$Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern).
                              Prozentformat anwendenSTRG+⇧ UMSCHALT+%Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern).
                              Prozentformat anwendenSTRG+⇧ UMSCHALT+% ^ STRG+⇧ UMSCHALT+%Das Format Prozent wird ohne Dezimalstellen angewendet.
                              Das Format Exponential wird angewendetSTRG+⇧ UMSCHALT+^Das Format Prozent wird ohne Dezimalstellen angewendet.
                              Das Format Exponential wird angewendetSTRG+⇧ UMSCHALT+^ ^ STRG+⇧ UMSCHALT+^Das Format Exponential mit zwei Dezimalstellen wird angewendet.
                              Datenformat anwendenSTRG+⇧ UMSCHALT+#Das Format Exponential mit zwei Dezimalstellen wird angewendet.
                              Datenformat anwendenSTRG+⇧ UMSCHALT+# ^ STRG+⇧ UMSCHALT+#Das Format Datum mit Tag, Monat und Jahr wird angewendet.
                              Zeitformat anwendenSTRG+⇧ UMSCHALT+@Das Format Datum mit Tag, Monat und Jahr wird angewendet.
                              Zeitformat anwendenSTRG+⇧ UMSCHALT+@ ^ STRG+⇧ UMSCHALT+@Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet.
                              Nummernformat anwendenSTRG+⇧ UMSCHALT+!Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet.
                              Nummernformat anwendenSTRG+⇧ UMSCHALT+! ^ STRG+⇧ UMSCHALT+!Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet.
                              Objekte ändern
                              Verschiebung begrenzen⇧ UMSCHALT + ziehen⇧ UMSCHALT + ziehenDie Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt.
                              15-Grad-Drehung einschalten⇧ UMSCHALT + ziehen (beim Drehen)⇧ UMSCHALT + ziehen (beim Drehen)Begrenzt den Drehungswinkel auf 15-Grad-Stufen.
                              Seitenverhältnis sperren⇧ UMSCHALT + ziehen (beim Ändern der Größe)⇧ UMSCHALT + ziehen (beim Ändern der Größe)Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten.
                              Gerade Linie oder Pfeil zeichnen⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils.
                              Bewegung in 1-Pixel-StufenSTRG+ Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet.
                              Objekte ändern
                              Verschiebung begrenzen⇧ UMSCHALT + ziehen⇧ UMSCHALT + ziehenDie Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt.
                              15-Grad-Drehung einschalten⇧ UMSCHALT + ziehen (beim Drehen)⇧ UMSCHALT + ziehen (beim Drehen)Begrenzt den Drehungswinkel auf 15-Grad-Stufen.
                              Seitenverhältnis sperren⇧ UMSCHALT + ziehen (beim Ändern der Größe)⇧ UMSCHALT + ziehen (beim Ändern der Größe)Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten.
                              Gerade Linie oder Pfeil zeichnen⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen)Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils.
                              Bewegung in 1-Pixel-StufenSTRG+ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben.
                              Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben.
                              diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Navigation.htm index 88417aeee..e3e4ad914 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Navigation.htm @@ -11,43 +11,68 @@
                              -
                              - -
                              -

                              Ansichtseinstellungen und Navigationswerkzeuge

                              +
                              + +
                              +

                              Ansichtseinstellungen und Navigationswerkzeuge

                              Um Ihnen das Ansehen und Auswählen von Zellen in einem großen Tabellenblatt zu erleichtern, bietet Ihnen der Tabelleneditor verschiedene Navigationswerkzeuge: verstellbare Leisten, Bildlaufleisten, Navigationsschaltflächen, Blattregister und Zoom.

                              Ansichtseinstellungen anpassen

                              -

                              Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Tabelle festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen

                              im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung:

                              +

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

                              + Ansichtseinstellungen
                                -
                              • Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen
                                und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert.

                                Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden.

                                -
                              • +
                              • + Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen Einstellungen anzeigen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert. +

                                Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden.

                                +
                              • Formelleiste ausblenden - die unter der oberen Symbolleiste angezeigte Bearbeitungsleiste für die Eingabe und Vorschau von Formeln und Inhalten wird ausgeblendet. Um die ausgeblendete Bearbeitungsleiste wieder einzublenden, klicken Sie erneut auf diese Option. Durch Ziehen der unteren Zeile der Formelleiste zum Erweitern wird die Höhe der Formelleiste geändert, um eine Zeile anzuzeigen.
                              • -
                              • Überschriften ausblenden - die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite im Arbeitsblatt, werden ausgeblendet. Um die ausgeblendeten Überschriften wieder einzublenden, klicken Sie erneut auf diese Option.
                              • -
                              • Rasterlinien ausblenden - die Linien um die Zellen werden ausgeblendet. Um die ausgeblendeten Rasterlinien wieder einzublenden, klicken Sie erneut auf diese Option.
                              • -
                              • Zellen fixieren - alle Zellen oberhalb der aktiven Zeile und alle Spalten links von der aktiven Zeile werden eingefroren, so dass sie beim Scrollen sichtbar bleiben. Um die Fixierung aufzuheben, klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Tabellenblatt und wählen Sie die Option Fixierung aufheben aus dem Menü aus.
                              • -
                              • Schatten für fixierte Bereiche anzeigen zeigt an, dass Spalten und/oder Zeilen fixiert sind (eine subtile Linie wird angezeigt). -

                                Schatten für fixierte Bereiche anzeigen Menü

                              • +
                              • Statusleiste verbergen - zeigt alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile an. Standardmäßig ist diese Option aktiv. Wenn Sie es deaktivieren, wird die Statusleiste in zwei Zeilen angezeigt.
                              • +
                              • Überschriften ausblenden - die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite im Arbeitsblatt, werden ausgeblendet. Um die ausgeblendeten Überschriften wieder einzublenden, klicken Sie erneut auf diese Option.
                              • +
                              • Rasterlinien ausblenden - die Linien um die Zellen werden ausgeblendet. Um die ausgeblendeten Rasterlinien wieder einzublenden, klicken Sie erneut auf diese Option.
                              • +
                              • Zellen fixieren - alle Zellen oberhalb der aktiven Zeile und alle Spalten links von der aktiven Zeile werden eingefroren, so dass sie beim Scrollen sichtbar bleiben. Um die Fixierung aufzuheben, klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Tabellenblatt und wählen Sie die Option Fixierung aufheben aus dem Menü aus.
                              • +
                              • Schatten für fixierte Bereiche anzeigen zeigt an, dass Spalten und/oder Zeilen fixiert sind (eine subtile Linie wird angezeigt).
                              • +
                              • Zoom - verwenden Sie die Zoom-in-Schaltfläche oder Zoom-out-Schaltfläche Schaltflächen zum Vergrößern oder Verkleinern des Blatts.
                              -

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

                              +

                              Nullen anzeigen - ermöglicht, dass „0“ sichtbar ist, wenn es in eine Zelle eingegeben wird. Um diese Option zu aktivieren/deaktivieren, suchen Sie das Kontrollkästchen Nullen anzeigen auf der Registerkarte Tabellenansicht.

                              +

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

                              Sie haben die Möglichkeit die Größe eines geöffneten Kommentarfensters oder Chatfensters zu verändern. Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, bis der Cursor als Zweirichtungs-Pfeil angezeigt wird und ziehen Sie den Rand nach rechts, um das Feld zu verbreitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links.

                              Verwendung der Navigationswerkzeuge

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

                              Mit den Bildlaufleisten (unten oder auf der rechten Seite) können Sie im aktuellen Tabellenblatt nach oben und unten und nach links und rechts scrollen. Mithilfe der Bildlaufleisten durch ein Tabellenblatt navigieren:

                                -
                              • Klicken Sie auf die oben/unten oder rechts/links Pfeile auf den Bildlaufleisten.
                              • -
                              • Ziehen Sie das Bildlauffeld.
                              • -
                              • Klicken Sie in einen beliebigen Bereich auf der jeweiligen Bildlaufleiste.
                              • +
                              • Klicken Sie auf die oben/unten oder rechts/links Pfeile auf den Bildlaufleisten.
                              • +
                              • Ziehen Sie das Bildlauffeld.
                              • +
                              • Klicken Sie in einen beliebigen Bereich auf der jeweiligen Bildlaufleiste.

                              Sie können auch mit dem Scrollrad auf Ihrer Maus durch das Dokument scrollen.

                              -

                              Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln.

                              +

                              Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln.

                                -
                              • Klicken Sie auf die Schaltfläche Zum ersten Blatt scrollen,
                                um das erste Blatt der aktuellen Tabelle zu aktivieren.
                              • -
                              • Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen
                                , um das vorherige Blatt der aktuellen Tabelle zu aktivieren.
                              • -
                              • Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen,
                                um das nächste Blatt der aktuellen Tabelle zu aktivieren.
                              • -
                              • Klicken Sie auf die Schaltfläche Letztes Blatt,
                                um das letzte Blatt der aktuellen Tabelle zu aktivieren.
                              • +
                              • Klicken Sie auf die Schaltfläche Zum ersten Blatt scrollen, Schaltfläche Erstes Blatt um das erste Blatt der aktuellen Tabelle zu aktivieren.
                              • +
                              • Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen Schaltfläche Vorheriges Blatt, um das vorherige Blatt der aktuellen Tabelle zu aktivieren.
                              • +
                              • Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen, Schaltfläche Nächstes Blatt um das nächste Blatt der aktuellen Tabelle zu aktivieren.
                              • +
                              • Klicken Sie auf die Schaltfläche Letztes Blatt Schaltfläche Letztes Blatt, um das letzte Blatt der aktuellen Tabelle zu aktivieren.
                              • +
                              +

                              Verwenden Sie die Schaltfläche Arbeitsblatt hinzufügen in der Statusleiste, um ein neues Arbeitsblatt hinzuzufügen.

                              +

                              Um das erforderliche Blatt auszuwählen,

                              +
                                +
                              • + klicken Sie in der Statusleiste auf die Schaltfläche Liste der Blätter, um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, +

                                Liste der Blätter

                                +

                                oder

                                +

                                klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche Liste der Blätter.

                                +
                              • +
                              +
                                +
                              • + klicken Sie in der Statusleiste auf die Schaltfläche Liste der Blätter, um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, +

                                Liste der Blätter

                                +

                                oder

                                +

                                klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche Liste der Blätter.

                                +

                                + Die Schaltflächen Zoom befinden sich in der unteren rechten Ecke und dienen zum Vergrößern und Verkleinern des aktuellen Blatts. + Um den aktuell ausgewählten Zoomwert, der in Prozent angezeigt wird, zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen aus der Liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) oder verwenden Sie die Schaltflächen Vergrößern Schaltfläche Vergrößern oder Verkleinern Schaltfläche Verkleinern. Die Zoom-Einstellungen sind auch in der Drop-Down-Liste Ansichtseinstellungen Ansichtseinstellungen-Symbol verfügbar. +

                                +
                              -

                              Sie können das gewünschte Blatt aktivieren, indem Sie unten neben der Schaltfläche für die Blattnavigation auf das entsprechende Blattregister klicken.

                              -

                              Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Tabellenblatts. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern

                              oder Verkleinern
                              . Die Zoom-Einstellungen sind auch im Listenmenü Ansichtseinstellungen
                              verfügbar.

                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Password.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Password.htm deleted file mode 100644 index 69f712e7a..000000000 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/Password.htm +++ /dev/null @@ -1,48 +0,0 @@ - - - - Tabellen mit einem Kennwort schützen - - - - - - - - -
                              -
                              - -
                              - -

                              Tabellen mit einem Kennwort schützen

                              -

                              Sie können Ihre Tabellen mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden.

                              -

                              Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf.

                              - -

                              Kennwort erstellen

                              -
                                -
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • -
                              • wählen Sie die Option Schützen aus,
                              • -
                              • klicken Sie auf die Schaltfläche Kennwort hinzufügen,
                              • -
                              • geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
                              • -
                              -

                              Kennwort erstellen

                              - -

                              Kennwort ändern

                              -
                                -
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • -
                              • wählen Sie die Option Schützen aus,
                              • -
                              • klicken Sie auf die Schaltfläche Kennwort ändern,
                              • -
                              • geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
                              • -
                              -

                              Kennwort ändern

                              - -

                              Kennwort löschen

                              -
                                -
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • -
                              • wählen Sie die Option Schützen aus,
                              • -
                              • klicken Sie auf die Schaltfläche Kennwort löschen.
                              • -
                              -
                              - - \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index 25c5a3cac..0c8823c26 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -76,7 +76,7 @@ PDF/A Portable Document Format / A
                              Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. - + + + diff --git a/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..87b8f277b --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm @@ -0,0 +1,40 @@ + + + + Versionshistorie + + + + + + + +
                              +
                              + +
                              +

                              Versionshistorie

                              +

                              Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren.

                              +

                              In der Tabellenkalkulation können Sie die Versionshistorie der Kalkulationstabelle anzeigen, an der Sie mitarbeiten.

                              +

                              Versionshistorie anzeigen:

                              +

                              Um alle an der Tabelle vorgenommenen Änderungen anzuzeigen:

                              +
                                +
                              • Öffnen Sie die Registerkarte Datei.
                              • +
                              • + Wählen Sie in der linken Seitenleiste die Option Versionshistorie aus +

                                oder

                                +
                              • +
                              • Öffnen Sie die Registerkarte Zusammenarbeit.
                              • +
                              • Öffnen Sie die Versionshistorie mit dem Symbol Version history Versionshistorie in der oberen Symbolleiste.
                              • +
                              +

                              Sie sehen die Liste der Tabellenkalkulationsversionen und -revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Tabellenkalkulationsversionen wird auch die Versionsnummer angegeben (z. B. ver. 2).

                              +

                              Versionen anzeigen:

                              +

                              Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird.

                              +

                              Um zur aktuellen Version der Tabelle zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste.

                              +

                              Versionen wiederherstellen:

                              +

                              Wenn Sie zu einer der vorherigen Versionen der Tabelle zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision.

                              +

                              Restore

                              +

                              Um mehr über das Verwalten von Versionen und Revisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel.

                              +
                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/CollaborationTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/CollaborationTab.htm index 8467df996..9e06cb510 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/CollaborationTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/CollaborationTab.htm @@ -29,7 +29,8 @@
                            • Freigabeeinstellungen festlegen (nur in der Online-Version verfügbar),
                            • zwischen den Co-Bearbeitung-Modi Formal und Schnell wechseln (nur in der Online-Version verfügbar),
                            • Kommentare zum Dokument hinzufügen,
                            • -
                            • die Chat-Leiste öffnen (nur in der Online-Version verfügbar).
                            • +
                            • die Chat-Leiste öffnen (nur in der Online-Version verfügbar),
                            • +
                            • den Versionsverlauf verfolgen (nur in der Online-Version verfügbar).
                            diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/FileTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/FileTab.htm index bc11872f7..b9f86ae1a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/FileTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/FileTab.htm @@ -31,6 +31,7 @@
                          • die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar),
                          • weiter können Sie eine neue Tabelle erstellen oder eine kürzlich bearbeitete Tabelle öffnen (nur in der Online-Version verfügbar),
                          • allgemeine Informationen über die Kalkulationstabelle einsehen,
                          • +
                          • den Versionsverlauf verfolgen (nur in der Online-Version verfügbar),
                          • Zugriffsrechte verwalten (nur in der Online-Version verfügbar),
                          • auf die erweiterten Einstellungen des Editors zugreifen,
                          • in der Desktop-Version den Ordner öffnen, wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit, den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen.
                          • diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/InsertTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/InsertTab.htm index f5714869d..97c8c193d 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/InsertTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/InsertTab.htm @@ -3,7 +3,7 @@ Registerkarte Einfügen - + @@ -15,6 +15,7 @@

                            Registerkarte Einfügen

                            +

                            Was ist die Registerkarte Einfügen?

                            Über die Registerkarte Einfügen in der Tabellenkalkulation können Sie visuelle Objekte und Kommentare zu Ihrer Tabelle hinzufügen.

                            Dialogbox Online-Tabellenkalkulation:

                            @@ -24,6 +25,7 @@

                            Dialogbox Desktop-Tabellenkalkulation:

                            Registerkarte Einfügen

                            +

                            Funktionen der Registerkarte Einfügen

                            Sie können:

                            • Pivot-Tabellen einfügen,
                            • diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/LayoutTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/LayoutTab.htm index 7fed9a7ca..823661b50 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/LayoutTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/LayoutTab.htm @@ -3,7 +3,7 @@ Registerkarte Layout - + @@ -15,6 +15,7 @@

                              Registerkarte Layout

                              +

                              Was ist die Registerkarte Layout?

                              Über die Registerkarte Layout in der Tabellenkalkulation, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente.

                              Dialogbox Online-Tabellenkalkulation:

                              @@ -24,6 +25,7 @@

                              Dialogbox Desktop-Tabellenkalkulation:

                              Registerkarte Layout

                              +

                              Funktionen der Registerkarte Layout

                              Sie können:

                              • Seitenränder, Seitenausrichtung und Seitengröße anpassen,
                              • diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm index 12894a461..9b5c8f79a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm @@ -14,8 +14,8 @@
                                -

                                Einführung in die Benutzeroberfläche der Tabellenkalkulation

                                -

                                Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind.

                                +

                                Einführung in die Benutzeroberfläche der Tabellenkalkulation

                                +

                                Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind.

                                Dialogbox Online-Tabellenkalkulation:

                                Dialogbox Online-Tabellenkalkulation

                                @@ -26,7 +26,9 @@

                                Die Oberfläche des Editors besteht aus folgenden Hauptelementen:

                                  -
                                1. In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt.

                                  Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen.

                                  +
                                2. + In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt. +

                                  Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen.

                                  Symbole in der Kopfzeile des Editors

                                  Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt:

                                    @@ -36,15 +38,20 @@
                                  • Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt.
                                3. - -
                                4. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Schützen, Tabellenansicht, Plugins.

                                  Die Befehle

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

                                  +
                                5. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Schützen, Tabellenansicht, Plugins. +

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

                                6. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt.
                                7. -
                                8. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben.
                                9. -
                                10. Symbole in der linken Seitenleiste:
                                    -
                                  • - die Funktion Suchen und Ersetzen,
                                  • -
                                  • - Kommentarfunktion öffnen,
                                  • -
                                  • (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen.
                                  • +
                                  • In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Schaltfläche "Arbeitsblatt hinzufügen", Schaltfläche "Liste der Blätter", Blattregister und Zoom-Schaltflächen. In der Statusleiste werden außerdem den Hintergrundspeicherstatus und Verbindungsstatus, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen, und die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben.
                                  • +
                                  • + Symbole in der linken Seitenleiste: +
                                      +
                                    • Suchen Symbol - die Funktion Suchen und Ersetzen,
                                    • +
                                    • Kommentare Symbol - Kommentarfunktion öffnen,
                                    • +
                                    • Chat (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen,
                                    • +
                                    • Rechtscheibprüfung deaktiviert Symbol - ermöglicht es, die Rechtschreibung Ihres Textes in einer bestimmten Sprache zu überprüfen und Fehler beim Bearbeiten zu korrigieren,
                                    • +
                                    • Feedback und Support Symbol - (nur in der Online-Version verfügbar) ermöglicht die Kontaktaufnahme mit unserem Support-Team,
                                    • +
                                    • Über das Produkt Symbol - (nur in der Online-Version verfügbar) ermöglicht die Anzeige der Informationen über das Programm.
                                  • Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern.
                                  • diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProtectionTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProtectionTab.htm new file mode 100644 index 000000000..6b4888384 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProtectionTab.htm @@ -0,0 +1,36 @@ + + + + Registerkarte Schutz + + + + + + + +
                                    +
                                    + +
                                    +

                                    Registerkarte Schutz

                                    +

                                    Die Registerkarte Schutz in der Tabellenkalkulation können Sie unbefugten Zugriff verhindern, indem Sie die Arbeitsmappe oder die Blätter verschlüsseln und schützen.

                                    +
                                    +

                                    Dialogbox Online-Tabellenkalkulation:

                                    +

                                    Registerkarte Schutz

                                    +
                                    +
                                    +

                                    Dialogbox Desktop-Tabellenkalkulation:

                                    +

                                    Registerkarte Schutz

                                    +
                                    +

                                    Sie können:

                                    +
                                      +
                                    • Ihr Dokument durch Festlegen eines Kennworts verschlüsseln,
                                    • +
                                    • Arbeitsmappenstruktur mit oder ohne Kennwort schützen,
                                    • +
                                    • Blatt schützen durch Einschränken der Bearbeitungsfunktionen innerhalb eines Blatts mit oder ohne Kennwort,
                                    • +
                                    • Bearbeitung der Bereiche von gesperrten Zellen mit oder ohne Kennwort erlauben,
                                    • +
                                    • die folgenden Optionen aktivieren und deaktivieren: Gesperrte Zelle, Ausgeblendete Formeln, Gesperrte Form, Text sperren.
                                    • +
                                    +
                                    + + diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ViewTab.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ViewTab.htm index e9e3459dd..ceb111c2f 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ViewTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ViewTab.htm @@ -15,8 +15,7 @@

                                    Registerkarte Tabellenansicht

                                    -

                                    - Über die Registerkarte Tabellenansicht können Sie die Voreinstellungen für die Tabellenansicht basierend auf angewendeten Filtern verwalten.

                                    +

                                    Die Registerkarte Ansicht in der Tabellenkalkulation ermöglicht Ihnen die Verwaltung von Voreinstellungen für die Blattansicht basierend auf angewendeten Filteransichtsoptionen.

                                    Die entsprechende Dialogbox in der Online-Tabellenkalkulation:

                                    Registerkarte Tabellenansicht

                                    @@ -27,10 +26,19 @@

                                    Sie können:

                                    diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AllowEditRanges.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AllowEditRanges.htm new file mode 100644 index 000000000..526c435a5 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AllowEditRanges.htm @@ -0,0 +1,73 @@ + + + + Bearbeitung der Bereiche erlauben + + + + + + + +
                                    +
                                    + +
                                    + +

                                    Bearbeitung der Bereiche erlauben

                                    +

                                    Mit der Option Bearbeitung der Bereiche erlauben können Sie Zellbereiche angeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann. Sie können Benutzern erlauben, bestimmte Bereiche gesperrter Zellen mit oder ohne Kennwort zu bearbeiten. Wenn Sie kein Kennwort verwenden, kann der Zellbereich bearbeitet werden.

                                    +

                                    Um einen Bereich gesperrter Zellen auszuwählen, den ein Benutzer ändern kann:

                                    +
                                      +
                                    1. + Klicken Sie in der oberen Symbolleiste auf die Schaltfläche Bearbeitung der Bereiche erlauben. Das Fenster Den Benutzern Bearbeitung der Bereiche erlauben wird geöffnet. +

                                      Bereiche ändern

                                      +
                                    2. +
                                    3. + Klicken Sie im Fenster Den Benutzern Bearbeitung der Bereiche erlauben auf die Schaltfläche Neu, um einen Zellbereich auszuwählen und hinzuzufügen, den ein Benutzer bearbeiten darf. +

                                      Neuer Bereich

                                      +
                                    4. +
                                    5. + Geben Sie im Fenster Neuer Bereich den Bereichtitel ein und wählen Sie den Zellbereich aus, indem Sie auf die Schaltfläche Bereich auswählen klicken. Kennwort ist optional. Geben Sie es also ein und bestätigen Sie es, wenn Sie möchten, dass Benutzer mit einem Kennwort auf die bearbeitbaren Zellbereiche zugreifen. Klicken Sie zur Bestätigung auf OK. +

                                      Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf.

                                      +
                                    6. + +
                                    7. Klicken Sie auf die Schaltfläche Blatt schützen, wenn Sie fertig sind, oder klicken Sie auf OK, um die Änderungen zu speichern und die Arbeit im ungeschützten Blatt fortzusetzen.
                                    8. +
                                    9. + Wenn Sie auf die Schaltfläche Blatt schützen klicken, wird das Fenster Blatt schützen angezeigt, in dem Sie die Vorgänge auswählen können, die ein Benutzer ausführen darf, um unerwünschte Änderungen zu verhindern. Geben Sie das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben. +

                                      Blatt schützen

                                      +
                                      + Operationen, die ein Benutzer ausführen kann. +
                                        +
                                      • Gesperrte Zellen auswählen
                                      • +
                                      • Entsperrte Zellen auswählen
                                      • +
                                      • Zellen formatieren
                                      • +
                                      • Spalten formatieren
                                      • +
                                      • Zeilen formatieren
                                      • +
                                      • Spalten einfügen
                                      • +
                                      • Zeilen einfügen
                                      • +
                                      • Hyperlink einfügen
                                      • +
                                      • Spalten löschen
                                      • +
                                      • Zeilen löschen
                                      • +
                                      • Sortieren
                                      • +
                                      • AutoFilter verwenden
                                      • +
                                      • PivotTable und PivotChart verwenden
                                      • +
                                      • Objekte bearbeiten
                                      • +
                                      • Szenarien bearbeiten
                                      • +
                                      +
                                      +
                                    10. + Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen bleibt hervorgehoben, wenn ein Blatt geschützt ist. +

                                      Blatt schützen - hervorheben

                                      +
                                    11. +
                                    12. + Wenn ein Blatt nicht geschützt ist, können Sie dennoch Änderungen an den zulässigen Bereichen vornehmen. Klicken Sie auf die Schaltfläche Bearbeitung der Bereiche erlauben, um das Fenster Den Benutzern Bearbeitung der Bereiche erlauben zu öffnen. Verwenden Sie die Schaltflächen Bearbeiten und Löschen, um die ausgewählten Zellbereiche zu verwalten. Klicken Sie dann auf die Schaltfläche Blatt schützen, um den Blattschutz zu aktivieren, oder klicken Sie auf OK, um die Änderungen zu speichern und die Arbeit im ungeschützten Blatt fortzusetzen. +

                                      Bearbeitung der Bereiche

                                      +
                                    13. +
                                    14. + Bei kennwortgeschützten Bereichen wird beim Versuch, den ausgewählten Zellbereich zu bearbeiten, das Fenster Bereich aufsperren angezeigt, in dem der Benutzer zur Eingabe des Kennworts aufgefordert wird. +

                                      Bereich aufsperren

                                      +
                                    15. +
                                    +
                                    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm index b90e3d668..cc35b1120 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm @@ -11,16 +11,17 @@
                                    -
                                    - -
                                    +
                                    + +

                                    Daten ausschneiden/kopieren/einfügen

                                    Zwischenablage verwenden

                                    Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole des Tabelleneditor, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind:

                                    • Ausschneiden - wählen Sie die entsprechenden Daten aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die gewählten Daten zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Tabelle wieder eingefügt werden.

                                    • -
                                    • Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren

                                      oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden.

                                    • -
                                    • Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen

                                      oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden.

                                      +
                                    • Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden.

                                    • +
                                    • +

                                      Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen Einfügen oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden.

                                    In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden:

                                    @@ -31,11 +32,13 @@

                                  Hinweis: Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das

                                  Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

                                  Inhalte einfügen mit Optionen

                                  -

                                  Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen

                                  . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

                                  +

                                  Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar.

                                  +

                                  Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen Einfügen mit Sonderoptionen. Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

                                  Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar:

                                  • Einfügen - der Zellinhalt wird einschließlich Datenformatierung eingefügt. Diese Option ist standardmäßig ausgewählt.
                                  • -
                                  • Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung:
                                      +
                                    • + Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung:
                                      • Nur Formel einfügen - ermöglicht das Einfügen von Formeln ohne Einfügen der Datenformatierung.
                                      • Formel + Zahlenformat - ermöglicht das Einfügen von Formeln mit der auf Zahlen angewendeten Formatierung.
                                      • Formel + alle Formatierungen - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen.
                                      • @@ -43,7 +46,8 @@
                                      • Formel + Spaltenbreite - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen einschließlich Breite der Quellenspalte für den Zellenbereich, in den Sie die Daten einfügen.
                                    • -
                                    • Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen:
                                        +
                                      • + Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen:
                                        • Nur Wert einfügen - ermöglicht das Einfügen der Formelergebnisse ohne Einfügen der Datenformatierung.
                                        • Wert + Zahlenformat - ermöglicht das Einfügen der Formelergebnisse mit der auf Zahlen angewendeten Formatierung.
                                        • Wert + alle Formatierungen - ermöglicht das Einfügen der Formelergebnisse mit allen Datenformatierungen.
                                        • @@ -62,7 +66,8 @@

                                          Der durch Trennzeichen getrennte Text kann mehrere Datensätze enthalten, wobei jeder Datensatz einer einzelnen Tabellenzeile entspricht. Jeder Datensatz kann mehrere durch Trennzeichen getrennte Textwerte enthalten (z. B. Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen oder ein anderes Zeichen). Die Datei sollte als Klartext-Datei .txt gespeichert werden.

                                          • Nur Text beibehalten - Ermöglicht das Einfügen von Textwerten in eine einzelne Spalte, in der jeder Zelleninhalt einer Zeile in einer Quelltextdatei entspricht.
                                          • -
                                          • Textimport-Assistent verwenden - Ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.

                                            Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK.

                                            +
                                          • + Textimport-Assistent verwenden - Ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.

                                            Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK.

                                          Textimport-Assistent

                                          @@ -79,7 +84,8 @@

                                          Wenn Sie mehrere Zellen mit denselben Daten ausfüllen wollen, verwenden Sie die Option Auto-Ausfüllen:

                                          1. Wählen Sie eine Zelle/einen Zellenbereich mit den gewünschten Daten aus.
                                          2. -
                                          3. Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen:

                                            +
                                          4. + Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen:

                                            Auto-Ausfüllen

                                          5. Ziehen Sie den Ziehpunkt über die angrenzenden Zellen, die Sie mit den ausgewählten Daten füllen möchten.
                                          @@ -89,7 +95,7 @@

                                          Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen.

                                          Aus Dropdown-Liste auswählen

                                          Wählen Sie einen der verfügbaren Textwerte, um den aktuellen Text zu ersetzen oder eine leere Zelle auszufüllen.

                                          - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm index fdcffa4d6..8cad80371 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm @@ -15,8 +15,8 @@

                                          Tabellenvorlage formatieren

                                          -

                                          Erstellen Sie eine neue formatierte Tabelle

                                          -

                                          Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor,

                                          +

                                          Eine neue formatierte Tabelle erstellen

                                          +

                                          Um die Arbeit mit Daten zu erleichtern, ermöglicht die Tabellenkalkulation eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor,

                                          1. Wählen sie einen Zellenbereich aus, den Sie formatieren möchten.
                                          2. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren
                                            in der Registerkarte Startseite auf der oberen Symbolleiste.
                                          3. @@ -25,24 +25,18 @@
                                          4. Aktivieren Sie das Kontrollkästchen Titell, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellenbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellenbereich um eine Zeile nach unten verschoben wird.
                                          5. Klicken Sie OK an, um die gewählte Vorlage anzuwenden.
                                          -

                                          - Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden , um mit Ihren Daten zu arbeiten. -

                                          +

                                          Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten.

                                          Sie können auch eine formatierte Tabelle mithilfe der Schaltfläche Tabelle in der Registerkarte Einfügen einfügen. Eine standardmäßige Tabellenvorlage wird eingefügt.

                                          -

                                          Hinweis: Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern.

                                          -

                                          Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte

                                          Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar.

                                          +

                                          Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern.

                                          +

                                          Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte Inhalt einfügen Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar.

                                          Automatische Erweiterung rückgängig machen

                                          -

                                          Hinweis: Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe.

                                          -

                                          Wählen Sie die Zeilen und Spalten aus

                                          -

                                          - Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil

                                          übergeht, und drücken Sie die linke Maustaste. -

                                          +

                                          Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe.

                                          +

                                          Die Zeilen und Spalten auswählen

                                          +

                                          Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil Zeile auswählen übergeht, und drücken Sie die linke Maustaste.

                                          Zeile auswählen

                                          Um eine ganze Spalte in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über die Oberkante der Spaltenüberschrift, bis der Kursor in den schwarzen Pfeil

                                          übergeht, und drücken Sie die linke Maustaste. Wenn Sie einmal drücken, werden die Spaltendaten ausgewählt (wie im Bild unten gezeigt). Wenn Sie zweimal drücken, wird die gesamte Spalte mit der Kopfzeile ausgewählt.

                                          Spalte auswählen

                                          -

                                          - Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil

                                          übergeht, und drücken Sie die linke Maustaste. -

                                          +

                                          Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil Tabelle auswählen übergeht, und drücken Sie die linke Maustaste.

                                          Tabelle auswählen

                                          Formatierte Tabellen bearbeiten

                                          Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und das Symbol Tabelleneinstellungen

                                          rechts klicken.

                                          @@ -52,7 +46,7 @@
                                        • Kopfzeile - Kopfzeile wird angezeigt.
                                        • Insgesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. -

                                          Hinweis: Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche

                                          rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt.

                                          +

                                          Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche Drop-Down Pfeil rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt.

                                          Zusammenfassung

                                        • Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert.
                                        • @@ -77,19 +71,29 @@
                                        • Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen.
                                        • Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen.
                                        -

                                        Hinweis: Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich.

                                        -

                                        Verwenden Sie die Option

                                        Entferne Duplikate , um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite.

                                        -

                                        Die Option

                                        In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar.

                                        -

                                        Mit der Option

                                        Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite.

                                        -

                                        Mit der Option

                                        Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite.

                                        +

                                        Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich.

                                        +

                                        Verwenden Sie die Option  Entferne Duplikate Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite.

                                        +

                                        Die Option In Bereich konvertieren In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar.

                                        +

                                        Mit der Option Slicer einfügen Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite.

                                        +

                                        Mit der Option Pivot-Tabelle einfügen Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite.

                                        Erweiterte Einstellungen für formatierte Tabellen

                                        -

                                        - Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: -

                                        +

                                        Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet:

                                        Tabelle - Erweiterte Einstellungen

                                        -

                                        - Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind. -

                                        +

                                        Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind.

                                        +

                                        Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, gehen Sie zu Erweiterte Einstellungen -> Rechtschreibprüfung -> Produkt -> Optionen von Autokorrektur b> -> AutoFormat während der Eingabe.

                                        +

                                        Die automatische Vervollständigung von Formeln, um Formeln zu formatierten Tabellen hinzuzufügen, verwenden

                                        +

                                        Die Liste Automatische Formelvervollständigung zeigt alle verfügbaren Optionen an, wenn Sie Formeln auf formatierte Tabellen anwenden. Sie können Tabellenformeln sowohl innerhalb als auch außerhalb der Tabelle erstellen.

                                        +
                                          +
                                        1. + Beginnen Sie mit der Eingabe einer Formel, die mit einem Gleichheitszeichen gefolgt von Tabelle beginnt, und wählen Sie den Tabellennamen aus der Liste Formel-Autovervollständigung aus. +

                                          Table formulas +

                                        2. +
                                        3. + Geben Sie dann eine öffnende Klammer [ ein, um die Drop-Down-Liste zu öffnen, die Spalten und Elemente enthält, die in der Formel verwendet werden können. Spalten- und Elementnamen werden anstelle von Zelladressen als Referenzen verwendet. Ein Tooltip, der die Referenz beschreibt, wird angezeigt, wenn Sie den Mauszeiger in der Liste darüber bewegen. +

                                          Table formulas +

                                        4. +
                                        +

                                        Jeder Verweis muss eine öffnende und eine schließende Klammer enthalten. Vergessen Sie nicht, die Formelsyntax zu überprüfen.

                                        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertArrayFormulas.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertArrayFormulas.htm new file mode 100644 index 000000000..833841a92 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertArrayFormulas.htm @@ -0,0 +1,94 @@ + + + + Matrixformeln einfügen + + + + + + + +
                                        +
                                        + +
                                        +

                                        Matrixformeln einfügen

                                        +

                                        In der Tabellenkalkulation können Sie die Matrixformeln verwenden. Matrixformeln stellen die Konsistenz zwischen Formeln in einer Tabelle sicher, da Sie eine einzelne Matrixformel anstelle mehrerer gewöhnlicher Formeln eingeben können, sie vereinfachen die Arbeit mit großen Datenmengen, ermöglichen es Ihnen, ein Blatt schnell mit Daten zu füllen und vieles mehr.

                                        +

                                        Sie können Formeln und eingebaute Funktionen als Matrixformeln eingeben, um:

                                        +
                                          +
                                        • mehrere Berechnungen gleichzeitig durchzuführen und ein einzelnes Ergebnis anzuzeigen, oder
                                        • +
                                        • einen Wertebereich zurückzugeben, der in mehreren Zeilen und/oder Spalten angezeigt wird.
                                        • +
                                        +

                                        Es gibt auch speziell gekennzeichnete Funktionen, die mehrere Werte zurückgeben können. Wenn Sie sie durch Drücken von Enter eingeben, geben sie einen einzelnen Wert zurück. Wenn Sie einen Ausgabebereich von Zellen auswählen, um die Ergebnisse anzuzeigen, und dann eine Funktion eingeben, indem Sie Strg + Umschalt + Eingabe drücken, wird ein Wertebereich zurückgegeben (die Anzahl der zurückgegebenen Werte hängt von der Größe der vorher gewählter Ausgabebereich). Die folgende Liste enthält Links zu detaillierten Beschreibungen dieser Funktionen.

                                        +
                                        + Matrixformeln + +
                                        +

                                        Matrixformeln einfügen

                                        +

                                        Um eine Matrixformel einzufügen,

                                        +
                                          +
                                        1. Wählen Sie einen Zellbereich aus, in dem Sie Ergebnisse anzeigen möchten. +

                                          Matrixformeln einfügen

                                          +
                                        2. +
                                        3. Geben Sie die Formel, die Sie verwenden möchten, in die Formelleiste ein und geben Sie die erforderlichen Argumente in Klammern () an. +

                                          Matrixformeln einfügen

                                          +
                                        4. +
                                        5. Drücken Sie die Tastenkombination Strg + Umschalt + Eingabe. +

                                          Matrixformeln einfügen

                                          +
                                        6. +
                                        +

                                        Die Ergebnisse werden im ausgewählten Zellbereich angezeigt, und die Formel in der Bearbeitungsleiste wird automatisch in die geschweiften Klammern { } eingeschlossen, um anzuzeigen, dass es sich um eine Matrixformel handelt. Beispiel: {=EINDEUTIG(B2:D6)}. Diese geschweiften Klammern können nicht manuell eingegeben werden.

                                        +

                                        Eine einzellige Matrixformel erstellen

                                        +

                                        Das folgende Beispiel veranschaulicht das Ergebnis der Matrixformel, die in einer einzelnen Zelle angezeigt wird. Wählen Sie eine Zelle aus, geben Sie =SUMME(C2:C11*D2:D11) ein und drücken Sie Strg + Umschalt + Eingabe.

                                        +

                                        Matrixformeln einfügen

                                        +

                                        Eine Matrixformel mit mehreren Zellen erstellen

                                        +

                                        Das folgende Beispiel veranschaulicht die Ergebnisse der Matrixformel, die in einem Zellbereich angezeigt wird. Wählen Sie einen Zellbereich aus, geben Sie =C2:C11*D2:D11 ein und drücken Sie Strg + Umschalt + Eingabe.

                                        +

                                        Matrixformeln einfügen

                                        +

                                        Matrixformeln bearbeiten

                                        +

                                        Jedes Mal, wenn Sie eine eingegebene Matrixformel bearbeiten (z. B. Argumente ändern), müssen Sie die Tastenkombination Strg + Umschalt + Eingabe drücken, um die Änderungen zu speichern.

                                        +

                                        Im folgenden Beispiel wird erläutert, wie Sie eine Matrixformel mit mehreren Zellen erweitern, wenn Sie neue Daten hinzufügen. Wählen Sie alle Zellen aus, die eine Matrixformel enthalten, sowie leere Zellen neben neuen Daten, bearbeiten Sie Argumente in der Bearbeitungsleiste, sodass sie neue Daten enthalten, und drücken Sie Strg + Umschalt + Eingabe.

                                        +

                                        Matrixformeln bearbeiten

                                        +

                                        Wenn Sie eine mehrzellige Matrixformel auf einen kleineren Zellbereich anwenden möchten, müssen Sie die aktuelle Matrixformel löschen und dann eine neue Matrixformel eingeben.

                                        +

                                        Ein Teil des Arrays kann nicht geändert oder gelöscht werden. Wenn Sie versuchen, eine einzelne Zelle innerhalb des Arrays zu bearbeiten, zu verschieben oder zu löschen oder eine neue Zelle in das Array einzufügen, erhalten Sie die folgende Warnung: Sie können einen Teil eines Arrays nicht ändern.

                                        +

                                        Um eine Matrixformel zu löschen, markieren Sie alle Zellen, die die Matrixformel enthalten, und drücken Sie Entf. Sie können auch Sie die Matrixformel in der Bearbeitungsleiste auswählen, Entf und dann Strg + Umschalt + Eingabe drücken.

                                        +
                                        + Beispiele für die Verwendung von Matrixformeln +

                                        Dieser Abschnitt enthält einige Beispiele zur Verwendung von Matrixformeln zur Durchführung bestimmter Aufgaben.

                                        +

                                        Eine Anzahl von Zeichen in einem Bereich von Zellen zählen

                                        +

                                        Sie können die folgende Matrixformel verwenden und den Zellbereich im Argument durch Ihren eigenen ersetzen: =SUMME(LÄNGE(B2:B11)). Die Funktion LÄNGE/LÄNGEB berechnet die Länge jeder Textzeichenfolge im Zellbereich. Die Funktion SUMME addiert die Werte zusammen.

                                        +

                                        Matrixformeln verwenden

                                        +

                                        Um die durchschnittliche Anzahl von Zeichen zu erhalten, ersetzen Sie SUMME durch MITTELWERT.

                                        +

                                        Die längste Zeichenfolge in einem Bereich von Zellen finden

                                        +

                                        Sie können die folgende Matrixformel verwenden und Zellbereiche in Argumenten durch Ihre eigenen ersetzen: =INDEX(B2:B11,VERGLEICH(MAX(LÄNGE(B2:B11)),LÄNGE(B2:B11),0),1). Die Funktion LÄNGE berechnet die Länge jeder Textzeichenfolge im Zellbereich. Die Funktion MAX berechnet den größten Wert. Die Funktion VERGLEICH findet die Adresse der Zelle mit der längsten Zeichenfolge. Die Funktion INDEX gibt den Wert aus der gefundenen Zelle zurück.

                                        +

                                        Matrixformeln verwenden

                                        +

                                        Um die kürzeste Zeichenfolge zu finden, ersetzen Sie MAX durch MIN.

                                        +

                                        Summenwerte basierend auf Bedingungen

                                        +

                                        Um Werte zu summieren, die größer als eine bestimmte Zahl sind (hier ist es 2), können Sie die folgende Matrixformel verwenden und Zellbereiche in Argumenten durch Ihre eigenen ersetzen: =SUMME(WENN(C2:C11>2,C2:C11)). Die Funktion WENNE erstellt ein Array aus positiven und falschen Werten. Die Funktion SUMME ignoriert falsche Werte und addiert die positiven Werte zusammen.

                                        +

                                        Matrixformeln verwenden

                                        +
                                        +
                                        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm index cb734b135..4213fd02b 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertAutoshapes.htm @@ -19,8 +19,8 @@

                                        Um eine AutoForm in die Tabelle in der Tabellenkalkulation einzufügen:

                                        1. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
                                        2. -
                                        3. Klicken Sie auf der oberen Symbolleiste auf das Symbol
                                          Form.
                                        4. -
                                        5. Wählen Sie eine der verfügbaren Gruppen für AutoFormen aus: Standardformen, geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Buttons, Rechtecke, Linien.
                                        6. +
                                        7. Klicken Sie auf der oberen Symbolleiste auf das Symbol Form Form.
                                        8. +
                                        9. Wählen Sie eine der verfügbaren Gruppen für AutoFormen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Schaltflächen, Rechtecke, Linien.
                                        10. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm.
                                        11. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form einfügen möchten.
                                        12. Wenn Sie die AutoForm hinzugefügt haben können Sie Größe, Position und Eigenschaften ändern. diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm index 59c8da030..f4a9964fe 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm @@ -81,6 +81,7 @@ Punkte (XY)
                                          • Punkte
                                          • +
                                          • Gestapelte Balken
                                          • Punkte mit interpolierten Linien und Datenpunkten
                                          • Punkte mit interpolierten Linien
                                          • Punkte mit geraden Linien und Datenpunkten
                                          • @@ -99,20 +100,22 @@

                                        Das Diagramm wird in das aktuelle Tabellenblatt eingefügt.

                                        +

                                        ONLYOFFICE Tabellenkalkulation unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern.

                                        Diagrammeinstellungen anpassen

                                        Sie können die Diagrammeinstellungen anpassen. Um den Diagrammtyp anzupassen,

                                        1. wählen Sie das Diagramm mit der Maus aus
                                        2. -
                                        3. klicken Sie auf das Symbol Diagrammeinstellungen
                                          in der rechten Menüleiste

                                          Dialogfenster Diagrammeinstellungen rechte Seitenleiste

                                        4. +
                                        5. + klicken Sie auf das Symbol Diagrammeinstellungen Diagrammeinstellungen in der rechten Menüleiste +

                                          Dialogfenster Diagrammeinstellungen rechte Seitenleiste

                                          +
                                        6. öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus.
                                        7. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus.

                                        Das Diagramm wird entsprechend geändert.

                                        Wenn Sie die für das Diagramm verwendeten Daten ändern wollen,

                                          -
                                        1. - Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. -
                                        2. +
                                        3. Klicken Sie auf die Schaltfläche Daten auswählen in der rechte Symbolleiste.
                                        4. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern.

                                          Diagrammdaten - Fenster

                                          @@ -156,14 +159,16 @@

                                          Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern.

                                          • - Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus:
                                              + Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: +
                                              • Keine - es wird keine Diagrammbezeichnung angezeigt.
                                              • Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt.
                                              • Keine Überlagerung - der Titel wird über dem Diagramm angezeigt.
                                            • - Wählen Sie die gewünschte Position der Legende aus der Menüliste aus:
                                                + Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: +
                                                • Keine - es wird keine Legende angezeigt
                                                • Unten - die Legende wird unterhalb des Diagramms angezeigt
                                                • Oben - die Legende wird oberhalb des Diagramms angezeigt
                                                • @@ -174,9 +179,11 @@
                                              • - Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten):
                                                  + Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten):
                                                  +
                                                  • - Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp.
                                                      + Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. +
                                                      • Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich.
                                                      • Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten.
                                                      • Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich.
                                                      • @@ -227,6 +234,8 @@
                                                      • Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen.
                                                      • Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen.
                                                      • Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen.
                                                      • +
                                                      +
                                                      • Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus.

                                                        Verfügbare Bezeichnungsformate:

                                                        @@ -245,12 +254,17 @@

                                                      Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite.

                                                      -
                                                    • Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten.
                                                    • +
                                                    • + Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. +
                                                  -

                                                  Diagramm - Erweiterte Einstellungen - Fenster

                                                  +

                                                  + Diagramm - Erweiterte Einstellungen - Fenster +

                                                  Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar.

                                                  +

                                                  Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms.

                                                  Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten.

                                                  Diagramm - Erweiterte Einstellungen - Fenster

                                                  Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen.

                                                  @@ -298,7 +312,9 @@

                                                Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite.

                                              • -
                                              • Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten.
                                              • +
                                              • + Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. +
                                            @@ -311,8 +327,6 @@

                                            Diagramm - Erweiterte Einstellungen - Andocken an die Zelle

                                            Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält.

                                            Diagramm - Erweiterte Einstellungen

                                            -
                                            -

                                            Diagrammelemente bearbeiten

                                            Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein.

                                            Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen etc. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten.

                                            diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm index e6af4a492..93ee808c4 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm @@ -10,28 +10,29 @@ -
                                            -
                                            - -
                                            -

                                            Formeln einfügen

                                            +
                                            +
                                            + +
                                            +

                                            Formeln einfügen

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

                                            Eine neue Formel einfügen

                                            Eine Formel aus den Vorlagen einfügen:

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

                                              Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.

                                              Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

                                              -

                                              Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie

                                              Setzen Sie für alle Platzhalter die gewünschten Werte ein.

                                              +
                                            +

                                            Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.

                                            Formel einfügen

                                            Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

                                            +

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

                                            Werte eingeben

                                            -

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

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

                                              -
                                            • Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein.
                                            • -
                                            • Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü
                                              Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus.
                                            • -
                                            • Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen.
                                            • -
                                            +

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

                                            Bearbeitete Formel

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

                                              +
                                            • Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein.
                                            • +
                                            • Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus.
                                            • +
                                            • Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen.
                                            • +

                                            Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen:

                                            @@ -45,9 +46,10 @@

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

                                            Formeln formatieren

                                            Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste.

                                            -

                                            Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen

                                            und
                                            in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst.

                                            -

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

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

                                            -
                                            • Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab).
                                            • +

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

                                              +

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

                                              Bearbeitete Formel

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

                                              +
                                                +
                                              • Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab).
                                              • Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus.
                                              • Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus.
                                              • Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus.
                                              • @@ -80,6 +82,12 @@
                                              • Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab).
                                              • Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen.
                                              -
                                            +

                                            Gleichungen konvertieren

                                            +

                                            Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können.

                                            +

                                            Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt:

                                            +

                                            Gleichungen konvertieren

                                            +

                                            Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja.

                                            +

                                            Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten.

                                            +
                                            \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm index 9978cd8cc..946ce4a2c 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm @@ -3,7 +3,7 @@ Bilder einfügen - + @@ -15,85 +15,99 @@

                                            Bilder einfügen

                                            -

                                            Im Tabelleneditor, können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                                            +

                                            In der Tabellenkalkulation können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                                            Bild einfügen

                                            -

                                            Ein Bild in die Tabelle einfügen:

                                            +

                                            Um ein Bild in die Tabelle einzufügen:

                                              -
                                            1. Positionieren Sie den Cursor an der Stelle an der Sie das Bild einfügen möchten.
                                            2. +
                                            3. Positionieren Sie den Cursor an der Stelle, an der Sie das Bild einfügen möchten.
                                            4. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
                                            5. Klicken Sie auf das Symbol
                                              Bild in der oberen Symbolleiste.
                                            6. - Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen:
                                                + Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: +
                                                • Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen.

                                                  Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen.

                                                • Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK.
                                                • -
                                                • Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK.
                                                • +
                                                • Die Option Bild aus dem Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK.

                                            Das Bild wird dem Tabellenblatt hinzugefügt.

                                            -

                                            Bildeinstellungen anpassen

                                            -

                                            Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern.

                                            -

                                            Genaue Bildmaße festlegen:

                                            +

                                            Einstellungen des Bildes anpassen

                                            +

                                            Wenn Sie das Bild hinzugefügt haben, können Sie seine Größe und Position ändern.

                                            +

                                            Um die genaue Bildgröße festzulegen:

                                              -
                                            1. Wählen Sie das gewünschte Bild mit der Maus aus
                                            2. +
                                            3. Wählen Sie das gewünschte Bild mit der Maus aus.
                                            4. - Klicken Sie auf das Symbol Bildeinstellungen
                                              auf der rechten Seitenleiste.

                                              Dialogfenster Bildeinstellungen in der rechten Seitenleiste

                                              + Klicken Sie auf das Symbol Bild-Einstellungen Bild-Einstellungen auf der rechten Seitenleiste. +

                                              Dialogfenster Bild-Einstellungen in der rechten Seitenleiste

                                            5. -
                                            6. Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren
                                              aktivieren (in diesem Fall sieht das Symbol so aus
                                              ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße.
                                            7. +
                                            8. Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus Symbol Seitenverhältnis sperren aktiviert), werden die Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Tatsächlihe Größe.
                                            -

                                            Bild zuschneiden:

                                            -

                                            Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das

                                            Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

                                            +

                                            Um ein Bild zuzuschneiden:

                                            +

                                            Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Pfeil Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

                                            • Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite.
                                            • Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken.
                                            • Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, während Sie den Ziehpunkt in der Mitte einer dieser Seiten ziehen.
                                            • Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken.
                                            -

                                            Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Taste Esc oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen.

                                            -

                                            Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Füllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                                            +

                                            Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen.

                                            +

                                            Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Ausfüllen und Anpassen verwenden, die im Drop-Down-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus:

                                              +
                                            • Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Ausfüllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild der Form entspricht.
                                            • Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden.
                                            • Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen.
                                            -

                                            Bild im Uhrzeigersinn drehen:

                                            +

                                            Um ein Bild im Uhrzeigersinn zu drehen:

                                              -
                                            1. Wählen Sie das Bild welches Sie drehen möchten mit der Maus aus.
                                            2. -
                                            3. Klicken Sie auf das Symbol Bildeinstellungen
                                              auf der rechten Seitenleiste.
                                            4. +
                                            5. Wählen Sie das gewünschte Bild mit der Maus aus.
                                            6. +
                                            7. Klicken Sie auf das Symbol Bild-Einstellungen Bild-Einstellungen auf der rechten Seitenleiste.
                                            8. - Wählen Sie im Abschnitt Drehen eine der folgenden Optionen:
                                                -
                                              • um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen
                                              • -
                                              • um das Bild um 90 Grad im Uhrzeigersinn zu drehen
                                              • -
                                              • um das Bild horizontal zu spiegeln (von links nach rechts)
                                              • -
                                              • um das Bild vertikal zu spiegeln (von oben nach unten)
                                              • + Wählen Sie im Abschnitt Rotation eine der folgenden Optionen: +
                                                  +
                                                • Gegen den Uhrzeigersinn drehen, um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen.
                                                • +
                                                • Im Uhrzeigersinn drehen, um das Bild um 90 Grad im Uhrzeigersinn zu drehen.
                                                • +
                                                • Horizontal spiegeln, um das Bild horizontal zu spiegeln (von links nach rechts).
                                                • +
                                                • Vertikal spiegeln, um das Bild vertikal zu spiegeln (von oben nach unten).

                                                Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Drehen aus dem Kontextmenü nutzen.

                                            -

                                            Ein eingefügtes Bild ersetzen:

                                            +

                                            Um ein eingefügtes Bild zu ersetzen:

                                            1. Wählen Sie das gewünschte Bild mit der Maus aus.
                                            2. -
                                            3. Klicken Sie auf das Symbol Bildeinstellungen
                                              auf der rechten Seitenleiste.
                                            4. +
                                            5. Klicken Sie auf das Symbol Bild-Einstellungen Bild-Einstellungen auf der rechten Seitenleiste.
                                            6. +
                                            7. Klicken Sie auf die Schaltfläche Bild ersetzen.
                                            8. Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus.

                                              Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Bild ersetzen im Kontextmenü nutzen.

                                            Das ausgewählte Bild wird ersetzt.

                                            -

                                            Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen

                                            verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl.

                                            -

                                            Registerkarte Formeinstellungen

                                            -

                                            Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet:

                                            +

                                            Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Form-Einstellungen Form-Einstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Form-Einstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Strichtyp, -Größe und -Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl.

                                            +

                                            Auf der Registerkarte Form-Einstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen.

                                            +

                                            Registerkarte Form-Einstellungen

                                            +

                                            Die erweiterten Einstellungen des Bildes anpassen

                                            +

                                            Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Erweiterte Einstellungen des Bildes im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet:

                                            Bild - Erweiterte Einstellungen: Drehen

                                            -

                                            Die Registerkarte Drehen umfasst die folgenden Parameter:

                                            +

                                            Die Registerkarte Rotation umfasst die folgenden Parameter:

                                              -
                                            • Winkel - mit dieser Option lässt sich das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein.
                                            • -
                                            • Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten).
                                            • +
                                            • Winkel: Mit dieser Option können Sie das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein.
                                            • +
                                            • Spiegeln: Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten).
                                            • +
                                            +

                                            Bild - Erweiterte Einstellungen: Andocken an die Zelle

                                            +

                                            Die Registerkarte Andocken an die Zelle enthält die folgenden Parameter:

                                            +
                                              +
                                            • Verschieben und Ändern der Größe mit Zellen: Mit dieser Option können Sie das Bild an der Zelle dahinter ausrichten. Wenn sich die Zelle bewegt (z. B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Bild zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle vergrößern oder verkleinern, ändert auch das Bild seine Größe.
                                            • +
                                            • Verschieben, aber die Größe nicht ändern mit Zellen: Mit dieser Option können Sie das Bild an der Zelle dahinter ausrichten, um zu verhindern, dass die Größe des Bilds geändert wird. Wenn sich die Zelle bewegt, wird das Bild zusammen mit der Zelle verschoben, aber wenn Sie die Zellengröße ändern, bleiben die Bildabmessungen unverändert.
                                            • +
                                            • Kein Verschieben oder Ändern der Größe mit Zellen: Mit dieser Option können Sie verhindern, dass das Bild verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde.

                                            Bild - Erweiterte Einstellungen

                                            -

                                            Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind.

                                            -

                                            Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF auf Ihrer Tastatur.

                                            +

                                            Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind.

                                            +

                                            Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die ENTF-Taste auf Ihrer Tastatur.

                                            Makro zum Bild zuweisen

                                            Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Bild ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Bild als Schaltflächen-Steuerelement angezeigt und Sie können das Makro jedes Mal ausführen, wenn Sie darauf klicken.

                                            Um ein Makro zuzuweisen:

                                            diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManageSheets.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManageSheets.htm index b468cfcc8..9698c7a23 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManageSheets.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManageSheets.htm @@ -11,15 +11,15 @@
                                            -
                                            - -
                                            +
                                            + +

                                            Tabellenblätter verwalten

                                            Standardmäßig hat eine erstellte Tabelle drei Blätter. Am einfachsten lassen sich neue Blätter im Tabelleneditor hinzufügen, indem Sie auf Symbol

                                            rechts neben den Schaltflächen Blattnavigation in der linken unteren Ecke klicken.

                                            Alternativ können Sie ein neues Blatt hinzufügen wie folgt:

                                              -
                                            1. Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten.
                                            2. -
                                            3. Wählen Sie die Option Einfügen im Rechtsklickmenü.
                                            4. +
                                            5. Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten.
                                            6. +
                                            7. Wählen Sie die Option Einfügen im Rechtsklickmenü.

                                            Ein neues Blatt wird nach dem gewählten Blatt eingefügt.

                                            Um das gewünschte Blatt zu aktivieren, nutzen Sie die Blattregisterkarten in der linken unteren Ecke jeder Tabelle.

                                            @@ -42,7 +42,11 @@
                                          • Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie kopieren möchten.
                                          • Wählen Sie die Option Kopieren im Rechtsklickmenü.
                                          • Wählen Sie das Blatt, vor dem Sie das kopierte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende kopieren, um das kopierte Blatt nach allen vorhandenen Blättern einzufügen.
                                          • -
                                          • Klicken Sie auf OK.
                                          • +
                                          • + klicken Sie auf die Schaltfläche OK, um Ihre Auswahl zu bestätigen. +

                                            oder

                                            +

                                            halten Sie die STRG-Taste gedrückt und ziehen Sie den Tabellenreiter nach rechts, um ihn zu duplizieren und die Kopie an die gewünschte Stelle zu verschieben.

                                            +

                                        Das gewählte Blatt wird kopiert und an der gewählten Stelle untergebracht.

                                        Ein vorhandene Blatt verschieben:

                                        @@ -53,6 +57,9 @@
                                      • Klicken Sie auf OK.

                                Sie können das erforderliche Blatt auch mit dem Mauszeiger ziehen und an der gewünschten Position loslassen. Das gewählte Blatt wird verschoben.

                                +

                                Sie können ein Blatt auch manuell von einem Buch in ein anderes Buch per Drag & Drop ziehen. Wählen Sie dazu das Blatt aus, das Sie verschieben möchten, und ziehen Sie es auf die Seitenleiste eines anderen Buchs. Sie können beispielsweise ein Blatt aus dem Online-Editor-Buch auf das Desktop-Buch ziehen:

                                +

                                Move sheet gif

                                +

                                In diesem Fall wird das Blatt aus der ursprünglichen Kalkulationstabelle gelöscht.

                                Wenn Sie mit mehreren Blättern arbeiten, können Sie die Blätter, die aktuell nicht benötigt werden, ausblenden, um die Arbeit übersichtlicher zu gestalten. Blätter ausblenden:

                                1. Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie ausblenden möchten.
                                2. @@ -62,16 +69,18 @@

                                  Um die Blätter zu unterscheiden, können Sie den Blattregistern unterschiedliche Farben zuweisen. Gehen Sie dazu vor wie folgt:

                                  1. Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie farblich absetzen möchten.
                                  2. -
                                  3. Wählen Sie die Option Registerfarbe im Rechtsklickmenü.
                                  4. -
                                  5. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus.

                                    Palette

                                    +
                                  6. Wählen Sie die Option Registerfarbe im Rechtsklickmenü.
                                  7. +
                                  8. + Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus.

                                    Palette

                                    • Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen.
                                    • Standardfarben - die voreingestellten Standardfarben.
                                    • -
                                    • Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen.

                                      Palette - Benutzerdefinierte Farbe

                                      -

                                      Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt.

                                      +
                                    • + Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen.

                                      Palette - Benutzerdefinierte Farbe

                                      +

                                      Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt.

                                    • -
                                    -
                                  9. +
                              + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm index c0d9dff77..9f63d36df 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm @@ -3,82 +3,107 @@ Objekte formatieren - + -
                              -
                              - -
                              -

                              Objekte formatieren

                              -

                              Im Tabelleneditor sie können die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und diese verschieben, drehen und anordnen.

                              -

                              Hinweis: Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten.

                              -

                              Größe von Objekten ändern

                              -

                              Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten

                              an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole.

                              -

                              Hinweis: Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, diese wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen

                              oder das Symbol Bildeinstellungen
                              .

                              -

                              -

                              Objekte verschieben

                              -

                              Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol

                              , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt.

                              -

                              Objekte drehen

                              -

                              Um die Form/das Bild manuell zu drehen zu drehen, bewegen Sie den Cursor über den Drehpunkt

                              und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt.

                              -

                              Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit die Form oder das Bild um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen

                              oder das Symbol Bildeinstellungen
                              . Wählen Sie eine der folgenden Optionen:

                              +
                              +
                              + +
                              +

                              Objekte formatieren

                              +

                              In der Tabellenkalkulation können Sie die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und sie verschieben, drehen und anordnen.

                              +

                              + Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. +

                              +

                              Größe von Objekten ändern

                              +

                              Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten Quadrat an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie die UMSCHALT-Taste gedrückt und ziehen Sie an einem der Ecksymbole.

                              +

                              Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, diese wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen Diagrammeinstellungen oder das Symbol Bild-Einstellungen Bild-Einstellungen.

                              +

                              Seitenverhältnis sperren

                              +

                              Objekte verschieben

                              +

                              + Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol Pfeil, das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. + Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die STRG-Taste gedrückt und verwenden Sie die Pfeile auf der Tastatur. + Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. +

                              +

                              Objekte drehen

                              +

                              Um die Form/das Bild manuell zu drehen, bewegen Sie den Cursor über den Drehpunkt Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt.

                              +

                              Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Rotation in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit die Form oder das Bild um 90 Grad im/gegen den Uhrzeigersinn oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Form-Einstellungen Form-Einstellungen oder das Symbol Bild-Einstellungen Bild-Einstellungen. Wählen Sie eine der folgenden Optionen:

                                -
                              • - die Form um 90 Grad gegen den Uhrzeigersinn drehen
                              • -
                              • - die Form um 90 Grad im Uhrzeigersinn drehen
                              • -
                              • - die Form horizontal spiegeln (von links nach rechts)
                              • -
                              • - die Form vertikal spiegeln (von oben nach unten)
                              • +
                              • Gegen den Uhrzeigersinn drehen - die Form um 90 Grad gegen den Uhrzeigersinn drehen.
                              • +
                              • Im Uhrzeigersinn drehen - die Form um 90 Grad im Uhrzeigersinn drehen.
                              • +
                              • Horizontal spiegeln - die Form horizontal spiegeln (von links nach rechts).
                              • +
                              • Vertikal spiegeln - die Form vertikal spiegeln (von oben nach unten).

                              Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Bild oder die Form klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen.

                              Um ein Bild oder eine Form in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK.

                              Die Form einer AutoForm ändern

                              -

                              Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol

                              verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                              -

                              +

                              Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol Gelber Diamant verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                              +

                              Form einer AutoForm ändern

                              +

                              Um eine AutoForm umzuformen, können Sie auch die Option Punkte bearbeiten aus dem Kontextmenü verwenden.

                              +

                              Die Option Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern.

                              +
                                +
                              1. + Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü die Option Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken und ziehen Sie ihn, um den Punkt neu zu positionieren und den Umriss der Form zu ändern. +

                                Punkte bearbeiten Menü

                                +
                              2. +
                              3. + Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. +

                                Punkte bearbeiten

                                +
                              4. +
                              5. + Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen. +
                                  +
                                • Um einer Form einen Punkt hinzuzufügen, halten Sie die Strg-Taste gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten.
                                • +
                                • Um einen Punkt zu löschen, halten Sie die Strg-Taste gedrückt und klicken Sie auf den unnötigen Punkt.
                                • +
                                +
                              6. +

                              Objekte ausrichten

                              -

                              Für das auszurichten von von zwei oder mehr ausgewählten Objekten mit einem gleichbleibenden Verhältnis zueinander, halten Sie die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol

                              Ausrichten und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                              +

                              Um zwei oder mehr ausgewählte Objekte aneinander auszurichten, halten Sie die Strg-Taste gedrückt, während Sie die Objekte mit der Maus auswählen, und klicken Sie dann auf das Symbol Ausrichtung Symbol Ausrichtung auf der Registerkarte Layout in der oberen Symbolleiste und wählen Sie den erforderlichen Ausrichtungstyp aus der Liste aus:

                                -
                              • Linksbündig Ausrichten
                                - Objekte am linken Rand des am weitesten links befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • -
                              • Zentrieren
                                - Objekte in gleichbleibendem Verhältnis zueinander nach ihrem Zentrum ausrichten.
                              • -
                              • Rechtsbündig Ausrichten
                                - Objekte am rechten Rand des am weitesten rechts befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • -
                              • Oben ausrichten
                                - Objekte am oberen Rand des am weitesten oben befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • -
                              • Mittig
                                - Objekte in gleichbleibendem Verhältnis zueinander nach ihrer Mitte ausrichten.
                              • -
                              • Unten ausrichten
                                - Objekte am unteren Rand des am weitesten unten befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • +
                              • Links ausrichten Linksbündig ausrichten: Objekte am linken Rand des am weitesten links befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • +
                              • Zentriert ausrichten Zentriert ausrichten: Objekte in gleichbleibendem Verhältnis zueinander nach ihrem Zentrum ausrichten.
                              • +
                              • Rechts ausrichten Rechtsbündig ausrichten: Objekte am rechten Rand des am weitesten rechts befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • +
                              • Oben ausrichten Oben ausrichten: Objekte am oberen Rand des am weitesten oben befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.
                              • +
                              • Mittig ausrichten Mittig ausrichten: Objekte in gleichbleibendem Verhältnis zueinander nach ihrer Mitte ausrichten.
                              • +
                              • Unten ausrichten Unten ausrichten: Objekte am unteren Rand des am weitesten unten befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten.

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Ausrichtungsoptionen.

                              -

                              Hinweis: Die Optionen zum Gruppieren sind deaktiviert, wenn Sie weniger als zwei Objekte auswählen.

                              +

                              Die Optionen zum Gruppieren sind deaktiviert, wenn Sie weniger als zwei Objekte auswählen.

                              Objekte verteilen

                              -

                              Um drei oder mehr ausgewählte Objekte horizontal oder vertikal zwischen zwei äußeren ausgewählten Objekten zu verteilen, sodass der gleiche Abstand zwischen Ihnen angezeigt wird, klicken Sie auf das Symbol

                              Ausrichten auf der Registerkarte Layout, in der oberen Symbolleiste und wählen Sie den gewünschten Verteilungstyp aus der Liste:

                              -
                                -
                              • Horizontal verteilen
                                - Objekte gleichmäßig zwischen den am weitesten links und rechts liegenden ausgewählten Objekten verteilen.
                              • -
                              • Vertikal verteilen
                                - Objekte gleichmäßig zwischen den am weitesten oben und unten liegenden ausgewählten Objekten verteilen.
                              • -
                              -

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Verteilungsoptionen.

                              -

                              Hinweis: Die Verteilungsoptionen sind deaktiviert, wenn Sie weniger als drei Objekte auswählen.

                              -

                              Objekte gruppieren

                              -

                              Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol

                              Gruppieren und wählen Sie die gewünschte Option aus der Liste aus:

                              +

                              Um drei oder mehr ausgewählte Objekte horizontal oder vertikal zwischen zwei äußeren ausgewählten Objekten zu verteilen, sodass der gleiche Abstand zwischen Ihnen angezeigt wird, klicken Sie auf das Symbol Ausrichten Ausrichten auf der Registerkarte Layout, in der oberen Symbolleiste und wählen Sie den gewünschten Verteilungstyp aus der Liste:

                                -
                              • Gruppieren
                                - um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig gedreht, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt.
                              • -
                              • Gruppierung aufheben
                                - um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen.
                              • +
                              • Horizontal verteilen Horizontal verteilen: Objekte gleichmäßig zwischen den am weitesten links und rechts liegenden ausgewählten Objekten verteilen.
                              • +
                              • Vertikal verteilen Vertikal verteilen: Objekte gleichmäßig zwischen den am weitesten oben und unten liegenden ausgewählten Objekten verteilen.
                              -

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnung aus und nutzen Sie dann die Optionen Gruppieren oder Gruppierung aufheben.

                              -

                              Hinweis: Die Option Gruppieren ist deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Die Option Gruppierung aufheben ist nur verfügbar, wenn Sie eine zuvor gruppierte Objektgruppe auswählen.

                              +

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Verteilungsoptionen.

                              +

                              Die Verteilungsoptionen sind deaktiviert, wenn Sie weniger als drei Objekte auswählen.

                              +

                              Objekte gruppieren

                              +

                              Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Gruppieren Gruppe und wählen Sie die gewünschte Option aus der Liste aus:

                              +
                                +
                              • Gruppieren Gruppieren: Um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig gedreht, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt.
                              • +
                              • Gruppierung aufheben Gruppierung aufheben: Um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen.
                              • +
                              +

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann die Optionen Gruppieren oder Gruppierung aufheben.

                              +

                              Die Option Gruppieren ist deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Die Option Gruppierung aufheben ist nur verfügbar, wenn Sie eine zuvor gruppierte Objektgruppe auswählen.

                              Objekte gruppieren

                              Objekte anordnen

                              -

                              Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Smbol

                              eine Ebene nach vorne oder
                              eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus.

                              -

                              Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol

                              Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                              +

                              Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Symbol Eine Ebene nach vorne Eine Ebene nach vorne oder Eine Ebene nach hinten Eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus.

                              +

                              Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol Eine Ebene nach vorne Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                                -
                              • In den Vordergrund
                                - Objekt(e) in den Vordergrund bringen.
                              • -
                              • Eine Ebene nach vorne
                                - um ausgewählte Objekte eine Ebene nach vorne zu schieben.
                              • +
                              • In den Vordergrund bringen In den Vordergrund: Um ein Objekt(-e) in den Vordergrund zu bringen.
                              • +
                              • Eine Ebene nach vorne Eine Ebene nach vorne: Um ausgewählte Objekte eine Ebene nach vorne zu schieben.
                              -

                              Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil

                              nach hinten verschieben in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                              +

                              Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil Eine Ebene nach hinten Eine Ebene nach hinten in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                                -
                              • In den Hintergrund
                                - um ein Objekt/Objekte in den Hintergrund zu schieben.
                              • -
                              • Eine Ebene nach hinten
                                - um ausgewählte Objekte nur eine Ebene nach hinten zu schieben.
                              • +
                              • In den Hintergrund senden In den Hintergrund: Um ein Objekt(-e) in den Hintergrund zu schieben.
                              • +
                              • Eine Ebene nach hinten Eine Ebene nach hinten: Um ausgewählte Objekte nur eine Ebene nach hinten zu schieben.
                              -

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann eine der verfügbaren Optionen.

                              -
                              +

                              Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann eine der verfügbaren Optionen.

                              +
                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/MergeCells.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/MergeCells.htm index ec4c156b8..1d2a8594a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/MergeCells.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/MergeCells.htm @@ -11,23 +11,90 @@
                              -
                              - -
                              -

                              Zellen verbinden

                              -

                              Im Tabelleneditor sie können zwei oder mehrere benachbarte Zellen in eine Zelle zusammenführen. Zellen verbinden:

                              -
                                -
                              1. Wählen Sie zwei Zellen oder eine Reihe von Zellen mit der Maus aus.

                                Hinweis: Die gewählten Zellen MÜSSEN nebeneinander liegen.

                                -
                              2. -
                              3. Klicken Sie auf das Symbol Verbinden
                                auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie eine der verfügbaren Optionen:

                                Hinweis: Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen.

                                -
                                  -
                                • Wenn Sie die Option Verbinden und zentrieren wählen, werden die Zellen aus dem gewählten Bereich zusammengeführt und die Daten in den vereinigten Zellen werden zentriert.
                                • -
                                • Wenn Sie die Option Verbinden über wählen, werden die Zellen jeder Zeile aus dem gewählten Bereich vereinigt und die Daten werden am linken Rand der zusammengeführten Zellen ausgerichtet.
                                • -
                                • Wenn Sie die Option Zellen verbinden wählen, werden die Zellen aus dem gewählten Bereich vereinigt und die Daten werden vertikal am unteren Rand und horizontal am linken Rand ausgerichtet.
                                • -
                                -
                              4. -
                              -

                              Um eine vorher vereinigte Zelle zu spalten, wählen Sie die Option Zellverbund aufheben in der Menüliste Zellen verbinden. Die Daten der zusammengeführten Zelle werden in der oberen linken Zelle angezeigt.

                              +
                              + +
                              +
                              +

                              Einleitung

                              +
                              +
                              +

                              Um Ihren Text besser zu positionieren (z. B. den Namen der Tabelle oder ein Langtextfragment in der Tabelle), verwenden Sie das Tool Verbinden und zentrieren im ONLYOFFICE Tabelleneditor.

                              +
                              +
                              +
                              +

                              Typ 1. Verbinden und zentrieren

                              +
                              +
                              +
                                +
                              1. + Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. +

                                Zellbereich auswählen

                                +

                                Die gewählten Zellen müssen nebeneinander liegen. Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen.

                                +
                              2. +
                              3. + In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren Verbinden und zentrieren Symbol an. +

                                Verbinden und zentrieren

                                +
                              4. +
                              +
                              +
                              + +

                              Typ 2. Alle Zellen in der Reihe verbinden

                              +
                              +
                              +
                                +
                              1. + Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. +

                                Zellbereich auswählen

                                +
                              2. +
                              3. + In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren Verbinden und zentrieren Symbol an. +

                                Verbinden und zentrieren

                                +
                              4. +
                              5. + Wählen Sie die Option Alle Zellen in der Reihe verbinden aus, um den Text links auszurichten und die Reihen beizubehalten. +

                                Verbinden und zentrieren

                                +
                              6. +
                              +
                              +
                              + +

                              Typ 3. Zellen verbinden

                              +
                              +
                              +
                                +
                              1. + Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. +

                                Zellbereich auswählen

                                +
                              2. +
                              3. + In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren Verbinden und zentrieren Symbol an. +

                                Verbinden und zentrieren

                                +
                              4. +
                              5. + Wählen Sie die Option Zellen verbinden aus, um die Textausrichtung beizubehalten. +

                                Verbinden und zentrieren

                                +
                              6. +
                              +
                              +
                              + +

                              Zellverbund aufheben

                              +
                              +
                              +
                                +
                              1. + Klicken Sie den Zellverbund an. +

                                Zellverbund

                                +
                              2. +
                              3. + In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren Verbinden und zentrieren Symbol an. +

                                Zellverbund aufheben

                                +
                              4. +
                              5. Wählen Sie die Option Zellverbund aufheben aus.
                              6. +
                              +
                              +
                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Password.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Password.htm new file mode 100644 index 000000000..9af33563c --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Password.htm @@ -0,0 +1,74 @@ + + + + Tabellen mit einem Kennwort schützen + + + + + + + +
                              +
                              + +
                              + +

                              Tabellen mit einem Kennwort schützen

                              +

                              Sie können den Zugriff auf eine Tabelle verwalten, indem Sie ein Kennwort festlegen, das von Ihren Co-Autoren zum Aufrufen des Bearbeitungsmodus erforderlich ist. Das Passwort kann später geändert oder entfernt werden. Es gibt zwei Möglichkeiten, Ihre Tabelle mit einem Passwort zu schützen: Über die Registerkarte Schutz oder die Registerkarte Datei.

                              +

                              Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf.

                              + +

                              Das Kennwort über die Registerkarte Schutz festlegen

                              +
                                +
                              • Gehen Sie zur Registerkarte Schutz und klicken Sie auf die Schaltfläche Verschlüsseln.
                              • +
                              • + Geben Sie im geöffneten Fenster Kennwort festlegen das Kennwort ein, das Sie für den Zugriff auf diese Datei verwenden, und bestätigen Sie es. Klicken Sie auf Kennwortsymbol anzeigen, um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. +

                                Kennwort festlegen

                                +
                              • +
                              • Klicken Sie zum Bestätigen auf OK.
                              • +
                              • + Die Schaltfläche Verschlüsseln in der oberen Symbolleiste wird mit einem Pfeil angezeigt, wenn die Datei verschlüsselt ist. Klicken Sie auf den Pfeil, wenn Sie Ihr Kennwort ändern oder löschen möchten. +

                                Verschlüsseln

                                +
                              • +
                              +

                              Kennwort ändern

                              +
                                +
                              • Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste.
                              • +
                              • Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort ändern aus der Drop-Down-Liste.
                              • +
                              • + Legen Sie ein Kennwort im Feld Kennwort fest, wiederholen Sie es im Feld Kennwort wiederholen und klicken Sie dann auf OK. +

                                Kennwort ändern

                                +
                              • +
                              +

                              Kennwort löschen

                              +
                                +
                              • Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste.
                              • +
                              • Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort löschen aus der Drop-Down-Liste.
                              • +
                              +

                              Das Kennwort über die Registerkarte Datei festlegen

                              +
                                +
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • +
                              • wählen Sie die Option Schützen aus,
                              • +
                              • klicken Sie auf die Schaltfläche Kennwort hinzufügen,
                              • +
                              • geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
                              • +
                              +

                              Kennwort erstellen

                              + +

                              Kennwort ändern

                              +
                                +
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • +
                              • wählen Sie die Option Schützen aus,
                              • +
                              • klicken Sie auf die Schaltfläche Kennwort ändern,
                              • +
                              • geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK.
                              • +
                              +

                              Kennwort ändern

                              + +

                              Kennwort löschen

                              +
                                +
                              • öffnen Sie die Registerkarte Datei in der oberen Symbolleiste,
                              • +
                              • wählen Sie die Option Schützen aus,
                              • +
                              • klicken Sie auf die Schaltfläche Kennwort löschen.
                              • +
                              +
                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm new file mode 100644 index 000000000..53ee0aee6 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm @@ -0,0 +1,75 @@ + + + + Blatt ändern + + + + + + + +
                              +
                              + +
                              + +

                              Blatt ändern

                              +

                              Mit der Option Blatt schützen können Sie die Blätter schützen und von anderen Benutzern in einem Blatt vorgenommene Änderungen verwalten, um unerwünschte Änderungen an Daten zu verhindern und die Bearbeitungsmöglichkeiten anderer Benutzer einzuschränken. Sie können ein Blatt mit oder ohne Kennwort schützen. Wenn Sie kein Kennwort verwenden, kann jeder den Schutz des geschützten Blatts aufheben.

                              +

                              Um ein Blatt zu schützen,

                              +
                                +
                              1. + Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Blatt schützen +

                                oder

                                +

                                Klicken Sie mit der rechten Maustaste auf die Tabellenregisterkarte, die Sie schützen möchten, und wählen Sie Schützen aus der Liste der Optionen.

                                +

                                Tabellenregisterkarte schützen

                                +
                              2. +
                              3. + Geben Sie im geöffneten Fenster Blatt schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben. +

                                Blatt schützen

                                +

                                Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf.

                                +
                              4. +
                              5. + Aktivieren Sie die Kontrollkästchen in der Liste Alle Benutzer dieser Arbeitsblätter können, um Vorgänge auszuwählen, die Benutzer ausführen können. Die Operationen Gesperrte Zellen auswählen und Aufgesperrte Zellen auswählen sind standardmäßig erlaubt. +
                                + Operationen, die ein Benutzer ausführen kann. +
                                  +
                                • Gesperrte Zellen auswählen
                                • +
                                • Entsperrte Zellen auswählen
                                • +
                                • Zellen formatieren
                                • +
                                • Spalten formatieren
                                • +
                                • Zeilen formatieren
                                • +
                                • Spalten einfügen
                                • +
                                • Zeilen einfügen
                                • +
                                • Hyperlink einfügen
                                • +
                                • Spalten löschen
                                • +
                                • Zeilen löschen
                                • +
                                • Sortieren
                                • +
                                • AutoFilter verwenden
                                • +
                                • PivotTable und PivotChart verwenden
                                • +
                                • Objekte bearbeiten
                                • +
                                • Szenarien bearbeiten
                                • +
                                +
                                +
                              6. +
                              7. + Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald das Blatt geschützt ist. +

                                Blatt schützen - hervorheben

                                +
                              8. +
                              9. Um den Schutz des Blatts aufzuheben, +
                                  +
                                • + klicken Sie auf die Schaltfläche Blatt schützen +

                                  oder

                                  +

                                  klicken Sie mit der rechten Maustaste auf die Registerkarte des geschützten Blatts und wählen Sie Entschützen aus der Liste der Optionen

                                  +

                                  Registerkarte Blatt entschützen

                                  +
                                • +
                                • + Geben Sie ein Kennwort ein und klicken Sie im Fenster Liste entschützen auf OK, wenn Sie dazu aufgefordert werden. +

                                  Blatt entschützen

                                  +
                                • +
                                +
                              +
                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm new file mode 100644 index 000000000..e0f0b3ae9 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm @@ -0,0 +1,30 @@ + + + + Kalkulationstabelle schützen + + + + + + + +
                              +
                              + +
                              +

                              Kalkulationstabelle schützen

                              +

                              Die Tabellenkalkulation bietet Sie die Möglichkeit, eine freigegebene Tabelle zu schützen, wenn Sie den Zugriff oder die Bearbeitungsfunktionen für andere Benutzer einschränken möchten. Die Tabellenkalkulation bietet verschiedene Schutzstufen, um sowohl den Zugriff auf die Datei als auch die Bearbeitungsfunktionen innerhalb einer Arbeitsmappe und innerhalb der Blätter zu verwalten. Verwenden Sie die Registerkarte Schutz, um die verfügbaren Schutzoptionen nach Belieben zu konfigurieren.

                              +

                              Registerkarte Schutz

                              +

                              Die verfügbaren Schutzoptionen umfassen:

                              +

                              Verschlüsseln, um den Zugriff auf die Datei zu verwalten und zu verhindern, dass sie von anderen Benutzern geöffnet wird.

                              +

                              Arbeitsmappe schützen, um Benutzermanipulationen mit der Arbeitsmappe zu verwalten und unerwünschte Änderungen an der Arbeitsmappenstruktur zu verhindern.

                              +

                              Kalkulationstabelle schützen, um die Benutzeraktionen innerhalb einer Tabelle zu verwalten und unerwünschte Änderungen an Daten zu verhindern.

                              +

                              Bearbeitung der Bereiche erlauben, um Zellbereiche anzugeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann.

                              +

                              Verwenden Sie die Kontrollkästchen der Registerkarte Schutz, um den Blattinhalt in einem geschützten Blatt schnell zu sperren oder zu entsperren.

                              +

                              Hinweis: Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren.

                              +

                              Standardmäßig sind die Zellen, die Formen und der Text innerhalb einer Form in einem Blatt gesperrt. Deaktivieren Sie das entsprechende Kontrollkästchen, um sie zu entsperren. Die entsperrten Objekte können weiterhin bearbeitet werden, wenn ein Blatt geschützt ist. Die Optionen Gesperrte Form und Text sperren werden aktiv, wenn eine Form ausgewählt wird. Die Option Gesperrte Form gilt sowohl für Formen als auch für andere Objekte wie Diagramme, Bilder und Textfelder. Die Option Text sperren sperrt Text in allen grafischen Objekten außer in Diagrammen.

                              +

                              Aktivieren Sie das Kontrollkästchen Ausgeblendete Formeln, um Formeln in einem ausgewählten Bereich oder einer Zelle auszublenden, wenn ein Blatt geschützt ist. Die ausgeblendete Formel wird nicht in der Bearbeitungsleiste angezeigt, wenn Sie auf die Zelle klicken.

                              +

                              + + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm new file mode 100644 index 000000000..e0f9f9a4a --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm @@ -0,0 +1,44 @@ + + + + Arbeitsmappe schützen + + + + + + + +
                              +
                              + +
                              + +

                              Arbeitsmappe schützen

                              +

                              Mit der Option Arbeitsmappe schützen können Sie die Arbeitsmappenstruktur schützen und die Manipulationen der Arbeitsmappe durch Benutzer verwalten, sodass niemand ausgeblendete Arbeitsblätter anzeigen, hinzufügen, verschieben, löschen, ausblenden und umbenennen kann. Sie können die Arbeitsmappe mit oder ohne Kennwort schützen. Wenn Sie kein Kennwort verwenden, kann jeder den Schutz der Arbeitsmappe aufheben.

                              +

                              Um die Arbeitsmappe zu schützen,

                              +
                                +
                              1. Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Arbeitsmappe schützen.
                              2. +
                              3. + Geben Sie im geöffneten Fenster Arbeitsmappenstruktur schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieser Arbeitsmappe aufzuheben. +

                                Arbeitsmappenstruktur schützen

                                +
                              4. +
                              5. + Klicken Sie auf die Schaltfläche Schützen, um den Schutz mit oder ohne Kennwort zu aktivieren. +

                                Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf.

                                +

                                Die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald die Arbeitsmappe geschützt ist.

                                +

                                Arbeitsmappe schützen - hervorheben

                                +
                              6. +
                              7. + Um den Schutz der Arbeitsmappe aufzuheben, +
                                  +
                                • + klicken Sie bei einer kennwortgeschützten Arbeitsmappe auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste, geben Sie das Kennwort in das Pop-Up-Fenster Arbeitsmappe entschützen ein und klicken Sie auf OK. +

                                  Arbeitsmappe entschützen

                                  +
                                • +
                                • mit einer ohne Kennwort geschützten Arbeitsmappe klicken Sie einfach auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste.
                                • +
                                +
                              +
                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index c31ba4789..34405752d 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -10,19 +10,19 @@ -
                              -
                              - -
                              -

                              Kalkulationstabelle speichern/drucken/herunterladen

                              +
                              +
                              + +
                              +

                              Kalkulationstabelle speichern/drucken/herunterladen

                              Speichern

                              -

                              Standardmäßig speichert der Online-Tabelleneditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren.

                              -

                              Aktuelles Tabelle manuell im aktuellen Format im aktuellen Verzeichnis speichern:

                              -
                                -
                              • Verwenden Sie das Symbol Speichern
                                im linken Bereich der Kopfzeile des Editors oder
                              • -
                              • drücken Sie die Tasten STRG+S oder
                              • -
                              • wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern.
                              • -
                              +

                              Standardmäßig speichert die Online-Tabellenkalkulation Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren.

                              +

                              Um die aktuelle Tabelle manuell im aktuellen Format im aktuellen Verzeichnis zu speichern:

                              +
                                +
                              • Verwenden Sie das Symbol Speichern Speichern im linken Bereich der Kopfzeile des Editors oder
                              • +
                              • drücken Sie die Tasten STRG+S oder
                              • +
                              • wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern.
                              • +

                              Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren.

                              In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern.

                              @@ -33,14 +33,16 @@
                              -

                              Herunterladen

                              -

                              In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers speichern.

                              -
                                -
                              1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                              2. -
                              3. Wählen Sie die Option Herunterladen als....
                              4. -
                              5. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

                                Hinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen).

                                -
                              6. -
                              +

                              Herunterladen

                              +

                              In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers speichern.

                              +
                                +
                              1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                              2. +
                              3. Wählen Sie die Option Herunterladen als....
                              4. +
                              5. + Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. +

                                Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen).

                                +
                              6. +

                              Kopie speichern

                              In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern.

                                @@ -51,42 +53,59 @@

                              Drucken

                              -

                              Aktuelle Kalkulationstabelle drucken:

                              -
                                -
                              • Klicken Sie auf das Symbol Drucken
                                im linken Bereich der Kopfzeile des Editors oder
                              • -
                              • nutzen Sie die Tastenkombination STRG+P oder
                              • -
                              • wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken.
                              • -
                              +

                              Um die aktuelle Kalkulationstabelle zu drucken:

                              +
                                +
                              • Klicken Sie auf das Symbol Drucken Drucken im linken Bereich der Kopfzeile des Editors oder
                              • +
                              • nutzen Sie die Tastenkombination STRG+P oder
                              • +
                              • wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken.
                              • +
                              Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen.
                              -

                              Im Fenster Druckeinstellungen können Sie die Standarddruckeinstellungen ändern. Klicken Sie am unteren Rand des Fensters auf die Schaltfläche Details anzeigen, um alle Parameter anzuzeigen.

                              -

                              Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Seiteneinstellungen:
                              Einige dieser Einstellungen (Seitenränder, Seitenausrichtung und Seitengröße sowie Druckbereich) sind auch in der Registerkarte Layout auf der oberen Symbolleiste verfügbar.

                              -

                              Druckeinstellungen

                              -

                              Hier können Sie die folgenden Parameter festlegen:

                              -
                                -
                              • Druckbereich - geben Sie an, was Sie drucken möchten: das gesamte aktive Blatt, die gesamte Arbeitsmappe oder einen vorher gewählten Zellenbereich (Auswahl).

                                Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, nun aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren.

                                -
                              • -
                              • Blatteinstellungen - legen Sie für jedes einzelne Blatt individuelle Druckeinstellungen fest, wenn Sie vorher die Option Arbeitsmappe in der Menüliste für den Druckbereich ausgewählt haben.
                              • -
                              • Seitenformat - wählen Sie eine der verfügbaren Größen aus der Menüliste aus.
                              • -
                              • Seitenorientierung - wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder die Option Querformat, um horizontal zu drucken.
                              • -
                              • Skalierung - wenn Sie nicht möchten, dass anhängende Spalten oder Zeilen auf einer zweiten Seite gedruckt werden, können Sie den Inhalt des Blatts auf eine Seite verkleinern, indem Sie die entsprechende Option auswählen: Tabelle auf eine Seite anpassen, Alle Spalten auf einer Seite oder Alle Zeilen auf einer Seite. Wenn Sie keine Anpassung vornehmen wollen, wählen Sie die Option Keine Skalierung.
                              • -
                              • Ränder - geben Sie den Abstand zwischen der Blattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern.
                              • -
                              • Drucken - geben Sie die Blattelemente an, die gedruckt werden sollen, indem Sie die entsprechenden Felder aktivieren: Gitternetzlinien drucken und Zellen- und Spaltenüberschriften drucken.
                              • -
                              -

                              In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck.

                              -
                              Druckbereich festlegen
                              +

                              Die Tabellenkalkulation Vorschau und die verfügbaren Druckoptionen werden geöffnet.

                              +

                              Einige dieser Einstellungen (Ränder, Seitenorientierung, Skalierung, Druckbereich sowie An Format anpassen) sind auch auf der Registerkarte Layout der oberen Symbolleiste verfügbar.

                              +

                              Print Settings window

                              +

                              Hier können Sie folgende Parameter anpassen:

                              +
                                +
                              • + Druckbereich: Geben Sie an, was gedruckt werden soll: Aktuelles Blatt, Alle Blätter oder Auswahl. +

                                Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren.

                                +
                              • +
                              • Blatteinstellungen: Legen Sie die individuellen Druckeinstellungen für jedes einzelne Blatt fest, wenn Sie die Option Alle Blätter in der Drop-Down-Liste Druckbereich ausgewählt haben.
                              • +
                              • Seitenformat: Wählen Sie eine der verfügbaren Größen aus der Drop-Down-Liste aus.
                              • +
                              • Seitenorientierung: Wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder verwenden Sie die Option Querformat, um horizontal zu drucken.
                              • +
                              • + Skalierung: Wenn Sie nicht möchten, dass einige Spalten oder Zeilen auf der zweiten Seite gedruckt werden, können Sie den Blattinhalt verkleinern, damit er auf eine Seite passt, indem Sie die entsprechende Option auswählen: Tatsächliche Größe, Blatt auf einer Seite darstellen, Alle Spalten auf einer Seite darstellen oder Alle Zeilen auf einer Seite darstellen. Belassen Sie die Option Tatsächliche Größe, um das Blatt ohne Anpassung zu drucken. +

                                Wenn Sie im Menü den Punkt Benutzerdefinierte Optionen wählen, öffnet sich das Fenster Maßstab-Einstellungen:

                                +

                                Maßstab-Einstellungen

                                +
                                  +
                                1. Anpassen an: Sie können die erforderliche Anzahl von Seiten auswählen, auf die das gedruckte Arbeitsblatt passen soll. Wählen Sie die erforderliche Seitenzahl aus den Listen Breite und Höhe aus.
                                2. +
                                3. Anpassen an: Sie können den Maßstab des Arbeitsblatts vergrößern oder verkleinern, um ihn an gedruckte Seiten anzupassen, indem Sie den Prozentsatz der normalen Größe manuell angeben.
                                4. +
                                +
                              • +
                              • Drucke Titel: Wenn Sie Zeilen- oder Spaltentitel auf jeder Seite drucken möchten, verwenden Sie die Optionen Zeilen am Anfang wiederholen und/oder Spalten links wiederholen, um die Zeile und die Spalte mit dem zu wiederholenden Titel anzugeben, und wählen Sie eine der verfügbaren Optionen aus der Drop-Down-Liste aus: Eingefrorene Zeilen/Spalten, Erste Zeile/Spalte oder Nicht wiederholen.
                              • +
                              • Ränder: Geben Sie den Abstand zwischen den Arbeitsblattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern.
                              • +
                              • Gitternetzlinien und Überschriften: Geben Sie die zu druckenden Arbeitsblattelemente an, indem Sie die entsprechenden Kontrollkästchen aktivieren: Gitternetzlinien drucken und Zeilen- und Spaltenüberschriften drucken.
                              • +
                              • + Kopf- und Fußzeileneinstellungen – ermöglichen das Hinzufügen einiger zusätzlicher Informationen zu einem gedruckten Arbeitsblatt, wie z. B. Datum und Uhrzeit, Seitenzahl, Blattname usw. +
                              • +
                              +

                              Nachdem Sie die Druckeinstellungen konfiguriert haben, klicken Sie auf die Schaltfläche Drucken, um die Änderungen zu speichern und die Tabelle auszudrucken, oder auf die Schaltfläche Speichern, um die an den Druckeinstellungen vorgenommenen Änderungen zu speichern.

                              +

                              Alle von Ihnen vorgenommenen Änderungen gehen verloren, wenn Sie die Tabelle nicht drucken oder die Änderungen speichern.

                              +

                              In der Tabellenkalkulation Vorschau können Sie mithilfe der Pfeile unten in einer Tabelle navigieren, um zu sehen, wie Ihre Daten beim Drucken auf einem Blatt angezeigt werden, und um eventuelle Fehler mithilfe der obigen Druckeinstellung zu korrigieren.

                              +

                              In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Sie können sie öffnen und ausdrucken oder auf der Festplatte Ihres Computers oder einem Wechselmedium speichern, um sie später auszudrucken. Einige Browser (z. B. Chrome und Opera) unterstützen das direkte Drucken.

                              +

                              Druckbereich festlegen

                              Wenn Sie nur einen ausgewählten Zellbereich anstelle des gesamten Arbeitsblatts drucken möchten, können Sie diesen mit der Option Auswahl in der Dropdown-Liste Druckbereich festlegen. Wird die Arbeitsmappe gespeichert so wird diese Einstellung nicht übernommen. Sie ist für die einmalige Verwendung vorgesehen.

                              Wenn ein Zellbereich häufig gedruckt werden soll, können Sie im Arbeitsblatt einen konstanten Druckbereich festlegen. Wird die Arbeitsmappe nun gespeichert, wird auch der Druckbereich gespeichert und kann beim nächsten Öffnen der Tabelle verwendet werden. Es ist auch möglich mehrere konstante Druckbereiche auf einem Blatt festzulegen. In diesem Fall wird jeder Bereich auf einer separaten Seite gedruckt.

                              -

                              Einen Druckbereich festlegen:

                              +

                              Um einen Druckbereich festzulegen:

                              1. wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus: Um mehrere Zellen auszuwählen, drücken Sie die Taste STRG und halten Sie diese gedrückt.
                              2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout.
                              3. Klicken Sie auf den Pfeil neben dem Symbol
                                Druckbereich und wählen Sie die Option Druckbereich festlegen.

                              Wenn Sie die Arbeitsmappe speichern, wird der festgelegte Druckbereich ebenfalls gespeichert. Wenn Sie die Datei das nächste Mal öffnen, wird der festgelegte Druckbereich gedruckt.

                              -

                              Hinweis: wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus.

                              -

                              Zellen in einen Druckbereich einfügen:

                              +

                              Wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus.

                              +

                              Um die Zellen in einen Druckbereich einzufügen:

                              1. Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich.
                              2. Wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus.
                              3. @@ -94,13 +113,13 @@
                              4. Klicken Sie auf den Pfeil neben dem Symbol
                                Druckbereich und wählen Sie die Option Druckbereich festlegen.

                              Ein neuer Druckbereich wird hinzugefügt. Jeder Druckbereich wird auf einer separaten Seite gedruckt.

                              -

                              Einen Druckbereich löschen:

                              +

                              Um einen Druckbereich zu löschen:

                              1. Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich.
                              2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout.
                              3. Klicken Sie auf den Pfeil neben dem Symbol
                                Druckbereich und wählen Sie die Option Druckbereich festlegen.

                              Alle auf diesem Blatt vorhandenen Druckbereiche werden entfernt. Anschließend wird die gesamte Arbeitsmappe gedruckt.

                              -
                              +
                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm index 7cccb4dec..a0830a2fa 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm @@ -16,7 +16,6 @@

                              Tabellenansichten verwalten

                              -

                              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 benutzerdefinierten Filterparameter speichern soll, sollen Sie diese Parameter zuerst auf das Blatt anwenden. Weitere Informationen zum Filtern finden Sie in dieser Anleitung.

                              diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..b5e2db0d9 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,38 @@ + + + + Unterstützung von SmartArt in der ONLYOFFICE-Tabellenkalkulation + + + + + + + +
                              +
                              + +
                              +

                              Unterstützung von SmartArt in der ONLYOFFICE-Tabellenkalkulation

                              +

                              SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Tabellenkalkulation unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf eine SmartArt-Grafik oder ihr Element klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen:

                              +

                              Form-Einstellungen, um die in einem Layout verwendeten Formen zu konfigurieren. Sie können Formen ändern, die Füllung, die Striche, die Größe, den Umbruchstil, die Position, die Stärken und Pfeile, das Textfeld und den alternativen Text bearbeiten.

                              +

                              Paragraf-Einstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Paragraf-Einstellungen für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv.

                              +

                              + TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undurchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. +

                              +

                              Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen:

                              +

                              SmartArt Menü

                              +

                              Anordnen, um die Objekte mit den folgenden Optionen anzuordnen: In den Vordergrund bringen, In den Hintergrund, Eine Ebene nach vorne, Eine Ebene nach hinten, Gruppieren und Gruppierung aufheben. Die Anordnungsmöglichkeiten hängen davon ab, ob die SmartArt-Elemente gruppiert sind oder nicht.

                              +

                              Drehen, um die Drehrichtung für das ausgewählte Element auf einer SmartArt-Grafik auszuwählen: 90° im UZS drehen, Um 90° gegen den Uhrzeigersinn drehen, Horizontal kippen, Vertikal kippen. Diese Option wird nur für SmartArt-Elemente aktiv.

                              +

                              Makro zuweisen, um einen schnellen und einfachen Zugriff auf ein Makro innerhalb einer Tabelle zu ermöglichen.

                              +

                              Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen.

                              + +

                              Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen:

                              +

                              SmartArt Menü

                              +

                              Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten.

                              +

                              Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen.

                              +

                              Hyperlink, um einen Hyperlink zum SmartArt-Element hinzuzufügen.

                              +

                              Erweiterte Paragraf-Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen.

                              +
                              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm index e0c5173ef..975bf85d6 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm @@ -10,25 +10,41 @@ -
                              -
                              - -
                              -

                              Dateiinformationen anzeigen

                              -

                              Für detaillierte Informationen über die bearbeitete Tabelle im Tabelleneditor, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen.

                              +
                              +
                              + +
                              +

                              Dateiinformationen anzeigen

                              +

                              Für detaillierte Informationen über die bearbeitete Tabelle in der Tabellenkalkulation, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen.

                              Allgemeine Eigenschaften

                              -

                              Die Dateiinformationen umfassen den Titel und die Anwendung mit der die Tabelle erstellt wurde. In der Online-Version werden zusätzlich die folgenden Informationen angezeigt: Autor, Ort, Erstellungsdatum.

                              +

                              Die Tabellenkalkulationsinformationen umfassen eine Reihe von Dateieigenschaften, die die Tabellenkalkulation beschreiben. Einige dieser Eigenschaften werden automatisch aktualisiert und einige können bearbeitet werden.

                              +
                                +
                              • Speicherort - der Ordner im Modul Dokumente, in dem die Datei gespeichert ist. Besitzer – der Name des Benutzers, der die Datei erstellt hat. Hochgeladen – Datum und Uhrzeit der Erstellung der Datei. Diese Eigenschaften sind nur in der Online-Version verfügbar.
                              • +
                              • Title, Thema, Kommentar - diese Eigenschaften ermöglichen es Ihnen, die Klassifizierung Ihrer Dokumente zu vereinfachen. Den erforderlichen Text können Sie in den Eigenschaftsfeldern angeben.
                              • +
                              • Zuletzt geändert - Datum und Uhrzeit der letzten Änderung der Datei.
                              • +
                              • Zuletzt geändert von - der Name des Benutzers, der die letzte Änderung an der Tabelle vorgenommen hat, wenn die Tabelle freigegeben wurde und von mehreren Benutzern bearbeitet werden kann.
                              • +
                              • Anwendung - die Anwendung, mit der die Tabelle erstellt wurde.
                              • +
                              • Autor - die Person, die die Datei erstellt hat. In dieses Feld können Sie den erforderlichen Namen eingeben. Drücken Sie die Eingabetaste, um ein neues Feld hinzuzufügen, in dem Sie einen weiteren Autor angeben können.
                              • +
                              +

                              Wenn Sie die Dateieigenschaften geändert haben, klicken Sie auf die Schaltfläche Anwenden, um die Änderungen zu übernehmen.

                              Hinweis: Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen..., geben Sie den neuen Dateinamen an und klicken Sie auf OK.

                              +

                              Zugriffsrechte

                              In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen.

                              Hinweis: Diese Option steht im schreibgeschützten Modus nicht zur Verfügung.

                              Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte... in der linken Seitenleiste.

                              Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern.

                              +

                              Um den Bereich Datei zu schließen und zu Ihrer Tabelle zurückzukehren, wählen Sie die Option Menü schließen.

                              +

                              Versionsverlauf

                              +

                              In der Online-Version können Sie den Versionsverlauf der in der Cloud gespeicherten Dateien einsehen.

                              +

                              Hinweis: Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar.

                              +

                              Um alle an dieser Kalkulationstabelle vorgenommenen Änderungen anzuzeigen, wählen Sie in der linken Seitenleiste die Option Versionsverlauf. Es ist auch möglich, den Versionsverlauf über das Symbol Versionsverlauf Symbol Versionsverlauf auf der Registerkarte Zusammenarbeit der oberen Symbolleiste anzuzeigen. Sie sehen die Liste dieser Dokumentversionen (größere Änderungen) und Revisionen (kleinere Änderungen) mit Angabe der einzelnen Versionen/Revisionsautoren sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird zusätzlich die Versionsnummer angegeben (z. B. Ver. 2). Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Änderung anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Versions-/Revisionsautor vorgenommenen Änderungen sind mit der Farbe gekennzeichnet, die neben dem Autorennamen in der linken Seitenleiste angezeigt wird. Sie können den Link Wiederherstellen unter der ausgewählten Version/Revision verwenden, um sie wiederherzustellen.

                              +

                              Versionsverlauf

                              +

                              Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste.

                              -

                              Um das Fenster Datei zu schließen und in den Bearbeitungsmodus zurückzukehren, klicken sie auf Menü schließen.

                              -
                              +
                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/abouticon.png b/apps/spreadsheeteditor/main/resources/help/de/images/abouticon.png new file mode 100644 index 000000000..29b5a244c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/abouticon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/addworksheet.png b/apps/spreadsheeteditor/main/resources/help/de/images/addworksheet.png new file mode 100644 index 000000000..c5613e611 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/addworksheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/allowedit_newrange.png b/apps/spreadsheeteditor/main/resources/help/de/images/allowedit_newrange.png new file mode 100644 index 000000000..2d0cc6d22 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/allowedit_newrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/alloweditranges_edit.png b/apps/spreadsheeteditor/main/resources/help/de/images/alloweditranges_edit.png new file mode 100644 index 000000000..a1bf857a9 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/alloweditranges_edit.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array1.png b/apps/spreadsheeteditor/main/resources/help/de/images/array1.png new file mode 100644 index 000000000..db3aa8856 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array2.png b/apps/spreadsheeteditor/main/resources/help/de/images/array2.png new file mode 100644 index 000000000..656c094ce Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array3.png b/apps/spreadsheeteditor/main/resources/help/de/images/array3.png new file mode 100644 index 000000000..8f8420513 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array4.png b/apps/spreadsheeteditor/main/resources/help/de/images/array4.png new file mode 100644 index 000000000..eba8d2025 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array5.png b/apps/spreadsheeteditor/main/resources/help/de/images/array5.png new file mode 100644 index 000000000..8974fc1d7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array6.png b/apps/spreadsheeteditor/main/resources/help/de/images/array6.png new file mode 100644 index 000000000..c76f6f3e9 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array6.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array7.png b/apps/spreadsheeteditor/main/resources/help/de/images/array7.png new file mode 100644 index 000000000..78b13ef50 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array7.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array8.png b/apps/spreadsheeteditor/main/resources/help/de/images/array8.png new file mode 100644 index 000000000..1fc229c25 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array8.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/array9.png b/apps/spreadsheeteditor/main/resources/help/de/images/array9.png new file mode 100644 index 000000000..0c41ee9ba Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/array9.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/coedit_selector.png b/apps/spreadsheeteditor/main/resources/help/de/images/coedit_selector.png new file mode 100644 index 000000000..2919620ab Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/coedit_selector.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/convertequation.png b/apps/spreadsheeteditor/main/resources/help/de/images/convertequation.png new file mode 100644 index 000000000..82a8d863d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/convertequation.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/dataimport_advanced.png b/apps/spreadsheeteditor/main/resources/help/de/images/dataimport_advanced.png new file mode 100644 index 000000000..36ed46797 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/dataimport_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_example.png b/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_example.png new file mode 100644 index 000000000..375594766 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_example.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_rightclick.png b/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_rightclick.png new file mode 100644 index 000000000..11bfab9c1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/editpoints_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/editranges.png b/apps/spreadsheeteditor/main/resources/help/de/images/editranges.png new file mode 100644 index 000000000..14c7a44fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/editranges.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/encrypted.png b/apps/spreadsheeteditor/main/resources/help/de/images/encrypted.png new file mode 100644 index 000000000..8a0a06441 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/encrypted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/feedbackicon.png b/apps/spreadsheeteditor/main/resources/help/de/images/feedbackicon.png new file mode 100644 index 000000000..1734e2336 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/feedbackicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/hlookup_function.gif b/apps/spreadsheeteditor/main/resources/help/de/images/hlookup_function.gif new file mode 100644 index 000000000..889aaa68c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/hlookup_function.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/iferror_function.gif b/apps/spreadsheeteditor/main/resources/help/de/images/iferror_function.gif new file mode 100644 index 000000000..bd55c732b Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/iferror_function.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings.png index 490758a0b..b20357703 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings.png and b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings1.png b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings1.png index 6be155084..dd9d05fd8 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings1.png and b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings2.png b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings2.png new file mode 100644 index 000000000..a0a95d39b Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/imageadvancedsettings2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/imagesettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/imagesettings.png index a542f8ac0..87d96885d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/imagesettings.png and b/apps/spreadsheeteditor/main/resources/help/de/images/imagesettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png index f25feaa8a..b18075e73 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png index 320362ae1..a1155d50a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png index c9bf3f7e2..02be35ac4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png index 42df1f1f5..7302654d9 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png index 978818e1d..1fd5cfb02 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png index e0b9cf130..2344e1e82 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png index 290955609..40ac1a3e7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png index e957be3ba..d2a244eaf 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png index 08babd4a9..6b9372b72 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png index 0d1e462ae..4a7f623a4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png index 84ea3c198..e25e5d064 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png index f9b1c2228..492a1fd0c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png index 0d8647fba..8202e803d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png index db6c762ed..c487baa48 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png index b4da690bc..cf1bd6460 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png index 0e9a86e8d..98108e277 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png index 0b6f0e0e2..2d187e60b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png index d218ab269..9eba8c382 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png index f00251e3e..15249c9a4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png index bdd1eda20..65a80986b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png index aea34fa25..1b34240d5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png index e36c021f1..34f0d3282 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png index d1f063862..5aef0e91e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png new file mode 100644 index 000000000..0b61fa1ca Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png index d711244c0..bdbde6e64 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/keytips1.png b/apps/spreadsheeteditor/main/resources/help/de/images/keytips1.png new file mode 100644 index 000000000..dd6b8ff37 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/keytips1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/keytips2.png b/apps/spreadsheeteditor/main/resources/help/de/images/keytips2.png new file mode 100644 index 000000000..003cda7ad Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/keytips2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/list_worksheets.png b/apps/spreadsheeteditor/main/resources/help/de/images/list_worksheets.png new file mode 100644 index 000000000..d105539ae Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/list_worksheets.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/lookup_function.gif b/apps/spreadsheeteditor/main/resources/help/de/images/lookup_function.gif new file mode 100644 index 000000000..531f667ea Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/lookup_function.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/move_sheet.gif b/apps/spreadsheeteditor/main/resources/help/de/images/move_sheet.gif new file mode 100644 index 000000000..0abb573d1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/move_sheet.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/plus_sheet.png b/apps/spreadsheeteditor/main/resources/help/de/images/plus_sheet.png new file mode 100644 index 000000000..4f41f54ad Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/plus_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/printsettingswindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/printsettingswindow.png index b787ea0c5..d4618f13b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/printsettingswindow.png and b/apps/spreadsheeteditor/main/resources/help/de/images/printsettingswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheet.png b/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheet.png new file mode 100644 index 000000000..d03bc400c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheettab.png new file mode 100644 index 000000000..f8dfcae15 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/protect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/protect_workbook.png b/apps/spreadsheeteditor/main/resources/help/de/images/protect_workbook.png new file mode 100644 index 000000000..9ee13a450 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/protect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/protectsheet_highlighted.png b/apps/spreadsheeteditor/main/resources/help/de/images/protectsheet_highlighted.png new file mode 100644 index 000000000..27d4407fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/protectsheet_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/protectworkbook_highlighted.png b/apps/spreadsheeteditor/main/resources/help/de/images/protectworkbook_highlighted.png new file mode 100644 index 000000000..51ecf65cb Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/protectworkbook_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/removecomment_toptoolbar.png b/apps/spreadsheeteditor/main/resources/help/de/images/removecomment_toptoolbar.png new file mode 100644 index 000000000..2351f20be Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/removecomment_toptoolbar.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/scalesettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/scalesettings.png new file mode 100644 index 000000000..9e703a3f4 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/scalesettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/setpassword.png b/apps/spreadsheeteditor/main/resources/help/de/images/setpassword.png index eca962228..14b4bc9b1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/setpassword.png and b/apps/spreadsheeteditor/main/resources/help/de/images/setpassword.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sheetlist.png b/apps/spreadsheeteditor/main/resources/help/de/images/sheetlist.png new file mode 100644 index 000000000..536258cc0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/sheetlist.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/show_password.png b/apps/spreadsheeteditor/main/resources/help/de/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/show_password.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick.png b/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick.png new file mode 100644 index 000000000..e96321961 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick2.png b/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick2.png new file mode 100644 index 000000000..793da4922 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/smartart_rightclick2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sortcomments.png b/apps/spreadsheeteditor/main/resources/help/de/images/sortcomments.png new file mode 100644 index 000000000..65e0ea646 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/sortcomments.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sortcommentsicon.png b/apps/spreadsheeteditor/main/resources/help/de/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/sortcommentsicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sumif_function.gif b/apps/spreadsheeteditor/main/resources/help/de/images/sumif_function.gif new file mode 100644 index 000000000..1cf28f1e8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/sumif_function.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas.png b/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas.png new file mode 100644 index 000000000..dc72e197a Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas1.png b/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas1.png new file mode 100644 index 000000000..1899c5de1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/tableformulas1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/unlockrange.png b/apps/spreadsheeteditor/main/resources/help/de/images/unlockrange.png new file mode 100644 index 000000000..ed3b0d19c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/unlockrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheet.png b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheet.png new file mode 100644 index 000000000..a284acfec Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheettab.png new file mode 100644 index 000000000..fff332fbe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_workbook.png b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_workbook.png new file mode 100644 index 000000000..271419682 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/unprotect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/versionhistory.png b/apps/spreadsheeteditor/main/resources/help/de/images/versionhistory.png new file mode 100644 index 000000000..2321e9985 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/versionhistory.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/versionhistoryicon.png b/apps/spreadsheeteditor/main/resources/help/de/images/versionhistoryicon.png new file mode 100644 index 000000000..fe6cdf49f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/versionhistoryicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/viewsettings_drop-down.png b/apps/spreadsheeteditor/main/resources/help/de/images/viewsettings_drop-down.png new file mode 100644 index 000000000..f044b817b Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/viewsettings_drop-down.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 7b4aca854..59038422c 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js @@ -108,7 +108,7 @@ var indexes = { "id": "Functions/average.htm", "title": "MITTELWERT-Funktion", - "body": "Die Funktion MITTELWERT gehört zur Gruppe der statistischen Funktionen. Die Funktion gibt den Mittelwert der Argumente zurück. Formelsyntax der Funktion MITTELWERT: MITTELWERT(Zahl1;[Zahl2];...) Die Liste der Argumente Zahl1;[Zahl2];... kann bis zu 255 nummerische Werte enthalten, die manuell eingegeben werden oder in den Zellen enthalten sind, auf die Sie Bezug nehmen. MITTELWERT-Funktion anwenden: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERT. Geben Sie die gewünschten Argumente ein und trennen Sie diese durch Kommas oder wählen Sie den Zellenbereich mit der Maus aus. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion MITTELWERT gehört zur Gruppe der statistischen Funktionen. Die Funktion gibt den Mittelwert der Argumente zurück. Formelsyntax der Funktion MITTELWERT: MITTELWERT(Zahl1;[Zahl2];...) Die Liste der Argumente Zahl1;[Zahl2];... kann bis zu 255 nummerische Werte enthalten, die manuell eingegeben werden oder in den Zellen enthalten sind, auf die Sie Bezug nehmen. Wie funktioniert MITTELWERT Um die MITTELWERT-Funktion anzuwenden: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERT. Geben Sie die gewünschten Argumente ein und trennen Sie diese durch Kommas oder wählen Sie den Zellenbereich mit der Maus aus. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/averagea.htm", @@ -118,12 +118,12 @@ var indexes = { "id": "Functions/averageif.htm", "title": "MITTELWERTWENN-Funktion", - "body": "Die Funktion MITTELWERTWENN gehört zur Gruppe der statistischen Funktionen. Sie gibt den Durchschnittswert (arithmetisches Mittel) für alle Zellen in einem Bereich zurück, die einem angegebenen Kriterium entsprechen. Die Formelsyntax der Funktion MITTELWERTWENN ist: MITTELWERTWENN(Bereich; Kriterien; [Mittelwert_Bereich]) Dabei gilt: Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten. Kriterien sind die Kriterien in Form einer Zahl, eines Ausdrucks, eines Zellbezugs oder eines Texts, mit denen definiert wird, für welche Zellen der Mittelwert berechnet werden soll. Mittelwert_Bereich ist der tatsächliche Bereich der Zellen, für die der Mittelwert berechnet wird. Hinweis: Das Argument Mittelwert_Bereich ist optional. Fehlt diese Argument, wird Bereich verwendet.Anwendung der Funktion MITTELWERTWENN: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERTWENN. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion MITTELWERTWENN gehört zur Gruppe der statistischen Funktionen. Sie gibt den Durchschnittswert (arithmetisches Mittel) für alle Zellen in einem Bereich zurück, die einem angegebenen Kriterium entsprechen. Die Formelsyntax der Funktion MITTELWERTWENN ist: MITTELWERTWENN(Bereich; Kriterien; [Mittelwert_Bereich]) Dabei gilt: Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten. Kriterien sind die Kriterien in Form einer Zahl, eines Ausdrucks, eines Zellbezugs oder eines Texts, mit denen definiert wird, für welche Zellen der Mittelwert berechnet werden soll. Mittelwert_Bereich ist der tatsächliche Bereich der Zellen, für die der Mittelwert berechnet wird. Das Argument Mittelwert_Bereich ist optional. Fehlt diese Argument, wird Bereich verwendet. Wie funktioniert MITTELWERTWENN Anwendung der Funktion MITTELWERTWENN: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextmenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERTWENN. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/averageifs.htm", "title": "MITTELWERTWENNS-Funktion", - "body": "Die Funktion MITTELWERTWENNS gehört zur Gruppe der statistischen Funktionen. Sie gibt den Durchschnittswert (arithmetisches Mittel) aller Zellen zurück, die mehreren Kriterien entsprechen Die Formelsyntax der Funktion MITTELWERTWENNS ist: MITTELWERTWENNS(Summe_Bereich; Kriterien_Bereich1; Kriterien1; [Kriterien_Bereich2; Kriterien2]; ...) Dabei gilt: Summe_Bereich ist der Bereich der Zellen, für die der Mittelwert berechnet wird. Das Argument ist zwingend erforderlich. Kriterien_Bereich1 ist der erste gewählte Zellenbereich, auf den Kriterien1 angewendet werden soll. Das Argument ist zwingend erforderlich. Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um den Mittelwert der Zellen Summe_Bereich zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Das Argument ist zwingend erforderlich. Kriterien_Bereich2; Kriterien2 sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen. Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Anwendung der Funktion MITTELWERTWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERTWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion MITTELWERTWENNS gehört zur Gruppe der statistischen Funktionen. Sie gibt den Durchschnittswert (arithmetisches Mittel) aller Zellen zurück, die mehreren Kriterien entsprechen Die Formelsyntax der Funktion MITTELWERTWENNS ist: MITTELWERTWENNS(Summe_Bereich; Kriterien_Bereich1; Kriterien1; [Kriterien_Bereich2; Kriterien2]; ...) Dabei gilt: Summe_Bereich ist der Bereich der Zellen, für die der Mittelwert berechnet wird. Das Argument ist zwingend erforderlich. Kriterien_Bereich1 ist der erste gewählte Zellenbereich, auf den Kriterien1 angewendet werden soll. Das Argument ist zwingend erforderlich. Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um den Mittelwert der Zellen Summe_Bereich zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Das Argument ist zwingend erforderlich. Kriterien_Bereich2; Kriterien2 sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen. Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wie funktioniert MITTELWERTWENNS Anwendung der Funktion MITTELWERTWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion MITTELWERTWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/base.htm", @@ -413,7 +413,7 @@ var indexes = { "id": "Functions/countifs.htm", "title": "ZÄHLENWENNS-Funktion", - "body": "Die Funktion ZÄHLENWENNS gehört zur Gruppe der statistischen Funktionen. Sie zählt die Anzahl der Zellen, die bestimmte Kriterien erfüllen. Die Formelsyntax der Funktion ZÄHLENWENNS ist: ZÄHLENWENNS(Kriterienbereich1;Kriterien1;[Kriterienbereich2; Kriterien2]…) Dabei gilt: Kriterien_Bereich1 ist der erste gewählte Zellenbereich, auf den die Kriterien1 angewendet werden sollen. Dieses Argument ist zwingend erforderlich. Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um die zu zählenden Zellen in Kriterien_Bereich1 zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Dieses Argument ist zwingend erforderlich. Kriterien_Bereich2; Kriterien2,... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen. Hinweis: Bei der Angabe von Kriterien können Sie Platzhalterzeichen verwenden. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wenn Sie ein Fragezeichen oder ein Sternchen suchen, geben Sie vor dem Zeichen eine Tilde (~) ein. Anwendung der Funktion ZÄHLENWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken sie auf die Funktion ZÄHLENWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion ZÄHLENWENNS gehört zur Gruppe der statistischen Funktionen. Sie zählt die Anzahl der Zellen, die bestimmte Kriterien erfüllen. Die Formelsyntax der Funktion ZÄHLENWENNS ist: ZÄHLENWENNS(Kriterienbereich1;Kriterien1;[Kriterienbereich2; Kriterien2]…) Dabei gilt: Kriterien_Bereich1 ist der erste gewählte Zellenbereich, auf den die Kriterien1 angewendet werden sollen. Dieses Argument ist zwingend erforderlich. Kriterien1 ist die erste zu erfüllende Bedingung. Sie wird auf Kriterien_Bereich1 angewendet und verwendet, um die zu zählenden Zellen in Kriterien_Bereich1 zu bestimmen. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Dieses Argument ist zwingend erforderlich. Kriterien_Bereich2; Kriterien2,... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können bis zu 127 Bereiche und entsprechende Kriterien hinzufügen. Hinweis: Bei der Angabe von Kriterien können Sie Platzhalterzeichen verwenden. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wenn Sie ein Fragezeichen oder ein Sternchen suchen, geben Sie vor dem Zeichen eine Tilde (~) ein. Wie funktioniert ZÄHLENWENNS Anwendung der Funktion ZÄHLENWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken sie auf die Funktion ZÄHLENWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/coupdaybs.htm", @@ -943,7 +943,7 @@ var indexes = { "id": "Functions/hlookup.htm", "title": "WVERWEIS-Funktion", - "body": "Die Funktion WVERWEIS gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Sie sucht in der obersten Zeile einer Tabelle oder einer Matrix (Array) nach Werten und gibt dann in der gleichen Spalte einen Wert aus einer Zeile zurück, die Sie in der Tabelle oder Matrix angeben. Die Formelsyntax der Funktion WVERWEIS ist: WVERWEIS(Suchkriterium;Matrix;Zeilenindex;[Bereich_Verweis]) Dabei gilt: Suchkriterium ist der Wert nach dem gesucht wird. Matrix sind zwei oder mehr Spalten die in aufsteigender Reihenfolge sortiert sind. Zeilenindex ist eine Zeilennummer in der Matrix, ein numerischer Wert der größer oder gleich 1 ist, aber kleiner als die Gesamtanzahl der Spalten in Matrix. Das Argument Bereich_Verweis ist optional. Es handelt sich um einen Wahrheitswert. WAHR oder FALSCH. Geben Sie FALSCH an, um eine genaue Übereinstimmung des Rückgabewerts zu finden. Geben Sie WAHR ein, um eine ungefähre Übereinstimmung zu finden; wenn keine genaue Übereinstimmung mit dem Suchkriterium vorliegt, wählt die Funktion den nächstgrößeren Wert aus, der kleiner ist als Suchkriterium. Fehlt das Argument, findet die Funktion eine genaue Übereinstimmung. Hinweis: Ist für Übereinstimmung FALSCH festgelegt, aber es wird keine exakte Übereinstimmung gefunden wird, gibt die Funktion den Fehler #NV zurück. Anwendung der Funktion WVERWEIS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion WVERWEIS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion WVERWEIS gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Sie sucht in der obersten Zeile einer Tabelle oder einer Matrix (Array) nach Werten und gibt dann in der gleichen Spalte einen Wert aus einer Zeile zurück, die Sie in der Tabelle oder Matrix angeben. Die Formelsyntax der Funktion WVERWEIS ist: WVERWEIS(Suchkriterium;Matrix;Zeilenindex;[Bereich_Verweis]) Dabei gilt: Suchkriterium ist der Wert nach dem gesucht wird. Matrix sind zwei oder mehr Spalten die in aufsteigender Reihenfolge sortiert sind. Zeilenindex ist eine Zeilennummer in der Matrix, ein numerischer Wert der größer oder gleich 1 ist, aber kleiner als die Gesamtanzahl der Spalten in Matrix. Das Argument Bereich_Verweis ist optional. Es handelt sich um einen Wahrheitswert. WAHR oder FALSCH. Geben Sie FALSCH an, um eine genaue Übereinstimmung des Rückgabewerts zu finden. Geben Sie WAHR ein, um eine ungefähre Übereinstimmung zu finden; wenn keine genaue Übereinstimmung mit dem Suchkriterium vorliegt, wählt die Funktion den nächstgrößeren Wert aus, der kleiner ist als Suchkriterium. Fehlt das Argument, findet die Funktion eine genaue Übereinstimmung. Ist für Übereinstimmung FALSCH festgelegt, aber es wird keine exakte Übereinstimmung gefunden wird, gibt die Funktion den Fehler #NV zurück. Wie funktioniert WVERWEIS Anwendung der Funktion WVERWEIS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion WVERWEIS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/hour.htm", @@ -952,8 +952,8 @@ var indexes = }, { "id": "Functions/hyperlink.htm", - "title": "HYPERLINLK-Funktion", - "body": "Die Funktion HYPERLINLK gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Mit dieser Funktion lässt sich eine Verknüpfung erstellen, die zu einem anderen Speicherort in der aktuellen Arbeitsmappe wechselt oder ein Dokument öffnet, das auf einem Netzwerkserver, im Intranet oder im Internet gespeichert ist. Die Formelsyntax der Funktion HYPERLINLK ist: HYPERLINK(Hyperlink_Adresse, [Anzeigename]) Dabei gilt: Hyperlink_Adresse bezeichnet Pfad und Dateiname des zu öffnenden Dokuments. In der Online-Version darf der Pfad ausschließlich eine URL-Adresse sein. Hyperlink_Adresse kann sich auch auf eine bestimmte Stelle in der aktuellen Arbeitsmappe beziehen, z. B. auf eine bestimmte Zelle oder einen benannten Bereich. Der Wert kann als Textzeichenfolge in Anführungszeichen oder als Verweis auf eine Zelle, die den Link als Textzeichenfolge enthält, angegeben werden. Anzeigename ist ein Text, der in der Zelle angezeigt wird. Dieser Wert ist optional. Bleibt die Angabe aus, wird der Wert aus Hyperlink_Adresse in der Zelle angezeigt. Anwendung der Funktion HYPERLINLK: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion HYPERLINLK. Geben Sie die gewünschten Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Klicken Sie den Link zum Öffnen einfach an. Um eine Zelle auszuwählen die einen Link enthält, ohne den Link zu öffnen, klicken Sie diese an und halten Sie die Maustaste gedrückt." + "title": "HYPERLINK-Funktion", + "body": "Die Funktion HYPERLINK gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Mit dieser Funktion lässt sich eine Verknüpfung erstellen, die zu einem anderen Speicherort in der aktuellen Arbeitsmappe wechselt oder ein Dokument öffnet, das auf einem Netzwerkserver, im Intranet oder im Internet gespeichert ist. Die Formelsyntax der Funktion HYPERLINK ist: HYPERLINK(Hyperlink_Adresse, [Anzeigename]) Dabei gilt: Hyperlink_Adresse bezeichnet Pfad und Dateiname des zu öffnenden Dokuments. In der Online-Version darf der Pfad ausschließlich eine URL-Adresse sein. Hyperlink_Adresse kann sich auch auf eine bestimmte Stelle in der aktuellen Arbeitsmappe beziehen, z. B. auf eine bestimmte Zelle oder einen benannten Bereich. Der Wert kann als Textzeichenfolge in Anführungszeichen oder als Verweis auf eine Zelle, die den Link als Textzeichenfolge enthält, angegeben werden. Anzeigename ist ein Text, der in der Zelle angezeigt wird. Dieser Wert ist optional. Bleibt die Angabe aus, wird der Wert aus Hyperlink_Adresse in der Zelle angezeigt. Anwendung der Funktion HYPERLINK: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion HYPERLINK. Geben Sie die gewünschten Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Klicken Sie den Link zum Öffnen einfach an. Um eine Zelle auszuwählen die einen Link enthält, ohne den Link zu öffnen, klicken Sie diese an und halten Sie die Maustaste gedrückt." }, { "id": "Functions/hypgeom-dist.htm", @@ -973,7 +973,7 @@ var indexes = { "id": "Functions/iferror.htm", "title": "WENNFEHLER-Funktion", - "body": "Die Funktion WENNFEHLER gehört zur Gruppe der logischen Funktionen. Sie wird verwendet, um zu überprüfen, ob im ersten Argument der Formel ein Fehler aufgetreten ist. Liegt kein Fehler vor, gibt die Funktion das Ergebnis der Formel aus. Im Falle eines Fehlers gibt die Formel den von Ihnen festgelegten Wert_falls_Fehler wieder. Die Formelsyntax der Funktion WENNFEHLER ist: WENNFEHLER(Wert;Wert_falls_Fehler) Wert und Wert_falls_Fehler werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Anwendung der Funktion WENNFEHLER: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Logisch aus der Liste aus. Klicken Sie auf die Funktion WENNFEHLER. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Beispiel: Es gibt 2 Argumente: Wert = A1/B1, Wert_falls_Fehler = „Fehler"; A1 ist gleich 12 und B1 ist gleich 3. Die Formel im ersten Argument hat keinen Fehler. Also gibt die Funktion das Ergebnis der Berechnung zurück. Ändert man B1 von 3 zu 0, gibt die Funktion Fehler zurück, da es nicht möglich ist durch Null zu teilen." + "body": "Die Funktion WENNFEHLER gehört zur Gruppe der logischen Funktionen. Sie wird verwendet, um zu überprüfen, ob im ersten Argument der Formel ein Fehler aufgetreten ist. Liegt kein Fehler vor, gibt die Funktion das Ergebnis der Formel aus. Im Falle eines Fehlers gibt die Formel den von Ihnen festgelegten Wert_falls_Fehler wieder. Die Formelsyntax der Funktion WENNFEHLER ist: WENNFEHLER(Wert;Wert_falls_Fehler) Wert und Wert_falls_Fehler werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Wie funktioniert WENNFEHLER Anwendung der Funktion WENNFEHLER: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Logisch aus der Liste aus. Klicken Sie auf die Funktion WENNFEHLER. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Beispiel: Sie haben eine Liste des verfügbaren Artikelbestands und den Gesamtwert. Um den Stückpreis zu erfahren, verwenden wir die Funktion WENNFEHLER, um zu sehen, ob Fehler aufgetreten sind. Die Argumente lauten wie folgt: Wert = B2/A2, Wert_falls_Fehler = \"Nicht verrätig\". Die Formel im ersten Argument enthält keine Fehler für die Zellen C2:C9 und C11:C14, sodass die Funktion das Ergebnis der Berechnung zurückgibt. Bei C10 und C11 ist es jedoch umgekehrt, da die Formel versucht, durch Null zu teilen, daher erhalten wir als Ergebnis \"Nicht verrätig\"." }, { "id": "Functions/ifna.htm", @@ -983,7 +983,7 @@ var indexes = { "id": "Functions/ifs.htm", "title": "WENNS-Funktion", - "body": "Die Funktion WENNS gehört zur Gruppe der logischen Funktionen. Die Funktion prüft, ob eine oder mehrere Bedingungen zutreffen und gibt den Wert zurück, der der ersten auf WAHR lautenden Bedingung entspricht. Die Formelsyntax der Funktion WENNS ist: ([Logiktest1; Wert wenn Wahr1; [Logiktest2; Wert wenn Wahr2];…) Dabei gilt: Logiktest1 ist die erste Bedingung, die auf WAHR oder FALSCH ausgewertet wird. Wert wenn Wahr1 ist der Wert, der zurückgegeben wird, wenn der Logiktest1 WAHR ist. Logiktest2; Wert wenn Wahr2... sind zusätzliche Bedingungen und Werte, die zurückgegeben werden sollen. Diese Argumente sind optional. Hinweis: Sie können bis zu 127 Bedingungen überprüfen. Die Argumente werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Anwendung der Funktion WENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Logisch aus der Liste aus. Klicken Sie auf die Funktion WENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Beispiel: Die folgende Argumente liegen vor: Logiktest1 = A1<100, Wert_wenn_wahr1 = 1, Logiktest2 = A1>100, Wert_wenn_wahr2 = 2, dann gilt A1 ist 120. Der zweite logische Ausdruck ist WAHR. Also gibt die Funktion den Wert 2 zurück." + "body": "Die Funktion WENNS gehört zur Gruppe der logischen Funktionen. Die Funktion prüft, ob eine oder mehrere Bedingungen zutreffen und gibt den Wert zurück, der der ersten auf WAHR lautenden Bedingung entspricht. Die Formelsyntax der Funktion WENNS ist: ([Logiktest1; Wert wenn Wahr1; [Logiktest2; Wert wenn Wahr2];…) Dabei gilt: Logiktest1 ist die erste Bedingung, die auf WAHR oder FALSCH ausgewertet wird. Wert wenn Wahr1 ist der Wert, der zurückgegeben wird, wenn der Logiktest1 WAHR ist. Logiktest2; Wert wenn Wahr2... sind zusätzliche Bedingungen und Werte, die zurückgegeben werden sollen. Diese Argumente sind optional. Hinweis: Sie können bis zu 127 Bedingungen überprüfen. Die Argumente werden manuell eingegeben oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Wie funktioniert WENNS Anwendung der Funktion WENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Logisch aus der Liste aus. Klicken Sie auf die Funktion WENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt. Beispiel: Die folgende Argumente liegen vor: Logiktest1 = A1<100, Wert_wenn_wahr1 = 1, Logiktest2 = A1>100, Wert_wenn_wahr2 = 2, dann gilt A1 ist 120. Der zweite logische Ausdruck ist WAHR. Also gibt die Funktion den Wert 2 zurück." }, { "id": "Functions/imabs.htm", @@ -1303,7 +1303,7 @@ var indexes = { "id": "Functions/lookup.htm", "title": "VERWEIS-Funktion", - "body": "Die Funktion VERWEIS gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Sie gibt einen Wert aus einem ausgewählten Bereich zurück (Zeile oder Spalte mit Daten in aufsteigender Reihenfolge). Die Formelsyntax der Funktion VERWEIS ist: VERWEIS(Suchkriterium, Suchvektor, [Ergebnisvektor]) Dabei gilt: Suchkriterium ist der Wert nach dem gesucht wird. Suchvektor ist eine einzelne Zeile oder Spalte mit Daten in aufsteigender Reihenfolge. Ergebnisvektor ist eine einzelne Zeile oder Spalte mit der gleichen Größe wie Suchvektor. Die Funktion sucht im Suchvektor nach dem Suchkriterium und gibt den Wert von der gleichen Postion im Ergebnisvektor zurück. Hinweis: Wenn das Suchkriterium kleiner ist als alle Werte im Ergebnisvektor, gibt die Funktion den Fehlerwert #NV zurück. Kann die Funktion keinen Wert finden, der mit dem jeweiligen Wert von Suchkriterium übereinstimmt, verwendet die Funktion den größten Wert in Suchvektor, der kleiner oder gleich dem Wert von Suchkriterium ist. Anwendung der Funktion VERWEIS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion VERWEIS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion VERWEIS gehört zur Gruppe der Nachschlage- und Verweisfunktionen. Sie gibt einen Wert aus einem ausgewählten Bereich zurück (Zeile oder Spalte mit Daten in aufsteigender Reihenfolge). Die Formelsyntax der Funktion VERWEIS ist: VERWEIS(Suchkriterium, Suchvektor, [Ergebnisvektor]) Dabei gilt: Suchkriterium ist der Wert nach dem gesucht wird. Suchvektor ist eine einzelne Zeile oder Spalte mit Daten in aufsteigender Reihenfolge. Ergebnisvektor ist eine einzelne Zeile oder Spalte mit der gleichen Größe wie Suchvektor. Die Funktion sucht im Suchvektor nach dem Suchkriterium und gibt den Wert von der gleichen Postion im Ergebnisvektor zurück. Wenn das Suchkriterium kleiner ist als alle Werte im Ergebnisvektor, gibt die Funktion den Fehlerwert #NV zurück. Kann die Funktion keinen Wert finden, der mit dem jeweiligen Wert von Suchkriterium übereinstimmt, verwendet die Funktion den größten Wert in Suchvektor, der kleiner oder gleich dem Wert von Suchkriterium ist. Wie funktioniert VERWEIS Anwendung der Funktion VERWEIS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Funktionsgruppe Nachschlage- und Verweisfunktionen aus der Liste aus. Klicken Sie auf die Funktion VERWEIS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/lower.htm", @@ -1427,8 +1427,8 @@ var indexes = }, { "id": "Functions/munit.htm", - "title": "RKP-Funktion", - "body": "Die Funktion RKP ist eine der statistischen Funktionen. Sie wird verwendet, um eine Exponentialkurve zu berechnen, die zu den Daten passt und ein Array von Werten zurückgibt, die die Kurve beschreiben. Die Formelsyntax der Funktion RKP ist: RKP(bekannte_y-Werte, [bekannte_x-Werte], [Konstante], [Statistiken]) dabei gilt bekannte_y-Werte ist die Gruppe von y-Werten, die Sie bereits in der Gleichung y = b*m^x kennen. bekannte_x-Werte ist die optionale Gruppe von x-Werten, die Sie möglicherweise in der Gleichung y = b*m^x kennen. Konstante ist ein optionales Argument. Es ist ein WAHR oder FALSCH Wert, bei dem WAHR oder das Fehlen des Arguments die normale Berechnung von b gibt und FALSCH b in der Gleichung y = b*m^x auf 1 setzt und die m-Werte in der Gleichung y = m^x entsprechen. Statistiken ist ein optionales Argument. Es ist ein WAHR oder FALSCH Wert, der festlegt, ob zusätzliche Regressionsstatistiken ausgegeben werden sollen. Anwendung der Funktion RKP: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Statistische Funktionen aus der Liste aus. Klicken Sie auf die Funktion RKP. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "title": "MEINHEIT-Funktion", + "body": "Die Funktion MEINHEIT ist eine der mathematischen und trigonometrischen Funktionen. Sie wird verwendet, um eine Einheitsmatrix für die angegebene Dimension zurückzugeben. Die Formelsyntax der Funktion MEINHEIT ist: MEINHEIT(Größe) dabei gilt Größe ist ein erforderliches Argument. Es ist eine Ganzzahl, die die Größe der Einheitsmatrix angibt, die Sie zurückgeben möchten, und eine Matrix zurückgibt. Anwendung der Funktion MEINHEIT: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Mathematik und Trigonometrie Funktionen aus der Liste aus. Klicken Sie auf die Funktion MEINHEIT. Geben Sie das Argument ein. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/n.htm", @@ -1973,17 +1973,17 @@ var indexes = { "id": "Functions/sum.htm", "title": "SUMME-Funktion", - "body": "Die Funktion SUMME gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen im gewählten Zellenbereich zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMME ist: SUMME(Zahl1;[Zahl2];...) Die Liste der Argumente Zahl1;[Zahl2];... ist eine Auswahl nummerischer Werte, die manuell eingegeben werden oder in dem Zellbereich eingeschlossen sind, auf den Sie Bezug nehmen. Anwendung der Funktion SUMME: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste und wählen Sie die Funktion SUMME in der Gruppe Mathematische und trigonometrische Funktionen. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas oder wählen Sie den Zellenbereich mit der Maus aus. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion SUMME gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen im gewählten Zellenbereich zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMME ist: SUMME(Zahl1;[Zahl2];...) Die Liste der Argumente Zahl1;[Zahl2];... ist eine Auswahl nummerischer Werte, die manuell eingegeben werden oder in dem Zellbereich eingeschlossen sind, auf den Sie Bezug nehmen. Wie funktioniert SUMME Anwendung der Funktion SUMME: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie in einer gewählten Zelle mit der rechten Maustaste und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste und wählen Sie die Funktion SUMME in der Gruppe Mathematische und trigonometrische Funktionen. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas oder wählen Sie den Zellenbereich mit der Maus aus. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/sumif.htm", "title": "SUMMEWENN-Funktion", - "body": "Die Funktion SUMMEWENN gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen in gewählten Zellenbereich anhand vom angegebenen Kriterium zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMMEWENN ist: SUMMEWENN(Bereich;Suchkriterien;[Summe_Bereich]) Dabei gilt: Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten. Suchkriterien sind die Suchkriterien mit denen definiert wird, welche Zellen addiert werden sollen, diese können manuell eingegeben werden oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Summe_Bereich ist der Zellenbereich, der addiert werden soll. Dieses Argument ist optional. Wird es ausgelassen, addiert die Funktion die Zahlen von Bereich. Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Anwendung der Funktion SUMMEWENN: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus. Klicken Sie auf die Funktion SUMMEWENN. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion SUMMEWENN gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen in gewählten Zellenbereich anhand vom angegebenen Kriterium zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMMEWENN ist: SUMMEWENN(Bereich;Suchkriterien;[Summe_Bereich]) Dabei gilt: Bereich ist der Zellbereich, den Sie nach Kriterien auswerten möchten. Suchkriterien sind die Suchkriterien mit denen definiert wird, welche Zellen addiert werden sollen, diese können manuell eingegeben werden oder sind in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Summe_Bereich ist der Zellenbereich, der addiert werden soll. Dieses Argument ist optional. Wird es ausgelassen, addiert die Funktion die Zahlen von Bereich. Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wie funktioniert SUMMEWENN Anwendung der Funktion SUMMEWENN: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus. Klicken Sie auf die Funktion SUMMEWENN. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/sumifs.htm", "title": "SUMMEWENNS-Funktion", - "body": "Die Funktion SUMMEWENNS gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen in gewählten Zellenbereich anhand vom angegebenen Kriterium zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMMEWENNS ist: SUMMEWENNS(Summe_Bereich; Kriterien_Bereich1; Kriterien1; [Kriterien_Bereich2; Kriterien2]; ...) Dabei gilt: Summe_Bereich ist der Zellenbereich, der addiert werden soll. Kriterien_Bereich1 ist der erste gewählte Zellenbereich, der auf Kriterien1 getestet wird. Kriterien1 sind die Kriterien, die definieren, welche Zellen in Kriterien_Bereich1 addiert werden. Sie werden auf Kriterien_Bereich1 angewendet und bestimmen den Mittelwert der Zellen Summe_Bereich. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Kriterien_Bereich2; Kriterien2, ... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Hinweis: Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Anwendung der Funktion SUMMEWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus. Klicken Sie auf die Funktion SUMMEWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." + "body": "Die Funktion SUMMEWENNS gehört zur Gruppe der mathematischen und trigonometrischen Funktionen. Sie wird genutzt, um alle Zahlen in gewählten Zellenbereich anhand vom angegebenen Kriterium zu addieren und das Ergebnis zurückzugeben. Die Formelsyntax der Funktion SUMMEWENNS ist: SUMMEWENNS(Summe_Bereich; Kriterien_Bereich1; Kriterien1; [Kriterien_Bereich2; Kriterien2]; ...) Dabei gilt: Summe_Bereich ist der Zellenbereich, der addiert werden soll. Kriterien_Bereich1 ist der erste gewählte Zellenbereich, der auf Kriterien1 getestet wird. Kriterien1 sind die Kriterien, die definieren, welche Zellen in Kriterien_Bereich1 addiert werden. Sie werden auf Kriterien_Bereich1 angewendet und bestimmen den Mittelwert der Zellen Summe_Bereich. Der Wert kann manuell eingegeben werden oder ist in die Zelle eingeschlossen, auf die Sie Bezug nehmen. Kriterien_Bereich2; Kriterien2, ... sind zusätzliche Zellenbereiche und ihre jeweiligen Kriterien. Diese Argumente sind optional. Sie können Platzhalterzeichen verwenden, wenn Sie Kriterien angeben. Das Fragezeichen "?" kann ein beliebiges einzelnes Zeichen ersetzen und der Stern "*" kann anstelle einer beliebigen Anzahl von Zeichen verwendet werden. Wie funktioniert SUMMEWENNS Anwendung der Funktion SUMMEWENNS: Wählen Sie die gewünschte Zelle für die Ergebnisanzeige aus. Klicken Sie auf das Symbol Funktion einfügen auf der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Kontextenü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie die Gruppe Mathematische und trigonometrische Funktionen aus der Liste aus. Klicken Sie auf die Funktion SUMMEWENNS. Geben Sie die erforderlichen Argumente ein und trennen Sie diese durch Kommas. Drücken Sie die Eingabetaste. Das Ergebnis wird in der gewählten Zelle angezeigt." }, { "id": "Functions/sumproduct.htm", @@ -2313,32 +2313,42 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Erweiterte Einstellungen der Tabellenkalkulation", - "body": "Über die Funktion erweiterte Einstellungen können Sie die Grundeinstellungen in der Tabellenkalkulation ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen sind: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Zellen nur hervorgehoben, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Anzeige der aufgelösten Kommentare aktivieren - diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare im Arbeitsblatt verborgen werden. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Wenn die aufgelösten Kommentare auf dem Arbeitsblatt angezeigt werden sollen, müssen Sie diese Option aktivieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Autowiederherstellen - wird in der Desktop-Version verwendet, um die Option zu aktivieren/deaktivieren, mit der Sie Tabellenkalkulationen automatisch wiederherstellen können, wenn das Programm unerwartet geschlossen wird. Der Referenzstil wird verwendet, um den R1C1-Referenzstil ein- oder auszuschalten Diese Option ist standardmäßig ausgewählt und es wird der Referenzstil A1 verwendet. Wenn der Referenzstil A1 verwendet wird, werden Spalten durch Buchstaben und Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle in Zeile 3 und Spalte 2 auswählen, sieht die Adresse in der Box links neben der Formelleiste folgendermaßen aus: B3. Wenn der Referenzstil R1C1 verwendet wird, werden sowohl Spalten als auch Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle am Schnittpunkt von Zeile 3 und Spalte 2 auswählen, sieht die Adresse folgendermaßen aus: R3C2. Buchstabe R gibt die Zeilennummer und Buchstabe C die Spaltennummer an. Wenn Sie sich auf andere Zellen mit dem Referenzstil R1C1 beziehen, wird der Verweis auf eine Zielzelle basierend auf der Entfernung von einer aktiven Zelle gebildet. Wenn Sie beispielsweise die Zelle in Zeile 5 und Spalte 1 auswählen und auf die Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[-2]C[1]. Zahlen in eckigen Klammern geben die Position der Zelle an, auf die Sie in Relation mit der aktuellen Zellenposition verweisen, d. h. die Zielzelle ist 2 Zeilen höher und 1 Spalte weiter rechts als die aktive Zelle. Wenn Sie die Zelle in Zeile 1 und Spalte 2 auswählen und auf die gleiche Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[2]C, d. h. die Zielzelle ist 2 Zeilen tiefer aber in der gleichen Spalte wie die aktive Zelle. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Formal und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - grün, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - grün, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Hinting - Auswahl der Schriftartdarstellung in der Tabellenkalkulation: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Die Einstellungen Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, ihn ohne Grund zu wechseln. Dies kann nur in einigen Fällen hilfreich sein, beispielsweise wenn ein Problem mit der aktivierten Hardwarebeschleunigung im Google Chrome-Browser auftritt. Die Tabellenkalkulation hat 2 Cache-Modi: Im ersten Cache-Modus wird jeder Buchstabe als separates Bild zwischengespeichert. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw. Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an: Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus. Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus. Maßeinheiten - geben Sie an, welche Einheiten verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. anzugeben. Sie können die Optionen Zentimeter, Punkt oder Zoll wählen. Die Option Formelsprache wird verwendet, um die Sprache für die Anzeige und Eingabe von Formelnamen, Argumentnamen und Beschreibungen festzulegen. Formelsprache wird für 31 Sprachen unterstützt: Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch, Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch. Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen. Die Option Trennzeichen wird verwendet, um die Zeichen anzugeben, die Sie als Trennzeichen für Dezimalen und Tausender verwenden möchten. Die Option Trennzeichen basierend auf regionalen Einstellungen verwenden ist standardmäßig ausgewählt. Wenn Sie benutzerdefinierte Trennzeichen verwenden möchten, deaktivieren Sie dieses Kontrollkästchen und geben Sie die erforderlichen Zeichen in die Felder Dezimaltrennzeichen und Tausendertrennzeichen unten ein. Die Option Ausschneiden, Kopieren und Einfügen wird verwendet, um die Schaltfläche Einfügeoptionen anzuzeigen, wenn Inhalt eingefügt wird. Aktivieren Sie das Kontrollkästchen, um diese Funktion zu aktivieren. Die Option Makro-Einstellungen wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. Wählen Sie die Option Alle deaktivieren aus, um alle Makros in der Tabelle zu deaktivieren; Wählen Sie die Option Benachrichtigungen anzeigen aus, um Benachrichtigungen über Makros in der Tabelle zu erhalten; Wählen Sie die Option Alle aktivieren aus, um alle Makros in der Tabelle automatisch auszuführen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." + "body": "Über die Funktion erweiterte Einstellungen können Sie die Grundeinstellungen in der Tabellenkalkulation ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen sind: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Zellen nur hervorgehoben, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Anzeige der aufgelösten Kommentare aktivieren - diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare im Arbeitsblatt verborgen werden. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Wenn die aufgelösten Kommentare auf dem Arbeitsblatt angezeigt werden sollen, müssen Sie diese Option aktivieren. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Autowiederherstellen - wird in der Desktop-Version verwendet, um die Option zu aktivieren/deaktivieren, mit der Sie Tabellenkalkulationen automatisch wiederherstellen können, wenn das Programm unerwartet geschlossen wird. Der Referenzstil wird verwendet, um den R1C1-Referenzstil ein- oder auszuschalten Diese Option ist standardmäßig ausgewählt und es wird der Referenzstil A1 verwendet. Wenn der Referenzstil A1 verwendet wird, werden Spalten durch Buchstaben und Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle in Zeile 3 und Spalte 2 auswählen, sieht die Adresse in der Box links neben der Formelleiste folgendermaßen aus: B3. Wenn der Referenzstil R1C1 verwendet wird, werden sowohl Spalten als auch Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle am Schnittpunkt von Zeile 3 und Spalte 2 auswählen, sieht die Adresse folgendermaßen aus: R3C2. Buchstabe R gibt die Zeilennummer und Buchstabe C die Spaltennummer an. Wenn Sie sich auf andere Zellen mit dem Referenzstil R1C1 beziehen, wird der Verweis auf eine Zielzelle basierend auf der Entfernung von einer aktiven Zelle gebildet. Wenn Sie beispielsweise die Zelle in Zeile 5 und Spalte 1 auswählen und auf die Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[-2]C[1]. Zahlen in eckigen Klammern geben die Position der Zelle an, auf die Sie in Relation mit der aktuellen Zellenposition verweisen, d. h. die Zielzelle ist 2 Zeilen höher und 1 Spalte weiter rechts als die aktive Zelle. Wenn Sie die Zelle in Zeile 1 und Spalte 2 auswählen und auf die gleiche Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[2]C, d. h. die Zielzelle ist 2 Zeilen tiefer aber in der gleichen Spalte wie die aktive Zelle. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Formal und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - grün, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - grün, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Hinweis: Abgesehen von den verfügbaren Oberflächenfarbschemas Hell, Klassisch Hell und Dunkel können ONLYOFFICE Editoren jetzt mit Ihrem eigenen Farbdesign angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Hinting - Auswahl der Schriftartdarstellung in der Tabellenkalkulation: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Die Einstellungen Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, ihn ohne Grund zu wechseln. Dies kann nur in einigen Fällen hilfreich sein, beispielsweise wenn ein Problem mit der aktivierten Hardwarebeschleunigung im Google Chrome-Browser auftritt. Die Tabellenkalkulation hat 2 Cache-Modi: Im ersten Cache-Modus wird jeder Buchstabe als separates Bild zwischengespeichert. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw. Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an: Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus. Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus. Maßeinheiten - geben Sie an, welche Einheiten verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. anzugeben. Sie können die Optionen Zentimeter, Punkt oder Zoll wählen. Die Option Formelsprache wird verwendet, um die Sprache für die Anzeige und Eingabe von Formelnamen, Argumentnamen und Beschreibungen festzulegen. Formelsprache wird für 32 Sprachen unterstützt: Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch (Brasilien), Portugiesisch (Portugal), Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch. Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen. Die Option Trennzeichen wird verwendet, um die Zeichen anzugeben, die Sie als Trennzeichen für Dezimalen und Tausender verwenden möchten. Die Option Trennzeichen basierend auf regionalen Einstellungen verwenden ist standardmäßig ausgewählt. Wenn Sie benutzerdefinierte Trennzeichen verwenden möchten, deaktivieren Sie dieses Kontrollkästchen und geben Sie die erforderlichen Zeichen in die Felder Dezimaltrennzeichen und Tausendertrennzeichen unten ein. Die Option Ausschneiden, Kopieren und Einfügen wird verwendet, um die Schaltfläche Einfügeoptionen anzuzeigen, wenn Inhalt eingefügt wird. Aktivieren Sie das Kontrollkästchen, um diese Funktion zu aktivieren. Die Option Makro-Einstellungen wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. Wählen Sie die Option Alle deaktivieren aus, um alle Makros in der Tabelle zu deaktivieren; Wählen Sie die Option Benachrichtigungen anzeigen aus, um Benachrichtigungen über Makros in der Tabelle zu erhalten; Wählen Sie die Option Alle aktivieren aus, um alle Makros in der Tabelle automatisch auszuführen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Gemeinsame Bearbeitung von Kalkulationstabellen", - "body": "Im Tabelleneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Tabelle zu arbeiten. Diese Funktion umfasst: Gleichzeitiger Zugriff von mehreren Benutzern auf eine Tabelle. Visuelle Markierung von Zellen, die aktuell von anderen Benutzern bearbeitet werden. Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick. Chat zum Austauschen von Ideen zu bestimmten Abschnitten im Tabellenblatt. Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen (es ist auch möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Verbindung mit der Online-Version herstellen Öffnen Sie im Desktop-Editor die Option mit Cloud verbinden in der linken Seitenleiste des Hauptprogrammfensters. Geben Sie Ihren Anmeldenamen und Ihr Passwort an und stellen Sie eine Verbindung zu Ihrem Cloud Office her. Co-Bearbeitung Im Kalkulationstabelleneditor stehen die folgenden Modi für die Co-Bearbeitung zur Verfügung. Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt. Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen. Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Co-Bearbeitung. Hinweis: Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar. Wenn eine Tabelle im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Zellen sowie das jeweilige Blattregister mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Zellen bewegen, wird der Name des Benutzers angezeigt, der diese Zelle aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben. Die Anzahl der Benutzer, die in der aktuellen Tabelle arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält. Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus: über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Kommentieren der Tabelle erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige der Tabelle beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Teilen. Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol speichert, sehen die anderen Benutzer in der oberen linken Ecke eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf . Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten. Chat Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Teil der Tabelle Sie aktuell bearbeiten usw. Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Tabelle zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden. Chat nutzen und Nachrichten für andere Benutzer erstellen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text in das entsprechende Feld unten ein. klicken Sie auf Senden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol. Kommentare Es ist möglich, im Offline-Modus mit Kommentaren zu arbeiten, ohne eine Verbindung zur Online-Version herzustellen). Einen Kommentar hinterlassen: Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf Kommentare oder nutzen Sie das Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus. Geben Sie den gewünschten Text ein. Klicken Sie auf Kommentar hinzufügen/Hinzufügen. Der Kommentar wird im linken Seitenbereich angezeigt. In der oberen rechten Ecke der kommentierten Zelle wird ein orangefarbenes Dreieck angezeigt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf klicken. Zur Anzeige des Kommentars, klicken Sie einfach in die jeweilige Zelle. Alle Nutzer können nun auf den hinzugefügten Kommentar antworten, Fragen stellen oder über die durchgeführten Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar. Hinzugefügte Kommentare verwalten: bearbeiten - klicken Sie dazu auf löschen - klicken Sie dazu auf Diskussion schließen - klicken Sie dazu auf , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf klicken. Wenn Sie mehrere Kommentare auf einmal verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Lösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Wenn Sie im Modus Strikt arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf geklickt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf ." + "title": "Gemeinsame Bearbeitung von Kalkulationstabellen in Echtzeit", + "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern. In der Tabellenkalkulation können Sie mithilfe von zwei Modi in Echtzeit an Kalkulationstabellen zusammenarbeiten: Schnell oder Formal. Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den erforderlichen Modus über das Symbol Modus \"Gemeinsame Bearbeitung\" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen: Die Anzahl der Benutzer, die an der aktuellen Kalkulationstabelle arbeiten, wird auf der rechten Seite der Kopfzeile des Editors angegeben - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen. Modus \"Schnell\" Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie in diesem Modus eine Kalkulationstabelle gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. Dieser Modus zeigt die Aktionen und die Namen der Mitbearbeiter, wenn sie die Daten in Zellen bearbeiten. Unterschiedliche Rahmenfarben heben auch die Zellbereiche hervor, die gerade von jemand anderem ausgewählt wurden. Bewegen Sie Ihren Mauszeiger über die Auswahl, um den Namen des Benutzers anzuzeigen, der sie bearbeitet. Modus \"Formal\" Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn eine Tabelle von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Zellen mit gestrichelten Linien in verschiedenen Farben markiert. Die Registerkarten der Tabelle, auf denen sich diese Zellen befinden, sind mit einer roten Markierung markiert. Bewegen Sie den Mauszeiger über eine der bearbeiteten Zellen, um den Namen des Benutzers anzuzeigen, der sie gerade bearbeitet. Sobald einer der Benutzer seine Änderungen speichert, indem er auf das Symbol klickt, sehen die anderen einen Hinweis in der oberen linken Ecke, der darauf informiert, das es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen, und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abzurufen, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Kalkulationstabelle kommentieren", + "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; direkt in der Tabellenkalkulation kommunizieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern. In der Tabellenkalkulation können Sie Kommentare zum Inhalt von Tabellen hinterlassen, ohne diese tatsächlich zu bearbeiten. Im Gegensatz zu Chat-Nachrichten bleiben die Kommentare, bis sie gelöscht werden. Kommentare hinterlassen und darauf antworten Um einen Kommentar zu hinterlassen: Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet. Wechseln Sie zur Registerkarte Einfügen oder Zusammenarbeit in der oberen Symbolleiste und klicken Sie auf das Symbol Kommentare, oder Verwenden Sie das Kommentarsymbol in der linken Seitenleiste, um das Fenster Kommentare zu öffnen, und klicken Sie auf den Link Kommentar zum Dokument hinzufügen, oder Klicken Sie mit der rechten Maustaste in die ausgewählte Zelle und wählen Sie im Menü die Option Kommentar hinzufügen. Geben Sie den erforderlichen Text ein. Klicken Sie auf die Schaltfläche Kommentar hinzufügen/Hinzufügen. Wenn Sie den Co-Bearbeitungsmodus Formal verwenden, werden neue Kommentare, die von anderen Benutzern hinzugefügt wurden, erst sichtbar, nachdem Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste geklickt haben. Um den Kommentar anzuzeigen, klicken Sie einfach in die Zelle. Sie oder jeder andere Benutzer kann auf den hinzugefügten Kommentar antworten, indem Sie Fragen stellen oder über die Arbeit berichten. Verwenden Sie dazu den Link Antwort hinzufügen, geben Sie Ihren Antworttext in das Eingabefeld ein und drücken Sie den Button Antworten. Anzeige von Kommentaren deaktivieren Der Kommentar wird im Bereich auf der linken Seite angezeigt. Das orangefarbene Dreieck erscheint in der oberen rechten Ecke der Zelle, die Sie kommentiert haben. Um diese Funktion zu deaktivieren: Klicken Sie in der oberen Symbolleiste auf die Registerkarte Datei. Wählen Sie die Option Erweiterte Einstellungen.... Deaktivieren Sie das Kontrollkästchen Live-Kommentare einschalten. In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf das Symbol Kommentare klicken. Kommentare verwalten Sie können die hinzugefügten Kommentare mit den Symbolen in der Kommentarsprechblase oder im Bereich Kommentare auf der linken Seite verwalten: Sortieren Sie die hinzugefügten Kommentare, indem Sie auf das Symbol klicken: nach Datum: Neueste zuerst oder Älteste zuerste. nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A). nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. Bearbeiten Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Löschen Sie den aktuell ausgewählten Kommentar, indem Sie auf das Symbol klicken. Schließen Sie die aktuell ausgewählte Diskussion, indem Sie auf das Symbol klicken, wenn die von Ihnen in Ihrem Kommentar angegebene Aufgabe oder das Problem gelöst wurde, danach die von Ihnen geöffnete Diskussion mit Ihrem Kommentar erhält den gelösten Status. Klicken Sie auf das Symbol , um die Diskussion neu zu öffnen. Wenn Sie aufgelöste Kommentare ausblenden möchten, klicken Sie auf die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie die Option Anzeige der aktivieren Kommentare gelöst und klicken Sie auf Anwenden. In diesem Fall werden die gelösten Kommentare nur hervorgehoben, wenn Sie auf das Symbol klicken. Wenn Sie mehrere Kommentare verwalten möchten, öffnen Sie das Drop-Down-Menü Lösen auf der Registerkarte Zusammenarbeit. Wählen Sie eine der Optionen zum Auflösen von Kommentaren aus: Gültige Kommentare lösen, Meine Kommentare lösen oder Alle Kommentare lösen. Erwähnungen hinzufügen Sie können Erwähnungen nur zu den Kommentaren zum Inhalt der Kalkulationstabelle hinzufügen, nicht zur Kalkulationstabelle selbst. Beim Eingeben von Kommentaren können Sie die Funktion Erwähnungen verwenden, mit der Sie jemanden auf den Kommentar aufmerksam machen und dem genannten Benutzer per E-Mail und Chat eine Benachrichtigung senden können. Um eine Erwähnung hinzuzufügen: Geben Sie das Zeichen \"+\" oder \"@\" an einer beliebigen Stelle im Kommentartext ein - eine Liste der Portalbenutzer wird geöffnet. Um den Suchvorgang zu vereinfachen, können Sie im Kommentarfeld mit der Eingabe eines Namens beginnen - die Benutzerliste ändert sich während der Eingabe. Wählen Sie die erforderliche Person aus der Liste aus. Wenn die Datei noch nicht für den genannten Benutzer freigegeben wurde, wird das Fenster Freigabeeinstellungen geöffnet. Der Zugriffstyp Schreibgeschützt ist standardmäßig ausgewählt. Ändern Sie es bei Bedarf. Klicken Sie auf OK. Der erwähnte Benutzer erhält eine E-Mail-Benachrichtigung, dass er in einem Kommentar erwähnt wurde. Wurde die Datei freigegeben, erhält der Benutzer auch eine entsprechende Benachrichtigung. Kommentare entfernen Um Kommentare zu entfernen: Klicken Sie auf die Schaltfläche Kommentare entfernen auf der Registerkarte Zusammenarbeit der oberen Symbolleiste. Wählen Sie die erforderliche Option aus dem Menü: Aktuelle Kommentare entfernen, um den aktuell ausgewählten Kommentar zu entfernen. Wenn dem Kommentar einige Antworten hinzugefügt wurden, werden alle seine Antworten ebenfalls entfernt. Meine Kommentare entfernen, um von Ihnen hinzugefügte Kommentare zu entfernen, ohne von anderen Benutzern hinzugefügte Kommentare zu entfernen. Wenn Ihrem Kommentar einige Antworten hinzugefügt wurden, werden auch alle Antworten entfernt. Alle Kommentare entfernen, um alle Kommentare in der Präsentation zu entfernen, die Sie und andere Benutzer hinzugefügt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf das Symbol ." + }, + { + "id": "HelpfulHints/Communicating.htm", + "title": "Kommunikation in Echtzeit", + "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern. In der Tabellenkalkulation können Sie mit Ihren Mitbearbeitern in Echtzeit kommunizieren, indem Sie das integrierte Chat-Tool sowie eine Reihe nützlicher Plugins verwenden, z. B. Telegram oder Rainbow. Um auf das Chat-Tool zuzugreifen und eine Nachricht für andere Benutzer zu hinterlassen: Klicken Sie auf das Symbol in der linken Symbolleiste. Geben Sie Ihren Text in das entsprechende Feld unten ein. Klicken Sie auf die Schaltfläche Senden. Die Chat-Nachrichten werden nur während einer Sitzung gespeichert. Um den Inhalt der Tabelle zu diskutieren, ist es besser, Kommentare zu verwenden, die gespeichert werden, bis sie gelöscht werden. Alle von Benutzern hinterlassenen Nachrichten werden auf der linken Seite angezeigt. Wenn es neue Nachrichten gibt, die Sie noch nicht gelesen haben, sieht das Chat-Symbol so aus - . Um das Fenster mit Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol ." }, { "id": "HelpfulHints/ImportData.htm", "title": "Daten aus Text-/CSV-Datei erhalten", - "body": "Wenn Sie schnell Daten aus einer .txt/.csv-Datei erhalten und alles richtig in einer Tabelle anordnen müssen, verwenden Sie die Option Daten aus Text-/CSV-Datei erhalten, die auf der Registerkarte Daten verfügbar ist. Schritt 1. Datei importieren Klicken Sie auf die Option Aus Text/CSV auf der Registerkarte Daten. Wählen Sie eine der Importoptionen: Daten aus einer Datei erhalten: Finden Sie die benötigte Datei auf Ihrer Festplatte, wählen Sie diese aus und klicken Sie auf Öffnen. Daten aus einer URL erhalten: Fügen Sie den Link zur Datei oder Webseite in das Feld In Daten-URL einfügen ein und klicken Sie auf OK. Schritt 2. Einstellungen konfigurieren Der Textimport-Assistent umfasst vier Abschnitte: Zeichenkodierung, Trennzeichen, Vorschau und Wählen Sie aus, wo diese Daten abgelegt werden soll. Zeichenkodierung. Der Parameter ist standardmäßig auf UTF-8 eingestellt. Lassen Sie es dabei oder wählen Sie den gewünschten Typ über das Drop-Down-Menü aus. Trennzeichen. Der Parameter legt den Typ des Trennzeichens fest, das verwendet wird, um den Text in verschiedene Zellen zu verteilen. Die verfügbaren Trennzeichen sind Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen und Sonstige (manuell eingeben). Klicken Sie rechts auf die Schaltfläche Erweitert, um ein Dezimaltrennzeichen und ein Tausendertrennzeichen festzulegen. Die Standardtrennzeichen sind “.“ für Dezimal und “,“ für Tausend. Vorshau. Der Abschnitt zeigt, wie der Text in den Tabellenzellen angeordnet wird. Wählen Sie aus, wo diese Daten abgelegt werden soll. Geben Sie den gewünschten Bereich in das Feld ein oder wählen Sie einen mit der Schaltfläche Daten auswählen rechts aus. Klicken Sie auf OK, um die Datei zu importieren und den Textimport-Assistenten zu schließen." + "body": "Wenn Sie schnell Daten aus einer .txt/.csv-Datei erhalten und alles richtig in einer Tabelle anordnen müssen, verwenden Sie die Option Daten aus Text-/CSV-Datei erhalten, die auf der Registerkarte Daten verfügbar ist. Schritt 1. Datei importieren Klicken Sie auf die Option Aus Text/CSV auf der Registerkarte Daten. Wählen Sie eine der Importoptionen: Daten aus einer Datei erhalten: Finden Sie die benötigte Datei auf Ihrer Festplatte, wählen Sie diese aus und klicken Sie auf Öffnen. Daten aus einer URL erhalten: Fügen Sie den Link zur Datei oder Webseite in das Feld In Daten-URL einfügen ein und klicken Sie auf OK. Ein Link zum Anzeigen oder Bearbeiten einer auf dem ONLYOFFICE-Portal oder in einem Drittspeicher abgelegten Datei kann in diesem Fall nicht verwendet werden. Bitte verwenden Sie den Link, um die Datei herunterzuladen. Schritt 2. Einstellungen konfigurieren Der Textimport-Assistent umfasst vier Abschnitte: Zeichenkodierung, Trennzeichen, Vorschau und Wählen Sie aus, wo diese Daten abgelegt werden soll. Zeichenkodierung. Der Parameter ist standardmäßig auf UTF-8 eingestellt. Lassen Sie es dabei oder wählen Sie den gewünschten Typ über das Drop-Down-Menü aus. Trennzeichen. Der Parameter legt den Typ des Trennzeichens fest, das verwendet wird, um den Text in verschiedene Zellen zu verteilen. Die verfügbaren Trennzeichen sind Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen und Sonstige (manuell eingeben). Klicken Sie auf die Schaltfläche Erweitert rechts, um Einstellungen für numerisch erkannte Daten zu konfigurieren: Legen Sie ein Dezimaltrennzeichen und ein Tausendertrennzeichen fest. Die Standardtrennzeichen sind „.“ für Dezimalstellen und “, für Tausender. Wählen Sie einen Textqualifizierer aus. Ein Textqualifizierer ist ein Zeichen, das verwendet wird, um zu erkennen, wo der Text beginnt und endet, wenn Sie Daten importieren. Die verfügbaren Optionen: (kein), doppelte Anführungszeichen und einfache Anführungszeichen. Vorshau. Der Abschnitt zeigt, wie der Text in den Tabellenzellen angeordnet wird. Wählen Sie aus, wo diese Daten abgelegt werden soll. Geben Sie den gewünschten Bereich in das Feld ein oder wählen Sie einen mit der Schaltfläche Daten auswählen rechts aus. Klicken Sie auf OK, um die Datei zu importieren und den Textimport-Assistenten zu schließen." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Tastenkombinationen", - "body": "Windows/LinuxMac OS Kalkulationstabelle bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Tabelle speichern, drucken, herunterladen, Informationen einsehen, eine neue Tabelle erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox Suchen und Ersetzen öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Das Dialogfeld Suchen und Ersetzen wird geöffnet. Hier können Sie nach einer Zelle mit den gewünschten Zeichen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Tabelle speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuell mit dem Tabelleneditor bearbeiteten Tabelle werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Tabelle drucken STRG+P ^ STRG+P, ⌘ Cmd+P Tabelle mit einem verfügbaren Drucker ausdrucken oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Tabelle in einem der unterstützten Dateiformate auf der Festplatte zu speichern: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Vollbild F11 Der Tabelleneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Tabellenfenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Navigation Eine Zelle nach oben, unten links oder rechts ← → ↑ ↓ ← → ↑ ↓ Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren. Zum Rand des aktuellen Datenbereichs springen STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren. Zum Anfang einer Zeile springen POS1 POS1 Eine Zelle in Spalte A der aktuellen Zeile skizzieren. Zum Anfang der Tabelle springen STRG+POS1 ^ STRG+POS1 Zelle A1 skizzieren. Zum Ende der Zeile springen ENDE, STRG+→ ENDE, ⌘ Cmd+→ Markiert die letzte Zelle der aktuellen Zeile. Zum Ende der Tabelle wechseln STRG+ENDE ^ STRG+ENDE Markiert die Zelle am unteren rechten Ende der Tabelle. Befindet sich der Cursor in der Bearbeitungsleiste wird der Cursor am Ende des Texts positioniert. Zum vorherigen Blatt übergehen ALT+BILD oben ⌥ Option+BILD oben Zum vorherigen Blatt in der Tabelle übergehen. Zum nächsten Blatt übergehen ALT+BILD unten ⌥ Option+BILD unten Zum nächsten Blatt in der Tabelle übergehen. Eine Reihe nach oben ↑, ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Markiert die Zelle über der aktuellen Zelle in derselben Spalte. Eine Reihe nach unten ↓, ↵ Eingabetaste ↵ Zurück Markiert die Zelle unter der aktuellen Zelle in derselben Spalte. Eine Spalte nach links ←, ⇧ UMSCHALT+↹ Tab ←, ⇧ UMSCHALT+↹ Tab Markiert die vorherige Zelle der aktuellen Reihe. Eine Spalte nach rechts →, ↹ Tab →, ↹ Tab Markiert die nächste Zelle der aktuellen Reihe. Einen Bildschirm nach unten BILD unten BILD unten Im aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln. Einen Bildschirm nach oben BILD oben BILD oben Im aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Tabelle wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuelle bearbeiteten Tabelle wird verkleinert. Datenauswahl Alles auswählen STRG+A, STRG+⇧ UMSCHALT+␣ Leertaste ⌘ Cmd+A Das ganze Blatt wird ausgewählt. Spalte auswählen STRG+␣ Leertaste ^ STRG+␣ Leertaste Eine ganze Spalte im Arbeitsblatt auswählen. Zeile auswählen ⇧ UMSCHALT+␣ Leertaste ⇧ UMSCHALT+␣ Leertaste Eine ganze Reihe im Arbeitsblatt auswählen. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Zelle für Zelle auswählen. Ab Cursorposition zum Anfang der Zeile auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Ab Cursorposition zum Ende der Zeile ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Abschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Auswahl zum Anfang des Arbeitsblatts erweitern STRG+⇧ UMSCHALT+POS1 ^ STRG+⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuell ausgewählten Zelle bis zum Anfang des Blatts auswählen. Auswahl bis auf die letzte aktive Zelle erweitern STRG+⇧ UMSCHALT+ENDE ^ STRG+⇧ UMSCHALT+ENDE Ein Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt. Eine Zelle nach links auswählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Eine Zelle nach links in einer Tabelle auswählen. Eine Zelle nach rechts auswählen ↹ Tab ↹ Tab Eine Zelle nach rechts in einer Tabelle auswählen. Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern ⇧ UMSCHALT+ALT+ENDE, STRG+⇧ UMSCHALT+→ ⇧ UMSCHALT+⌥ Option+ENDE Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Auswahl bis auf die letzte nicht leere Zelle nach links erweitern ⇧ UMSCHALT+ALT+POS1, STRG+⇧ UMSCHALT+← ⇧ UMSCHALT+⌥ Option+POS1 Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweitern STRG+⇧ UMSCHALT+↑ ↓ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl um einen Bildschirm nach unten erweitern. ⇧ UMSCHALT+BILD unten ⇧ UMSCHALT+BILD unten Die Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden. Die Auswahl um einen Bildschirm nach oben erweitern. ⇧ UMSCHALT+BILD oben ⇧ UMSCHALT+BILD oben Die Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Die ausgeschnittenen Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Die gewählten Daten werden kopiert und in der Zwischenablage des Rechners abgelegt. Die kopierten Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Die zuvor kopierten Daten werden aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Die Daten können zuvor aus derselben Tabelle, einer anderen Tabelle bzw. einem anderen Programm, kopiert worden sein. Datenformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett bzw. Formatierung Fett entfernen im gewählten Textfragment. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hyperlink hinzufügen STRG+K ⌘ Cmd+K Ein Hyperlink zu einer externen Website oder einem anderen Arbeitsblatt wird eingefügt. Aktive Zelle bearbeiten F2 F2 Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben. Datenfilterung Filter aktivieren/entfernen STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt. Wie Tabellenvorlage formatieren STRG+L ^ STRG+L, ⌘ Cmd+L Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden Dateneingabe Zelleintrag abschließen und in der Tabelle nach unten bewegen. ↵ Eingabetaste ↵ Zurück Die Eingabe der Zeichen in die Zelle oder Bearbeitungsleiste wird abgeschlossen und die Eingabemarke wandert abwärts in die nachfolgende Zelle. Zelleintrag abschließen und in der Tabelle nach oben bewegen. ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Die Eingabe der Zeichen in die Zelle wird abgeschlossen und die Eingabemarke wandert aufwärts in die vorherige Zelle. Neue Zeile beginnen ALT+↵ Eingabetaste Eine neue Zeile in derselben Zelle beginnen. Abbrechen ESC ESC Die Eingabe in die gewählte Zelle oder Bearbeitungsleiste wird abgebrochen. Nach links entfernen ← Rücktaste ← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach links entfernt. Dient außerdem dazu den Inhalt der aktiven Zelle zu löschen. Nach rechts entfernen ENTF ENTF, Fn+← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach rechts entfernt. Dient außerdem dazu die Zellinhalte (Daten und Formeln) ausgewählter Zellen zu löschen, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleninhalt entfernen ENTF, ← Rücktaste ENTF, ← Rücktaste Der Inhalt der ausgewählten Zellen (Daten und Formeln) wird gelöscht, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleintrag abschließen und eine Zelle nach rechts wechseln ↹ Tab ↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln. Zelleintrag abschließen und eine Zelle nach links wechseln ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln . Funktionen SUMME-Funktion ALT+= ⌥ Option+= Die Funktion SUMME wird in die gewählte Zelle eingefügt. Dropdown-Liste öffnen ALT+↓ Eine ausgewählte Dropdown-Liste öffnen. Kontextmenü öffnen ≣ Menü Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen. Datenformate Dialogfeld „Zahlenformat“ öffnen STRG+1 ^ STRG+1 Dialogfeld Zahlenformat öffnen Standardformat anwenden STRG+⇧ UMSCHALT+~ ^ STRG+⇧ UMSCHALT+~ Das Format Standardzahl wird angewendet. Format Währung anwenden STRG+⇧ UMSCHALT+$ ^ STRG+⇧ UMSCHALT+$ Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern). Prozentformat anwenden STRG+⇧ UMSCHALT+% ^ STRG+⇧ UMSCHALT+% Das Format Prozent wird ohne Dezimalstellen angewendet. Das Format Exponential wird angewendet STRG+⇧ UMSCHALT+^ ^ STRG+⇧ UMSCHALT+^ Das Format Exponential mit zwei Dezimalstellen wird angewendet. Datenformat anwenden STRG+⇧ UMSCHALT+# ^ STRG+⇧ UMSCHALT+# Das Format Datum mit Tag, Monat und Jahr wird angewendet. Zeitformat anwenden STRG+⇧ UMSCHALT+@ ^ STRG+⇧ UMSCHALT+@ Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet. Nummernformat anwenden STRG+⇧ UMSCHALT+! ^ STRG+⇧ UMSCHALT+! Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben." + "body": "Tastenkombinationen für Key-Tipps Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen der Tabellenkalkulation ohne eine Maus zu verwenden. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten. Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen. Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte. Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren. In der folgenden Liste finden Sie die gängigsten Tastenkombinationen: Windows/Linux Mac OS Kalkulationstabelle bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Tabelle speichern, drucken, herunterladen, Informationen einsehen, eine neue Tabelle erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox Suchen und Ersetzen öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Das Dialogfeld Suchen und Ersetzen wird geöffnet. Hier können Sie nach einer Zelle mit den gewünschten Zeichen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Tabelle speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuell mit dem Tabelleneditor bearbeiteten Tabelle werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Tabelle drucken STRG+P ^ STRG+P, ⌘ Cmd+P Tabelle mit einem verfügbaren Drucker ausdrucken oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Tabelle in einem der unterstützten Dateiformate auf der Festplatte zu speichern: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Vollbild F11 Der Tabelleneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Tabellenfenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Arbeitsblatt duplizieren Strg drücken und halten + den Blatt-Tab ziehen ⌥ Option drücken und halten + den Blatt-Tab ziehen Ein gesamtes Arbeitsblatt in eine Arbeitsmappe kopieren und es an die gewünschte Registerkartenposition verschieben. Navigation Eine Zelle nach oben, unten links oder rechts ← → ↑ ↓ ← → ↑ ↓ Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren. Zum Rand des aktuellen Datenbereichs springen STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren. Zum Anfang einer Zeile springen POS1 POS1 Eine Zelle in Spalte A der aktuellen Zeile skizzieren. Zum Anfang der Tabelle springen STRG+POS1 ^ STRG+POS1 Zelle A1 skizzieren. Zum Ende der Zeile springen ENDE, STRG+→ ENDE, ⌘ Cmd+→ Markiert die letzte Zelle der aktuellen Zeile. Zum Ende der Tabelle wechseln STRG+ENDE ^ STRG+ENDE Markiert die Zelle am unteren rechten Ende der Tabelle. Befindet sich der Cursor in der Bearbeitungsleiste wird der Cursor am Ende des Texts positioniert. Zum vorherigen Blatt übergehen ALT+BILD oben ⌥ Option+BILD oben Zum vorherigen Blatt in der Tabelle übergehen. Zum nächsten Blatt übergehen ALT+BILD unten ⌥ Option+BILD unten Zum nächsten Blatt in der Tabelle übergehen. Eine Reihe nach oben ↑, ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Markiert die Zelle über der aktuellen Zelle in derselben Spalte. Eine Reihe nach unten ↓, ↵ Eingabetaste ↵ Zurück Markiert die Zelle unter der aktuellen Zelle in derselben Spalte. Eine Spalte nach links ←, ⇧ UMSCHALT+↹ Tab ←, ⇧ UMSCHALT+↹ Tab Markiert die vorherige Zelle der aktuellen Reihe. Eine Spalte nach rechts →, ↹ Tab →, ↹ Tab Markiert die nächste Zelle der aktuellen Reihe. Einen Bildschirm nach unten BILD unten BILD unten Im aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln. Einen Bildschirm nach oben BILD oben BILD oben Im aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Tabelle wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuelle bearbeiteten Tabelle wird verkleinert. Datenauswahl Alles auswählen STRG+A, STRG+⇧ UMSCHALT+␣ Leertaste ⌘ Cmd+A Das ganze Blatt wird ausgewählt. Spalte auswählen STRG+␣ Leertaste ^ STRG+␣ Leertaste Eine ganze Spalte im Arbeitsblatt auswählen. Zeile auswählen ⇧ UMSCHALT+␣ Leertaste ⇧ UMSCHALT+␣ Leertaste Eine ganze Reihe im Arbeitsblatt auswählen. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Zelle für Zelle auswählen. Ab Cursorposition zum Anfang der Zeile auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Ab Cursorposition zum Ende der Zeile ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Abschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Auswahl zum Anfang des Arbeitsblatts erweitern STRG+⇧ UMSCHALT+POS1 ^ STRG+⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuell ausgewählten Zelle bis zum Anfang des Blatts auswählen. Auswahl bis auf die letzte aktive Zelle erweitern STRG+⇧ UMSCHALT+ENDE ^ STRG+⇧ UMSCHALT+ENDE Ein Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt. Eine Zelle nach links auswählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Eine Zelle nach links in einer Tabelle auswählen. Eine Zelle nach rechts auswählen ↹ Tab ↹ Tab Eine Zelle nach rechts in einer Tabelle auswählen. Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern ⇧ UMSCHALT+ALT+ENDE, STRG+⇧ UMSCHALT+→ ⇧ UMSCHALT+⌥ Option+ENDE Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Auswahl bis auf die letzte nicht leere Zelle nach links erweitern ⇧ UMSCHALT+ALT+POS1, STRG+⇧ UMSCHALT+← ⇧ UMSCHALT+⌥ Option+POS1 Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweitern STRG+⇧ UMSCHALT+↑ ↓ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl um einen Bildschirm nach unten erweitern. ⇧ UMSCHALT+BILD unten ⇧ UMSCHALT+BILD unten Die Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden. Die Auswahl um einen Bildschirm nach oben erweitern. ⇧ UMSCHALT+BILD oben ⇧ UMSCHALT+BILD oben Die Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Die ausgeschnittenen Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Die gewählten Daten werden kopiert und in der Zwischenablage des Rechners abgelegt. Die kopierten Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Die zuvor kopierten Daten werden aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Die Daten können zuvor aus derselben Tabelle, einer anderen Tabelle bzw. einem anderen Programm, kopiert worden sein. Datenformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett bzw. Formatierung Fett entfernen im gewählten Textfragment. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hyperlink hinzufügen STRG+K ⌘ Cmd+K Ein Hyperlink zu einer externen Website oder einem anderen Arbeitsblatt wird eingefügt. Aktive Zelle bearbeiten F2 F2 Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben. Datenfilterung Filter aktivieren/entfernen STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt. Wie Tabellenvorlage formatieren STRG+L ^ STRG+L, ⌘ Cmd+L Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden Dateneingabe Zelleintrag abschließen und in der Tabelle nach unten bewegen. ↵ Eingabetaste ↵ Zurück Die Eingabe der Zeichen in die Zelle oder Bearbeitungsleiste wird abgeschlossen und die Eingabemarke wandert abwärts in die nachfolgende Zelle. Zelleintrag abschließen und in der Tabelle nach oben bewegen. ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Die Eingabe der Zeichen in die Zelle wird abgeschlossen und die Eingabemarke wandert aufwärts in die vorherige Zelle. Neue Zeile beginnen ALT+↵ Eingabetaste Eine neue Zeile in derselben Zelle beginnen. Abbrechen ESC ESC Die Eingabe in die gewählte Zelle oder Bearbeitungsleiste wird abgebrochen. Nach links entfernen ← Rücktaste ← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach links entfernt. Dient außerdem dazu den Inhalt der aktiven Zelle zu löschen. Nach rechts entfernen ENTF ENTF, Fn+← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach rechts entfernt. Dient außerdem dazu die Zellinhalte (Daten und Formeln) ausgewählter Zellen zu löschen, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleninhalt entfernen ENTF, ← Rücktaste ENTF, ← Rücktaste Der Inhalt der ausgewählten Zellen (Daten und Formeln) wird gelöscht, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleintrag abschließen und eine Zelle nach rechts wechseln ↹ Tab ↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln. Zelleintrag abschließen und eine Zelle nach links wechseln ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln . Funktionen SUMME-Funktion ALT+= ⌥ Option+= Die Funktion SUMME wird in die gewählte Zelle eingefügt. Dropdown-Liste öffnen ALT+↓ Eine ausgewählte Dropdown-Liste öffnen. Kontextmenü öffnen ≣ Menü Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen. Datenformate Dialogfeld „Zahlenformat“ öffnen STRG+1 ^ STRG+1 Dialogfeld Zahlenformat öffnen Standardformat anwenden STRG+⇧ UMSCHALT+~ ^ STRG+⇧ UMSCHALT+~ Das Format Standardzahl wird angewendet. Format Währung anwenden STRG+⇧ UMSCHALT+$ ^ STRG+⇧ UMSCHALT+$ Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern). Prozentformat anwenden STRG+⇧ UMSCHALT+% ^ STRG+⇧ UMSCHALT+% Das Format Prozent wird ohne Dezimalstellen angewendet. Das Format Exponential wird angewendet STRG+⇧ UMSCHALT+^ ^ STRG+⇧ UMSCHALT+^ Das Format Exponential mit zwei Dezimalstellen wird angewendet. Datenformat anwenden STRG+⇧ UMSCHALT+# ^ STRG+⇧ UMSCHALT+# Das Format Datum mit Tag, Monat und Jahr wird angewendet. Zeitformat anwenden STRG+⇧ UMSCHALT+@ ^ STRG+⇧ UMSCHALT+@ Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet. Nummernformat anwenden STRG+⇧ UMSCHALT+! ^ STRG+⇧ UMSCHALT+! Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben." }, { "id": "HelpfulHints/Navigation.htm", "title": "Ansichtseinstellungen und Navigationswerkzeuge", - "body": "Um Ihnen das Ansehen und Auswählen von Zellen in einem großen Tabellenblatt zu erleichtern, bietet Ihnen der Tabelleneditor verschiedene Navigationswerkzeuge: verstellbare Leisten, Bildlaufleisten, Navigationsschaltflächen, Blattregister und Zoom. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Tabelle festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert.Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Formelleiste ausblenden - die unter der oberen Symbolleiste angezeigte Bearbeitungsleiste für die Eingabe und Vorschau von Formeln und Inhalten wird ausgeblendet. Um die ausgeblendete Bearbeitungsleiste wieder einzublenden, klicken Sie erneut auf diese Option. Durch Ziehen der unteren Zeile der Formelleiste zum Erweitern wird die Höhe der Formelleiste geändert, um eine Zeile anzuzeigen. Überschriften ausblenden - die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite im Arbeitsblatt, werden ausgeblendet. Um die ausgeblendeten Überschriften wieder einzublenden, klicken Sie erneut auf diese Option. Rasterlinien ausblenden - die Linien um die Zellen werden ausgeblendet. Um die ausgeblendeten Rasterlinien wieder einzublenden, klicken Sie erneut auf diese Option. Zellen fixieren - alle Zellen oberhalb der aktiven Zeile und alle Spalten links von der aktiven Zeile werden eingefroren, so dass sie beim Scrollen sichtbar bleiben. Um die Fixierung aufzuheben, klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Tabellenblatt und wählen Sie die Option Fixierung aufheben aus dem Menü aus. Schatten für fixierte Bereiche anzeigen zeigt an, dass Spalten und/oder Zeilen fixiert sind (eine subtile Linie wird angezeigt). Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Sie haben die Möglichkeit die Größe eines geöffneten Kommentarfensters oder Chatfensters zu verändern. Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, bis der Cursor als Zweirichtungs-Pfeil angezeigt wird und ziehen Sie den Rand nach rechts, um das Feld zu verbreitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Tabellenblatt navigieren: Mit den Bildlaufleisten (unten oder auf der rechten Seite) können Sie im aktuellen Tabellenblatt nach oben und unten und nach links und rechts scrollen. Mithilfe der Bildlaufleisten durch ein Tabellenblatt navigieren: Klicken Sie auf die oben/unten oder rechts/links Pfeile auf den Bildlaufleisten. Ziehen Sie das Bildlauffeld. Klicken Sie in einen beliebigen Bereich auf der jeweiligen Bildlaufleiste. Sie können auch mit dem Scrollrad auf Ihrer Maus durch das Dokument scrollen. Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln. Klicken Sie auf die Schaltfläche Zum ersten Blatt scrollen, um das erste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen , um das vorherige Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen, um das nächste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Letztes Blatt, um das letzte Blatt der aktuellen Tabelle zu aktivieren. Sie können das gewünschte Blatt aktivieren, indem Sie unten neben der Schaltfläche für die Blattnavigation auf das entsprechende Blattregister klicken. Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Tabellenblatts. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200%) aus der Liste oder klicken Sie auf Vergrößern oder Verkleinern . Die Zoom-Einstellungen sind auch im Listenmenü Ansichtseinstellungen verfügbar." + "body": "Um Ihnen das Ansehen und Auswählen von Zellen in einem großen Tabellenblatt zu erleichtern, bietet Ihnen der Tabelleneditor verschiedene Navigationswerkzeuge: verstellbare Leisten, Bildlaufleisten, Navigationsschaltflächen, Blattregister und Zoom. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Tabelle festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert. Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Formelleiste ausblenden - die unter der oberen Symbolleiste angezeigte Bearbeitungsleiste für die Eingabe und Vorschau von Formeln und Inhalten wird ausgeblendet. Um die ausgeblendete Bearbeitungsleiste wieder einzublenden, klicken Sie erneut auf diese Option. Durch Ziehen der unteren Zeile der Formelleiste zum Erweitern wird die Höhe der Formelleiste geändert, um eine Zeile anzuzeigen. Statusleiste verbergen - zeigt alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile an. Standardmäßig ist diese Option aktiv. Wenn Sie es deaktivieren, wird die Statusleiste in zwei Zeilen angezeigt. Überschriften ausblenden - die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite im Arbeitsblatt, werden ausgeblendet. Um die ausgeblendeten Überschriften wieder einzublenden, klicken Sie erneut auf diese Option. Rasterlinien ausblenden - die Linien um die Zellen werden ausgeblendet. Um die ausgeblendeten Rasterlinien wieder einzublenden, klicken Sie erneut auf diese Option. Zellen fixieren - alle Zellen oberhalb der aktiven Zeile und alle Spalten links von der aktiven Zeile werden eingefroren, so dass sie beim Scrollen sichtbar bleiben. Um die Fixierung aufzuheben, klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Tabellenblatt und wählen Sie die Option Fixierung aufheben aus dem Menü aus. Schatten für fixierte Bereiche anzeigen zeigt an, dass Spalten und/oder Zeilen fixiert sind (eine subtile Linie wird angezeigt). Zoom - verwenden Sie die oder Schaltflächen zum Vergrößern oder Verkleinern des Blatts. Nullen anzeigen - ermöglicht, dass „0“ sichtbar ist, wenn es in eine Zelle eingegeben wird. Um diese Option zu aktivieren/deaktivieren, suchen Sie das Kontrollkästchen Nullen anzeigen auf der Registerkarte Tabellenansicht. Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Sie haben die Möglichkeit die Größe eines geöffneten Kommentarfensters oder Chatfensters zu verändern. Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, bis der Cursor als Zweirichtungs-Pfeil angezeigt wird und ziehen Sie den Rand nach rechts, um das Feld zu verbreitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Tabellenblatt navigieren: Mit den Bildlaufleisten (unten oder auf der rechten Seite) können Sie im aktuellen Tabellenblatt nach oben und unten und nach links und rechts scrollen. Mithilfe der Bildlaufleisten durch ein Tabellenblatt navigieren: Klicken Sie auf die oben/unten oder rechts/links Pfeile auf den Bildlaufleisten. Ziehen Sie das Bildlauffeld. Klicken Sie in einen beliebigen Bereich auf der jeweiligen Bildlaufleiste. Sie können auch mit dem Scrollrad auf Ihrer Maus durch das Dokument scrollen. Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln. Klicken Sie auf die Schaltfläche Zum ersten Blatt scrollen, um das erste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen , um das vorherige Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen, um das nächste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Letztes Blatt , um das letzte Blatt der aktuellen Tabelle zu aktivieren. Verwenden Sie die Schaltfläche in der Statusleiste, um ein neues Arbeitsblatt hinzuzufügen. Um das erforderliche Blatt auszuwählen, klicken Sie in der Statusleiste auf die Schaltfläche , um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, oder klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche . klicken Sie in der Statusleiste auf die Schaltfläche , um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, oder klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche . Die Schaltflächen Zoom befinden sich in der unteren rechten Ecke und dienen zum Vergrößern und Verkleinern des aktuellen Blatts. Um den aktuell ausgewählten Zoomwert, der in Prozent angezeigt wird, zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen aus der Liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) oder verwenden Sie die Schaltflächen Vergrößern oder Verkleinern . Die Zoom-Einstellungen sind auch in der Drop-Down-Liste Ansichtseinstellungen verfügbar." }, { "id": "HelpfulHints/Password.htm", "title": "Tabellen mit einem Kennwort schützen", - "body": "Sie können Ihre Tabellen mit einem Kennwort schützen, das Ihre Mitautoren benötigen, um zum Bearbeitungsmodus zu wechseln. Das Kennwort kann später geändert oder entfernt werden. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Kennwort erstellen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." + "body": "Sie können den Zugriff auf eine Tabelle verwalten, indem Sie ein Kennwort festlegen, das von Ihren Co-Autoren zum Aufrufen des Bearbeitungsmodus erforderlich ist. Das Passwort kann später geändert oder entfernt werden. Es gibt zwei Möglichkeiten, Ihre Tabelle mit einem Passwort zu schützen: Über die Registerkarte Schutz oder die Registerkarte Datei. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Das Kennwort über die Registerkarte Schutz festlegen Gehen Sie zur Registerkarte Schutz und klicken Sie auf die Schaltfläche Verschlüsseln. Geben Sie im geöffneten Fenster Kennwort festlegen das Kennwort ein, das Sie für den Zugriff auf diese Datei verwenden, und bestätigen Sie es. Klicken Sie auf , um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. Klicken Sie zum Bestätigen auf OK. Die Schaltfläche Verschlüsseln in der oberen Symbolleiste wird mit einem Pfeil angezeigt, wenn die Datei verschlüsselt ist. Klicken Sie auf den Pfeil, wenn Sie Ihr Kennwort ändern oder löschen möchten. Kennwort ändern Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste. Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort ändern aus der Drop-Down-Liste. Legen Sie ein Kennwort im Feld Kennwort fest, wiederholen Sie es im Feld Kennwort wiederholen und klicken Sie dann auf OK. Kennwort löschen Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste. Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort löschen aus der Drop-Down-Liste. Das Kennwort über die Registerkarte Datei festlegen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." }, { "id": "HelpfulHints/Search.htm", @@ -2353,12 +2363,17 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate für Kalkulationstabellen", - "body": "Eine Tabelleneditor ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Der Tabellenkalkulationseditor ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Tabellenkalkulationen. Formate Beschreibung Anzeige Bearbeitung Download XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + + XLTX Excel Open XML Tabellenvorlage Gezipptes, XML-basiertes, von Microsoft für Tabellenvorlagen entwickeltes Dateiformat. Eine XLTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + ODS Dateiendung für eine Tabellendatei die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + + OTS OpenDocument-Tabellenvorlage OpenDocument-Dateiformat für Tabellenvorlagen. Eine OTS-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + CSV Comma Separated Values (durch Komma getrennte Werte) Dateiformat das zur Speicherung tabellarischer Daten (Zahlen und Text) im Klartext genutzt wird. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. + +" + "body": "Eine Tabelleneditor ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Der Tabellenkalkulationseditor ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Tabellenkalkulationen. Formate Beschreibung Anzeige Bearbeitung Download XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + + XLTX Excel Open XML Tabellenvorlage Gezipptes, XML-basiertes, von Microsoft für Tabellenvorlagen entwickeltes Dateiformat. Eine XLTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + ODS Dateiendung für eine Tabellendatei die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + + OTS OpenDocument-Tabellenvorlage OpenDocument-Dateiformat für Tabellenvorlagen. Eine OTS-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + CSV Comma Separated Values (durch Komma getrennte Werte) Dateiformat das zur Speicherung tabellarischer Daten (Zahlen und Text) im Klartext genutzt wird. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. +" + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Versionshistorie", + "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Kalkulationstabellen in Echtzeit zusammenarbeiten; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren. In der Tabellenkalkulation können Sie die Versionshistorie der Kalkulationstabelle anzeigen, an der Sie mitarbeiten. Versionshistorie anzeigen: Um alle an der Tabelle vorgenommenen Änderungen anzuzeigen: Öffnen Sie die Registerkarte Datei. Wählen Sie in der linken Seitenleiste die Option Versionshistorie aus oder Öffnen Sie die Registerkarte Zusammenarbeit. Öffnen Sie die Versionshistorie mit dem Symbol  Versionshistorie in der oberen Symbolleiste. Sie sehen die Liste der Tabellenkalkulationsversionen und -revisionen mit Angabe des Autors jeder Version/Revision sowie Erstellungsdatum und -zeit. Bei Tabellenkalkulationsversionen wird auch die Versionsnummer angegeben (z. B. ver. 2). Versionen anzeigen: Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Version anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Autor der Version/Revision vorgenommenen Änderungen werden mit der Farbe gekennzeichnet, die neben dem Namen des Autors in der linken Seitenleiste angezeigt wird. Um zur aktuellen Version der Tabelle zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste. Versionen wiederherstellen: Wenn Sie zu einer der vorherigen Versionen der Tabelle zurückkehren müssen, klicken Sie auf den Link Wiederherstellen unter der ausgewählten Version/Revision. Um mehr über das Verwalten von Versionen und Revisionen sowie das Wiederherstellen früherer Versionen zu erfahren, lesen Sie bitte diesen Artikel." }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Registerkarte Zusammenarbeit", - "body": "Unter der Registerkarte Zusammenarbeit in der Tabellenkalkulation können Sie die Zusammenarbeit in der Kalkulationstabelle organisieren. In der Online-Version können Sie die Datei teilen, einen Co-Bearbeitungsmodus auswählen und Kommentare verwalten. In der Desktop-Version können Sie Kommentare verwalten. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: Freigabeeinstellungen festlegen (nur in der Online-Version verfügbar), zwischen den Co-Bearbeitung-Modi Formal und Schnell wechseln (nur in der Online-Version verfügbar), Kommentare zum Dokument hinzufügen, die Chat-Leiste öffnen (nur in der Online-Version verfügbar)." + "body": "Unter der Registerkarte Zusammenarbeit in der Tabellenkalkulation können Sie die Zusammenarbeit in der Kalkulationstabelle organisieren. In der Online-Version können Sie die Datei teilen, einen Co-Bearbeitungsmodus auswählen und Kommentare verwalten. In der Desktop-Version können Sie Kommentare verwalten. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: Freigabeeinstellungen festlegen (nur in der Online-Version verfügbar), zwischen den Co-Bearbeitung-Modi Formal und Schnell wechseln (nur in der Online-Version verfügbar), Kommentare zum Dokument hinzufügen, die Chat-Leiste öffnen (nur in der Online-Version verfügbar), den Versionsverlauf verfolgen (nur in der Online-Version verfügbar)." }, { "id": "ProgramInterface/DataTab.htm", @@ -2368,7 +2383,7 @@ var indexes = { "id": "ProgramInterface/FileTab.htm", "title": "Registerkarte Datei", - "body": "Über die Registerkarte Datei in der Tabellenkalkulation können Sie einige grundlegende Vorgänge in der aktuellen Datei durchführen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: in der Online-Version können Sie die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern der Tabelle im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie der Tabelle im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-Version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken, die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen, die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar), weiter können Sie eine neue Tabelle erstellen oder eine kürzlich bearbeitete Tabelle öffnen (nur in der Online-Version verfügbar), allgemeine Informationen über die Kalkulationstabelle einsehen, Zugriffsrechte verwalten (nur in der Online-Version verfügbar), auf die erweiterten Einstellungen des Editors zugreifen, in der Desktop-Version den Ordner öffnen, wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit, den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen." + "body": "Über die Registerkarte Datei in der Tabellenkalkulation können Sie einige grundlegende Vorgänge in der aktuellen Datei durchführen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: in der Online-Version können Sie die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern der Tabelle im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie der Tabelle im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-Version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken, die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen, die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar), weiter können Sie eine neue Tabelle erstellen oder eine kürzlich bearbeitete Tabelle öffnen (nur in der Online-Version verfügbar), allgemeine Informationen über die Kalkulationstabelle einsehen, den Versionsverlauf verfolgen (nur in der Online-Version verfügbar), Zugriffsrechte verwalten (nur in der Online-Version verfügbar), auf die erweiterten Einstellungen des Editors zugreifen, in der Desktop-Version den Ordner öffnen, wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit, den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen." }, { "id": "ProgramInterface/FormulaTab.htm", @@ -2383,12 +2398,12 @@ var indexes = { "id": "ProgramInterface/InsertTab.htm", "title": "Registerkarte Einfügen", - "body": "Über die Registerkarte Einfügen in der Tabellenkalkulation können Sie visuelle Objekte und Kommentare zu Ihrer Tabelle hinzufügen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: Pivot-Tabellen einfügen, formatierte Tabellen einfügen, Bilder, Formen, Textfelder und Text Art-Objekte, Diagramme, Sparklines einfügen, Kommentare und Hyperlinks einfügen, Kopf- und Fußzeile einfügen, Formeln einfügen, Gleichungen und Symbole einfügen, Datenschnitte einfügen." + "body": "Was ist die Registerkarte Einfügen? Über die Registerkarte Einfügen in der Tabellenkalkulation können Sie visuelle Objekte und Kommentare zu Ihrer Tabelle hinzufügen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Funktionen der Registerkarte Einfügen Sie können: Pivot-Tabellen einfügen, formatierte Tabellen einfügen, Bilder, Formen, Textfelder und Text Art-Objekte, Diagramme, Sparklines einfügen, Kommentare und Hyperlinks einfügen, Kopf- und Fußzeile einfügen, Formeln einfügen, Gleichungen und Symbole einfügen, Datenschnitte einfügen." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Registerkarte Layout", - "body": "Über die Registerkarte Layout in der Tabellenkalkulation, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: Seitenränder, Seitenausrichtung und Seitengröße anpassen, einen Druckbereich festlegen, Objekte ausrichten und anordnen (Bilder, Diagramme, Formen)." + "body": "Was ist die Registerkarte Layout? Über die Registerkarte Layout in der Tabellenkalkulation, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Funktionen der Registerkarte Layout Sie können: Seitenränder, Seitenausrichtung und Seitengröße anpassen, einen Druckbereich festlegen, Objekte ausrichten und anordnen (Bilder, Diagramme, Formen)." }, { "id": "ProgramInterface/PivotTableTab.htm", @@ -2403,12 +2418,17 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche der Tabellenkalkulation", - "body": "Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt.Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Schützen, Tabellenansicht, Plugins.Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Über den Arbeitsbereich können Sie den Inhalt der Kalkulationstabelle anzeigen und Daten eingeben und bearbeiten. Mit den horizontalen und vertikalen Bildlaufleisten können Sie das aktuelle Tabellenblatt nach oben und unten und nach links und rechts bewegen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + "body": "Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt. Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Schützen, Tabellenansicht, Plugins. Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Schaltfläche \"Arbeitsblatt hinzufügen\", Schaltfläche \"Liste der Blätter\", Blattregister und Zoom-Schaltflächen. In der Statusleiste werden außerdem den Hintergrundspeicherstatus und Verbindungsstatus, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen, und die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, - ermöglicht es, die Rechtschreibung Ihres Textes in einer bestimmten Sprache zu überprüfen und Fehler beim Bearbeiten zu korrigieren, - (nur in der Online-Version verfügbar) ermöglicht die Kontaktaufnahme mit unserem Support-Team, - (nur in der Online-Version verfügbar) ermöglicht die Anzeige der Informationen über das Programm. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Über den Arbeitsbereich können Sie den Inhalt der Kalkulationstabelle anzeigen und Daten eingeben und bearbeiten. Mit den horizontalen und vertikalen Bildlaufleisten können Sie das aktuelle Tabellenblatt nach oben und unten und nach links und rechts bewegen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + }, + { + "id": "ProgramInterface/ProtectionTab.htm", + "title": "Registerkarte Schutz", + "body": "Die Registerkarte Schutz in der Tabellenkalkulation können Sie unbefugten Zugriff verhindern, indem Sie die Arbeitsmappe oder die Blätter verschlüsseln und schützen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: Ihr Dokument durch Festlegen eines Kennworts verschlüsseln, Arbeitsmappenstruktur mit oder ohne Kennwort schützen, Blatt schützen durch Einschränken der Bearbeitungsfunktionen innerhalb eines Blatts mit oder ohne Kennwort, Bearbeitung der Bereiche von gesperrten Zellen mit oder ohne Kennwort erlauben, die folgenden Optionen aktivieren und deaktivieren: Gesperrte Zelle, Ausgeblendete Formeln, Gesperrte Form, Text sperren." }, { "id": "ProgramInterface/ViewTab.htm", "title": "Registerkarte Tabellenansicht", - "body": "Über die Registerkarte Tabellenansicht können Sie die Voreinstellungen für die Tabellenansicht basierend auf angewendeten Filtern verwalten. Die entsprechende Dialogbox in der Online-Tabellenkalkulation: Die entsprechende Dialogbox in der Desktop-Tabellenkalkulation: Sie können: Tabellenansichten verwalten, Zoom anpassen, Fensterausschnitt fixieren, die Darstellung von der Formelleisten, Überschriften, Gitternetzlinien und Nullen verwalten." + "body": "Die Registerkarte Ansicht in der Tabellenkalkulation ermöglicht Ihnen die Verwaltung von Voreinstellungen für die Blattansicht basierend auf angewendeten Filteransichtsoptionen. Die entsprechende Dialogbox in der Online-Tabellenkalkulation: Die entsprechende Dialogbox in der Desktop-Tabellenkalkulation: Sie können: Tabellenansichten verwalten. Zoom anpassen. die Benutzeroberfläche auswählen: Hell, Klassisch Hell oder Dunkel. Fensterausschnitt fixieren. die Anzeige von Formelleisten, Überschriften, Gitternetzlinien und Nullen verwalten. die folgenden Ansichtsoptionen aktivieren und deaktivieren: Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen. Statusleiste verbergen, um alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile anzuzeigen. Die Statusleiste wird in zwei Zeilen angezeigt, wenn dieses Kontrollkästchen deaktiviert ist." }, { "id": "UsageInstructions/AddBorders.htm", @@ -2425,6 +2445,11 @@ var indexes = "title": "Daten in Zellen ausrichten", "body": "Im Tabelleneditor sie können Ihre Daten horizontal und vertikal in einer Zelle ausrichten. Wählen Sie dazu eine Zelle oder einen Zellenbereich mit der Maus aus oder das ganze Blatt mithilfe der Tastenkombination STRG+A. Sie können auch mehrere nicht angrenzende Zellen oder Zellbereiche auswählen. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Bereiche mit der Maus aus. Führen Sie anschließend einen der folgenden Vorgänge aus. Nutzen Sie dazu die Symbole in der Registerkarte Start in der oberen Symbolleiste. Wählen Sie den horizontalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten. Klicken Sie auf die Option Linksbündig ausrichten , um Ihre Daten am linken Rand der Zelle auszurichten (rechte Seite wird nicht ausgerichtet). Klicken Sie auf die Option Zentrieren , um Ihre Daten mittig in der Zelle auszurichten (rechte und linke Seiten werden nicht ausgerichtet). Klicken Sie auf die Option Rechtsbündig ausrichten , um Ihre Daten am rechten Rand der Zelle auszurichten (linke Seite wird nicht ausgerichtet). Klicken Sie auf die Option Blocksatz , um Ihre Daten am linken und rechten Rand der Zelle auszurichten (falls erforderlich, werden zusätzliche Leerräume eingefügt). Wählen Sie den vertikalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten: Klicken Sie auf die Option Oben ausrichten , um die Daten am oberen Rand der Zelle auszurichten. Klicken Sie auf die Option Mittig ausrichten , um die Daten mittig in der Zelle auszurichten. Klicken Sie auf die Option Unten ausrichten , um die Daten am unteren Rand der Zelle auszurichten. Um den Winkel der Daten in einer Zelle zu ändern, klicken Sie auf das Symbol Ausrichtung und wählen Sie eine der Optionen: Horizontaler Text - Text horizontal platzieren (Standardoption) Gegen den Uhrzeigersinn drehen - Text von unten links nach oben rechts in der Zelle platzieren Im Uhrzeigersinn drehen - Text von oben links nach unten rechts in der Zelle platzieren Text nach oben drehen - der Text verläuft von unten nach oben. Text nach unten drehen - der Text verläuft von oben nach unten. Sie können den Text in einer Zelle mithilfe des Abschnitts Einzugen in der rechten Seitenleiste Zelleneinstellungen einrücken. Geben Sie den Wert (d.h. die Anzahl der Zeichen) an, um den der Inhalt nach rechts verschoben wird. Wenn Sie die Ausrichtung des Textes ändern, werden die Einzüge zurückgesetzt. Wenn Sie die Einzüge für den gedrehten Text ändern, wird die Ausrichtung des Textes zurückgesetzt. Einzüge können nur gesetzt werden, wenn die horizontale oder vertikale Textausrichtung ausgewählt ist. Drehen Sie den Text um einen genau festgelegten Winkel, klicken Sie auf das Symbol Zelleneinstellungen in der rechten Seitenleiste und verwenden Sie die Option Textausrichtung. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein oder passen Sie ihn mit den Pfeilen rechts an. Um Ihre Daten an die Zellenbreite anzupassen, klicken Sie auf das Symbol Zeilenumbruch auf der Registerkarte Startseite in der oberen Symbolleiste oder aktivieren Sie das Kästchen Text umbrechen in der rechten Seitenleiste. Wenn Sie die Breite der Spalte ändern, wird der Zeilenumbruch automatisch angepasst. Passen Sie Ihre Daten an die Zellenbreite an, indem Sie das Kontrollkästchen Passend schrumpfen in der rechten Seitenleiste aktivieren. Der Inhalt der Zelle wird so weit verkleinert, dass er hineinpasst." }, + { + "id": "UsageInstructions/AllowEditRanges.htm", + "title": "Bearbeitung der Bereiche erlauben", + "body": "Mit der Option Bearbeitung der Bereiche erlauben können Sie Zellbereiche angeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann. Sie können Benutzern erlauben, bestimmte Bereiche gesperrter Zellen mit oder ohne Kennwort zu bearbeiten. Wenn Sie kein Kennwort verwenden, kann der Zellbereich bearbeitet werden. Um einen Bereich gesperrter Zellen auszuwählen, den ein Benutzer ändern kann: Klicken Sie in der oberen Symbolleiste auf die Schaltfläche Bearbeitung der Bereiche erlauben. Das Fenster Den Benutzern Bearbeitung der Bereiche erlauben wird geöffnet. Klicken Sie im Fenster Den Benutzern Bearbeitung der Bereiche erlauben auf die Schaltfläche Neu, um einen Zellbereich auszuwählen und hinzuzufügen, den ein Benutzer bearbeiten darf. Geben Sie im Fenster Neuer Bereich den Bereichtitel ein und wählen Sie den Zellbereich aus, indem Sie auf die Schaltfläche Bereich auswählen klicken. Kennwort ist optional. Geben Sie es also ein und bestätigen Sie es, wenn Sie möchten, dass Benutzer mit einem Kennwort auf die bearbeitbaren Zellbereiche zugreifen. Klicken Sie zur Bestätigung auf OK. Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf. Klicken Sie auf die Schaltfläche Blatt schützen, wenn Sie fertig sind, oder klicken Sie auf OK, um die Änderungen zu speichern und die Arbeit im ungeschützten Blatt fortzusetzen. Wenn Sie auf die Schaltfläche Blatt schützen klicken, wird das Fenster Blatt schützen angezeigt, in dem Sie die Vorgänge auswählen können, die ein Benutzer ausführen darf, um unerwünschte Änderungen zu verhindern. Geben Sie das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben. Operationen, die ein Benutzer ausführen kann. Gesperrte Zellen auswählen Entsperrte Zellen auswählen Zellen formatieren Spalten formatieren Zeilen formatieren Spalten einfügen Zeilen einfügen Hyperlink einfügen Spalten löschen Zeilen löschen Sortieren AutoFilter verwenden PivotTable und PivotChart verwenden Objekte bearbeiten Szenarien bearbeiten Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen bleibt hervorgehoben, wenn ein Blatt geschützt ist. Wenn ein Blatt nicht geschützt ist, können Sie dennoch Änderungen an den zulässigen Bereichen vornehmen. Klicken Sie auf die Schaltfläche Bearbeitung der Bereiche erlauben, um das Fenster Den Benutzern Bearbeitung der Bereiche erlauben zu öffnen. Verwenden Sie die Schaltflächen Bearbeiten und Löschen, um die ausgewählten Zellbereiche zu verwalten. Klicken Sie dann auf die Schaltfläche Blatt schützen, um den Blattschutz zu aktivieren, oder klicken Sie auf OK, um die Änderungen zu speichern und die Arbeit im ungeschützten Blatt fortzusetzen. Bei kennwortgeschützten Bereichen wird beim Versuch, den ausgewählten Zellbereich zu bearbeiten, das Fenster Bereich aufsperren angezeigt, in dem der Benutzer zur Eingabe des Kennworts aufgefordert wird." + }, { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Zahlenformat ändern", @@ -2443,7 +2468,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Daten ausschneiden/kopieren/einfügen", - "body": "Zwischenablage verwenden Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole des Tabelleneditor, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie die entsprechenden Daten aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die gewählten Daten zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Tabelle wieder eingefügt werden. Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Hinweis: Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Inhalte einfügen mit Optionen Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar: Einfügen - der Zellinhalt wird einschließlich Datenformatierung eingefügt. Diese Option ist standardmäßig ausgewählt. Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung: Nur Formel einfügen - ermöglicht das Einfügen von Formeln ohne Einfügen der Datenformatierung. Formel + Zahlenformat - ermöglicht das Einfügen von Formeln mit der auf Zahlen angewendeten Formatierung. Formel + alle Formatierungen - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen. Formel ohne Rahmenlinien - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen außer Zellenrahmen. Formel + Spaltenbreite - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen einschließlich Breite der Quellenspalte für den Zellenbereich, in den Sie die Daten einfügen. Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen: Nur Wert einfügen - ermöglicht das Einfügen der Formelergebnisse ohne Einfügen der Datenformatierung. Wert + Zahlenformat - ermöglicht das Einfügen der Formelergebnisse mit der auf Zahlen angewendeten Formatierung. Wert + alle Formatierungen - ermöglicht das Einfügen der Formelergebnisse mit allen Datenformatierungen. Nur Formatierung einfügen - ermöglicht das Einfügen der Zellenformatierung ohne Einfügen des Zelleninhalts. Transponieren - ermöglicht das Einfügen von Daten, die Spalten in Zeilen und Zeilen in Spalten ändern. Diese Option ist nur für normale Datenbereiche verfügbar und nicht für formatierte Tabellen. Wenn Sie den Inhalt einer einzelnen Zelle oder eines Textes in AutoFormen einfügen, sind die folgenden Optionen verfügbar: Quellenformatierung - die Quellformatierung der kopierten Daten wird beizubehalten. Zielformatierung - ermöglicht das Anwenden der bereits für die Zelle/AutoForm verwendeten Formatierung auf die eingefügten Daten. Zum Einfügen von durch Trennzeichen getrenntem Text, der aus einer .txt -Datei kopiert wurde, stehen folgende Optionen zur Verfügung: Der durch Trennzeichen getrennte Text kann mehrere Datensätze enthalten, wobei jeder Datensatz einer einzelnen Tabellenzeile entspricht. Jeder Datensatz kann mehrere durch Trennzeichen getrennte Textwerte enthalten (z. B. Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen oder ein anderes Zeichen). Die Datei sollte als Klartext-Datei .txt gespeichert werden. Nur Text beibehalten - Ermöglicht das Einfügen von Textwerten in eine einzelne Spalte, in der jeder Zelleninhalt einer Zeile in einer Quelltextdatei entspricht. Textimport-Assistent verwenden - Ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK. Wenn Sie durch Trennzeichen getrennte Daten aus einer Quelle eingefügt haben die keine reine Textdatei ist (z. B. Text, der von einer Webseite kopiert wurde usw.), oder wenn Sie die Funktion Nur Text beibehalten angewendet haben und nun die Daten aus einer einzelnen Spalte in mehrere Spalten aufteilen möchten, können Sie die Option Text zu Spalten verwenden. Daten in mehrere Spalten aufteilen: Wählen Sie die gewünschte Zelle oder Spalte aus, die Daten mit Trennzeichen enthält. Klicken Sie auf der rechten Seitenleiste auf die Schaltfläche Text zu Spalten. Der Assistent Text zu Spalten wird geöffnet. Wählen Sie in der Dropdown-Liste Trennzeichen das Trennzeichen aus, das Sie für die durch Trennzeichen getrennten Daten verwendet haben, schauen Sie sich die Vorschau im Feld darunter an und klicken Sie auf OK. Danach befindet sich jeder durch das Trennzeichen getrennte Textwert in einer separaten Zelle. Befinden sich Daten in den Zellen rechts von der Spalte, die Sie teilen möchten, werden diese überschrieben. Auto-Ausfülloption Wenn Sie mehrere Zellen mit denselben Daten ausfüllen wollen, verwenden Sie die Option Auto-Ausfüllen: Wählen Sie eine Zelle/einen Zellenbereich mit den gewünschten Daten aus. Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen: Ziehen Sie den Ziehpunkt über die angrenzenden Zellen, die Sie mit den ausgewählten Daten füllen möchten. Hinweis: Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben. Zellen in einer Spalte mit Textwerten füllen Wenn eine Spalte in Ihrer Tabelle einige Textwerte enthält, können Sie einfach jeden Wert in dieser Spalte ersetzen oder die nächste leere Zelle ausfüllen, indem Sie einen der bereits vorhandenen Textwerte auswählen. Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen. Wählen Sie einen der verfügbaren Textwerte, um den aktuellen Text zu ersetzen oder eine leere Zelle auszufüllen." + "body": "Zwischenablage verwenden Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole des Tabelleneditor, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie die entsprechenden Daten aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die gewählten Daten zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Tabelle wieder eingefügt werden. Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Hinweis: Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Inhalte einfügen mit Optionen Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar. Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar: Einfügen - der Zellinhalt wird einschließlich Datenformatierung eingefügt. Diese Option ist standardmäßig ausgewählt. Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung: Nur Formel einfügen - ermöglicht das Einfügen von Formeln ohne Einfügen der Datenformatierung. Formel + Zahlenformat - ermöglicht das Einfügen von Formeln mit der auf Zahlen angewendeten Formatierung. Formel + alle Formatierungen - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen. Formel ohne Rahmenlinien - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen außer Zellenrahmen. Formel + Spaltenbreite - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen einschließlich Breite der Quellenspalte für den Zellenbereich, in den Sie die Daten einfügen. Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen: Nur Wert einfügen - ermöglicht das Einfügen der Formelergebnisse ohne Einfügen der Datenformatierung. Wert + Zahlenformat - ermöglicht das Einfügen der Formelergebnisse mit der auf Zahlen angewendeten Formatierung. Wert + alle Formatierungen - ermöglicht das Einfügen der Formelergebnisse mit allen Datenformatierungen. Nur Formatierung einfügen - ermöglicht das Einfügen der Zellenformatierung ohne Einfügen des Zelleninhalts. Transponieren - ermöglicht das Einfügen von Daten, die Spalten in Zeilen und Zeilen in Spalten ändern. Diese Option ist nur für normale Datenbereiche verfügbar und nicht für formatierte Tabellen. Wenn Sie den Inhalt einer einzelnen Zelle oder eines Textes in AutoFormen einfügen, sind die folgenden Optionen verfügbar: Quellenformatierung - die Quellformatierung der kopierten Daten wird beizubehalten. Zielformatierung - ermöglicht das Anwenden der bereits für die Zelle/AutoForm verwendeten Formatierung auf die eingefügten Daten. Zum Einfügen von durch Trennzeichen getrenntem Text, der aus einer .txt -Datei kopiert wurde, stehen folgende Optionen zur Verfügung: Der durch Trennzeichen getrennte Text kann mehrere Datensätze enthalten, wobei jeder Datensatz einer einzelnen Tabellenzeile entspricht. Jeder Datensatz kann mehrere durch Trennzeichen getrennte Textwerte enthalten (z. B. Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen oder ein anderes Zeichen). Die Datei sollte als Klartext-Datei .txt gespeichert werden. Nur Text beibehalten - Ermöglicht das Einfügen von Textwerten in eine einzelne Spalte, in der jeder Zelleninhalt einer Zeile in einer Quelltextdatei entspricht. Textimport-Assistent verwenden - Ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK. Wenn Sie durch Trennzeichen getrennte Daten aus einer Quelle eingefügt haben die keine reine Textdatei ist (z. B. Text, der von einer Webseite kopiert wurde usw.), oder wenn Sie die Funktion Nur Text beibehalten angewendet haben und nun die Daten aus einer einzelnen Spalte in mehrere Spalten aufteilen möchten, können Sie die Option Text zu Spalten verwenden. Daten in mehrere Spalten aufteilen: Wählen Sie die gewünschte Zelle oder Spalte aus, die Daten mit Trennzeichen enthält. Klicken Sie auf der rechten Seitenleiste auf die Schaltfläche Text zu Spalten. Der Assistent Text zu Spalten wird geöffnet. Wählen Sie in der Dropdown-Liste Trennzeichen das Trennzeichen aus, das Sie für die durch Trennzeichen getrennten Daten verwendet haben, schauen Sie sich die Vorschau im Feld darunter an und klicken Sie auf OK. Danach befindet sich jeder durch das Trennzeichen getrennte Textwert in einer separaten Zelle. Befinden sich Daten in den Zellen rechts von der Spalte, die Sie teilen möchten, werden diese überschrieben. Auto-Ausfülloption Wenn Sie mehrere Zellen mit denselben Daten ausfüllen wollen, verwenden Sie die Option Auto-Ausfüllen: Wählen Sie eine Zelle/einen Zellenbereich mit den gewünschten Daten aus. Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen: Ziehen Sie den Ziehpunkt über die angrenzenden Zellen, die Sie mit den ausgewählten Daten füllen möchten. Hinweis: Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben. Zellen in einer Spalte mit Textwerten füllen Wenn eine Spalte in Ihrer Tabelle einige Textwerte enthält, können Sie einfach jeden Wert in dieser Spalte ersetzen oder die nächste leere Zelle ausfüllen, indem Sie einen der bereits vorhandenen Textwerte auswählen. Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen. Wählen Sie einen der verfügbaren Textwerte, um den aktuellen Text zu ersetzen oder eine leere Zelle auszufüllen." }, { "id": "UsageInstructions/DataValidation.htm", @@ -2458,7 +2483,7 @@ var indexes = { "id": "UsageInstructions/FormattedTables.htm", "title": "Tabellenvorlage formatieren", - "body": "Erstellen Sie eine neue formatierte Tabelle Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor, Wählen sie einen Zellenbereich aus, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Startseite auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Galerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll, im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titell, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellenbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellenbereich um eine Zeile nach unten verschoben wird. Klicken Sie OK an, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden , um mit Ihren Daten zu arbeiten. Sie können auch eine formatierte Tabelle mithilfe der Schaltfläche Tabelle in der Registerkarte Einfügen einfügen. Eine standardmäßige Tabellenvorlage wird eingefügt. Hinweis: Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Hinweis: Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Wählen Sie die Zeilen und Spalten aus Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Um eine ganze Spalte in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über die Oberkante der Spaltenüberschrift, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Wenn Sie einmal drücken, werden die Spaltendaten ausgewählt (wie im Bild unten gezeigt). Wenn Sie zweimal drücken, wird die gesamte Spalte mit der Kopfzeile ausgewählt. Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Formatierte Tabellen bearbeiten Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Insgesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Hinweis: Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen und/oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten  im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie die Schaltfläche Daten auswählen an - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellenbereich im Eingabefeld oder wählen Sie den gewünschten Zellenbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie OK an. Hinweis: Die Kopfzeilen sollen in derselben Zeile bleiben, und der resultierende Tabellenbereich soll den ursprünglichen Tabellenbereich überlappen. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Hinweis: Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. Verwenden Sie die Option Entferne Duplikate , um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite. Die Option In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Mit der Option Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite. Mit der Option Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite. Erweiterte Einstellungen für formatierte Tabellen Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind." + "body": "Eine neue formatierte Tabelle erstellen Um die Arbeit mit Daten zu erleichtern, ermöglicht die Tabellenkalkulation eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor, Wählen sie einen Zellenbereich aus, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Startseite auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Galerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll, im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titell, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellenbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellenbereich um eine Zeile nach unten verschoben wird. Klicken Sie OK an, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Sie können auch eine formatierte Tabelle mithilfe der Schaltfläche Tabelle in der Registerkarte Einfügen einfügen. Eine standardmäßige Tabellenvorlage wird eingefügt. Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Die Zeilen und Spalten auswählen Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Um eine ganze Spalte in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über die Oberkante der Spaltenüberschrift, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Wenn Sie einmal drücken, werden die Spaltendaten ausgewählt (wie im Bild unten gezeigt). Wenn Sie zweimal drücken, wird die gesamte Spalte mit der Kopfzeile ausgewählt. Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Formatierte Tabellen bearbeiten Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Insgesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen und/oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten  im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie die Schaltfläche Daten auswählen an - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellenbereich im Eingabefeld oder wählen Sie den gewünschten Zellenbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie OK an. Hinweis: Die Kopfzeilen sollen in derselben Zeile bleiben, und der resultierende Tabellenbereich soll den ursprünglichen Tabellenbereich überlappen. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. Verwenden Sie die Option Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite. Die Option In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Mit der Option Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite. Mit der Option Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite. Erweiterte Einstellungen für formatierte Tabellen Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, gehen Sie zu Erweiterte Einstellungen -> Rechtschreibprüfung -> Produkt -> Optionen von Autokorrektur b> -> AutoFormat während der Eingabe. Die automatische Vervollständigung von Formeln, um Formeln zu formatierten Tabellen hinzuzufügen, verwenden Die Liste Automatische Formelvervollständigung zeigt alle verfügbaren Optionen an, wenn Sie Formeln auf formatierte Tabellen anwenden. Sie können Tabellenformeln sowohl innerhalb als auch außerhalb der Tabelle erstellen. Beginnen Sie mit der Eingabe einer Formel, die mit einem Gleichheitszeichen gefolgt von Tabelle beginnt, und wählen Sie den Tabellennamen aus der Liste Formel-Autovervollständigung aus. Geben Sie dann eine öffnende Klammer [ ein, um die Drop-Down-Liste zu öffnen, die Spalten und Elemente enthält, die in der Formel verwendet werden können. Spalten- und Elementnamen werden anstelle von Zelladressen als Referenzen verwendet. Ein Tooltip, der die Referenz beschreibt, wird angezeigt, wenn Sie den Mauszeiger in der Liste darüber bewegen. Jeder Verweis muss eine öffnende und eine schließende Klammer enthalten. Vergessen Sie nicht, die Formelsyntax zu überprüfen." }, { "id": "UsageInstructions/GroupData.htm", @@ -2470,15 +2495,20 @@ var indexes = "title": "Hervorgehobenen Code einfügen", "body": "Im Tabelleneditor können Sie hervorgehobenen Code mit dem schon angepassten Stil entsprechend der Programmiersprache und dem Farbstil des von Ihnen ausgewählten Programms einfügen. Gehen Sie zu Ihrer Tabelle und platzieren Sie den Cursor an der Stelle, an der Sie den Code einfügen möchten. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt Code hervorheben aus. Geben Sie die Programmiersprache an. Wählen Sie einen Code-Stil aus, der so aussieht, als wäre er in diesem Programm geöffnet. Geben Sie an, ob Sie Tabulatoren durch Leerzeichen ersetzen möchten. Wählen Sie Hintergrundfarbe. Bewegen Sie dazu den Cursor manuell über die Palette oder fügen Sie den RGB/HSL/HEX-Wert ein. Klicken Sie auf OK, um den Code einzufügen." }, + { + "id": "UsageInstructions/InsertArrayFormulas.htm", + "title": "Matrixformeln einfügen", + "body": "In der Tabellenkalkulation können Sie die Matrixformeln verwenden. Matrixformeln stellen die Konsistenz zwischen Formeln in einer Tabelle sicher, da Sie eine einzelne Matrixformel anstelle mehrerer gewöhnlicher Formeln eingeben können, sie vereinfachen die Arbeit mit großen Datenmengen, ermöglichen es Ihnen, ein Blatt schnell mit Daten zu füllen und vieles mehr. Sie können Formeln und eingebaute Funktionen als Matrixformeln eingeben, um: mehrere Berechnungen gleichzeitig durchzuführen und ein einzelnes Ergebnis anzuzeigen, oder einen Wertebereich zurückzugeben, der in mehreren Zeilen und/oder Spalten angezeigt wird. Es gibt auch speziell gekennzeichnete Funktionen, die mehrere Werte zurückgeben können. Wenn Sie sie durch Drücken von Enter eingeben, geben sie einen einzelnen Wert zurück. Wenn Sie einen Ausgabebereich von Zellen auswählen, um die Ergebnisse anzuzeigen, und dann eine Funktion eingeben, indem Sie Strg + Umschalt + Eingabe drücken, wird ein Wertebereich zurückgegeben (die Anzahl der zurückgegebenen Werte hängt von der Größe der vorher gewählter Ausgabebereich). Die folgende Liste enthält Links zu detaillierten Beschreibungen dieser Funktionen. Matrixformeln ZELLE SPALTE FORMELTEXT HÄUFIGKEIT VARIATION HYPERLINK INDIREKT INDEX ISTFORMEL RGP RKP MINV MMULT MEINHEIT BEREICH.VERSCHIEBEN ZUFALLSMATRIX ZEILE MTRANS TREND EINDEUTIG XVERWEIS Matrixformeln einfügen Um eine Matrixformel einzufügen, Wählen Sie einen Zellbereich aus, in dem Sie Ergebnisse anzeigen möchten. Geben Sie die Formel, die Sie verwenden möchten, in die Formelleiste ein und geben Sie die erforderlichen Argumente in Klammern () an. Drücken Sie die Tastenkombination Strg + Umschalt + Eingabe. Die Ergebnisse werden im ausgewählten Zellbereich angezeigt, und die Formel in der Bearbeitungsleiste wird automatisch in die geschweiften Klammern { } eingeschlossen, um anzuzeigen, dass es sich um eine Matrixformel handelt. Beispiel: {=EINDEUTIG(B2:D6)}. Diese geschweiften Klammern können nicht manuell eingegeben werden. Eine einzellige Matrixformel erstellen Das folgende Beispiel veranschaulicht das Ergebnis der Matrixformel, die in einer einzelnen Zelle angezeigt wird. Wählen Sie eine Zelle aus, geben Sie =SUMME(C2:C11*D2:D11) ein und drücken Sie Strg + Umschalt + Eingabe. Eine Matrixformel mit mehreren Zellen erstellen Das folgende Beispiel veranschaulicht die Ergebnisse der Matrixformel, die in einem Zellbereich angezeigt wird. Wählen Sie einen Zellbereich aus, geben Sie =C2:C11*D2:D11 ein und drücken Sie Strg + Umschalt + Eingabe. Matrixformeln bearbeiten Jedes Mal, wenn Sie eine eingegebene Matrixformel bearbeiten (z. B. Argumente ändern), müssen Sie die Tastenkombination Strg + Umschalt + Eingabe drücken, um die Änderungen zu speichern. Im folgenden Beispiel wird erläutert, wie Sie eine Matrixformel mit mehreren Zellen erweitern, wenn Sie neue Daten hinzufügen. Wählen Sie alle Zellen aus, die eine Matrixformel enthalten, sowie leere Zellen neben neuen Daten, bearbeiten Sie Argumente in der Bearbeitungsleiste, sodass sie neue Daten enthalten, und drücken Sie Strg + Umschalt + Eingabe. Wenn Sie eine mehrzellige Matrixformel auf einen kleineren Zellbereich anwenden möchten, müssen Sie die aktuelle Matrixformel löschen und dann eine neue Matrixformel eingeben. Ein Teil des Arrays kann nicht geändert oder gelöscht werden. Wenn Sie versuchen, eine einzelne Zelle innerhalb des Arrays zu bearbeiten, zu verschieben oder zu löschen oder eine neue Zelle in das Array einzufügen, erhalten Sie die folgende Warnung: Sie können einen Teil eines Arrays nicht ändern. Um eine Matrixformel zu löschen, markieren Sie alle Zellen, die die Matrixformel enthalten, und drücken Sie Entf. Sie können auch Sie die Matrixformel in der Bearbeitungsleiste auswählen, Entf und dann Strg + Umschalt + Eingabe drücken. Beispiele für die Verwendung von Matrixformeln Dieser Abschnitt enthält einige Beispiele zur Verwendung von Matrixformeln zur Durchführung bestimmter Aufgaben. Eine Anzahl von Zeichen in einem Bereich von Zellen zählen Sie können die folgende Matrixformel verwenden und den Zellbereich im Argument durch Ihren eigenen ersetzen: =SUMME(LÄNGE(B2:B11)). Die Funktion LÄNGE/LÄNGEB berechnet die Länge jeder Textzeichenfolge im Zellbereich. Die Funktion SUMME addiert die Werte zusammen. Um die durchschnittliche Anzahl von Zeichen zu erhalten, ersetzen Sie SUMME durch MITTELWERT. Die längste Zeichenfolge in einem Bereich von Zellen finden Sie können die folgende Matrixformel verwenden und Zellbereiche in Argumenten durch Ihre eigenen ersetzen: =INDEX(B2:B11,VERGLEICH(MAX(LÄNGE(B2:B11)),LÄNGE(B2:B11),0),1). Die Funktion LÄNGE berechnet die Länge jeder Textzeichenfolge im Zellbereich. Die Funktion MAX berechnet den größten Wert. Die Funktion VERGLEICH findet die Adresse der Zelle mit der längsten Zeichenfolge. Die Funktion INDEX gibt den Wert aus der gefundenen Zelle zurück. Um die kürzeste Zeichenfolge zu finden, ersetzen Sie MAX durch MIN. Summenwerte basierend auf Bedingungen Um Werte zu summieren, die größer als eine bestimmte Zahl sind (hier ist es 2), können Sie die folgende Matrixformel verwenden und Zellbereiche in Argumenten durch Ihre eigenen ersetzen: =SUMME(WENN(C2:C11>2,C2:C11)). Die Funktion WENNE erstellt ein Array aus positiven und falschen Werten. Die Funktion SUMME ignoriert falsche Werte und addiert die positiven Werte zusammen." + }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "AutoFormen einfügen und formatieren", - "body": "AutoForm einfügen Um eine AutoForm in die Tabelle in der Tabellenkalkulation einzufügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf der oberen Symbolleiste auf das Symbol Form. Wählen Sie eine der verfügbaren Gruppen für AutoFormen aus: Standardformen, geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Buttons, Rechtecke, Linien. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form einfügen möchten. Wenn Sie die AutoForm hinzugefügt haben können Sie Größe, Position und Eigenschaften ändern. Einstellungen der AutoForm anpassen Einige Eigenschaften von AutoFormen können auf der Registerkarte Formeinstellungen im rechten Seitenbereich geändert werden. Das entsprechende Menü öffnet sich, wenn Sie die hinzugefügte Form mit der Maus auswählen und dann auf das Symbol Formeinstellungen klicken. Sie können die folgenden Eigenschaften ändern: Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung: Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Autoform ausfüllen möchten. Klicken Sie auf das Farbfeld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbpaletten aus oder legen Sie eine beliebige Farbe fest: Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Ihre AutoForm wird in der benutzerdefinierten Farbe formatiert und die Farbe wird der Palette Benutzerdefinierte Farbe hinzugefügt. Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten). Richtung - wählen Sie eine Vorlage aus dem Menü aus. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung. Farbverlauf - verwenden Sie diese Option, um die Form mit zwei oder mehr verblassenden Farben zu füllen. Passen Sie Ihre Farbverlaufsfüllung ohne Einschränkungen an. Klicken Sie auf die Form, um das rechte Füllungsmenü zu öffnen. Die verfügbare Menüoptionen: Stil - wählen Sie Linear oder Radial aus: Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Klicken Sie auf Richtung, um eine voreingestellte Richtung auszuwählen, und klicken Sie auf Winke, um einen genauen Verlaufswinkel einzugeben. Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Formhintergrund zu nutzen. Wenn Sie ein Bild als Hintergrund für eine Form verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie dazu die entsprechende Webadresse in das geöffnete Fenster ein. Wenn Sie eine Textur als Hintergrund für eine Form nutzen möchten, öffnen Sie das Menü Textur und wählen Sie die gewünschte Texturvoreinstellung aus.Derzeit sind die folgenden Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Korn, Granit, graues Papier, stricken, Leder, braunes Papier, Papyrus, Holz. Wenn das gewählte Bild kleiner oder größer als die AutoForm ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen.Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es den kompletten Bereich der AutoForm füllen kann. Die Option Kacheln ermöglicht Ihnen nur einen Teil eines größeren Bildes zu verwenden und die Originalgröße beizubehalten oder ein kleines Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der AutoForm auszufüllen. Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden. Muster - wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht. Muster - wählen Sie eine der Designvorgaben aus dem Menü aus. Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Mustershintergrundes zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Transparenz - hier können Sie den Grad der gewünschten Transparenz auswählen, bringen Sie dazu den Schieberegler in die gewünschte Position oder geben Sie manuell einen Prozentwert ein. Der Standardwert beträgt 100%. Also volle Deckkraft. Der Wert 0% steht für vollständige Transparenz. Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern. Um die Strichstärke zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Größe aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen. Um die Konturfarbe zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Um den Stil der Kontur zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern). Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu spiegeln (von links nach rechts) um die Form vertikal zu spiegeln (von oben nach unten) AutoForm ändern - ersetzen Sie die aktuelle AutoForm durch eine andere, die Sie im Listenmenü wählen können. Um die erweiterten Einstellungen der AutoForm zu ändern, nutzen Sie den Link Erweiterte Einstellungen anzeigen im rechten Seitenbereich. Das Fenster Form - Erweiterte Einstellungen wird geöffnet. Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - mit diesen Optionen können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Seitenverhältnis der AutoForm wird beibehalten. Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten). Die Registerkarte Gewichtungen & Pfeile umfasst die folgenden Parameter: Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen: Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.: Flach - für flache Endpunkte. Rund - für runde Endpunkte. Quadratisch - quadratisches Linienende. Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden: Rund - die Ecke wird abgerundet. Schräge Kante - die Ecke wird schräg abgeschnitten. Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln. Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden. Pfeile - diese Option ist verfügbar, wenn eine Form aus der Gruppe Linien ausgewählt ist. In dieser Gruppe können Sie die Form von Startpfeil und Endpfeil festlegen und die jeweilige Größe bestimmen. Wählen Sie dazu einfach die gewünschte Option aus der Liste aus. Über die Registerkarte Textränder können Sie die oberen, unteren, linken und rechten inneren Ränder der AutoForm ändern (also den Abstand zwischen dem Text innerhalb der Form und dem Rahmen der AutoForm). Diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet. Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über. Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind. Text in AutoFormen einfügen und formatieren Um einen Text in eine AutoForm einzufügen, wählen Sie die entsprechende Form aus und geben Sie einfach Ihren Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht). Alle Formatierungsoptionen die für den Text in einer AutoForm zur Verfügung stehen finden Sie hier. AutoFormen mithilfe von Verbindungen anbinden Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt: Klicken Sie in der oberen Symbolleiste in der Registerkarte Einfügen auf das Smbol Form. Wählen Sie die Gruppe Linien im Menü aus. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand). Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte , die auf dem Umriss der Form zu sehen sind. Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form. Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen. Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden. Makro zu einer Form zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einer beliebigen Form ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird die Form als Schaltflächensteuerelement angezeigt und Sie können das Makro jedes Mal ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Form, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK." + "body": "AutoForm einfügen Um eine AutoForm in die Tabelle in der Tabellenkalkulation einzufügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf der oberen Symbolleiste auf das Symbol Form. Wählen Sie eine der verfügbaren Gruppen für AutoFormen aus der Formengalerie aus: Zuletzt verwendet, Standardformen, Geformte Pfeile, Mathematik, Diagramme, Sterne & Bänder, Legenden, Schaltflächen, Rechtecke, Linien. Klicken Sie in der gewählten Gruppe auf die gewünschte AutoForm. Positionieren Sie den Mauszeiger an der Stelle, an der Sie eine Form einfügen möchten. Wenn Sie die AutoForm hinzugefügt haben können Sie Größe, Position und Eigenschaften ändern. Einstellungen der AutoForm anpassen Einige Eigenschaften von AutoFormen können auf der Registerkarte Formeinstellungen im rechten Seitenbereich geändert werden. Das entsprechende Menü öffnet sich, wenn Sie die hinzugefügte Form mit der Maus auswählen und dann auf das Symbol Formeinstellungen klicken. Sie können die folgenden Eigenschaften ändern: Füllung - zum Ändern der Füllung einer AutoForm. Folgende Optionen stehen Ihnen zur Verfügung: Einfarbige Füllung - wählen Sie diese Option, um die Volltonfarbe festzulegen, mit der Sie die innere Fläche der ausgewählten Autoform ausfüllen möchten. Klicken Sie auf das Farbfeld unten und wählen Sie die gewünschte Farbe aus den verfügbaren Farbpaletten aus oder legen Sie eine beliebige Farbe fest: Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Ihre AutoForm wird in der benutzerdefinierten Farbe formatiert und die Farbe wird der Palette Benutzerdefinierte Farbe hinzugefügt. Füllung mit Farbverlauf - wählen Sie diese Option, um die Form mit einem sanften Übergang von einer Farbe zu einer anderen zu füllen. Stil - wählen Sie eine der verfügbaren Optionen: Linear (Farben ändern sich linear, d.h. entlang der horizontalen/vertikalen Achse oder diagonal in einem 45-Grad Winkel) oder Radial (Farben ändern sich kreisförmig vom Zentrum zu den Kanten). Richtung - wählen Sie eine Vorlage aus dem Menü aus. Wenn der Farbverlauf Linear ausgewählt ist, sind die folgenden Richtungen verfügbar: von oben links nach unten rechts, von oben nach unten, von oben rechts nach unten links, von rechts nach links, von unten rechts nach oben links, von unten nach oben, von unten links nach oben rechts, von links nach rechts. Wenn der Farbverlauf Radial ausgewählt ist, steht nur eine Vorlage zur Verfügung. Farbverlauf - verwenden Sie diese Option, um die Form mit zwei oder mehr verblassenden Farben zu füllen. Passen Sie Ihre Farbverlaufsfüllung ohne Einschränkungen an. Klicken Sie auf die Form, um das rechte Füllungsmenü zu öffnen. Die verfügbare Menüoptionen: Stil - wählen Sie Linear oder Radial aus: Linear wird verwendet, wenn Ihre Farben von links nach rechts, von oben nach unten oder in einem beliebigen Winkel in eine Richtung fließen sollen. Klicken Sie auf Richtung, um eine voreingestellte Richtung auszuwählen, und klicken Sie auf Winke, um einen genauen Verlaufswinkel einzugeben. Radial wird verwendet, um sich von der Mitte zu bewegen, da die Farbe an einem einzelnen Punkt beginnt und nach außen ausstrahlt. Punkt des Farbverlaufs ist ein bestimmter Punkt für den Verlauf von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder den Schieberegler, um einen Punkt des Verlaufs einzufügen. Sie können bis zu 10 Punkte einfügen. Jeder nächste eingefügte Punkt des Farbverlaufs beeinflusst in keiner Weise die aktuelle Darstellung der Farbverlaufsfüllung. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um den bestimmten Punkt zu löschen. Verwenden Sie den Schieberegler, um die Position des Farbverlaufspunkts zu ändern, oder geben Sie Position in Prozent an, um eine genaue Position zu erhalten. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt im Schieberegler und dann auf Farbe, um die gewünschte Farbe auszuwählen. Bild oder Textur - wählen Sie diese Option, um ein Bild oder eine vorgegebene Textur als Formhintergrund zu nutzen. Wenn Sie ein Bild als Hintergrund für eine Form verwenden möchten, können Sie das Bild Aus Datei einfügen, geben Sie dazu in dem geöffneten Fenster den Speicherort auf Ihrem Computer an, oder Aus URL, geben Sie dazu die entsprechende Webadresse in das geöffnete Fenster ein. Wenn Sie eine Textur als Hintergrund für eine Form nutzen möchten, öffnen Sie das Menü Textur und wählen Sie die gewünschte Texturvoreinstellung aus.Derzeit sind die folgenden Texturen verfügbar: Leinwand, Karton, dunkler Stoff, Korn, Granit, graues Papier, stricken, Leder, braunes Papier, Papyrus, Holz. Wenn das gewählte Bild kleiner oder größer als die AutoForm ist, können Sie die Option Strecken oder Kacheln aus dem Listenmenü auswählen.Die Option Strecken ermöglicht Ihnen die Größe des Bildes so anzupassen, dass es den kompletten Bereich der AutoForm füllen kann. Die Option Kacheln ermöglicht Ihnen nur einen Teil eines größeren Bildes zu verwenden und die Originalgröße beizubehalten oder ein kleines Bild unter Beibehaltung der Originalgröße zu wiederholen und durch diese Wiederholungen die gesamte Fläche der AutoForm auszufüllen. Jede Voreinstellung für Texturfüllungen ist dahingehend festgelegt, den gesamten Bereich auszufüllen, aber Sie können nach Bedarf auch den Effekt Strecken anwenden. Muster - wählen Sie diese Option, um die Form mit einem zweifarbigen Design zu füllen, dass aus regelmäßig wiederholten Elementen besteht. Muster - wählen Sie eine der Designvorgaben aus dem Menü aus. Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Mustershintergrundes zu ändern. Keine Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Transparenz - hier können Sie den Grad der gewünschten Transparenz auswählen, bringen Sie dazu den Schieberegler in die gewünschte Position oder geben Sie manuell einen Prozentwert ein. Der Standardwert beträgt 100%. Also volle Deckkraft. Der Wert 0% steht für vollständige Transparenz. Strich - in dieser Gruppe können Sie Strichbreite und -farbe der AutoForm ändern. Um die Strichstärke zu ändern, wählen Sie eine der verfügbaren Optionen im Listenmenü Größe aus. Die folgenden Optionen stehen Ihnen zur Verfügung: 0,5 Pt., 1 Pt., 1,5 Pt., 2,25 Pt., 3 Pt., 4,5 Pt., 6 Pt. Alternativ können Sie die Option Keine Linie auswählen, wenn Sie keine Umrandung wünschen. Um die Konturfarbe zu ändern, klicken Sie auf das farbige Feld und wählen Sie die gewünschte Farbe aus. Um den Stil der Kontur zu ändern, wählen Sie die gewünschte Option aus der entsprechenden Dropdown-Liste aus (standardmäßig wird eine durchgezogene Linie verwendet, diese können Sie in eine der verfügbaren gestrichelten Linien ändern). Drehen dient dazu die Form um 90 Grad im oder gegen den Uhrzeigersinn zu drehen oder die Form horizontal oder vertikal zu spiegeln. Wählen Sie eine der folgenden Optionen: um die Form um 90 Grad gegen den Uhrzeigersinn zu drehen um die Form um 90 Grad im Uhrzeigersinn zu drehen um die Form horizontal zu spiegeln (von links nach rechts) um die Form vertikal zu spiegeln (von oben nach unten) AutoForm ändern - ersetzen Sie die aktuelle AutoForm durch eine andere, die Sie im Listenmenü wählen können. Um die erweiterten Einstellungen der AutoForm zu ändern, nutzen Sie den Link Erweiterte Einstellungen anzeigen im rechten Seitenbereich. Das Fenster Form - Erweiterte Einstellungen wird geöffnet. Die Registerkarte Größe enthält die folgenden Parameter: Breite und Höhe - mit diesen Optionen können Sie die Breite bzw. Höhe der AutoForm ändern. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Seitenverhältnis der AutoForm wird beibehalten. Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich die Form in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um die Form horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um die Form vertikal zu spiegeln (von oben nach unten). Die Registerkarte Gewichtungen & Pfeile umfasst die folgenden Parameter: Linienart - in dieser Gruppe können Sie die folgenden Parameter bestimmen: Abschlusstyp - legen Sie den Stil für den Abschluss der Linie fest, diese Option besteht nur bei Formen mit offener Kontur wie Linien, Polylinien usw.: Flach - für flache Endpunkte. Rund - für runde Endpunkte. Quadratisch - quadratisches Linienende. Anschlusstyp - legen Sie die Art der Verknüpfung von zwei Linien fest, z.B. kann diese Option auf Polylinien oder die Ecken von Dreiecken bzw. Vierecken angewendet werden: Rund - die Ecke wird abgerundet. Schräge Kante - die Ecke wird schräg abgeschnitten. Winkel - spitze Ecke. Dieser Typ passt gut bei AutoFormen mit spitzen Winkeln. Der Effekt wird auffälliger, wenn Sie eine hohe Konturbreite verwenden. Pfeile - diese Option ist verfügbar, wenn eine Form aus der Gruppe Linien ausgewählt ist. In dieser Gruppe können Sie die Form von Startpfeil und Endpfeil festlegen und die jeweilige Größe bestimmen. Wählen Sie dazu einfach die gewünschte Option aus der Liste aus. Über die Registerkarte Textränder können Sie die oberen, unteren, linken und rechten inneren Ränder der AutoForm ändern (also den Abstand zwischen dem Text innerhalb der Form und dem Rahmen der AutoForm). Diese Registerkarte ist nur verfügbar, wenn der AutoForm ein Text hinzugefügt wurde, ansonsten wird die Registerkarte ausgeblendet. Über die Registerkarte Spalten ist es möglich, der AutoForm Textspalten hinzuzufügen und die gewünschte Anzahl der Spalten (bis zu 16) und den Abstand zwischen den Spalten festzulegen. Wenn Sie auf OK klicken, erscheint der bereits vorhandene Text, oder jeder beliebige Text den Sie in die AutoForm eingeben, in den Spalten und geht flüssig von einer Spalte in die nächste über. Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Form enthalten sind. Text in AutoFormen einfügen und formatieren Um einen Text in eine AutoForm einzufügen, wählen Sie die entsprechende Form aus und geben Sie einfach Ihren Text ein. Ein solcher Text wird Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text ebenfalls verschoben oder gedreht). Alle Formatierungsoptionen die für den Text in einer AutoForm zur Verfügung stehen finden Sie hier. AutoFormen mithilfe von Verbindungen anbinden Sie können Autoformen mithilfe von Linien mit Verbindungspunkten verbinden, um Abhängigkeiten zwischen Objekten zu demonstrieren (z.B. wenn Sie ein Flussdiagramm erstellen wollen). Gehen Sie dazu vor wie folgt: Klicken Sie in der oberen Symbolleiste in der Registerkarte Einfügen auf das Smbol Form. Wählen Sie die Gruppe Linien im Menü aus. Klicken Sie auf die gewünschte Form in der ausgewählten Gruppe (mit Ausnahme der letzten drei Formen, bei denen es sich nicht um Konnektoren handelt: Kurve, Skizze und Freihand). Bewegen Sie den Mauszeiger über die erste AutoForm und klicken Sie auf einen der Verbindungspunkte , die auf dem Umriss der Form zu sehen sind. Bewegen Sie den Mauszeiger in Richtung der zweiten AutoForm und klicken Sie auf den gewünschten Verbindungspunkt auf dem Umriss der Form. Wenn Sie die verbundenen AutoFormen verschieben, bleiben die Verbindungen an die Form gebunden und bewegen sich mit den Formen zusammen. Alternativ können Sie die Verbindungen auch von den Formen lösen und an andere Verbindungspunkte anbinden. Makro zu einer Form zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einer beliebigen Form ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird die Form als Schaltflächensteuerelement angezeigt und Sie können das Makro jedes Mal ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Form, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK." }, { "id": "UsageInstructions/InsertChart.htm", "title": "Diagramme einfügen", - "body": "Diagramm einfügen Ein Diagramm einfügen in der Tabellenkalkulation: Wählen Sie den Zellenbereich aus, der die Daten enthält, die für das Diagramm verwendet werden sollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Das Diagramm wird in das aktuelle Tabellenblatt eingefügt. Diagrammeinstellungen anpassen Sie können die Diagrammeinstellungen anpassen. Um den Diagrammtyp anzupassen, wählen Sie das Diagramm mit der Maus aus klicken Sie auf das Symbol Diagrammeinstellungen in der rechten Menüleiste öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus. Das Diagramm wird entsprechend geändert. Wenn Sie die für das Diagramm verwendeten Daten ändern wollen, Klicken Sie auf die Schaltfläche Daten auswählen im Fenster Diagramm bearbeiten. Das Fenster Diagrammdaten wird geöffnet. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf den Menüpunkt Erweiterte Einstellungen, um solche Einstellungen zu ändern, wie Layout, Vertikale Achse, Vertikale Sekundärachse, Horizontale Achse, Horizontale Sekundärachse, Andocken an die Zelle und Der alternative Text. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramm (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitternetzlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitternetzlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen etc. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Wenn das Diagramm ausgewählt ist, werden das Symbol Formeinstellungen ist auch rechts verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Symbolleiste und passen Sie die Füllung und Strich der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Mit der Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente ändern, wie Zeichnungsfläche, Daten Serien, Diagrammtitel, Legende usw. und wenden Sie verschiedene Fülltypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken und wählen Sie den bevorzugten Fülltyp: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Legen Sie die Füllparameter fest und legen Sie bei Bedarf die Undurchsichtigkeit fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Srtichen finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, aber ist für Diagrammelemente deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs des Elements. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf und stellen Sie sicher, dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element an die gewünschte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Wenn Sie ein Diagramm hinzugefügt haben, können Sie Größe und Position beliebig ändern. Um das eingefügte Diagramm zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF. Makro zum Diagramm zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Diagramm ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Diagramm als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Tabelle, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. Nachdem ein Makro zugewiesen wurde, können Sie das Diagramm weiterhin auswählen, um andere Operationen auszuführen, indem Sie mit der linken Maustaste auf die Diagrammoberfläche klicken. Sparklines benutzen ONLYOFFICE Tabellenkalkulation unterstützt Sparklines. Sparklines sind kleine Diagramme, die in eine Zelle passen und ein effizientes Werkzeug zur Datenvisualisierung sind. Weitere Informationen zum Erstellen, Bearbeiten und Formatieren von Sparklines finden Sie in unserer Anleitung Sparklines einfügen." + "body": "Diagramm einfügen Ein Diagramm einfügen in der Tabellenkalkulation: Wählen Sie den Zellenbereich aus, der die Daten enthält, die für das Diagramm verwendet werden sollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Gestapelte Balken Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Das Diagramm wird in das aktuelle Tabellenblatt eingefügt. ONLYOFFICE Tabellenkalkulation unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern. Diagrammeinstellungen anpassen Sie können die Diagrammeinstellungen anpassen. Um den Diagrammtyp anzupassen, wählen Sie das Diagramm mit der Maus aus klicken Sie auf das Symbol Diagrammeinstellungen in der rechten Menüleiste öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus. Das Diagramm wird entsprechend geändert. Wenn Sie die für das Diagramm verwendeten Daten ändern wollen, Klicken Sie auf die Schaltfläche Daten auswählen in der rechte Symbolleiste. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf den Menüpunkt Erweiterte Einstellungen, um solche Einstellungen zu ändern, wie Layout, Vertikale Achse, Vertikale Sekundärachse, Horizontale Achse, Horizontale Sekundärachse, Andocken an die Zelle und Der alternative Text. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramm (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitternetzlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitternetzlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen etc. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Wenn das Diagramm ausgewählt ist, werden das Symbol Formeinstellungen ist auch rechts verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Symbolleiste und passen Sie die Füllung und Strich der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Mit der Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente ändern, wie Zeichnungsfläche, Daten Serien, Diagrammtitel, Legende usw. und wenden Sie verschiedene Fülltypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken und wählen Sie den bevorzugten Fülltyp: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Legen Sie die Füllparameter fest und legen Sie bei Bedarf die Undurchsichtigkeit fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Srtichen finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, aber ist für Diagrammelemente deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs des Elements. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf und stellen Sie sicher, dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element an die gewünschte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Wenn Sie ein Diagramm hinzugefügt haben, können Sie Größe und Position beliebig ändern. Um das eingefügte Diagramm zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF. Makro zum Diagramm zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Diagramm ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Diagramm als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Tabelle, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. Nachdem ein Makro zugewiesen wurde, können Sie das Diagramm weiterhin auswählen, um andere Operationen auszuführen, indem Sie mit der linken Maustaste auf die Diagrammoberfläche klicken. Sparklines benutzen ONLYOFFICE Tabellenkalkulation unterstützt Sparklines. Sparklines sind kleine Diagramme, die in eine Zelle passen und ein effizientes Werkzeug zur Datenvisualisierung sind. Weitere Informationen zum Erstellen, Bearbeiten und Formatieren von Sparklines finden Sie in unserer Anleitung Sparklines einfügen." }, { "id": "UsageInstructions/InsertDeleteCells.htm", @@ -2488,7 +2518,7 @@ var indexes = { "id": "UsageInstructions/InsertEquation.htm", "title": "Formeln einfügen", - "body": "Mit der Tabellenkalkulation können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente. Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie für alle Platzhalter die gewünschten Werte ein. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten.Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen: Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile im Formelfeld passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen." + "body": "Mit der Tabellenkalkulation können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente. Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie für alle Platzhalter die gewünschten Werte ein. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten. Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen: Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile im Formelfeld passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen. Gleichungen konvertieren Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können. Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt: Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja. Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten." }, { "id": "UsageInstructions/InsertFunction.htm", @@ -2503,7 +2533,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Bilder einfügen", - "body": "Im Tabelleneditor, können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Bild einfügen Ein Bild in die Tabelle einfügen: Positionieren Sie den Cursor an der Stelle an der Sie das Bild einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Bild in der oberen Symbolleiste. Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Die Option Bild aus Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Das Bild wird dem Tabellenblatt hinzugefügt. Bildeinstellungen anpassen Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern. Genaue Bildmaße festlegen: Wählen Sie das gewünschte Bild mit der Maus aus Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste. Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße. Bild zuschneiden: Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite. Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, während Sie den Ziehpunkt in der Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken. Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Taste Esc oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Füllen und Anpassen verwenden, die im Dropdown-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen. Bild im Uhrzeigersinn drehen: Wählen Sie das Bild welches Sie drehen möchten mit der Maus aus. Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste. Wählen Sie im Abschnitt Drehen eine der folgenden Optionen: um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen um das Bild um 90 Grad im Uhrzeigersinn zu drehen um das Bild horizontal zu spiegeln (von links nach rechts) um das Bild vertikal zu spiegeln (von oben nach unten) Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Drehen aus dem Kontextmenü nutzen. Ein eingefügtes Bild ersetzen: Wählen Sie das gewünschte Bild mit der Maus aus. Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste. Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus. Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Bild ersetzen im Kontextmenü nutzen. Das ausgewählte Bild wird ersetzt. Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl. Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Drehen umfasst die folgenden Parameter: Winkel - mit dieser Option lässt sich das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln - Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten). Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF auf Ihrer Tastatur. Makro zum Bild zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Bild ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Bild als Schaltflächen-Steuerelement angezeigt und Sie können das Makro jedes Mal ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf das Bild, dem Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK." + "body": "In der Tabellenkalkulation können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Bild einfügen Um ein Bild in die Tabelle einzufügen: Positionieren Sie den Cursor an der Stelle, an der Sie das Bild einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Bild in der oberen Symbolleiste. Wählen Sie eine der folgenden Optionen, um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Im Online-Editor können Sie mehrere Bilder gleichzeitig auswählen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Die Option Bild aus dem Speicher öffnet das Fenster Datenquelle auswählen. Wählen Sie ein in Ihrem Portal gespeichertes Bild aus und klicken Sie auf die Schaltfläche OK. Das Bild wird dem Tabellenblatt hinzugefügt. Einstellungen des Bildes anpassen Wenn Sie das Bild hinzugefügt haben, können Sie seine Größe und Position ändern. Um die genaue Bildgröße festzulegen: Wählen Sie das gewünschte Bild mit der Maus aus. Klicken Sie auf das Symbol Bild-Einstellungen auf der rechten Seitenleiste. Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden die Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Tatsächlihe Größe. Um ein Bild zuzuschneiden: Klicken Sie auf die Schaltfläche Zuschneiden, um die Ziehpunkte zu aktivieren, die an den Bildecken und in der Mitte der Bildseiten angezeigt werden. Ziehen Sie die Ziehpunkte manuell, um den Zuschneidebereich festzulegen. Wenn Sie den Mauszeiger über den Zuschneidebereich bewegen, ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Um eine einzelne Seite zuzuschneiden, ziehen Sie den Ziehpunkt in der Mitte dieser Seite. Um zwei benachbarte Seiten gleichzeitig zuzuschneiden, ziehen Sie einen der Ziehpunkte in den Ecken. Um zwei gegenüberliegende Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt, während Sie den Ziehpunkt in der Mitte einer dieser Seiten ziehen. Um alle Seiten des Bildes gleichermaßen zuzuschneiden, halten Sie die Strg-Taste gedrückt und ziehen Sie gleichzeitig einen der Ziehpunkt in den Ecken. Wenn der Zuschneidebereich festgelegt ist, klicken Sie erneut auf die Schaltfläche Zuschneiden oder drücken Sie die Esc-Taste oder klicken Sie auf eine beliebige Stelle außerhalb des Zuschneidebereichs, um die Änderungen zu übernehmen. Nachdem der Zuschneidebereich ausgewählt wurde, können Sie auch die Optionen Auf Form zuschneiden, Ausfüllen und Anpassen verwenden, die im Drop-Down-Menü Zuschneiden verfügbar sind. Klicken Sie erneut auf die Schaltfläche Zuschneiden und wählen Sie die gewünschte Option aus: Wenn Sie die Option Auf Form zuschneiden auswählen, füllt das Bild eine bestimmte Form aus. Sie können eine Form aus der Galerie auswählen, die geöffnet wird, wenn Sie Ihren Mauszeiger über die Option Auf Form zuschneiden bewegen. Sie können weiterhin die Optionen Ausfüllen und Anpassen verwenden, um auszuwählen, wie Ihr Bild der Form entspricht. Wenn Sie die Option Ausfüllen auswählen, wird der zentrale Teil des Originalbilds beibehalten und zum Ausfüllen des ausgewählten Zuschneidebereichs verwendet, während andere Teile des Bildes entfernt werden. Wenn Sie die Option Anpassen auswählen, wird die Bildgröße so angepasst, dass sie der Höhe oder Breite des Zuschneidebereichs entspricht. Es werden keine Teile des Originalbilds entfernt, es können jedoch leere Bereiche innerhalb des ausgewählten Zuschneidebereichs erscheinen. Um ein Bild im Uhrzeigersinn zu drehen: Wählen Sie das gewünschte Bild mit der Maus aus. Klicken Sie auf das Symbol Bild-Einstellungen auf der rechten Seitenleiste. Wählen Sie im Abschnitt Rotation eine der folgenden Optionen: , um das Bild um 90 Grad gegen den Uhrzeigersinn zu drehen. , um das Bild um 90 Grad im Uhrzeigersinn zu drehen. , um das Bild horizontal zu spiegeln (von links nach rechts). , um das Bild vertikal zu spiegeln (von oben nach unten). Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Drehen aus dem Kontextmenü nutzen. Um ein eingefügtes Bild zu ersetzen: Wählen Sie das gewünschte Bild mit der Maus aus. Klicken Sie auf das Symbol Bild-Einstellungen auf der rechten Seitenleiste. Klicken Sie auf die Schaltfläche Bild ersetzen. Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus. Alternativ können Sie mit der rechten Maustaste auf das Bild klicken und die Option Bild ersetzen im Kontextmenü nutzen. Das ausgewählte Bild wird ersetzt. Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Form-Einstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Form-Einstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Strichtyp, -Größe und -Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl. Auf der Registerkarte Form-Einstellungen können Sie auch die Option Schatten anzeigen verwenden, um dem Bild einen Schatten hinzuzufügen. Die erweiterten Einstellungen des Bildes anpassen Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Erweiterte Einstellungen des Bildes im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Rotation umfasst die folgenden Parameter: Winkel: Mit dieser Option können Sie das Bild in einem genau festgelegten Winkel drehen. Geben Sie den erforderlichen Wert in Grad in das Feld ein oder stellen Sie diesen mit den Pfeilen rechts ein. Spiegeln: Aktivieren Sie das Kontrollkästchen Horizontal, um das Bild horizontal zu spiegeln (von links nach rechts), oder aktivieren Sie das Kontrollkästchen Vertikal, um das Bild vertikal zu spiegeln (von oben nach unten). Die Registerkarte Andocken an die Zelle enthält die folgenden Parameter: Verschieben und Ändern der Größe mit Zellen: Mit dieser Option können Sie das Bild an der Zelle dahinter ausrichten. Wenn sich die Zelle bewegt (z. B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Bild zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle vergrößern oder verkleinern, ändert auch das Bild seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen: Mit dieser Option können Sie das Bild an der Zelle dahinter ausrichten, um zu verhindern, dass die Größe des Bilds geändert wird. Wenn sich die Zelle bewegt, wird das Bild zusammen mit der Zelle verschoben, aber wenn Sie die Zellengröße ändern, bleiben die Bildabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen: Mit dieser Option können Sie verhindern, dass das Bild verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die ENTF-Taste auf Ihrer Tastatur. Makro zum Bild zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Bild ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Bild als Schaltflächen-Steuerelement angezeigt und Sie können das Makro jedes Mal ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf das Bild, dem Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK." }, { "id": "UsageInstructions/InsertSparklines.htm", @@ -2523,12 +2553,12 @@ var indexes = { "id": "UsageInstructions/ManageSheets.htm", "title": "Tabellenblätter verwalten", - "body": "Standardmäßig hat eine erstellte Tabelle drei Blätter. Am einfachsten lassen sich neue Blätter im Tabelleneditor hinzufügen, indem Sie auf Symbol rechts neben den Schaltflächen Blattnavigation in der linken unteren Ecke klicken. Alternativ können Sie ein neues Blatt hinzufügen wie folgt: Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten. Wählen Sie die Option Einfügen im Rechtsklickmenü. Ein neues Blatt wird nach dem gewählten Blatt eingefügt. Um das gewünschte Blatt zu aktivieren, nutzen Sie die Blattregisterkarten in der linken unteren Ecke jeder Tabelle. Hinweis: Wenn Sie mehrere Blätter haben, können Sie über die Schaltflächen für die Blattnavigation in der linken unteren Ecke navigieren, um das benötigte Blatt zu finden. Ein überflüssiges Blatt löschen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie entfernen möchten. Wählen Sie die Option Löschen im Rechtsklickmenü. Das gewählte Blatt wird aus der aktuellen Tabelle entfernt. Ein vorhandenes Blatt umbenennen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie umbenennen möchten. Wählen Sie die Option Umbenennen im Rechtsklickmenü. Geben Sie den Blatttitel in das Dialogfeld ein und klicken Sie auf OK. Der Titel des gewählten Blatts wird geändert. Ein vorhandenes Blatt kopieren: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie kopieren möchten. Wählen Sie die Option Kopieren im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das kopierte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende kopieren, um das kopierte Blatt nach allen vorhandenen Blättern einzufügen. Klicken Sie auf OK. Das gewählte Blatt wird kopiert und an der gewählten Stelle untergebracht. Ein vorhandene Blatt verschieben: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie verschieben möchten. Wählen Sie die Option Verschieben im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das gewählte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende verschieben, um das gewählte Blatt nach allen vorhandenen Blättern einzufügen. Klicken Sie auf OK. Sie können das erforderliche Blatt auch mit dem Mauszeiger ziehen und an der gewünschten Position loslassen. Das gewählte Blatt wird verschoben. Wenn Sie mit mehreren Blättern arbeiten, können Sie die Blätter, die aktuell nicht benötigt werden, ausblenden, um die Arbeit übersichtlicher zu gestalten. Blätter ausblenden: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie ausblenden möchten. Wählen Sie die Option Ausblenden im Rechtsklickmenü. Um die ausgeblendete Blattregisterkarte einzublenden, klicken Sie mit der rechten Maustaste auf eine beliebige Registerkarte, öffnen Sie die Liste Ausgeblendet und wählen Sie die Blattregisterkarte aus, die Sie wieder einblenden möchten. Um die Blätter zu unterscheiden, können Sie den Blattregistern unterschiedliche Farben zuweisen. Gehen Sie dazu vor wie folgt: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie farblich absetzen möchten. Wählen Sie die Option Registerfarbe im Rechtsklickmenü. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt." + "body": "Standardmäßig hat eine erstellte Tabelle drei Blätter. Am einfachsten lassen sich neue Blätter im Tabelleneditor hinzufügen, indem Sie auf Symbol rechts neben den Schaltflächen Blattnavigation in der linken unteren Ecke klicken. Alternativ können Sie ein neues Blatt hinzufügen wie folgt: Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten. Wählen Sie die Option Einfügen im Rechtsklickmenü. Ein neues Blatt wird nach dem gewählten Blatt eingefügt. Um das gewünschte Blatt zu aktivieren, nutzen Sie die Blattregisterkarten in der linken unteren Ecke jeder Tabelle. Hinweis: Wenn Sie mehrere Blätter haben, können Sie über die Schaltflächen für die Blattnavigation in der linken unteren Ecke navigieren, um das benötigte Blatt zu finden. Ein überflüssiges Blatt löschen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie entfernen möchten. Wählen Sie die Option Löschen im Rechtsklickmenü. Das gewählte Blatt wird aus der aktuellen Tabelle entfernt. Ein vorhandenes Blatt umbenennen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie umbenennen möchten. Wählen Sie die Option Umbenennen im Rechtsklickmenü. Geben Sie den Blatttitel in das Dialogfeld ein und klicken Sie auf OK. Der Titel des gewählten Blatts wird geändert. Ein vorhandenes Blatt kopieren: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie kopieren möchten. Wählen Sie die Option Kopieren im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das kopierte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende kopieren, um das kopierte Blatt nach allen vorhandenen Blättern einzufügen. klicken Sie auf die Schaltfläche OK, um Ihre Auswahl zu bestätigen. oder halten Sie die STRG-Taste gedrückt und ziehen Sie den Tabellenreiter nach rechts, um ihn zu duplizieren und die Kopie an die gewünschte Stelle zu verschieben. Das gewählte Blatt wird kopiert und an der gewählten Stelle untergebracht. Ein vorhandene Blatt verschieben: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie verschieben möchten. Wählen Sie die Option Verschieben im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das gewählte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende verschieben, um das gewählte Blatt nach allen vorhandenen Blättern einzufügen. Klicken Sie auf OK. Sie können das erforderliche Blatt auch mit dem Mauszeiger ziehen und an der gewünschten Position loslassen. Das gewählte Blatt wird verschoben. Sie können ein Blatt auch manuell von einem Buch in ein anderes Buch per Drag & Drop ziehen. Wählen Sie dazu das Blatt aus, das Sie verschieben möchten, und ziehen Sie es auf die Seitenleiste eines anderen Buchs. Sie können beispielsweise ein Blatt aus dem Online-Editor-Buch auf das Desktop-Buch ziehen: In diesem Fall wird das Blatt aus der ursprünglichen Kalkulationstabelle gelöscht. Wenn Sie mit mehreren Blättern arbeiten, können Sie die Blätter, die aktuell nicht benötigt werden, ausblenden, um die Arbeit übersichtlicher zu gestalten. Blätter ausblenden: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie ausblenden möchten. Wählen Sie die Option Ausblenden im Rechtsklickmenü. Um die ausgeblendete Blattregisterkarte einzublenden, klicken Sie mit der rechten Maustaste auf eine beliebige Registerkarte, öffnen Sie die Liste Ausgeblendet und wählen Sie die Blattregisterkarte aus, die Sie wieder einblenden möchten. Um die Blätter zu unterscheiden, können Sie den Blattregistern unterschiedliche Farben zuweisen. Gehen Sie dazu vor wie folgt: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie farblich absetzen möchten. Wählen Sie die Option Registerfarbe im Rechtsklickmenü. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Objekte formatieren", - "body": "Im Tabelleneditor sie können die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und diese verschieben, drehen und anordnen. Hinweis: Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole. Hinweis: Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, diese wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen oder das Symbol Bildeinstellungen . Objekte verschieben Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Objekte drehen Um die Form/das Bild manuell zu drehen zu drehen, bewegen Sie den Cursor über den Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt. Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Drehen in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit die Form oder das Bild um 90 Grad im/gegen den Uhrzeigersinn zu drehen oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Formeinstellungen oder das Symbol Bildeinstellungen . Wählen Sie eine der folgenden Optionen: - die Form um 90 Grad gegen den Uhrzeigersinn drehen - die Form um 90 Grad im Uhrzeigersinn drehen - die Form horizontal spiegeln (von links nach rechts) - die Form vertikal spiegeln (von oben nach unten) Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Bild oder die Form klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen. Um ein Bild oder eine Form in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK. Die Form einer AutoForm ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Objekte ausrichten Für das auszurichten von von zwei oder mehr ausgewählten Objekten mit einem gleichbleibenden Verhältnis zueinander, halten Sie die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Ausrichten und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: Linksbündig Ausrichten - Objekte am linken Rand des am weitesten links befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Zentrieren - Objekte in gleichbleibendem Verhältnis zueinander nach ihrem Zentrum ausrichten. Rechtsbündig Ausrichten - Objekte am rechten Rand des am weitesten rechts befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Oben ausrichten - Objekte am oberen Rand des am weitesten oben befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Mittig - Objekte in gleichbleibendem Verhältnis zueinander nach ihrer Mitte ausrichten. Unten ausrichten - Objekte am unteren Rand des am weitesten unten befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Ausrichtungsoptionen. Hinweis: Die Optionen zum Gruppieren sind deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Objekte verteilen Um drei oder mehr ausgewählte Objekte horizontal oder vertikal zwischen zwei äußeren ausgewählten Objekten zu verteilen, sodass der gleiche Abstand zwischen Ihnen angezeigt wird, klicken Sie auf das Symbol Ausrichten auf der Registerkarte Layout, in der oberen Symbolleiste und wählen Sie den gewünschten Verteilungstyp aus der Liste: Horizontal verteilen - Objekte gleichmäßig zwischen den am weitesten links und rechts liegenden ausgewählten Objekten verteilen. Vertikal verteilen - Objekte gleichmäßig zwischen den am weitesten oben und unten liegenden ausgewählten Objekten verteilen. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Verteilungsoptionen. Hinweis: Die Verteilungsoptionen sind deaktiviert, wenn Sie weniger als drei Objekte auswählen. Objekte gruppieren Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Gruppieren und wählen Sie die gewünschte Option aus der Liste aus: Gruppieren - um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig gedreht, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt. Gruppierung aufheben - um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnung aus und nutzen Sie dann die Optionen Gruppieren oder Gruppierung aufheben. Hinweis: Die Option Gruppieren ist deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Die Option Gruppierung aufheben ist nur verfügbar, wenn Sie eine zuvor gruppierte Objektgruppe auswählen. Objekte anordnen Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Smbol eine Ebene nach vorne oder eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus. Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Vordergrund - Objekt(e) in den Vordergrund bringen. Eine Ebene nach vorne - um ausgewählte Objekte eine Ebene nach vorne zu schieben. Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil nach hinten verschieben in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Hintergrund - um ein Objekt/Objekte in den Hintergrund zu schieben. Eine Ebene nach hinten - um ausgewählte Objekte nur eine Ebene nach hinten zu schieben. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann eine der verfügbaren Optionen." + "body": "In der Tabellenkalkulation können Sie die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und sie verschieben, drehen und anordnen. Hier finden Sie eine Übersicht über die gängigen Tastenkombinationen für die Arbeit mit Objekten. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie die UMSCHALT-Taste gedrückt und ziehen Sie an einem der Ecksymbole. Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, diese wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen oder das Symbol Bild-Einstellungen . Objekte verschieben Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die STRG-Taste gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Objekte drehen Um die Form/das Bild manuell zu drehen, bewegen Sie den Cursor über den Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt. Sobald Sie das gewünschte Objekt ausgewählt haben, wird der Abschnitt Rotation in der rechten Seitenleiste aktiviert. Hier haben Sie die Möglichkeit die Form oder das Bild um 90 Grad im/gegen den Uhrzeigersinn oder das Objekt horizontal/vertikal zu drehen. Um die Funktion zu öffnen, klicken Sie rechts auf das Symbol Form-Einstellungen oder das Symbol Bild-Einstellungen . Wählen Sie eine der folgenden Optionen: - die Form um 90 Grad gegen den Uhrzeigersinn drehen. - die Form um 90 Grad im Uhrzeigersinn drehen. - die Form horizontal spiegeln (von links nach rechts). - die Form vertikal spiegeln (von oben nach unten). Alternativ können Sie mit der rechten Maustaste auf das ausgewählte Bild oder die Form klicken, wählen Sie anschließend im Kontextmenü die Option Drehen aus und nutzen Sie dann eine der verfügbaren Optionen zum Drehen. Um ein Bild oder eine Form in einem genau festgelegten Winkel zu drehen, klicken Sie auf das Symbol Erweiterte Einstellungen anzeigen in der rechten Seitenleiste und wählen Sie dann die Option Drehen im Fenster Erweiterte Einstellungen. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein und klicken Sie dann auf OK. Die Form einer AutoForm ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Um eine AutoForm umzuformen, können Sie auch die Option Punkte bearbeiten aus dem Kontextmenü verwenden. Die Option Punkte bearbeiten wird verwendet, um die Krümmung Ihrer Form anzupassen oder zu ändern. Um die bearbeitbaren Ankerpunkte einer Form zu aktivieren, klicken Sie mit der rechten Maustaste auf die Form und wählen Sie im Menü die Option Punkte bearbeiten aus. Die schwarzen Quadrate, die aktiv werden, sind die Punkte, an denen sich zwei Linien treffen, und die rote Linie umreißt die Form. Klicken und ziehen Sie ihn, um den Punkt neu zu positionieren und den Umriss der Form zu ändern. Sobald Sie auf den Ankerpunkt klicken, werden zwei blaue Linien mit weißen Quadraten an den Enden angezeigt. Dies sind Bezier-Ziehpunkte, mit denen Sie eine Kurve erstellen und die Glätte einer Kurve ändern können. Solange die Ankerpunkte aktiv sind, können Sie sie hinzufügen und löschen. Um einer Form einen Punkt hinzuzufügen, halten Sie die Strg-Taste gedrückt und klicken Sie auf die Position, an der Sie einen Ankerpunkt hinzufügen möchten. Um einen Punkt zu löschen, halten Sie die Strg-Taste gedrückt und klicken Sie auf den unnötigen Punkt. Objekte ausrichten Um zwei oder mehr ausgewählte Objekte aneinander auszurichten, halten Sie die Strg-Taste gedrückt, während Sie die Objekte mit der Maus auswählen, und klicken Sie dann auf das Symbol Ausrichtung auf der Registerkarte Layout in der oberen Symbolleiste und wählen Sie den erforderlichen Ausrichtungstyp aus der Liste aus: Links ausrichten : Objekte am linken Rand des am weitesten links befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Zentriert ausrichten : Objekte in gleichbleibendem Verhältnis zueinander nach ihrem Zentrum ausrichten. Rechts ausrichten : Objekte am rechten Rand des am weitesten rechts befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Oben ausrichten : Objekte am oberen Rand des am weitesten oben befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Mittig ausrichten : Objekte in gleichbleibendem Verhältnis zueinander nach ihrer Mitte ausrichten. Unten ausrichten : Objekte am unteren Rand des am weitesten unten befindlichen Objekts in einem gleichbleibendem Verhältnis zueinander ausrichten. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Ausrichtungsoptionen. Die Optionen zum Gruppieren sind deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Objekte verteilen Um drei oder mehr ausgewählte Objekte horizontal oder vertikal zwischen zwei äußeren ausgewählten Objekten zu verteilen, sodass der gleiche Abstand zwischen Ihnen angezeigt wird, klicken Sie auf das Symbol Ausrichten auf der Registerkarte Layout, in der oberen Symbolleiste und wählen Sie den gewünschten Verteilungstyp aus der Liste: Horizontal verteilen : Objekte gleichmäßig zwischen den am weitesten links und rechts liegenden ausgewählten Objekten verteilen. Vertikal verteilen : Objekte gleichmäßig zwischen den am weitesten oben und unten liegenden ausgewählten Objekten verteilen. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Ausrichten aus und nutzen Sie dann eine der verfügbaren Verteilungsoptionen. Die Verteilungsoptionen sind deaktiviert, wenn Sie weniger als drei Objekte auswählen. Objekte gruppieren Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Gruppe und wählen Sie die gewünschte Option aus der Liste aus: Gruppieren : Um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig gedreht, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt. Gruppierung aufheben : Um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann die Optionen Gruppieren oder Gruppierung aufheben. Die Option Gruppieren ist deaktiviert, wenn Sie weniger als zwei Objekte auswählen. Die Option Gruppierung aufheben ist nur verfügbar, wenn Sie eine zuvor gruppierte Objektgruppe auswählen. Objekte anordnen Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Symbol Eine Ebene nach vorne oder Eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus. Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Vordergrund bringen : Um ein Objekt(-e) in den Vordergrund zu bringen. Eine Ebene nach vorne : Um ausgewählte Objekte eine Ebene nach vorne zu schieben. Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil Eine Ebene nach hinten in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Hintergrund senden : Um ein Objekt(-e) in den Hintergrund zu schieben. Eine Ebene nach hinten : Um ausgewählte Objekte nur eine Ebene nach hinten zu schieben. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Anordnen aus und nutzen Sie dann eine der verfügbaren Optionen." }, { "id": "UsageInstructions/MathAutoCorrect.htm", @@ -2538,7 +2568,7 @@ var indexes = { "id": "UsageInstructions/MergeCells.htm", "title": "Zellen verbinden", - "body": "Im Tabelleneditor sie können zwei oder mehrere benachbarte Zellen in eine Zelle zusammenführen. Zellen verbinden: Wählen Sie zwei Zellen oder eine Reihe von Zellen mit der Maus aus.Hinweis: Die gewählten Zellen MÜSSEN nebeneinander liegen. Klicken Sie auf das Symbol Verbinden auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie eine der verfügbaren Optionen:Hinweis: Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen. Wenn Sie die Option Verbinden und zentrieren wählen, werden die Zellen aus dem gewählten Bereich zusammengeführt und die Daten in den vereinigten Zellen werden zentriert. Wenn Sie die Option Verbinden über wählen, werden die Zellen jeder Zeile aus dem gewählten Bereich vereinigt und die Daten werden am linken Rand der zusammengeführten Zellen ausgerichtet. Wenn Sie die Option Zellen verbinden wählen, werden die Zellen aus dem gewählten Bereich vereinigt und die Daten werden vertikal am unteren Rand und horizontal am linken Rand ausgerichtet. Um eine vorher vereinigte Zelle zu spalten, wählen Sie die Option Zellverbund aufheben in der Menüliste Zellen verbinden. Die Daten der zusammengeführten Zelle werden in der oberen linken Zelle angezeigt." + "body": "Einleitung Um Ihren Text besser zu positionieren (z. B. den Namen der Tabelle oder ein Langtextfragment in der Tabelle), verwenden Sie das Tool Verbinden und zentrieren im ONLYOFFICE Tabelleneditor. Typ 1. Verbinden und zentrieren Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. Die gewählten Zellen müssen nebeneinander liegen. Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Typ 2. Alle Zellen in der Reihe verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Alle Zellen in der Reihe verbinden aus, um den Text links auszurichten und die Reihen beizubehalten. Typ 3. Zellen verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellen verbinden aus, um die Textausrichtung beizubehalten. Zellverbund aufheben Klicken Sie den Zellverbund an. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellverbund aufheben aus." }, { "id": "UsageInstructions/OpenCreateNew.htm", @@ -2555,6 +2585,21 @@ var indexes = "title": "Pivot-Tabellen erstellen und bearbeiten", "body": "Mit Pivot-Tabellen können Sie große Datenmengen gruppieren und anordnen, um zusammengefasste Informationen zu erhalten. Im Tabelleneditor sie können Daten neu organisieren, um nur die erforderliche Information anzuzeigen und sich auf wichtige Aspekte zu konzentrieren. Eine neue Pivot-Tabelle erstellen Um eine Pivot-Tabelle zu erstellen, Bereiten Sie den Quelldatensatz vor, den Sie zum Erstellen einer Pivot-Tabelle verwenden möchten. Er sollte Spaltenkopfzeilen enthalten. Der Datensatz sollte keine leeren Zeilen oder Spalten enthalten. Wählen Sie eine Zelle im Datenquelle-Bereich aus. Öffnen Sie die Registerkarte Pivot-Tabelle in der oberen Symbolleiste und klicken Sie die Schaltfläche Tabelle einfügen an. Wenn Sie eine Pivot-Tabelle auf der Basis einer formatierten Tabelle erstellen möchten, verwenden Sie die Option Pivot-Tabelle einfügen im Menü Tabelle-Einstellungen in der rechten Randleiste. Das Fenster Pivot-Tabelle erstellen wird geöffnet. Die Option Datenquelle-Bereich wird schon konfiguriert. Alle Daten aus dem ausgewählten Datenquelle-Bereich werden verwendet. Wenn Sie den Bereich ändern möchten (z.B., nur einen Teil der Datenquelle enthalten), klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10. Sie können auch den gewünschten Datenbereich per Maus auswählen. Klicken Sie auf OK. Wählen Sie die Stelle für die Pivot-Tabelle aus. Die Option Neues Arbeitsblatt ist standardmäßig markiert. Die Pivot-Tabelle wird auf einem neuen Arbeitsblatt erstellt. Die Option Existierendes Arbeitsblatt fordert eine Auswahl der bestimmten Zelle. Die ausgewählte Zelle befindet sich in der oberen rechten Ecke der erstellten Pivot-Tabelle. Um eine Zelle auszuwählen, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie die Zelladresse im nachfolgenden Format ein: Sheet1!$G$2. Sie können auch die gewünschte Zelle per Maus auswählen. Klicken Sie auf OK. Wenn Sie die Position für die Pivot-Tabelle ausgewählt haben, klicken Sie auf OK im Fenster Pivot-Tabelle erstellen. Eine leere Pivot-Tabelle wird an der ausgewählten Position eingefügt. Die Registerkarte Pivot-Tabelle Einstellungen wird in der rechten Randleiste geöffnet. Sie können diese Registerkarte mithilfe der Schaltfläche ein-/ausblenden. Wählen Sie die Felder zur Ansicht aus Der Abschnitt Felder auswählen enthält die Felder, die gemäß den Spaltenüberschriften in Ihrem Quelldatensatz benannt sind. Jedes Feld enthält Werte aus der entsprechenden Spalte der Quelltabelle. Die folgenden vier Abschnitte stehen zur Verfügung: Filter, Spalten, Zeilen und Werte. Markieren Sie die Felder, die in der Pivot-Tabelle angezeigt werden sollen. Wenn Sie ein Feld markieren, wird es je nach Datentyp zu einem der verfügbaren Abschnitte in der rechten Randleiste hinzugefügt und in der Pivot-Tabelle angezeigt. Felder mit Textwerten werden dem Abschnitt Zeilen hinzugefügt. Felder mit numerischen Werten werden dem Abschnitt Werte hinzugefügt. Sie können Felder in den erforderlichen Abschnitt ziehen sowie die Felder zwischen Abschnitten ziehen, um Ihre Pivot-Tabelle schnell neu zu organisieren. Um ein Feld aus dem aktuellen Abschnitt zu entfernen, ziehen Sie es aus diesem Abschnitt heraus. Um dem erforderlichen Abschnitt ein Feld hinzuzufügen, können Sie auch auf den schwarzen Pfeil rechts neben einem Feld im Abschnitt Felder auswählen klicken und die erforderliche Option aus dem Menü auswählen: Zu Filtern hinzufügen, Zu Zeilen hinzufügen, Zu Spalten hinzufügen, Zu Werten hinzufügen. Unten sehen Sie einige Beispiele für die Verwendung der Abschnitte Filter, Spalten, Zeilen und Werte. Wenn Sie ein Feld dem Abschnitt Filter hunzufügen, wird ein gesonderter Filter oberhalb der Pivot-Tabelle erstellt. Der Filter wird für die ganze Pivot-Tabelle verwendet. Klicken Sie den Abwärtspfeil im erstellten Filter an, um die Werte aus dem ausgewählten Feld anzuzeigen. Wenn einige der Werten im Filter-Fenster demarkiert werden, klicken Sie auf OK, um die demarkierten Werte in der Pivot-Tabelle nicht anzuzeigen. Wenn Sie ein Feld dem Abschnitt Spalten hinzufügen, wird die Pivot-Tabelle die Anzahl der Spalten enthalten, die dem eingegebenen Wert entspricht. Die Spalte Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Zeile hinzufügen, wird die Pivot-Tabelle die Anzahl der Zeilen enthalten, die dem eingegebenen Wert entspricht. Die Zeile Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Werte hinzufügen, zeogt die Pivot-Table die Gesamtsumme für alle numerischen Werte im ausgewählten Feld an. Wenn das Feld Textwerte enthält, wird die Anzahlt der Werte angezeigt. Die Finktion für die Gesamtsumme kann man in den Feldeinstellungen ändern. Die Felder reorganisieren und anpassen Wenn die Felder hinzugefügt sind, ändern Sie das Layout und die Formatierung der Pivot-Tabelle. Klicken Sie den schwarzen Abwärtspfeil neben dem Feld mit den Abschnitten Filter, Spalten, Zeilen oder Werte an, um das Kontextmenü zu öffnen. Das Menü hat die folgenden Optionen: Das ausgewählte Feld Nach oben, Nach unten, Zum Anfang, Zum Ende bewegen und verschieben, wenn es mehr als ein Feld gibt. Das ausgewählte Feld zum anderen Abschnitt bewegen: Zu Filter, Zu Zeilen, Zu Spalten, Zu Werten. Die Option, die dem aktiven Abschnitt entspricht, wird deaktiviert. Das ausgewählte Feld aus dem aktiven Abschnitt Entfernen. Die Feldeinstellungen konfigurieren. Die Einstellungen für die Filter, Spalten und Zeilen sehen gleich aus: Der Abschnitt Layout enthält die folgenden Einstellungen: Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. Der Abschnitt Report Form ändert den Anzeigemodus des aktiven Felds in der Pivot-Tabelle: Wählen Sie das gewünschte Layout für das aktive Feld in der Pivot-Tabelle aus: Der Modus Tabular zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Der Modus Gliederung zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Die Option zeigt auch Zwischensumme nach oben an. Der Modus Kompakt zeigt Elemente aus verschiedenen Zeilen in einer Spalte an. Die Option Die Überschriften auf jeder Zeile wiederholen gruppiert die Zeilen oder die Spalten zusammen, wenn es viele Felder im Tabular-Modus gibt. Die Option Leere Zeilen nach jedem Element einfügen fügt leere Reihe nach den Elementen im aktiven Feld ein. Die Option Zwischensummen anzeigen ist für die Zwischensummen der ausgewähltenen Felder verantwortlich. Sie können eine der Optionen auswählen: Oben in der Gruppe anzeigen oder Am Ende der Gruppe anzeigen. Die Option Elemente ohne Daten anzeigen blendet die leeren Elemente im aktiven Feld aus-/ein. Der Abschnitt Zwischensumme hat die Funktionen für Zwischensummem. Markieren Sie die gewünschten Funktionen in der Liste: Summe, Anzahl, MITTELWERT, Max, Min, Produkt, Zähle Zahlen, StdDev, StdDevp, Var, Varp. Feldeinstellungen - Werte Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. In der Liste Wert zusammenfassen nach können Sie die Funktion auswählen, nach der der Summierungswert für alle Werte aus diesem Feld berechnet wird. Standardmäßig wird Summe für numerische Werte und Anzahl für Textwerte verwendet. Die verfügbaren Funktionen sind Summe, Anzahl, MITTELWERT, Max, Min, Produkt. Daten gruppieren und Gruppierung aufheben Daten in Pivot-Tabellen können nach benutzerdefinierten Anforderungen gruppiert werden. Für Daten und Nummern ist eine Gruppierung verfügbar. Daten gruppieren Erstellen Sie zum Gruppieren von Daten eine Pivot-Tabelle mit einer Reihe erforderlicher Daten. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einem Datum, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Das erste Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Startpunkt zu ignorieren. Beenden - Das letzte Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Endpunkt zu ignorieren. nach - Die Optionen Sekunden, Minuten und Stunden gruppieren die Daten gemäß der in den Quelldaten angegebenen Zeit. Die Option Monate eliminiert Tage und lässt nur Monate übrig. Die Option Quartale wird unter folgenden Bedingungen ausgeführt: Vier Monate bilden ein Quartal und stellen somit Qtr1, Qtr2 usw. bereit. Die Option Jahre entspricht den in den Quelldaten angegebenen Jahren. Kombinieren Sie die Optionen, um das gewünschte Ergebnis zu erzielen. Anzahl der Tage - Stellen Sie den erforderlichen Wert ein, um einen Datumsbereich zu bestimmen. Klicken Sie auf OK, wenn Sie bereit sind. Nummer gruppieren Erstellen Sie zum Gruppieren von Nummern eine Pivot-Tabelle mit einer Reihe erforderlicher Nummern. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einer Zahl, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Die kleinste Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die kleinste Nummer zu ignorieren. Beenden - Die größte Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die größte Nummer zu ignorieren. nach - Stellt das erforderliche Intervall für die Gruppierung von Nummern ein. Zum Beispiel, \"2\" gruppiert die Nummern von 1 bis 10 als \"1-2\", \"3-4\" usw. Klicken Sie auf OK, wenn Sie bereit sind. Gruppierung von Daten aufheben Um zuvor gruppierte Daten aufzuheben, klicken Sie mit der rechten Maustaste auf eine beliebige Zelle in der Gruppe, wählen Sie im Kontextmenü die Option Gruppierung aufheben. Darstellung der Pivot-Tabellen ändern Verwenden Sie die Optionen aus der oberen Symbolleiste, um die Darstellung der Pivot-Tabellen zu konfigurieren. Diese Optionen sind für die ganze Tabelle verwendet. Wählen Sie mindestens eine Zelle in der Pivot-Tabelle per Mausklik aus, um die Optionen der Bearbeitung zu aktivieren. Wählen Sie das gewünschte Layout für die Pivot-Tabelle in der Drop-Down Liste Berichtslayout aus: In Kurzformat anzeigen - die Elemente aus verschieden Zeilen in einer Spalte anzeigen. In Gliederungsformat anzeigen - die Pivot-Tabelle im klassischen Pivot-Tabellen-Format anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Die Zwischensummen sind nach oben angezeigt. In Tabellenformat anzeigen - die Pivot-Tabelle als eine standardmaßige Tabelle anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Alle Elementnamen wiederholen - Zeilen oder Spalten visuell gruppieren, wenn Sie mehrere Felder in Tabellenform haben. Alle Elementnamen nicht wiederholen - Elementnamen ausblenden, wenn Sie mehrere Felder in der Tabellenform haben. Wählen Sie den gewünschten Anzeigemodus für die leeren Zeilen in der Drop-Down Liste Leere Zeilen aus: Nach jedem Element eine Leerzeile einfügen - fügen Sie die leeren Zeilen nach Elementen ein. Leere Zeilen nach jedem Element entfernen - entfernen Sie die eingefügten Zeilen. Wählen Sie den gewünschten Anzeigemodus für die Zwischensummen in der Drop-Down Liste Teilergebnisse aus: Keine Zwischensummen anzeigen - blenden Sie die Zwischensummen aus. Alle Teilergebnisse unten in der Gruppe anzeigen - die Zwischensummen werden unten angezeigt. Alle Teilergebnisse oben in der Gruppe anzeigen - die Zwischensummen werden oben angezeigt. Wählen Sie den gewünschten Anzeigemodus für die Gesamtergebnisse in der Drop-Down Liste Gesamtergebnisse ein- oder ausblenden aus: Für Zeilen und Spalten deaktiviert - die Gesamtergebnisse für die Spalten und Zeilen ausblenden. Für Zeilen und Spalten aktiviert - die Gesamtergebnisse für die Spalten und Zeilen anzeigen. Nur für Zeilen aktiviert - die Gesamtergebnisse nur für die Zeilen anzeigen. Nur für Spalten aktiviert - die Gesamtergebnisse nur für die Spalten anzeigen. Hinweis: Diese Einstellungen befinden sich auch im Fenster für die erweiterten Einstellungen der Pivot-Tabellen im Abschnitt Gesamtergebnisse in der Registerkarte Name und Layout. Die Schaltfläche Auswählen wählt die ganze Pivot-Tabelle aus. Wenn Sie die Daten in der Datenquelle ändern, wählen Sie die Pivot-Tabelle aus und klicken Sie die Schaltfläche Aktualisieren an, um die Pivot-Tabelle zu aktualisieren. Den Stil der Pivot-Tabellen ändern Sie können die Darstellung von Pivot-Tabellen mithilfe der in der oberen Symbolleiste verfügbaren Stilbearbeitungswerkzeuge ändern. Wählen Sie mindestens eine Zelle per Maus in der Pivot-Tabelle aus, um die Bearbeitungswerkzeuge in der oberen Symbolleiste zu aktivieren. Mit den Optionen für Zeilen und Spalten können Sie bestimmte Zeilen / Spalten hervorheben, eine bestimmte Formatierung anwenden, oder verschiedene Zeilen / Spalten mit unterschiedlichen Hintergrundfarben hervorheben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Zeilenüberschriften - die Zeilenüberschriften mit einer speziellen Formatierung hervorheben. Spaltenüberschriften - die Spaltenüberschriften mit einer speziellen Formatierung hervorheben. Verbundene Zeilen - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Zeilen. Verbundene Spalten - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Spalten. In der Vorlagenliste können Sie einen der vordefinierten Pivot-Tabellenstile auswählen. Jede Vorlage enthält bestimmte Formatierungsparameter wie Hintergrundfarbe, Rahmenstil, Zeilen- / Spaltenstreifen usw. Abhängig von den für Zeilen und Spalten aktivierten Optionen werden die Vorlagen unterschiedlich angezeigt. Wenn Sie beispielsweise die Optionen Zeilenüberschriften und Verbundene Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen, bei denen die Zeilenüberschriften hervorgehoben und die verbundenen Spalten aktiviert sind. Pivot-Tabellen filtern und sortieren Sie können Pivot-Tabellen nach Beschriftungen oder Werten filtern und die zusätzlichen Sortierparameter verwenden. Filtern Klicken Sie auf den Dropdown-Pfeil in den Spaltenbeschriftungen Zeilen oder Spalten in der Pivot-Tabelle. Die Optionsliste Filter wird geöffnet: Passen Sie die Filterparameter an. Sie können auf eine der folgenden Arten vorgehen: Wählen Sie die Daten aus, die angezeigt werden sollen, oder filtern Sie die Daten nach bestimmten Kriterien. Wählen Sie die anzuzeigenden Daten aus Deaktivieren Sie die Kontrollkästchen neben den Daten, die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten in der Optionsliste Filter in aufsteigender Reihenfolge sortiert. Hinweis: Das Kontrollkästchen (leer) entspricht den leeren Zellen. Es ist verfügbar, wenn der ausgewählte Zellbereich mindestens eine leere Zelle enthält. Verwenden Sie das Suchfeld oben, um den Vorgang zu vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein. Die Werte, die diese Zeichen enthalten, werden in der folgenden Liste angezeigt. Die folgenden zwei Optionen sind ebenfalls verfügbar: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Hier können Sie alle Werte auswählen, die Ihrer Angabe in der Liste entsprechen. Dem Filter die aktuelle Auswahl hinzufügen. Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte beim Anwenden des Filters nicht ausgeblendet. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie in der Optionsliste Filter auf die Schaltfläche OK, um den Filter anzuwenden. Filtern Sie Daten nach bestimmten Kriterien Sie können entweder die Option Beschriftungsfilter oder die Option Wertefilter auf der rechten Seite der Optionsliste Filter auswählen und dann auf eine der Optionen aus dem Menü klicken: Für den Beschriftungsfilter stehen folgende Optionen zur Verfügung: Für Texte: Entspricht..., Ist nicht gleich..., Beginnt mit ..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält... , Enthält kein/keine.... Für Zahlen: Größer als ..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen. Für den Wertefilter stehen folgende Optionen zur Verfügung: Entspricht..., Ist nicht gleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen, Erste 10. Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer Erste 10), wird das Fenster Beschriftungsfilter/Wertefilter geöffnet. Das entsprechende Feld und Kriterium wird in der ersten und zweiten Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Erste 10 aus der Optionsliste Wertefilter auswählen, wird ein neues Fenster geöffnet: In der ersten Dropdown-Liste können Sie auswählen, ob Sie den höchsten (Oben) oder den niedrigsten (Unten) Wert anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). In der dritten Dropdown-Liste können Sie die Maßeinheiten festlegen: Element oder Prozent. In der vierten Dropdown-Liste wird der ausgewählte Feldname angezeigt. Sobald die erforderlichen Parameter festgelegt sind, klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle angezeigt. Dies bedeutet, dass der Filter angewendet wird. Sortierung Sie können die Pivot-Tabellendaten sortieren. Klicken Sie auf den Dropdown-Pfeil in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle und wählen Sie dann im Menü die Option Aufsteigend sortieren oder Absteigend sortieren aus. Mit der Option Mehr Sortierungsoptionen können Sie das Fenster Sortieren öffnen, in dem Sie die erforderliche Sortierreihenfolge auswählen können - Aufsteigend oder Absteigend - und wählen Sie dann ein bestimmtes Feld aus, das Sie sortieren möchten. Datenschnitte einfügen Sie können Datenschnitte hinzufügen, um die Daten einfacher zu filtern, indem Sie nur das anzeigen, was benötigt wird. Um mehr über Datenschnitte zu erfahren, lesen Sie bitte diese Anelitung. Erweiterte Einstellungen der Pivot-Tabelle konfigurieren Verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Randleiste, um die erweiterten Einstellungen der Pivot-Tabelle zu ändern. Das Fenster 'Pivot-Tabelle - Erweiterte Einstellungen' wird geöffnet: Der Abschnitt Name und Layout ändert die gemeinsamen Eigenschaften der Pivot-Tabelle. Die Option Name ändert den Namen der Pivot-Tabelle. Der Abschnitt Gesamtsummen ändert den Anzeigemodus der Gesamtsummen in der Pivot-Tabelle. Die Optionen Für Zeilen anzeigen und Für Spalten anzeigen werden standardmäßig aktiviert. Sie können eine oder beide Optionen deaktivieren, um die entsprechenden Gesamtsummen auszublenden. Hinweis: Diese Einstellungen können Sie auch in der oberen Symbolleiste im Menü Gesamtergebnisse konfigurieren. Der Abschnitt Felder in Bericht Filter anzeigen passt die Berichtsfilter an, die angezeigt werden, wenn Sie dem Abschnitt Filter Felder hinzufügen: Die Option Runter, dann über ist für die Spaltenbearbeitung verwendet. Die Berichtsfilter werden in der Spalte angezeigt. Die Option Über, dann runter ist für die Zeilenbearbeitung verwendet. Die Berichtsfilter werden in der Zeile angezeigt. Die Option Berichtsfilterfelder pro Spalte lässt die Anzahl der Filter in jeder Spalte auswählen. Der Standardwert ist 0. Sie können den erforderlichen numerischen Wert einstellen. Im Abschnitt Feld Überschrift können Sie auswählen, ob Feldüberschriften in der Pivot-Tabelle angezeigt werden sollen. Die Option Feldüberschriften für Zeilen und Spalten anzeigen ist standardmäßig aktiviert. Deaktivieren Sie diese Option, um Feldüberschriften aus der Pivot-Tabelle auszublenden. Der Abschnitt Datenquelle ändert die verwendeten Daten für die Pivot-Tabelle. Prüfen Sie den Datenbereich und ändern Sie ihn gegebenfalls. Um den Datenbereich zu ändern, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den gewünschten Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10 oder verwenden Sie die Maus. Klicken Sie auf OK. Der Abschnitt Alternativer Text konfiguriert den Titel und die Beschreibung. Diese Optionen sind für die Benutzer mit Seh- oder kognitiven Beeinträchtigungen verfügbar, damit sie besser verstehen, welche Informationen die Pivot-Tabelle enthält. Eine Pivot-Tabelle löschen Um eine Pivot-Tabelle zu löschen, Wählen Sie die ganze Pivot-Tabelle mithilfe der Schaltfläche Auswählen in der oberen Symbolleiste aus. Drucken Sie die Entfernen-Taste." }, + { + "id": "UsageInstructions/ProtectSheet.htm", + "title": "Blatt ändern", + "body": "Mit der Option Blatt schützen können Sie die Blätter schützen und von anderen Benutzern in einem Blatt vorgenommene Änderungen verwalten, um unerwünschte Änderungen an Daten zu verhindern und die Bearbeitungsmöglichkeiten anderer Benutzer einzuschränken. Sie können ein Blatt mit oder ohne Kennwort schützen. Wenn Sie kein Kennwort verwenden, kann jeder den Schutz des geschützten Blatts aufheben. Um ein Blatt zu schützen, Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Blatt schützen oder Klicken Sie mit der rechten Maustaste auf die Tabellenregisterkarte, die Sie schützen möchten, und wählen Sie Schützen aus der Liste der Optionen. Geben Sie im geöffneten Fenster Blatt schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben. Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf. Aktivieren Sie die Kontrollkästchen in der Liste Alle Benutzer dieser Arbeitsblätter können, um Vorgänge auszuwählen, die Benutzer ausführen können. Die Operationen Gesperrte Zellen auswählen und Aufgesperrte Zellen auswählen sind standardmäßig erlaubt. Operationen, die ein Benutzer ausführen kann. Gesperrte Zellen auswählen Entsperrte Zellen auswählen Zellen formatieren Spalten formatieren Zeilen formatieren Spalten einfügen Zeilen einfügen Hyperlink einfügen Spalten löschen Zeilen löschen Sortieren AutoFilter verwenden PivotTable und PivotChart verwenden Objekte bearbeiten Szenarien bearbeiten Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald das Blatt geschützt ist. Um den Schutz des Blatts aufzuheben, klicken Sie auf die Schaltfläche Blatt schützen oder klicken Sie mit der rechten Maustaste auf die Registerkarte des geschützten Blatts und wählen Sie Entschützen aus der Liste der Optionen Geben Sie ein Kennwort ein und klicken Sie im Fenster Liste entschützen auf OK, wenn Sie dazu aufgefordert werden." + }, + { + "id": "UsageInstructions/ProtectSpreadsheet.htm", + "title": "Kalkulationstabelle schützen", + "body": "Die Tabellenkalkulation bietet Sie die Möglichkeit, eine freigegebene Tabelle zu schützen, wenn Sie den Zugriff oder die Bearbeitungsfunktionen für andere Benutzer einschränken möchten. Die Tabellenkalkulation bietet verschiedene Schutzstufen, um sowohl den Zugriff auf die Datei als auch die Bearbeitungsfunktionen innerhalb einer Arbeitsmappe und innerhalb der Blätter zu verwalten. Verwenden Sie die Registerkarte Schutz, um die verfügbaren Schutzoptionen nach Belieben zu konfigurieren. Die verfügbaren Schutzoptionen umfassen: Verschlüsseln, um den Zugriff auf die Datei zu verwalten und zu verhindern, dass sie von anderen Benutzern geöffnet wird. Arbeitsmappe schützen, um Benutzermanipulationen mit der Arbeitsmappe zu verwalten und unerwünschte Änderungen an der Arbeitsmappenstruktur zu verhindern. Kalkulationstabelle schützen, um die Benutzeraktionen innerhalb einer Tabelle zu verwalten und unerwünschte Änderungen an Daten zu verhindern. Bearbeitung der Bereiche erlauben, um Zellbereiche anzugeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann. Verwenden Sie die Kontrollkästchen der Registerkarte Schutz, um den Blattinhalt in einem geschützten Blatt schnell zu sperren oder zu entsperren. Hinweis: Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren. Standardmäßig sind die Zellen, die Formen und der Text innerhalb einer Form in einem Blatt gesperrt. Deaktivieren Sie das entsprechende Kontrollkästchen, um sie zu entsperren. Die entsperrten Objekte können weiterhin bearbeitet werden, wenn ein Blatt geschützt ist. Die Optionen Gesperrte Form und Text sperren werden aktiv, wenn eine Form ausgewählt wird. Die Option Gesperrte Form gilt sowohl für Formen als auch für andere Objekte wie Diagramme, Bilder und Textfelder. Die Option Text sperren sperrt Text in allen grafischen Objekten außer in Diagrammen. Aktivieren Sie das Kontrollkästchen Ausgeblendete Formeln, um Formeln in einem ausgewählten Bereich oder einer Zelle auszublenden, wenn ein Blatt geschützt ist. Die ausgeblendete Formel wird nicht in der Bearbeitungsleiste angezeigt, wenn Sie auf die Zelle klicken." + }, + { + "id": "UsageInstructions/ProtectWorkbook.htm", + "title": "Arbeitsmappe schützen", + "body": "Mit der Option Arbeitsmappe schützen können Sie die Arbeitsmappenstruktur schützen und die Manipulationen der Arbeitsmappe durch Benutzer verwalten, sodass niemand ausgeblendete Arbeitsblätter anzeigen, hinzufügen, verschieben, löschen, ausblenden und umbenennen kann. Sie können die Arbeitsmappe mit oder ohne Kennwort schützen. Wenn Sie kein Kennwort verwenden, kann jeder den Schutz der Arbeitsmappe aufheben. Um die Arbeitsmappe zu schützen, Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Arbeitsmappe schützen. Geben Sie im geöffneten Fenster Arbeitsmappenstruktur schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieser Arbeitsmappe aufzuheben. Klicken Sie auf die Schaltfläche Schützen, um den Schutz mit oder ohne Kennwort zu aktivieren. Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf. Die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald die Arbeitsmappe geschützt ist. Um den Schutz der Arbeitsmappe aufzuheben, klicken Sie bei einer kennwortgeschützten Arbeitsmappe auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste, geben Sie das Kennwort in das Pop-Up-Fenster Arbeitsmappe entschützen ein und klicken Sie auf OK. mit einer ohne Kennwort geschützten Arbeitsmappe klicken Sie einfach auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste." + }, { "id": "UsageInstructions/RemoveDuplicates.htm", "title": "Duplikate entfernen", @@ -2563,7 +2608,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Kalkulationstabelle speichern/drucken/herunterladen", - "body": "Speichern Standardmäßig speichert der Online-Tabelleneditor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelles Tabelle manuell im aktuellen Format im aktuellen Verzeichnis speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.Hinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen). Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Aktuelle Kalkulationstabelle drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. Im Fenster Druckeinstellungen können Sie die Standarddruckeinstellungen ändern. Klicken Sie am unteren Rand des Fensters auf die Schaltfläche Details anzeigen, um alle Parameter anzuzeigen. Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Seiteneinstellungen: Einige dieser Einstellungen (Seitenränder, Seitenausrichtung und Seitengröße sowie Druckbereich) sind auch in der Registerkarte Layout auf der oberen Symbolleiste verfügbar. Hier können Sie die folgenden Parameter festlegen: Druckbereich - geben Sie an, was Sie drucken möchten: das gesamte aktive Blatt, die gesamte Arbeitsmappe oder einen vorher gewählten Zellenbereich (Auswahl).Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, nun aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren. Blatteinstellungen - legen Sie für jedes einzelne Blatt individuelle Druckeinstellungen fest, wenn Sie vorher die Option Arbeitsmappe in der Menüliste für den Druckbereich ausgewählt haben. Seitenformat - wählen Sie eine der verfügbaren Größen aus der Menüliste aus. Seitenorientierung - wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder die Option Querformat, um horizontal zu drucken. Skalierung - wenn Sie nicht möchten, dass anhängende Spalten oder Zeilen auf einer zweiten Seite gedruckt werden, können Sie den Inhalt des Blatts auf eine Seite verkleinern, indem Sie die entsprechende Option auswählen: Tabelle auf eine Seite anpassen, Alle Spalten auf einer Seite oder Alle Zeilen auf einer Seite. Wenn Sie keine Anpassung vornehmen wollen, wählen Sie die Option Keine Skalierung. Ränder - geben Sie den Abstand zwischen der Blattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Drucken - geben Sie die Blattelemente an, die gedruckt werden sollen, indem Sie die entsprechenden Felder aktivieren: Gitternetzlinien drucken und Zellen- und Spaltenüberschriften drucken. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken. Einige Browser (z. B. Chrome und Opera) unterstützen Direktdruck. Druckbereich festlegen Wenn Sie nur einen ausgewählten Zellbereich anstelle des gesamten Arbeitsblatts drucken möchten, können Sie diesen mit der Option Auswahl in der Dropdown-Liste Druckbereich festlegen. Wird die Arbeitsmappe gespeichert so wird diese Einstellung nicht übernommen. Sie ist für die einmalige Verwendung vorgesehen. Wenn ein Zellbereich häufig gedruckt werden soll, können Sie im Arbeitsblatt einen konstanten Druckbereich festlegen. Wird die Arbeitsmappe nun gespeichert, wird auch der Druckbereich gespeichert und kann beim nächsten Öffnen der Tabelle verwendet werden. Es ist auch möglich mehrere konstante Druckbereiche auf einem Blatt festzulegen. In diesem Fall wird jeder Bereich auf einer separaten Seite gedruckt. Einen Druckbereich festlegen: wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus: Um mehrere Zellen auszuwählen, drücken Sie die Taste STRG und halten Sie diese gedrückt. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Wenn Sie die Arbeitsmappe speichern, wird der festgelegte Druckbereich ebenfalls gespeichert. Wenn Sie die Datei das nächste Mal öffnen, wird der festgelegte Druckbereich gedruckt. Hinweis: wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus. Zellen in einen Druckbereich einfügen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Ein neuer Druckbereich wird hinzugefügt. Jeder Druckbereich wird auf einer separaten Seite gedruckt. Einen Druckbereich löschen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Alle auf diesem Blatt vorhandenen Druckbereiche werden entfernt. Anschließend wird die gesamte Arbeitsmappe gedruckt." + "body": "Speichern Standardmäßig speichert die Online-Tabellenkalkulation Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Um die aktuelle Tabelle manuell im aktuellen Format im aktuellen Verzeichnis zu speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen). Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Um die aktuelle Kalkulationstabelle zu drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. Die Tabellenkalkulation Vorschau und die verfügbaren Druckoptionen werden geöffnet. Einige dieser Einstellungen (Ränder, Seitenorientierung, Skalierung, Druckbereich sowie An Format anpassen) sind auch auf der Registerkarte Layout der oberen Symbolleiste verfügbar. Hier können Sie folgende Parameter anpassen: Druckbereich: Geben Sie an, was gedruckt werden soll: Aktuelles Blatt, Alle Blätter oder Auswahl. Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren. Blatteinstellungen: Legen Sie die individuellen Druckeinstellungen für jedes einzelne Blatt fest, wenn Sie die Option Alle Blätter in der Drop-Down-Liste Druckbereich ausgewählt haben. Seitenformat: Wählen Sie eine der verfügbaren Größen aus der Drop-Down-Liste aus. Seitenorientierung: Wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder verwenden Sie die Option Querformat, um horizontal zu drucken. Skalierung: Wenn Sie nicht möchten, dass einige Spalten oder Zeilen auf der zweiten Seite gedruckt werden, können Sie den Blattinhalt verkleinern, damit er auf eine Seite passt, indem Sie die entsprechende Option auswählen: Tatsächliche Größe, Blatt auf einer Seite darstellen, Alle Spalten auf einer Seite darstellen oder Alle Zeilen auf einer Seite darstellen. Belassen Sie die Option Tatsächliche Größe, um das Blatt ohne Anpassung zu drucken. Wenn Sie im Menü den Punkt Benutzerdefinierte Optionen wählen, öffnet sich das Fenster Maßstab-Einstellungen: Anpassen an: Sie können die erforderliche Anzahl von Seiten auswählen, auf die das gedruckte Arbeitsblatt passen soll. Wählen Sie die erforderliche Seitenzahl aus den Listen Breite und Höhe aus. Anpassen an: Sie können den Maßstab des Arbeitsblatts vergrößern oder verkleinern, um ihn an gedruckte Seiten anzupassen, indem Sie den Prozentsatz der normalen Größe manuell angeben. Drucke Titel: Wenn Sie Zeilen- oder Spaltentitel auf jeder Seite drucken möchten, verwenden Sie die Optionen Zeilen am Anfang wiederholen und/oder Spalten links wiederholen, um die Zeile und die Spalte mit dem zu wiederholenden Titel anzugeben, und wählen Sie eine der verfügbaren Optionen aus der Drop-Down-Liste aus: Eingefrorene Zeilen/Spalten, Erste Zeile/Spalte oder Nicht wiederholen. Ränder: Geben Sie den Abstand zwischen den Arbeitsblattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Gitternetzlinien und Überschriften: Geben Sie die zu druckenden Arbeitsblattelemente an, indem Sie die entsprechenden Kontrollkästchen aktivieren: Gitternetzlinien drucken und Zeilen- und Spaltenüberschriften drucken. Kopf- und Fußzeileneinstellungen – ermöglichen das Hinzufügen einiger zusätzlicher Informationen zu einem gedruckten Arbeitsblatt, wie z. B. Datum und Uhrzeit, Seitenzahl, Blattname usw. Nachdem Sie die Druckeinstellungen konfiguriert haben, klicken Sie auf die Schaltfläche Drucken, um die Änderungen zu speichern und die Tabelle auszudrucken, oder auf die Schaltfläche Speichern, um die an den Druckeinstellungen vorgenommenen Änderungen zu speichern. Alle von Ihnen vorgenommenen Änderungen gehen verloren, wenn Sie die Tabelle nicht drucken oder die Änderungen speichern. In der Tabellenkalkulation Vorschau können Sie mithilfe der Pfeile unten in einer Tabelle navigieren, um zu sehen, wie Ihre Daten beim Drucken auf einem Blatt angezeigt werden, und um eventuelle Fehler mithilfe der obigen Druckeinstellung zu korrigieren. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Sie können sie öffnen und ausdrucken oder auf der Festplatte Ihres Computers oder einem Wechselmedium speichern, um sie später auszudrucken. Einige Browser (z. B. Chrome und Opera) unterstützen das direkte Drucken. Druckbereich festlegen Wenn Sie nur einen ausgewählten Zellbereich anstelle des gesamten Arbeitsblatts drucken möchten, können Sie diesen mit der Option Auswahl in der Dropdown-Liste Druckbereich festlegen. Wird die Arbeitsmappe gespeichert so wird diese Einstellung nicht übernommen. Sie ist für die einmalige Verwendung vorgesehen. Wenn ein Zellbereich häufig gedruckt werden soll, können Sie im Arbeitsblatt einen konstanten Druckbereich festlegen. Wird die Arbeitsmappe nun gespeichert, wird auch der Druckbereich gespeichert und kann beim nächsten Öffnen der Tabelle verwendet werden. Es ist auch möglich mehrere konstante Druckbereiche auf einem Blatt festzulegen. In diesem Fall wird jeder Bereich auf einer separaten Seite gedruckt. Um einen Druckbereich festzulegen: wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus: Um mehrere Zellen auszuwählen, drücken Sie die Taste STRG und halten Sie diese gedrückt. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Wenn Sie die Arbeitsmappe speichern, wird der festgelegte Druckbereich ebenfalls gespeichert. Wenn Sie die Datei das nächste Mal öffnen, wird der festgelegte Druckbereich gedruckt. Wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus. Um die Zellen in einen Druckbereich einzufügen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Ein neuer Druckbereich wird hinzugefügt. Jeder Druckbereich wird auf einer separaten Seite gedruckt. Um einen Druckbereich zu löschen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Alle auf diesem Blatt vorhandenen Druckbereiche werden entfernt. Anschließend wird die gesamte Arbeitsmappe gedruckt." }, { "id": "UsageInstructions/ScaleToFit.htm", @@ -2573,7 +2618,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Tabellenansichten verwalten", - "body": "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 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." + "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", @@ -2585,6 +2630,11 @@ var indexes = "title": "Daten filtern und sortieren", "body": "Daten sortieren Sie können Ihre Daten in einer Tabelleneditor mithilfe der verfügbaren Optionen schnell sortieren: Aufsteigend wird genutzt, um Ihre Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von den kleinsten bis zu den größten nummerischen Werten. Absteigend wird genutzt, um Ihre Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von den größten bis zu den kleinsten nummerischen Werten. Daten sortieren: Wählen Sie den Zellenbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle in einem Bereich auswählen, um den gesamten Bereich zu sortieren. Klicken Sie auf das Symbol Von A bis Z sortieren in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in aufsteigender Reihenfolge zu sortieren, ODER klicken Sie auf das Symbol Von Z bis A sortieren in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in absteigender Reihenfolge zu sortieren. Hinweis: Wenn Sie eine einzelne Spalte / Zeile innerhalb eines Zellenbereichs oder eines Teils der Spalte / Zeile auswählen, werden Sie gefragt, ob Sie die Auswahl um benachbarte Zellen erweitern oder nur die ausgewählten Daten sortieren möchten. Sie können Ihre Daten auch mit Hilfe der Optionen im Kontextmenü sortieren. Klicken Sie mit der rechten Maustaste auf den ausgewählten Zellenbereich, wählen Sie im Menü die Option Sortieren und dann im Untermenü auf die gewünschte Option Aufsteigend oder Absteigend. Mithilfe des Kontextmenüs können Sie die Daten auch nach Farbe sortieren. Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Daten filtern Um nur Zeilen anzuzeigen die bestimmten Kriterien entsprechen, nutzen Sie die Option Filter.Filter aktivieren: Wählen Sie den Zellenbereich aus, der die Daten enthält, die Sie filtern möchten (Sie können eine einzelne Zelle in einem Zellbereich auswählen, um den gesamten Zellbereich zu filter). Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter .Ein nach unten gerichteter Pfeil wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. So können Sie erkennen, dass der Filter aktiviert ist. Einen Filter anwenden: Klicken Sie auf den Filterpfeil . Die Liste mit den Filter-Optionen wird angezeigt: Passen Sie die Filterparameter an. Folgende Optionen stehen Ihnen zur Verfügung: Anzuzeigende Daten auswählen; Daten nach bestimmten Kriterien filtern oder Daten nach Farben filtern. Anzuzeigende Daten auswählen:Deaktivieren Sie die Felder neben den Daten die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten neben dem Fenster Filter in absteigender Reihenfolge dargestellt. Hinweis: das Kästchen {Leerstellen} bezieht sich auf leere Zellen. Es ist verfügbar, wenn der ausgewählte Zellenbereich mindestens eine leere Zelle enthält. Über das oben befindliche Suchfeld, können Sie den Prozess vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein und drücken Sie dann auf OK - die Werte, die die gesuchten Zeichen enthalten, werden in der Liste unten angezeigt. Außerdem stehen Ihnen die zwei folgenden Optionen zur Verfügung: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Diese Option ermöglicht Ihnen alle Werte auszuwählen, die Ihrer Abfrage in der Liste entsprechen. Aktuelle Auswahl zum Filtern hinzufügen - Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte nicht ausgeblendet, wenn Sie den Filter anwenden. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie auf die Schaltfläche OK in der Optionsliste Filter, um den Filter anzuwenden. Daten nach bestimmten Kriterien filternAbhängig von den Daten, die in der ausgewählten Spalte enthalten sind, können Sie im rechten Teil der Liste der Filteroptionen entweder die Option Zahlenfilter oder die Option Textfilter auswählen und dann eine der Optionen aus dem Untermenü auswählen: Für Zahlenfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Top 10, Größer als der Durchschnitt, Kleiner als der Durchschnitt, Benutzerdefinierter Filter.... Für Textfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Beginnt mit..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält..., Enthält nicht..., Benutzerdefinierter Filter.... Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer den Optionen Top 10 und Größer/ Kleiner als Durchschnitt), öffnet sich das Fenster Benutzerdefinierter Filter. Das entsprechende Kriterium wird in der oberen Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Um ein weiteres Kriterium hinzuzufügen, verwenden Sie das Optionsfeld Und, wenn Sie die Daten benötigen, um beide Kriterien zu erfüllen, oder klicken Sie auf das Optionsfeld Oder, wenn eines oder beide Kriterien erfüllt werden können. Wählen Sie dann das zweite Kriterium aus der unteren Auswahlliste und geben Sie den erforderlichen Wert rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Benutzerdefinierter Filter... aus der Optionsliste Zahlen-/ Textfilter wählen, wird das erste Kriterium nicht automatisch ausgewählt, Sie können es selbst festlegen. Wenn Sie die Option Top 10 aus dem Zahlenfilter auswählen, öffnet sich ein neues Fenster: In der ersten Dropdown-Liste können Sie auswählen, ob Sie die höchsten (Oben) oder niedrigsten (Unten) Werte anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). Die dritte Drop-Down-Liste erlaubt die Einstellung von Maßeinheiten: Element oder Prozent. Nach der Einstellung der erforderlichen Parameter, klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Größer/Kleiner als Durchschnitt aus dem Zahlenfilter auswählen, wird der Filter sofort angewendet. Daten nach Farbe filternWenn der Zellenbereich, den Sie filtern möchten, Zellen mit einem formatierten Hintergrund oder einer geänderten Schriftfarbe enthalten (manuell oder mithilfe vordefinierter Stile), stehen Ihnen die folgenden Optionen zur Verfügung: Nach Zellenfarbe filtern - nur die Einträge mit einer bestimmten Zellenhintergrundfarbe anzeigen und alle anderen verbergen. Nach Schriftfarbe filtern - nur die Einträge mit einer bestimmten Schriftfarbe anzeigen und alle anderen verbergen. Wenn Sie die erforderliche Option auswählen, wird eine Palette geöffnet, die alle im ausgewählten Zellenbereich verwendeten Farben anzeigt. Klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. Das bedeutet, dass der Filter aktiviert ist. Die Anzahl der gefilterten Datensätze wird in der Statusleiste angezeigt (z. B. 25 von 80 gefilterten Datensätzen). Hinweis: Wenn der Filter angewendet wird, können die ausgefilterten Zeilen beim automatischen Ausfüllen, Formatieren und Löschen der sichtbaren Inhalte nicht geändert werden. Solche Aktionen betreffen nur die sichtbaren Zeilen, die Zeilen, die vom Filter ausgeblendet werden, bleiben unverändert. Beim Kopieren und Einfügen der gefilterten Daten können nur sichtbare Zeilen kopiert und eingefügt werden. Dies entspricht jedoch nicht manuell ausgeblendeten Zeilen, die von allen ähnlichen Aktionen betroffen sind. Gefilterte Daten sortieren Sie können die Sortierreihenfolge der Daten festlegen, für die Sie den Filter aktiviert oder angewendet haben. Klicken Sie auf den Pfeil oder auf das Smbol Filter und wählen Sie eine der Optionen in der Liste der für Filter zur Verfügung stehenden Optionen aus: Von niedrig zu hoch - Daten in aufsteigender Reihenfolge sortieren, wobei der niedrigste Wert oben in der Spalte angezeigt wird. Von hoch zu niedrig - Daten in absteigender Reihenfolge sortieren, wobei der höchste Wert oben in der Spalte angezeigt wird. Nach Zellfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Zellfarbe oben in der Spalte anzeigen. Nach Schriftfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Schriftfarbe oben in der Spalte anzeigen. Die letzten beiden Optionen können verwendet werden, wenn der zu sortierende Zellenbereich Zellen enthält, die Sie formatiert haben und deren Hintergrund oder Schriftfarbe geändert wurde (manuell oder mithilfe vordefinierter Stile). Die Sortierrichtung wird durch die Pfeilrichtung des jeweiligen Filters angezeigt. Wenn die Daten in aufsteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Wenn die Daten in absteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Sie können die Daten auch über das Kontextmenü nach Farbe sortieren: Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Nach ausgewählten Zelleninhalten filtern. Sie können die Daten auch über das Kontextmenü nach bestimmten Inhalten filtern: Klicken Sie mit der rechten Maustaste auf eine Zelle, wählen Sie die Filteroptionen aus dem Menü aus und wählen Sie anschließend eine der verfügbaren Optionen: Nach dem Wert der ausgewählten Zelle filtern - es werden nur Einträge angezeigt, die denselben Wert wie die ausgewählte Zelle enthalten. Nach Zellfarbe filtern - es werden nur Einträge mit derselben Zellfarbe wie die ausgewählte Zelle angezeigt. Nach Schriftfarbe filtern - es werden nur Einträge mit derselben Schriftfarbe wie die ausgewählte Zelle angezeigt. Wie Tabellenvorlage formatieren Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu vor wie folgt: Wählen sie einen Zellenbereich, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Start auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Gallerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titel, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellbereich um eine Zeile nach unten verschoben wird. Klicken Sie auf OK, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Hinweis: wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname zugewiesen (Tabelle1, Tabelle2 usw.). Sie können den Namen ändern und für weitere Bearbeitungen verwenden. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie auf die angezeigte Schaltfläche und wählen Sie die Option Automatische Erweiterung rückgängig machen. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und auf das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten, haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Gesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie auf die Schaltfläche Daten auswählen - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellbereich im Eingabefeld oder wählen Sie den gewünschten Zellbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie anschließend auf OK. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchzuführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Hinweis: die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind. Filter erneut anwenden: Wenn die gefilterten Daten geändert wurden, können Sie den Filter aktualisieren, um ein aktuelles Ergebnis anzuzeigen: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter erneut anwenden in der geöffneten Liste mit den Filteroptionen aus. Sie können auch mit der rechten Maustaste auf eine Zelle innerhalb der Spalte klicken, die die gefilterten Daten enthält, und im Kontextmenü die Option Filter erneut anwenden auswählen. Filter leeren Angewendete Filter leeren: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter leeren in der geöffneten Liste mit den Filteroptionen aus. Alternativ gehen Sie vor wie folgt: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter leeren . Der Filter bleibt aktiviert, aber alle angewendeten Filterparameter werden entfernt und die Schaltflächen Filter in den ersten Zellen der Spalten werden in die Filterpfeile geändert. Filter entfernen Einen Filter entfernen: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter . Der Filter werde deaktiviert und die Filterpfeile verschwinden aus den ersten Zellen der Spalten." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Unterstützung von SmartArt in der ONLYOFFICE-Tabellenkalkulation", + "body": "SmartArt-Grafiken werden verwendet, um eine visuelle Darstellung einer hierarchischen Struktur zu erstellen, indem ein Layout ausgewählt wird, das am besten passt. ONLYOFFICE Tabellenkalkulation unterstützt SmartArt-Grafiken, die mit Editoren von Drittanbietern eingefügt wurden. Sie können eine Datei öffnen, die SmartArt enthält, und sie mit den verfügbaren Bearbeitungswerkzeugen als Grafikobjekt bearbeiten. Sobald Sie auf eine SmartArt-Grafik oder ihr Element klicken, werden die folgenden Registerkarten in der rechten Seitenleiste aktiv, um ein Layout anzupassen: Form-Einstellungen, um die in einem Layout verwendeten Formen zu konfigurieren. Sie können Formen ändern, die Füllung, die Striche, die Größe, den Umbruchstil, die Position, die Stärken und Pfeile, das Textfeld und den alternativen Text bearbeiten. Paragraf-Einstellungen zum Konfigurieren von Einzügen und Abständen, Zeilen- und Seitenumbrüchen, Rahmen und Füllungen, Schriftarten, Tabulatoren und Auffüllungen. Sehen Sie den Abschnitt Paragraf-Einstellungen für eine detaillierte Beschreibung jeder Option. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. TextArt-Einstellungen, um den Textartstil zu konfigurieren, der in einer SmartArt-Grafik verwendet wird, um den Text hervorzuheben. Sie können die TextArt-Vorlage, den Fülltyp, die Farbe und die Undurchsichtigkeit, die Strichgröße, die -Farbe und den -Typ ändern. Diese Registerkarte wird nur für SmartArt-Elemente aktiv. Klicken Sie mit der rechten Maustaste auf die SmartArt-Grafik oder ihren Elementrahmen, um auf die folgenden Formatierungsoptionen zuzugreifen: Anordnen, um die Objekte mit den folgenden Optionen anzuordnen: In den Vordergrund bringen, In den Hintergrund, Eine Ebene nach vorne, Eine Ebene nach hinten, Gruppieren und Gruppierung aufheben. Die Anordnungsmöglichkeiten hängen davon ab, ob die SmartArt-Elemente gruppiert sind oder nicht. Drehen, um die Drehrichtung für das ausgewählte Element auf einer SmartArt-Grafik auszuwählen: 90° im UZS drehen, Um 90° gegen den Uhrzeigersinn drehen, Horizontal kippen, Vertikal kippen. Diese Option wird nur für SmartArt-Elemente aktiv. Makro zuweisen, um einen schnellen und einfachen Zugriff auf ein Makro innerhalb einer Tabelle zu ermöglichen. Erweiterte Einstellungen der Form, um auf zusätzliche Formformatierungsoptionen zuzugreifen. Klicken Sie mit der rechten Maustaste auf ein SmartArt-Grafikelement, um auf die folgenden Textformatierungsoptionen zuzugreifen: Vertikale Ausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements zu wählen: Oben ausrichten, Mittig ausrichten, Unten ausrichten. Textausrichtung, um die Textausrichtung innerhalb des ausgewählten SmartArt-Elements auszuwählen: Horizontal, Text nach unten drehen, Text nach oben drehen. Hyperlink, um einen Hyperlink zum SmartArt-Element hinzuzufügen. Erweiterte Paragraf-Einstellungen, um auf zusätzliche Absatzformatierungsoptionen zuzugreifen." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Wort durch Synonym ersetzen", @@ -2608,7 +2658,7 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Dateiinformationen anzeigen", - "body": "Für detaillierte Informationen über die bearbeitete Tabelle im Tabelleneditor, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen. Allgemeine Eigenschaften Die Dateiinformationen umfassen den Titel und die Anwendung mit der die Tabelle erstellt wurde. In der Online-Version werden zusätzlich die folgenden Informationen angezeigt: Autor, Ort, Erstellungsdatum. Hinweis: Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen..., geben Sie den neuen Dateinamen an und klicken Sie auf OK. Zugriffsrechte In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen. Hinweis: Diese Option steht im schreibgeschützten Modus nicht zur Verfügung. Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte... in der linken Seitenleiste. Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern. Um das Fenster Datei zu schließen und in den Bearbeitungsmodus zurückzukehren, klicken sie auf Menü schließen." + "body": "Für detaillierte Informationen über die bearbeitete Tabelle in der Tabellenkalkulation, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen. Allgemeine Eigenschaften Die Tabellenkalkulationsinformationen umfassen eine Reihe von Dateieigenschaften, die die Tabellenkalkulation beschreiben. Einige dieser Eigenschaften werden automatisch aktualisiert und einige können bearbeitet werden. Speicherort - der Ordner im Modul Dokumente, in dem die Datei gespeichert ist. Besitzer – der Name des Benutzers, der die Datei erstellt hat. Hochgeladen – Datum und Uhrzeit der Erstellung der Datei. Diese Eigenschaften sind nur in der Online-Version verfügbar. Title, Thema, Kommentar - diese Eigenschaften ermöglichen es Ihnen, die Klassifizierung Ihrer Dokumente zu vereinfachen. Den erforderlichen Text können Sie in den Eigenschaftsfeldern angeben. Zuletzt geändert - Datum und Uhrzeit der letzten Änderung der Datei. Zuletzt geändert von - der Name des Benutzers, der die letzte Änderung an der Tabelle vorgenommen hat, wenn die Tabelle freigegeben wurde und von mehreren Benutzern bearbeitet werden kann. Anwendung - die Anwendung, mit der die Tabelle erstellt wurde. Autor - die Person, die die Datei erstellt hat. In dieses Feld können Sie den erforderlichen Namen eingeben. Drücken Sie die Eingabetaste, um ein neues Feld hinzuzufügen, in dem Sie einen weiteren Autor angeben können. Wenn Sie die Dateieigenschaften geändert haben, klicken Sie auf die Schaltfläche Anwenden, um die Änderungen zu übernehmen. Hinweis: Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen..., geben Sie den neuen Dateinamen an und klicken Sie auf OK. Zugriffsrechte In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen. Hinweis: Diese Option steht im schreibgeschützten Modus nicht zur Verfügung. Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte... in der linken Seitenleiste. Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern. Um den Bereich Datei zu schließen und zu Ihrer Tabelle zurückzukehren, wählen Sie die Option Menü schließen. Versionsverlauf In der Online-Version können Sie den Versionsverlauf der in der Cloud gespeicherten Dateien einsehen. Hinweis: Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar. Um alle an dieser Kalkulationstabelle vorgenommenen Änderungen anzuzeigen, wählen Sie in der linken Seitenleiste die Option Versionsverlauf. Es ist auch möglich, den Versionsverlauf über das Symbol Versionsverlauf auf der Registerkarte Zusammenarbeit der oberen Symbolleiste anzuzeigen. Sie sehen die Liste dieser Dokumentversionen (größere Änderungen) und Revisionen (kleinere Änderungen) mit Angabe der einzelnen Versionen/Revisionsautoren sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird zusätzlich die Versionsnummer angegeben (z. B. Ver. 2). Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Änderung anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Versions-/Revisionsautor vorgenommenen Änderungen sind mit der Farbe gekennzeichnet, die neben dem Autorennamen in der linken Seitenleiste angezeigt wird. Sie können den Link Wiederherstellen unter der ausgewählten Version/Revision verwenden, um sie wiederherzustellen. Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste." }, { "id": "UsageInstructions/YouTube.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/en/Contents.json b/apps/spreadsheeteditor/main/resources/help/en/Contents.json index 3f386ee85..8f24f8592 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/en/Contents.json @@ -39,13 +39,17 @@ { "src": "UsageInstructions/InsertChart.htm", "name": "Insert charts" }, {"src": "UsageInstructions/InsertSparklines.htm", "name": "Insert sparklines"}, {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Insert and format autoshapes" }, - { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Insert text objects" }, + {"src": "UsageInstructions/InsertTextObjects.htm", "name": "Insert text objects" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Support of SmartArt" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insert symbols and characters" }, {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Manipulate objects" }, { "src": "UsageInstructions/InsertEquation.htm", "name": "Insert equations", "headername": "Math equations" }, - { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Collaborative spreadsheet editing", "headername": "Spreadsheet co-editing" }, - { "src": "UsageInstructions/SheetView.htm", "name": "Manage sheet view presets" }, - { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Protecting a spreadsheet", "headername": "Protecting a Spreadsheet" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Co-editing spreadsheets in real time", "headername": "Collaboration" }, + { "src": "UsageInstructions/SheetView.htm", "name": "Managing sheet view presets" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Communicating in real time" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Commenting spreadsheets" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Version history" }, + { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Protecting a spreadsheet", "headername": "Protecting a spreadsheet" }, { "src": "UsageInstructions/AllowEditRanges.htm", "name": "Allow edit ranges" }, { "src": "UsageInstructions/Password.htm", "name": "Password protection" }, { "src": "UsageInstructions/ProtectSheet.htm", "name": "Protecting a sheet" }, diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/weeknum.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/weeknum.htm index 3e3c23115..513476367 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/Functions/weeknum.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/weeknum.htm @@ -17,24 +17,69 @@

                              WEEKNUM Function

                              The WEEKNUM function is one of the date and time functions. It used to return the number of the week the specified date falls within the year.

                              The WEEKNUM function syntax is:

                              -

                              WEEKNUM(serial-value [,weekday-start-flag])

                              +

                              WEEKNUM(serial_number, [return_type])

                              where

                              -

                              serial-value is a number representing the date within the week, entered using the Date function or other date and time function.

                              -

                              weekday-start-flag is a numeric value used to determine the type of the value to be returned. It can be one of the following:

                              +

                              serial_number is a number representing the date within the week, entered using the Date function or other date and time function.

                              +

                              return_type is a numeric value used to determine on which day the week begins. It can be one of the following:

                              - + + - + + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
                              Numeric valueWeekday SequenceWeek begins onSystem
                              1 or omittedfrom Sunday to SaturdaySunday1
                              2from Monday to SundayMonday1
                              11Monday1
                              12Tuesday1
                              13Wednesday1
                              14Thursday1
                              15Friday1
                              16Saturday1
                              17Sunday1
                              21Monday2
                              +

                              When return_type is set to 1-17, System 1 is used. This means that the first week in a year is the week that contains January 1.

                              +

                              When return_type is set to 21, System 2 is used. This means that the first week in a year is the week that contains the first Thursday of the year. System 2 is commonly used in Europe according to the ISO 8601 standard.

                              To apply the WEEKNUM function,

                              1. select the cell where you wish to display the result,
                              2. diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index 7b056f244..54f963357 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Collaborative Spreadsheet Editing + Co-editing spreadsheets in real time @@ -10,106 +10,27 @@ -
                                -
                                - +
                                +
                                + +
                                +

                                Co-editing spreadsheets in real time

                                +

                                The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

                                +

                                In Spreadsheet Editor you can collaborate on spreadsheets in real time using two modes: Fast or Strict.

                                +

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

                                +

                                Co-editing Mode menu

                                +

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

                                +

                                Fast mode

                                +

                                The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a spreadsheet in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the data in cells. Different border colors also highlight the ranges of cells selected by someone else at the moment.

                                +

                                Hover your mouse pointer over the selection to display the name of the user who is editing it.

                                +

                                Strict mode

                                +

                                The Strict mode is selected to hide changes made by other users until you click the Save Save icon icon to save your changes and accept the changes made by co-authors.

                                +

                                When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells are marked with dashed lines of different colors, the tab of the sheet where these cells are situated are marked with red marker. Hover the mouse cursor over one of the edited cells, to display the name of the user who is editing it at the moment.

                                +

                                Coediting Highlighted Selection

                                +

                                As soon as one of the users saves their changes by clicking the Save icon icon, the others will see a note in the upper left corner stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the Save icon icon in the left upper corner of the top toolbar.

                                +

                                Anonymous

                                +

                                Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                                +

                                anonymous collaboration

                                -

                                Collaborative Spreadsheet Editing

                                -

                                The Spreadsheet Editor offers you the possibility to work on a spreadsheet collaboratively with other users. This feature includes:

                                -
                                  -
                                • simultaneous multi-user access to the edited spreadsheet
                                • -
                                • visual indication of cells that are being edited by other users
                                • -
                                • real-time changes display or synchronization of changes with one button click
                                • -
                                • chat to share ideas concerning particular parts of the spreadsheet
                                • -
                                • comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version)
                                • -
                                -
                                -

                                Connecting to the online version

                                -

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

                                -
                                -
                                -

                                Co-editing

                                -

                                The Spreadsheet Editor allows you to select one of the two available co-editing modes:

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

                                The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the

                                Co-editing Mode icon on the Collaboration tab of the top toolbar:

                                -

                                Co-editing Mode menu

                                -

                                - Note: when you co-edit a spreadsheet in the Fast mode, the possibility to Undo/Redo the last operation is not available. -

                                -

                                When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells are marked with dashed lines of different colors, the tab of the sheet where these cells are situated are marked with red marker. Hover the mouse cursor over one of the edited cells, to display the name of the user who is editing it at the moment. The Fast mode will show the actions and the names of the co-editors when they are editing the data in cells. Different border colors also highlight the ranges of cells selected by someone else at the moment. Hover your mouse pointer over the selection to display the name of the user who is editing it.

                                -

                                Coediting Highlighted Selection

                                -

                                The number of users who are working on the current spreadsheet is specified on the right side of the editor header -

                                . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users.

                                -

                                When no users are viewing or editing the file, the icon in the editor header will look like

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

                                -

                                As soon as one of the users saves his/her changes by clicking the

                                icon, the others will see a note in the upper left corner stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the
                                icon in the left upper corner of the top toolbar.

                                -

                                Anonymous

                                -

                                Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

                                -

                                anonymous collaboration

                                -

                                Chat

                                -

                                You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange tasks with your collaborators, etc.

                                -

                                The chat messages are stored during one session only. To discuss the spreadsheet content, it is better to use comments which are stored until they are deleted.

                                -

                                To access the chat and leave a message for other users,

                                -
                                  -
                                1. - click the
                                  icon on the left sidebar, or
                                  - switch to the Collaboration tab of the top toolbar and click the
                                  Chat button, -
                                2. -
                                3. enter your text into the corresponding field below,
                                4. -
                                5. press the Send button.
                                6. -
                                -

                                All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this -

                                .

                                -

                                To close the panel with chat messages, click the

                                icon once again.

                                -
                                -

                                Comments

                                -

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

                                -

                                To leave a comment,

                                -
                                  -
                                1. select a cell where you think there is an error or problem,
                                2. -
                                3. switch to the Insert or Collaboration tab of the top toolbar and click the
                                  Comment button, or
                                  - use the Comments
                                  icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or
                                  - right-click within the selected cell and select the Add Сomment option from the menu, -
                                4. -
                                5. enter the needed text,
                                6. -
                                7. click the Add Comment/Add button.
                                8. -
                                -

                                The comment will be seen on the panel on the left. The orange triangle will appear in the upper right corner of the cell you commented. If you need to disable this feature, click the File tab on the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case, the commented cells will be marked only if you click the Comments

                                icon.

                                -

                                If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the

                                icon in the left upper corner of the top toolbar.

                                -

                                To view the comment, just click within the cell. You or any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, use the Add Reply link, type in your reply text in the entry field and press the Reply button.

                                -

                                You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                                -
                                  -
                                • sort the added comments by clicking the
                                  icon: -
                                    -
                                  • by date: Newest or Oldest
                                  • -
                                  • by author: Author from A to Z or Author from Z to A -

                                    Sort comments

                                    -
                                  • -
                                  -
                                • -
                                • edit the currently selected by clicking the
                                  icon,
                                • -
                                • delete the currently selected by clicking the
                                  icon,
                                • -
                                • close the currently selected discussion by clicking the
                                  icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the
                                  icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the
                                  icon,
                                • -
                                • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the spreadsheet.
                                • -
                                -

                                Adding mentions

                                -

                                Note: Mentions can be added to comments to text and not to comments to the entire document.

                                -

                                When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                                -

                                To add a mention enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing the required name in the comment field - the user list will change while you type. Select the necessary person from the list. If the file has not been shared with the mentioned user yet, the Sharing Settings window will open. The Read only access type is selected by default. Change it if necessary and click OK.

                                -

                                The mentioned user will receive an email notification that he/she has been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                                -

                                To remove comments,

                                -
                                  -
                                1. click the
                                  Remove button on the Collaboration tab of the top toolbar,
                                2. -
                                3. - select the necessary option from the menu: -
                                    -
                                  • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                                  • -
                                  • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                                  • -
                                  • Remove All Comments - to remove all the comments in the spreadsheet that you and other users added.
                                  • -
                                  -
                                4. -
                                -

                                To close the panel with comments, click the Comments

                                icon on the left sidebar once again.

                                -
                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..7bcdefa9a --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm @@ -0,0 +1,86 @@ + + + + Commenting + + + + + + + +
                                +
                                + +
                                +

                                Commenting

                                +

                                The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, communicate right in the editor, save spreadsheet versions for future use.

                                +

                                In Spreadsheet Editor you can leave comments to the content of spreadsheets without actually editing it. Unlike chat messages, the comments stay until deleted.

                                +

                                Leaving comments and replying to them

                                +

                                To leave a comment,

                                +
                                  +
                                1. select a cell where you think there is an error or problem,
                                2. +
                                3. + switch to the Insert or Collaboration tab of the top toolbar and click the Comment icon Comment button, or
                                  + use the Comments Comments icon icon on the left sidebar to open the Comments panel and click the Add Comment to Document link, or
                                  + right-click within the selected cell and select the Add Сomment option from the menu, +
                                4. +
                                5. enter the needed text,
                                6. +
                                7. click the Add Comment/Add button.
                                8. +
                                +

                                If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the Save icon icon in the left upper corner of the top toolbar.

                                +

                                To view the comment, just click within the cell. You or any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, use the Add Reply link, type in your reply text in the entry field and press the Reply button.

                                +

                                Disabling display of comments

                                +

                                The comment will be seen on the panel on the left. The orange triangle will appear in the upper right corner of the cell you commented. If you need to disable this feature,

                                +
                                  +
                                • click the File tab on the top toolbar,
                                • +
                                • select the Advanced Settings... option,
                                • +
                                • uncheck the Turn on display of the comments box.
                                • +
                                +

                                In this case, the commented cells will be marked only if you click the Comments Comments icon icon.

                                +

                                Managing comments

                                +

                                You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left:

                                +
                                  +
                                • + sort the added comments by clicking the Sort icon icon: +
                                    +
                                  • by date: Newest or Oldest
                                  • +
                                  • by author: Author from A to Z or Author from Z to A
                                  • +
                                  • + by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. +

                                    Sort comments

                                    +
                                  • +
                                  +
                                • +
                                • edit the currently selected by clicking the Edit icon icon,
                                • +
                                • delete the currently selected by clicking the Delete icon icon,
                                • +
                                • close the currently selected discussion by clicking the Resolve icon icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the Open again icon icon. If you want to hide resolved comments, click the File tab on the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the Comments icon icon,
                                • +
                                • if you want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the spreadsheet.
                                • +
                                +

                                Adding mentions

                                +

                                You can only add mentions to the comments made to the spreadsheet content and not to the spreadsheet itself.

                                +

                                When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk.

                                +

                                To add a mention,

                                +
                                  +
                                1. Enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing the required name in the comment field - the user list will change while you type.
                                2. +
                                3. Select the necessary person from the list. If the file has not been shared with the mentioned user yet, the Sharing Settings window will open. The Read only access type is selected by default. Change it if necessary.
                                4. +
                                5. Click OK.
                                6. +
                                +

                                The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

                                +

                                Removing comments

                                +

                                To remove comments,

                                +
                                  +
                                1. click the Remove comment icon Remove button on the Collaboration tab of the top toolbar,
                                2. +
                                3. + select the necessary option from the menu: +
                                    +
                                  • Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well.
                                  • +
                                  • Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well.
                                  • +
                                  • Remove All Comments - to remove all the comments in the spreadsheet that you and other users added.
                                  • +
                                  +
                                4. +
                                +

                                To close the panel with comments, click the Comments Comments icon icon on the left sidebar once again.

                                +
                                + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..1858aa644 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm @@ -0,0 +1,30 @@ + + + + Communicating in real time + + + + + + + +
                                +
                                + +
                                +

                                Communicating in real time

                                +

                                The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

                                +

                                In Spreadsheet Editor you can communicate with your co-editors in real time using the built-in Chat tool as well as a number of useful plugins, i.e. Telegram or Rainbow.

                                +

                                To access the Chat tool and leave a message for other users,

                                +
                                  +
                                1. click the Chat icon icon at the left sidebar,
                                2. +
                                3. enter your text into the corresponding field below,
                                4. +
                                5. press the Send button.
                                6. +
                                +

                                The chat messages are stored during one session only. To discuss the spreadsheet content, it is better to use comments which are stored until they are deleted.

                                +

                                All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - Chat icon.

                                +

                                To close the panel with chat messages, click the Chat icon icon once again.

                                +
                                + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/ImportData.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/ImportData.htm index 3176f3ca4..508eeadbc 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/ImportData.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/ImportData.htm @@ -22,7 +22,11 @@
                              3. Choose one of the two importing options:
                                • From local TXT/CSV: find the needed file on your hard drive, select it and click Open.
                                • -
                                • From TXT/CSV web address: paste the link to the file or web page into the Paste a data URL field and click OK.
                                • +
                                • From TXT/CSV web address: paste the link to the file or web page into the Paste a data URL field and click OK. +

                                  + A link for viewing or editing a file stored on the ONLYOFFICE portal or in a third-party storage cannot be used in this case. Please use the link to download the file. +

                                  +
                              @@ -31,7 +35,17 @@

                              Text Import Wizard

                              1. Encoding. The parameter is set to UTF-8 by default. Leave it at that or select the type you need using the drop-down menu.
                              2. -
                              3. Delimiter. The parameter sets the type of delimiter used to distribute the plain text into different cells. The delimiters available are Comma, Semicolon, Colon, Tab, Space, and Other (enter manually). Click the Advanced button located to the right to set a decimal separator and a thousands separator. The default separators are “.” for decimal and “,” for thousands.
                              4. +
                              5. + Delimiter. The parameter sets the type of delimiter used to distribute the plain text into different cells. The delimiters available are Comma, Semicolon, Colon, Tab, Space, and Other (enter manually). +

                                Click the Advanced button located to the right to configure settings for data recognized as numeric:

                                +

                                Data Import Advanced Settings

                                +
                                  +
                                • Set a Decimal separator and a Thousands separator. The default separators are “.” for decimal and “,” for thousands.
                                • +
                                • + Select a Text qualifier. A Text qualifier is a character that is used to recognize where the text begins and ends when you are importing data. The available options: (none), double quotes, and single quote. +
                                • +
                                +
                              6. Preview. The section shows how the text will be arranged in the spreadsheet cells.
                              7. Choose where to put data. Enter the required range in the field or choose one using the Select data button to the right.
                              8. Click OK to import the file and exit the Text Import Wizard.
                              9. diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 0c3e3e9a1..26451ca57 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -18,11 +18,12 @@

                                Keyboard Shortcuts

                                Keyboard Shortcuts for Key Tips

                                -

                                The keyboard shortcut list is used for a faster and easier access to the features of Spreadsheet Editor using the keyboard.

                                +

                                Use keyboard shortcuts for a faster and easier access to the features of the Spreadsheet Editor without using a mouse.

                                1. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar.
                                2. - Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, press Alt to see all primary key tips. + Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. +

                                  For example, to access the Insert tab, press Alt to see all primary key tips.

                                  Primary Key Tips

                                  Press letter I to access the Insert tab and you will see all the available shortcuts for this tab.

                                  Secondary Key Tips

                                  @@ -30,6 +31,7 @@
                                3. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips.
                                +

                                Find the most common keyboard shortcuts in the list below:

                                • Windows/Linux
                                • +

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

                                  Édition collaborative

                                  -

                                  Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition:

                                  +

                                  Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition:

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

                                  +

                                  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 L'icône Mode de co-édition dans l'onglet Collaboration de la barre d'outils supérieure:

                                  Menu Mode de co-édition

                                  - Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles. + Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles.

                                  -

                                  Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées ainsi que l'onglet de la feuille où se situent ces cellules sont marqués avec des lignes pointillées de couleurs différentes. En plaçant le curseur sur l'une des cellules modifiées, le nom de l'utilisateur qui est en train de l'éditer à ce moment s'affiche. 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 classeur actuel est spécifié sur le côté droit de l'en-tête de l'éditeur -

                                  . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

                                  -

                                  Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence

                                  et vous permettra de gérer les utilisateurs qui ont accès à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le classeur pour le moment que quand il y a d'autres utilisateurs l'icône ressemble à ceci
                                  . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage
                                  dans l'onglet Collaboration de la barre d'outils supérieure.

                                  -

                                  Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône

                                  , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Enregistrer
                                  dans le coin supérieur gauche de la barre supérieure.

                                  +

                                  Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment. Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection.

                                  +

                                  Co-édition sélection en surbrillance

                                  +

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

                                  +

                                  Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence L'icône Gérer les droits d'accès au document et vous permettra de gérer les utilisateurs qui ont accès à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le classeur pour le moment que quand il y a d'autres utilisateurs l'icône ressemble à ceci L'icône Nombre d'utilisateurs. Il est également possible de définir des droits d'accès à l'aide de l'icône Partage 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 L'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 L'icône Enregistrer dans le coin supérieur gauche de la barre supérieure.

                                  Utilisateurs anonymes

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

                                  Collaboration anonyme

                                  Chat

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

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

                                  -

                                  Pour accéder à Chat et envoyer un message à d'autres utilisateurs:

                                  +

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

                                  1. - cliquez sur l'icône
                                    dans la barre latérale gauche ou
                                    passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat
                                    , + cliquez sur l'icône 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 L'icône Chat ,
                                  2. saisissez le texte dans le champ correspondant,
                                  3. -
                                  4. cliquez sur le bouton Envoyer.
                                  5. +
                                  6. cliquez sur le bouton Envoyer.

                                  Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante -

                                  .

                                  Pour fermer le panneau avec les messages, cliquez sur l'icône

                                  encore une fois.

                                  @@ -65,24 +66,35 @@

                                  Pour laisser un commentaire:

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

                                  Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires

                                  .

                                  -

                                  Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône

                                  dans le coin supérieur gauche de la barre supérieure.

                                  -

                                  Pour afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

                                  -

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

                                  +

                                  Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires L'icône Commentaires .

                                  +

                                  Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône L'icône Enregistrer dans le coin supérieur gauche de la barre supérieure.

                                  +

                                  Pour afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

                                  +

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

                                    -
                                  • modifier le commentaire actuel en cliquant sur l'icône
                                    ,
                                  • -
                                  • supprimer le commentaire actuel en cliquant sur l'icône
                                    ,
                                  • -
                                  • fermez la discussion actuelle en cliquant sur l'icône
                                    si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône
                                    . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône
                                    .
                                  • -
                                  • si vous souhaitez gérer tous les commentaires à la fois, accédez au menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation.
                                  • -
                                  +
                                • trier les commentaires ajoutés en cliquant sur l'icône L'icône de tri : +
                                    +
                                  • par date: Plus récent ou Plus ancien.
                                  • +
                                  • par auteur: Auteur de A à Z ou Auteur de Z à A
                                  • +
                                  • + par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. +

                                    Sort comments

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

                                Ajouter les mentions

                                -

                                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 le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK.

                                +

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

                                +

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

                                +

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

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

                                Pour supprimer les commentaires,

                                  diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm index 7361477ce..307823f68 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm @@ -3,7 +3,7 @@ Obtenir des données à partir de fichiers Texte/CSV - + @@ -12,29 +12,44 @@
                                  - +

                                  Obtenir des données à partir de fichiers Texte/CSV

                                  -

                                  Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv et les organiser et positionner correctement dans une feuille de calcul, utilisez l'option Obtenir les données sous l'onglet Données.

                                  -

                                  Étape 1. Importer du fichier

                                  -
                                    -
                                  1. Cliquez sur l'option Obtenir les données sous l'onglet Données.
                                  2. -
                                  3. Sélectionnez l'une des deux options d'importation disponibles: -
                                      -
                                    • A partir du fichier local TXT/CSV: recherchez et sélectionnez le fichier approprié sur votre disque dur et cliquez sur Ouvrir.
                                    • -
                                    • A partir de l'URL du fichier TXT/CSV: collez le lien vers un fichier ou une page web dans le champ Coller URL de données et cliquez sur OK.
                                    • -
                                    -
                                  -

                                  Étape 2. Configurer les paramètres

                                  -

                                  Assistant importation de texte comporte quatre sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données.

                                  -

                                  Assistant importation de texte

                                  -
                                    -
                                  1. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante.
                                  2. -
                                  3. Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). Cliquez sur le bouton Avancé à droite pour définir le séparateur décimal et des milliers. Les séparateurs par défaut sont “.” pour décimal et “,” pour milliers.
                                  4. -
                                  5. Aperçu. Cette section affiche comment le texte sera organisé en cellules.
                                  6. -
                                  7. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite.
                                  8. -
                                  9. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte.
                                  10. -
                                  +

                                  Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv file et l'organiser et positionner correctement dans une feuille de calcul, utilisez l'option Récupérer les données à partir d'un fichier texte/CSV file sous l'onglet Données.

                                  +

                                  Étape 1. Importer du fichier

                                  +
                                    +
                                  1. Cliquez sur l'option Obtenir les données sous l'onglet Données.
                                  2. +
                                  3. Choisissez une des options disponibles: +
                                      +
                                    • Á partir d'un fichier TXT/CSV file: recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir.
                                    • +
                                    • Á partir de l'URL du fichier TXT/CSV file: collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK. +

                                      + Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier. +

                                      +
                                    • +
                                    +
                                  4. +
                                  +

                                  Étape 2. Configurer les paramètres

                                  +

                                  Assistant importation de texte comporte trois sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données.

                                  +

                                  Assistant importation de texte

                                  +
                                    +
                                  1. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante.
                                  2. +
                                  3. + Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). +

                                    Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques:

                                    +

                                    Importation des données avancé

                                    +
                                      +
                                    • Définissez le Séparateur décimal et le Séparateur de milliers. Les séparateurs par défaut sont '.' pour décimal et ',' pour milliers.
                                    • +
                                    • + Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes: (aucun), guillemets doubles et apostrophe. +
                                    • +
                                    +
                                  4. +
                                  5. Aperçu. Cette section affiche comment le texte sera organisé en cellules.
                                  6. +
                                  7. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite.
                                  8. +
                                  9. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte.
                                  10. +
                                  - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index 7ad97f361..6d06cf109 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -13,23 +13,39 @@
                                  -
                                  - -
                                  +
                                  + +

                                  Raccourcis clavier

                                  -

                                  La liste des raccourcis clacier afin de donner un accès plus rapide et plus facile aux fonctionnalités de Spreadsheet Editor.

                                  -
                                    -
                                  • Windows/Linux
                                  • Mac OS
                                  • -
                                  +

                                  Raccourcis clavier pour les touches d'accès

                                  +

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

                                  +
                                    +
                                  1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
                                  2. +
                                  3. + Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. +

                                    Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès.

                                    +

                                    Primaires touches d'accès

                                    +

                                    Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet.

                                    +

                                    Touches d'accès supplémentaires

                                    +

                                    Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer.

                                    +
                                  4. +
                                  5. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
                                  6. +
                                  +

                                  Trouverez ci-dessous les raccourcis clavier les plus courants:

                                  +
                                    +
                                  • Windows/Linux
                                  • + +
                                  • Mac OS
                                  • +
                                  - - + + @@ -38,31 +54,31 @@ - - - + + + - - - - - + + + + + - - - - - + + + + + - - + + - + @@ -86,51 +102,58 @@ - - - + + - - - - - + + + + + + - - - - + + + + - - - - - + + + + - - - - - - - - + + + + + + + + + + + + + + + + - - - + + - - - - - + + + + + + - - + + @@ -191,34 +214,34 @@ - - - + + - - - - - + + + + + - - + + + - + - + - - + + @@ -266,56 +289,56 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -330,7 +353,7 @@ - + @@ -351,7 +374,7 @@ - + @@ -371,41 +394,41 @@ - - - + + + - - + + - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + @@ -455,171 +478,171 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - + +
                                  En travaillant sur le classeur
                                  Ouvrir le panneau 'Fichier'Alt+F⌥ Option+FAlt+F⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer le classeur actuel, voir ses informations, créer un nouveau classeur ou ouvrir un classeur existant, accéder à l'aide de Spreadsheet Editor ou aux paramètres avancés.
                                  ^ Ctrl+F,
                                  ⌘ Cmd+F
                                  Ouvrir la fenêtre Rechercher et remplacer pour commencer à rechercher une cellule contenant les caractères requis.
                                  Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacementCtrl+H
                                  Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacementCtrl+H ^ Ctrl+HOuvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés.
                                  Ouvrir le panneau 'Commentaires'Ctrl+⇧ Maj+HOuvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés.
                                  Ouvrir le panneau 'Commentaires'Ctrl+⇧ Maj+H ^ Ctrl+⇧ Maj+H,
                                  ⌘ Cmd+⇧ Maj+H
                                  Ouvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs.
                                  Ouvrir le champ de commentairesAlt+HOuvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs.
                                  Ouvrir le champ de commentairesAlt+H ⌥ Option+HOuvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire.
                                  Ouvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire.
                                  Ouvrir le panneau 'Chat' Alt+Q ⌥ Option+Q Ouvrir le panneau Chat et envoyer un message.
                                  Enregistrer le classeur Ctrl+S ^ Ctrl+S,
                                  ⌘ Cmd+S
                                  Passer à l'affichage en plein écran pour adapter Spreadsheet Editor à votre écran.
                                  Menu d'aideF1
                                  Menu d'aide F1Ouvrir le menu Aide Spreadsheet Editor.
                                  Ouvrir un fichier existant (Desktop Editors)Ctrl+OF1Ouvrir le menu Aide Spreadsheet Editor.
                                  Ouvrir un fichier existant (Desktop Editors)Ctrl+O Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant.
                                  Fermer un fichier (Desktop Editors)Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant.
                                  Fermer un fichier (Desktop Editors) Tab/Maj+Tab ↹ Tab/⇧ Maj+↹ TabFermer la fenêtre du classeur actuel dans Desktop Editors.
                                  Menu contextuel de l'élément⇧ Maj+F10Fermer la fenêtre du classeur actuel dans Desktop Editors.
                                  Menu contextuel de l'élément ⇧ Maj+F10Ouvrir le menu Aide Spreadsheet Editor.
                                  Réinitialiser le niveau de zoomCtrl+0^ Ctrl+0 or ⌘ Cmd+0Réinitialiser le niveau de zoom du document actuel par défaut à 100%.
                                  ⇧ Maj+F10Ouvrir le menu Aide Spreadsheet Editor.
                                  Réinitialiser le niveau de zoomCtrl+0^ Ctrl+0 or ⌘ Cmd+0Réinitialiser le niveau de zoom du document actuel par défaut à 100%.
                                  Copier une feuille de calculAppuyez et maintenez la touche Ctrl+ faites glisser l'onglet de la feuille de calcul Appuyez et maintenez la touche ⌥ Option+ faites glisser l'onglet de la feuille de calculCopier une feuille de calcul entière et déplacer-la pour modifier la position de l'onglet.
                                  Navigation
                                  Déplacer une cellule vers le haut, le bas, la gauche ou la droite
                                  Déplacer une cellule vers le haut, le bas, la gauche ou la droite Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci.
                                  Aller au bord de la zone de données actuelleCtrl+ Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci.
                                  Aller au bord de la zone de données actuelleCtrl+ ⌘ Cmd+ Activer une cellule à la limite de la région de données courante dans une feuille de calcul.
                                  Activer une cellule à la limite de la région de données courante dans une feuille de calcul.
                                  Sauter au début de la ligne Début,
                                  ↹ Tab
                                  Activer la cellule suivante de la ligne actuelle.
                                  Déplacement vers le bas d'un écranPg. suiv
                                  Déplacement vers le bas d'un écran Pg. suivDéplacer un écran vers le bas dans la feuille de calcul.
                                  Déplacement vers le haut d'un écranPg. précPg. suivDéplacer un écran vers le bas dans la feuille de calcul.
                                  Déplacement vers le haut d'un écran Pg. précDéplacer un écran vers le haut dans la feuille de travail.
                                  Pg. précDéplacer un écran vers le haut dans la feuille de travail.
                                  Zoom avant Ctrl++^ Ctrl+=,
                                  ⌘ Cmd+=
                                  ^ Ctrl+= Zoom avant sur la feuille de calcul en cours d'édition.
                                  Zoom arrière Ctrl+-^ Ctrl+-,
                                  ⌘ Cmd+-
                                  ^ Ctrl+- Zoom arrière sur la feuille de calcul en cours d'édition.
                                  Naviguer entre les contrôles dans un dialogue modal↹ Tab/⇧ Maj+↹ Tab↹ Tab/⇧ Maj+↹ Tab↹ Tab/⇧ Maj+↹ Tab↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux.
                                  ^ Ctrl+⇧ Maj+Début Sélectionner une plage à partir des cellules sélectionnées jusqu'au début de la feuille de calcul.
                                  Étendre la sélection à la dernière cellule utiliséeCtrl+⇧ Maj+Fin^ Ctrl+⇧ Maj+FinSélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule.
                                  Sélectionner une cellule à gauche⇧ Maj+↹ Tab⇧ Maj+↹ TabSélectionner une cellule à gauche dans un tableau.
                                  Sélectionner une cellule à droite↹ Tab↹ TabSélectionner une cellule à droite dans un tableau.
                                  Étendre la sélection à la cellule non vierge la plus proche à droite.⇧ Maj+Alt+Fin,
                                  Ctrl+⇧ Maj+
                                  ⇧ Maj+⌥ Option+FinÉtendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection à la cellule non vierge la plus proche à gauche.⇧ Maj+Alt+Début,
                                  Ctrl+⇧ Maj+
                                  ⇧ Maj+⌥ Option+DébutÉtendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonneCtrl+⇧ Maj+ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection vers le bas de l'écran⇧ Maj+Pg. suiv⇧ Maj+Pg. suivÉtendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active.
                                  Étendre la sélection vers le haut d'un écran⇧ Maj+Pg. préc⇧ Maj+Pg. précÉtendre la sélection à toutes les cellules situées un écran plus haut que la cellule active.
                                  Annuler et RétablirÉtendre la sélection à la dernière cellule utiliséeCtrl+⇧ Maj+Fin^ Ctrl+⇧ Maj+FinSélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule.
                                  Sélectionner une cellule à gauche⇧ Maj+↹ Tab⇧ Maj+↹ TabSélectionner une cellule à gauche dans un tableau.
                                  Sélectionner une cellule à droite↹ Tab↹ TabSélectionner une cellule à droite dans un tableau.
                                  Étendre la sélection à la cellule non vierge la plus proche à droite.⇧ Maj+Alt+Fin,
                                  Ctrl+⇧ Maj+
                                  ⇧ Maj+⌥ Option+FinÉtendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection à la cellule non vierge la plus proche à gauche.⇧ Maj+Alt+Début,
                                  Ctrl+⇧ Maj+
                                  ⇧ Maj+⌥ Option+DébutÉtendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonneCtrl+⇧ Maj+ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide.
                                  Étendre la sélection vers le bas de l'écran⇧ Maj+Pg. suiv⇧ Maj+Pg. suivÉtendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active.
                                  Étendre la sélection vers le haut d'un écran⇧ Maj+Pg. préc⇧ Maj+Pg. précÉtendre la sélection à toutes les cellules situées un écran plus haut que la cellule active.
                                  Annuler et Rétablir
                                  AnnulerRépéter la dernière action annulée.
                                  Couper, Copier et CollerCouper, Copier et Coller
                                  CouperInsérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur, à partir d'un autre classeur, ou provenant d'un autre programme.
                                  Mise en forme des donnéesMise en forme des données
                                  Gras^ Ctrl+U,
                                  ⌘ Cmd+U
                                  Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres ou supprimer le soulignage.
                                  BarréCtrl+5
                                  BarréCtrl+5 ^ Ctrl+5,
                                  ⌘ Cmd+5
                                  Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre.
                                  Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre.
                                  Ajouter un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte vers un site Web externe ou une autre feuille de calcul.
                                  Éditer la cellule activeF2F2Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule.
                                  Filtrage de données
                                  Activer/Supprimer le filtreCtrl+⇧ Maj+L^ Ctrl+⇧ Maj+L,
                                  ⌘ Cmd+⇧ Maj+L
                                  Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre.
                                  Mettre sous forme de modèle de tableauCtrl+L^ Ctrl+L,
                                  ⌘ Cmd+L
                                  Appliquez un modèle de table à une plage de cellules sélectionnée.
                                  Saisie des donnéesÉditer la cellule activeF2F2Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule.
                                  Filtrage de données
                                  Activer/Supprimer le filtreCtrl+⇧ Maj+L^ Ctrl+⇧ Maj+L,
                                  ⌘ Cmd+⇧ Maj+L
                                  Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre.
                                  Mettre sous forme de modèle de tableauCtrl+L^ Ctrl+L,
                                  ⌘ Cmd+L
                                  Appliquez un modèle de table à une plage de cellules sélectionnée.
                                  Saisie des données
                                  Valider la saisie de données dans une cellule et se déplacer vers le basSupprimer,
                                  ← Retour arrière
                                  Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires.
                                  Valider une entrée de cellule et se déplacer vers la droite↹ Tab↹ TabValider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite.
                                  Valider une entrée de cellule et déplacez-la vers la gauche.⇧ Maj+↹ Tab⇧ Maj+↹ TabValider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche .
                                  Insérer des cellulesCtrl+⇧ Maj+=Ctrl+⇧ Maj+=Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière.
                                  Supprimer les cellulesCtrl+⇧ Maj+-Ctrl+⇧ Maj+-Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière.
                                  Insérer la date actuelleCtrl+;Ctrl+;Insérer la date courante dans la cellule sélectionnée.
                                  Insérer l'heure actuelleCtrl+⇧ Maj+;Ctrl+⇧ Maj+;Insérer l'heure courante dans la cellule sélectionnée.
                                  Insérer la date et l'heure actuellesCtrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+;Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+;Insérer la date et l'heure courantes dans la cellule sélectionnée.
                                  FonctionsValider une entrée de cellule et se déplacer vers la droite↹ Tab↹ TabValider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite.
                                  Insérer une fonction⇧ Maj+F3⇧ Maj+F3Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie.
                                  Valider une entrée de cellule et déplacez-la vers la gauche.⇧ Maj+↹ Tab⇧ Maj+↹ TabValider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche .
                                  Insérer des cellulesCtrl+⇧ Maj+=Ctrl+⇧ Maj+=Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière.
                                  Supprimer les cellulesCtrl+⇧ Maj+-Ctrl+⇧ Maj+-Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière.
                                  Insérer la date actuelleCtrl+;Ctrl+;Insérer la date courante dans la cellule sélectionnée.
                                  Insérer l'heure actuelleCtrl+⇧ Maj+;Ctrl+⇧ Maj+;Insérer l'heure courante dans la cellule sélectionnée.
                                  Insérer la date et l'heure actuellesCtrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+;Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+;Insérer la date et l'heure courantes dans la cellule sélectionnée.
                                  Fonctions
                                  Insérer une fonction⇧ Maj+F3⇧ Maj+F3Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie.
                                  Fonction SOMME Alt+= ⌥ Option+= Insérer la fonction SOMME dans la cellule active.
                                  Ouvrir la liste déroulanteAlt+
                                  Ouvrir la liste déroulanteAlt+ Ouvrir une liste déroulante sélectionnée.
                                  Ouvrir le menu contextuel≣ MenuOuvrir une liste déroulante sélectionnée.
                                  Ouvrir le menu contextuel≣ Menu Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée.
                                  Recalculer des fonctionsF9F9Recalcul du classeur entier.
                                  Recalculer des fonctions⇧ Maj+F9⇧ Maj+F9Recalcul de la feuille de calcul actuelle.
                                  Formats de données
                                  Ouvrir la boîte de dialogue 'Format de numéro'Ctrl+1Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée.
                                  Recalculer des fonctionsF9F9Recalcul du classeur entier.
                                  Recalculer des fonctions⇧ Maj+F9⇧ Maj+F9Recalcul de la feuille de calcul actuelle.
                                  Formats de données
                                  Ouvrir la boîte de dialogue 'Format de numéro'Ctrl+1 ^ Ctrl+1Ouvrir la boîte de dialogue Format de numéro
                                  Appliquer le format GénéralCtrl+⇧ Maj+~Ouvrir la boîte de dialogue Format de numéro
                                  Appliquer le format GénéralCtrl+⇧ Maj+~ ^ Ctrl+⇧ Maj+~Appliquer le format de nombre Général.
                                  Appliquer le format DeviseCtrl+⇧ Maj+$Appliquer le format de nombre Général.
                                  Appliquer le format DeviseCtrl+⇧ Maj+$ ^ Ctrl+⇧ Maj+$Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses).
                                  Appliquer le format PourcentageCtrl+⇧ Maj+%Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses).
                                  Appliquer le format PourcentageCtrl+⇧ Maj+% ^ Ctrl+⇧ Maj+%Appliquer le format Pourcentage sans décimales.
                                  Appliquer le format ExponentielCtrl+⇧ Maj+^Appliquer le format Pourcentage sans décimales.
                                  Appliquer le format ExponentielCtrl+⇧ Maj+^ ^ Ctrl+⇧ Maj+^Appliquer le format des nombres exponentiels avec deux décimales.
                                  Appliquer le format DateCtrl+⇧ Maj+#Appliquer le format des nombres exponentiels avec deux décimales.
                                  Appliquer le format DateCtrl+⇧ Maj+# ^ Ctrl+⇧ Maj+#Appliquer le format Date avec le jour, le mois et l'année.
                                  Appliquer le format HeureCtrl+⇧ Maj+@Appliquer le format Date avec le jour, le mois et l'année.
                                  Appliquer le format HeureCtrl+⇧ Maj+@ ^ Ctrl+⇧ Maj+@Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM.
                                  Appliquer un format de nombreCtrl+⇧ Maj+!Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM.
                                  Appliquer un format de nombreCtrl+⇧ Maj+! ^ Ctrl+⇧ Maj+!Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives.
                                  Modification des objets
                                  Limiter le déplacement⇧ Maj + faire glisser⇧ Maj + faire glisserLimiter le déplacement de l'objet sélectionné horizontalement ou verticalement.
                                  Régler une rotation de 15 degrés⇧ Maj + faire glisser (lors de la rotation)⇧ Maj + faire glisser (lors de la rotation)Limiter la rotation à à des incréments de 15 degrés.
                                  Conserver les proportions⇧ Maj + faire glisser (lors du redimensionnement)⇧ Maj + faire glisser (lors du redimensionnement)Conserver les proportions de l'objet sélectionné lors du redimensionnement.
                                  Tracer une ligne droite ou une flèche⇧ Maj + faire glisser (lors du tracé de lignes/flèches)⇧ Maj + faire glisser (lors du tracé de lignes/flèches)Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés.
                                  Mouvement par incréments de 1 pixelCtrl+ Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives.
                                  Modification des objets
                                  Limiter le déplacement⇧ Maj + faire glisser⇧ Maj + faire glisserLimiter le déplacement de l'objet sélectionné horizontalement ou verticalement.
                                  Régler une rotation de 15 degrés⇧ Maj + faire glisser (lors de la rotation)⇧ Maj + faire glisser (lors de la rotation)Limiter la rotation à à des incréments de 15 degrés.
                                  Conserver les proportions⇧ Maj + faire glisser (lors du redimensionnement)⇧ Maj + faire glisser (lors du redimensionnement)Conserver les proportions de l'objet sélectionné lors du redimensionnement.
                                  Tracer une ligne droite ou une flèche⇧ Maj + faire glisser (lors du tracé de lignes/flèches)⇧ Maj + faire glisser (lors du tracé de lignes/flèches)Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés.
                                  Mouvement par incréments de 1 pixelCtrl+ 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.
                                  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.
                                  diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Navigation.htm index 615a67ce1..d755c9e57 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Navigation.htm @@ -11,49 +11,62 @@
                                  -
                                  - -
                                  -

                                  Paramètres d'affichage et outils de navigation

                                  +
                                  + +
                                  +

                                  Paramètres d'affichage et outils de navigation

                                  Pour vous aider à visualiser et sélectionner des cellules dans un grand classeur, Spreadsheet Editor propose plusieurs outils de navigation: les barres de défilement, les boutons de défilement, les onglets de classeur et le zoom.

                                  Régler les paramètres d'affichage

                                  -

                                  Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, cliquez sur l'icône Paramètres d'affichage

                                  sur le côté droit de l'en-tête de l'éditeur et sélectionnez les éléments d'interface que vous souhaitez masquer ou afficher. Vous pouvez choisir une des options suivantes de la liste déroulante Paramètres d'affichage: +

                                  + Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, cliquez sur l'icône Paramètres d'affichage L'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionnez les éléments d'interface que vous souhaitez masquer ou afficher. Vous pouvez choisir une des options suivantes de la liste déroulante Paramètres d'affichage:

                                    -
                                  • Masquer la barre d'outils - masque la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage
                                    et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. -

                                    Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

                                    -
                                  • -
                                  • Masquer la barre de formule sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir.
                                  • -
                                  • Masquer les en-têtes sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de calcul. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois.
                                  • -
                                  • Masquer le quadrillage sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois.
                                  • -
                                  • Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de calcul et sélectionnez l'option Libérer les volets dans le menu.
                                  • -
                                  • Afficher les ombres des volets verrouillés sert à afficher les colonnes et lignes verrouillées (un trait subtil s'affiche). -

                                    Menu contextuel Verrouiller les volets

                                  • -
                                  • Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour activer/désactiver cette option, recherchez la case à cocher Afficher des zéros sous l'onglet Affichage.
                                  • +
                                  • + Masquer la barre d'outils - masque la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage L'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. +

                                    Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau.

                                    +
                                  • +
                                  • Masquer la barre de formule sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir.
                                  • +
                                  • Masquer les en-têtes sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de calcul. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois.
                                  • +
                                  • Masquer le quadrillage sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois.
                                  • +
                                  • Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de calcul et sélectionnez l'option Libérer les volets dans le menu.
                                  • +
                                  • + Afficher les ombres des volets verrouillés sert à afficher les colonnes et lignes verrouillées (un trait subtil s'affiche). +

                                    Menu contextuel Verrouiller les volets

                                    +
                                  • +
                                  • Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour activer/désactiver cette option, recherchez la case à cocher Afficher des zéros sous l'onglet Affichage.
                                  -

                                  La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône.

                                  +

                                  La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône.

                                  Vous pouvez également modifier la taille du panneau Commentaires ou Chat ouvert en utilisant un simple glisser-déposer : placez le curseur de la souris sur le bord gauche de la barre latérale. Quand il se transforme dans la flèche bidirectionnelle, faites glisser le bord à droite pour augmenter la largeur de la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à droite.

                                  Utiliser les outils de navigation

                                  Pour naviguer à travers votre classeur, utilisez les outils suivants:

                                  Utilisez la touche Tab pour vous déplacer d'une cellule à droite de la cellule sélectionnée.

                                  Les barres de défilement (horizontale et verticale) servent à faire défiler la feuille de calcul actuelle vers le haut /le bas et vers la gauche/la droite. Pour naviguer dans une feuille de calcul à l'aide des barres de défilement:

                                    -
                                  • cliquez sur la flèche vers le haut/bas ou vers la droite/gauche sur la barre de défilement;
                                  • -
                                  • faites glisser la case de défilement;
                                  • -
                                  • cliquez n'importe où à gauche/à droite ou en haut/en bas de la case de défilement sur la barre de défilement.
                                  • +
                                  • cliquez sur la flèche vers le haut/bas ou vers la droite/gauche sur la barre de défilement;
                                  • +
                                  • faites glisser la case de défilement;
                                  • +
                                  • cliquez n'importe où à gauche/à droite ou en haut/en bas de la case de défilement sur la barre de défilement.

                                  Vous pouvez également utiliser la molette de la souris pour faire défiler votre feuille de calcul vers le haut ou vers le bas.

                                  -

                                  Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles.

                                  +

                                  Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles.

                                    -
                                  • cliquez sur le bouton Faire défiler vers la première feuille de calcul
                                    pour faire défiler la liste de feuilles jusqu'à la première feuille calcul du classeur actuel;
                                  • -
                                  • cliquez sur le bouton Faire défiler la liste des feuilles à gauche
                                    pour faire défiler la liste des feuilles du classeur actuel vers la gauche;
                                  • -
                                  • cliquez sur le bouton Faire défiler la liste des feuilles à droite
                                    pour faire défiler la liste des feuilles du classeur actuel vers la droite ;
                                  • -
                                  • cliquez sur le bouton cliquez sur le bouton Faire défiler vers la dernière feuille de calcul
                                    pour faire défiler la liste des feuilles jusqu'à la dernière feuille de calcul du classeur actuel.
                                  • +
                                  • cliquez sur le bouton Faire défiler vers la première feuille de calcul Bouton Faire défiler vers la première feuille de calcul pour faire défiler la liste de feuilles jusqu'à la première feuille calcul du classeur actuel;
                                  • +
                                  • cliquez sur le bouton Faire défiler la liste des feuilles à gauche Faire défiler la liste des feuilles à gauche pour faire défiler la liste des feuilles du classeur actuel vers la gauche;
                                  • +
                                  • cliquez sur le bouton Faire défiler la liste des feuilles à droite Faire défiler la liste des feuilles à droite pour faire défiler la liste des feuilles du classeur actuel vers la droite ;
                                  • +
                                  • cliquez sur le bouton cliquez sur le bouton Faire défiler vers la dernière feuille de calcul Faire défiler vers la dernière feuille de calcul pour faire défiler la liste des feuilles jusqu'à la dernière feuille de calcul du classeur actuel.
                                  • +
                                  +

                                  Utilisez le bouton Add a worksheet sur la barre d'état pour ajouter une nouvelle feuille de calcul au classeur.

                                  +

                                  Pour sélectionner une feuille de calcul nécessaire:

                                  +
                                    +
                                  • + cliquez sur le bouton List of worksheets sur la barre d'état pour ouvrir la liste des feuilles de calcul et sélectionnez la feuille de calcul appropriée. L'état de chaque feuille s'affiche aussi dans la liste des feuilles de calcul, +

                                    Sheet List

                                    +

                                    ou

                                    +

                                    faites un clic sur l'onglet de la feuille de calcul nécessaire à côté du bouton List of worksheets.

                                    +

                                    + Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant Bouton Zoom avant ou Zoom arrière Bouton Zoom arrière . Les paramètres de zoom sont aussi accessibles de la liste déroulante Paramètres d'affichage L'icône Paramètres d'affichage . +

                                    +
                                  -

                                  Pour activer la feuille appropriée, cliquez sur son Onglet de feuille en bas à côté des boutons de Navigation des feuilles.

                                  -

                                  - Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200%) ou utilisez les boutons Zoom avant

                                  ou Zoom arrière
                                  . Les paramètres de zoom sont aussi accessibles de la liste déroulante Paramètres d'affichage
                                  . -

                                  \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Password.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Password.htm index 1ff8dede7..4cea7bd76 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Password.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Password.htm @@ -24,7 +24,7 @@
                                1. passez à l'onglet Fichier de la barre d'outils supérieure,
                                2. choisissez l'option Protéger,
                                3. cliquez sur le bouton Ajouter un mot de passe.
                                4. -
                                5. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
                                6. +
                                7. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur Show password icon pour afficher pi masquer les caractèrs du mot de passe lors de la saisie.

                            Définir un mot de passe

                            diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Plugins.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Plugins.htm deleted file mode 100644 index 2f3849037..000000000 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Plugins.htm +++ /dev/null @@ -1,90 +0,0 @@ - - - - Comment utiliser nos modules complémentaires - - - - - - - - -
                            -
                            - -
                            -

                            Comment utiliser nos modules complémentaires

                            -

                            Plusieurs modules complémentaires sont ajoutés pour étendre les fonctions traditionnelles des éditeurs et pour en apporter de nouvelles fonctionnalités.

                            -

                            Nous avons réalisé ces guides pour vous ajouter pour vous ajouter découvrir comment utiliser les modules complémentaires disponibles.

                            - -

                            Comment modifier 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 feuille de calcul.
                            2. -
                            3. - Passez à l'onglet Modules complémentaires et choisissez
                              Photo Editor.
                              Vous êtes dans l'environnement de traitement des images.
                              Vous pouvez trouver les filtres au-dessous de l'image. Il y a des filtres à régler à partir de cases cochés ou à partir de curseurs.
                              Les boutons Annuler, Rétablir et Remettre à zéro aussi que les boutons à ajouter des annotations, rogner et faire pivoter des images sont disponibles au-dessous des filtres.
                              N'hésitez pas à les essayer tous et rappelez-vous que vous pouvez annuler les modifications à tout moment.
                              Une fois que vous avez terminé: -
                            4. - Cliquez sur OK. -
                            5. -
                            -

                            Maintenant l'image modifiée est insérée dans votre feuille de calcul.

                            - Gif de l'extension image - -

                            Comment insérer une vidéo

                            -

                            Vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici.

                            -
                              -
                            1. - Copier l'URL de la vidéo à insérer. (l'adresse complète dans la barre d'adresse du navigateur) -
                            2. -
                            3. Accédez à votre feuille de calcul et placez le curseur à l'endroit où la vidéo doit être inséré.
                            4. -
                            5. Passez à l'onglet Modules complémentaires et choisissez
                              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 feuille de calcul.

                            - Gif de l'extension Youtube - -

                            Comment insérer un texte mis en surbrillance

                            -

                            Vous pouvez intégrer votre texte mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi.

                            -
                              -
                            1. Accédez à votre feuille de calcul et placez le curseur à l'endroit où le code doit être inséré.
                            2. -
                            3. Passez à l'onglet Modules complémentaires et choisissez
                              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. -
                            - -

                            Comment traduire un texte

                            -

                            Vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles.

                            -
                              -
                            1. Sélectionnez le texte à traduire.
                            2. -
                            3. Passez à l'onglet Modules complémentaires et choisissez
                              Traducteur, l'application de traduction s'affiche dans le panneau de gauche.
                            4. -
                            -

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

                            Comment 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 feuille de calcul.
                            2. -
                            3. Passez à l'onglet Modules complémentaires et choisissez
                              Thésaurus.
                            4. -
                            5. Le panneau gauche liste les synonymes et les antonymes.
                            6. -
                            7. Cliquez sur le mot à remplacer dans votre feuille de calcul.
                            8. -
                            -
                            - - \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm index 4cc97f0e9..667e887b2 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm @@ -26,10 +26,11 @@

                            En utilisant cet onglet, vous pouvez:

                              -
                            • configurer les paramètres de partage (disponible uniquement dans la version en ligne),
                            • +
                            • configurer les paramètres de partage (disponible uniquement dans la version en ligne),
                            • basculer entre les modes d'édition collaborative Strict et Rapide (disponible uniquement dans la version en ligne),
                            • ajouter et supprimer des commentaires sur une feuille de calcul,
                            • -
                            • ouvrir le panneau de Chat (disponible uniquement dans la version en ligne).
                            • +
                            • ouvrir le panneau de Chat (disponible uniquement dans la version en ligne).
                            • +
                            • suivre l'historique des versions  (disponible uniquement dans la version en ligne),
                            diff --git a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/FileTab.htm b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/FileTab.htm index 292affbf3..441cc70b7 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/FileTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/FileTab.htm @@ -30,6 +30,7 @@
                          • protéger le fichier à l'aide d'un mot de passe, modifier ou supprimer le mot de passe (disponible dans la version de bureau uniquement);
                          • créer une nouvelle feuille de calcul ou ouvrez une feuille de calcul récemment éditée (disponible dans la version en ligne uniquement),
                          • voir des informations générales sur le classeur,
                          • +
                          • suivre l'historique des versions  (disponible uniquement dans la version en ligne),
                          • gérer les droits d'accès (disponible uniquement dans la version en ligne),
                          • accéder aux Paramètres avancés de l'éditeur,
                          • dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur.
                          • diff --git a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index 9e0a71204..3300e91a5 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -32,17 +32,18 @@

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

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

                              -
                            • Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre de l'Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur.
                            • -
                            • - permet d'ajuster les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur.
                            • -
                            • Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud.
                            • -
                            • Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris.
                            • -
                            - -
                          • La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. -

                            Des options

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

                            +
                          • Ouvrir l'emplacement du fichier 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.
                          • +
                          • L'icône Paramètres d'affichage - permet d'ajuster les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur.
                          • +
                          • L'icône Gérer les droits d'accès au document 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.
                          • +
                          • Icône favoris Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris.
                          • +
                          + +
                        • + La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. +

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

                        • La Barre de formule permet d'entrer et de modifier des formules ou des valeurs dans les cellules. La Barre de formule affiche le contenu de la cellule actuellement sélectionnée.
                        • -
                        • La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation: boutons de navigation de feuille, onglets de feuille et boutons de zoom. La Barre d'état affiche également le nombre d'enregistrements filtrés si vous appliquez un filtreou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données.
                        • +
                        • La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation: boutons de navigation de feuille, bouton pour ajouter une feuille de calcul, bouton pour afficher la liste de feuilles de calcul, onglets de feuille et boutons de zoom. La Barre d'état affiche également l'état de sauvegarde s'exécutant en arrière-plan, l'état de connection quand l'éditeur ne pavient pas à se connecter, le nombre d'enregistrements filtrés si vous appliquez un filtre ou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données.
                        • La barre latérale gauche contient les icônes suivantes:
                            diff --git a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProtectionTab.htm b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProtectionTab.htm new file mode 100644 index 000000000..ea721493a --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ProtectionTab.htm @@ -0,0 +1,36 @@ + + + + Onglet Protection + + + + + + + +
                            +
                            + +
                            +

                            Onglet Protection

                            +

                            L'onglet Protection du Spreadsheet Editor permet d'empêcher tout accès non autorisé en utilisant le chiffrement ou la protection au niveau du classeur ou au niveau de la feuille de calcul.

                            +
                            +

                            Présentation de la fenêtre de Spreadsheet Editor en ligne:

                            +

                            Onglet Protection

                            +
                            +
                            +

                            Présentation de la fenêtre de Spreadsheet Editor pour le bureau:

                            +

                            Onglet Protection

                            +
                            +

                            En utilisant cet onglet, vous pouvez:

                            +
                              +
                            • Chiffrer votre document en définissant un mot de passe,
                            • +
                            • Protéger le livre avec ou sans un mot de passe afin de protéger sa structure,
                            • +
                            • Protéger la feuille de calcul en limitant les possibilités de modification dans une feuille de calcul avec ou sans un mot de passe,
                            • +
                            • Autoriser la modification des plages de cellules verrouillées avec ou sans mot de passe.
                            • +
                            • Activer et désactiver les options suivantes: Cellule verrouillée, Formules cachées, Forme verrouillé, Verrouiller le texte.
                            • +
                            +
                            + + diff --git a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm index 3b1307825..3fe392056 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm @@ -1,9 +1,9 @@  - L'onglet Affichage + Onglet Affichage - + @@ -14,22 +14,31 @@
                            -

                            L'onglet Affichage

                            -

                            L'onglet Affichage dans Spreadsheet Editor permet de paramétrer l'affichage de feuille de calcul en fonction du filtre appliqué.

                            +

                            Onglet Affichage

                            +

                            + L'onglet Affichage dans ONLYOFFICE Spreadsheet Editor permet de configurer les paramètres d'affichage d'une feuille de calcul en fonction du filtre appliqué et des options d'affichage activées.

                            Présentation de la fenêtre de Spreadsheet Editor en ligne:

                            -

                            L'onglet Affichage

                            +

                            Onglet Affichage

                            Présentation de la fenêtre de Spreadsheet Editor pour le bureau:

                            -

                            L'onglet Affichage

                            +

                            Onglet Affichage

                            -

                            Sous cet onglet vous pouvez:

                            +

                            En utilisant cet onglet, vous pouvez:

                            diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AllowEditRanges.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AllowEditRanges.htm new file mode 100644 index 000000000..5146dcb43 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AllowEditRanges.htm @@ -0,0 +1,72 @@ + + + + Autoriser la modification des plages + + + + + + + +
                            +
                            + +
                            + +

                            Autoriser la modification des plages

                            +

                            L'option Autoriser la modification des plages permet de sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégé. Vous pouvez autoriser la modification de certaines plages de cellules verrouillées avec ou sans mot de passe. On peut modifier la plage de cellules qui n'est pas protégé par un mot de passe.

                            +

                            Pour sélectionner une plage de cellules verrouillées qui peut être modifiée:

                            +
                              +
                            1. + Cliquez sur le bouton Autoriser la modification des plages dans la barre d'outils supérieure. La fenêtre Autoriser les utilisateurs à modifier les plages s'affiche: +

                              Modifier des plages

                              +
                            2. +
                            3. + Dans la fenêtre Autoriser les utilisateurs à modifier les plages, cliquez sur le bouton Nouveau pour sélectionner et ajouter les cellules qui peuvent être modifiées par un utilisateur. +

                              Nouvelle plage

                              +
                            4. +
                            5. + Dans la fenêtre Nouvelle plage, saisissez le Titre de la plage et sélectionnez la plage de cellules en cliquant sur le bouton Sélectionner les données. Le Mot de passe est facultatif, alors saisissez et validez-le si vous souhaitez protéger les plages de cellules par un mot de passe. Cliquez sur OK pour valider. +

                              Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé.

                              +
                            6. + +
                            7. Une fois terminé, cliquez sur le bouton Protéger la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée.
                            8. +
                            9. + Lorsque vous cliquez sur le bouton Protéger la feuille de calcul, la fenêtre Protéger la feuille de calcul s'affiche pour que vous sélectionniez les opérations que les utilisateurs peuvent exécuter afin d'empêcher toute modification indésirable. Si vous optez pour une protection avec un mot de passe, saisissez et validez le mot de passe qu'on doit entrer pour annuler la protection de la feuille de calcul. +

                              Protéger la feuille de calcul

                              +
                              Les opérations que les utilisateurs peuvent exécuter. +
                                +
                              • Sélectionner les cellules verrouillées
                              • +
                              • Sélectionner les cellules non verrouillées
                              • +
                              • Modifier les cellules
                              • +
                              • Modifier les colonnes
                              • +
                              • Modifier les lignes
                              • +
                              • Insérer des colonnes
                              • +
                              • Insérer des lignes
                              • +
                              • Insérer un lien hypertexte
                              • +
                              • Supprimer les colonnes
                              • +
                              • Supprimer les lignes
                              • +
                              • Trier
                              • +
                              • Utiliser Autofilter
                              • +
                              • Utiliser tableau et graphique croisés dynamiques
                              • +
                              • Modifier les objets
                              • +
                              • Modifier les scénarios
                              • +
                              +
                              +
                            10. + Cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. +

                              Protéger la feuille de calcul activé

                              +
                            11. +
                            12. + Vous pouvez modifier les plages de cellules, tant que la feuille de calcul n'est pas protégée. Cliquez sur le bouton Autoriser la modification des plages pour ouvrir la fenêtre Autoriser les utilisateurs à modifier les plages: Utilisez les boutons Modifier et Supprimer pour gérer les plages de cellules sélectionnées. Ensuite, cliquez sur le bouton Protéger la feuille de calcul pour activer la protection de la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. +

                              Modifier des plages

                              +
                            13. +
                            14. + Avec des plages protégées avec un mot de passe, la fenêtre Déverrouiller la plage s'affiche invitant à saisir le mot de passe lorsque quelqu'un essaie de modifier la plage protégée. +

                              Déverrouiller la plage

                              +
                            15. +
                            +
                            + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/CopyPasteData.htm index 45b0a9653..f43513098 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/CopyPasteData.htm @@ -11,16 +11,17 @@
                            -
                            - -
                            +
                            + +

                            Couper/copier/coller des données

                            Utiliser les opérations de base du presse-papiers

                            Pour couper, copier et coller les données de votre classeur, utilisez le menu contextuel ou les icônes correspondantes de Spreadsheet Editor sur la barre d'outils supérieure,

                            • Couper - sélectionnez les données et utilisez l'option Couper pour supprimer les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur.

                            • -
                            • Copier - sélectionnez les données et utilisez l'icône Copier

                              sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur.

                            • -
                            • Coller - sélectionnez l'endroit et utilisez l'icône Coller

                              sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur.

                              +
                            • Copier - sélectionnez les données et utilisez l'icône Copier L'icône Copier sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur.

                            • +
                            • +

                              Coller - sélectionnez l'endroit et utilisez l'icône Coller L'icône Coller sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur.

                            Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre feuille de calcul ou un autre programme, dans la version de bureau, les boutons/options de menu et les combinaisons de touches correspondantes peuvent être utilisées pour toute opération copier/coller:

                            @@ -32,7 +33,8 @@

                            Remarque: au lieu de couper et coller des données dans la même feuille de calcul, vous pouvez sélectionner la cellule/plage de cellules requise, placer le pointeur de la souris sur la bordure de sélection pour qu'il devienne l'icône Flèche

                            et faire glisser la sélection jusqu'à la position requise.

                            Pour afficher ou masquer le bouton Options de collage, accédez à l'onglet Fichier > Paramètres avancés... et activez/désactivez la case à coché Couper, copier et coller.

                            Utiliser la fonctionnalité Collage spécial

                            -

                            Une fois les données copiées collées, le bouton Options de collage

                            apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise.

                            +

                            Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict.

                            +

                            Une fois les données copiées collées, le bouton Options de collage Options de collage apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise.

                            Lorsque vous collez une cellule/plage de cellules avec des données formatées, les options suivantes sont disponibles:

                            • Coller - permet de coller tout le contenu de la cellule, y compris le formatage des données. Cette option est sélectionnée par défaut.
                            • @@ -55,41 +57,42 @@
                            • Valeur + toute la mise en forme - permet de coller les résultats de la formule avec toute la mise en forme des données.
                            -
                          • Coller uniquement la mise en forme - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule. +
                          • + Coller uniquement la mise en forme - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule.

                            Options de collage

                            -
                              -
                            1. - Coller -
                                -
                              • Formule - permet de coller des formules sans coller le formatage des données.
                              • -
                              • Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données.
                              • -
                              • Formats - permet de conserver la mise en forme de la zone copiée.
                              • -
                              • Commentaires - permet d'ajouter les commentaires de la zone copiée.
                              • -
                              • Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée.
                              • -
                              • Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures.
                              • -
                              • Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée.
                              • -
                              • Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée.
                              • -
                              • Formules et format des chiffres - permet de coller les formules et le format des chiffres.
                              • -
                              • Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée.
                              • -
                              • Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée.
                              • -
                              -
                            2. -
                            3. - Opération -
                                -
                              • Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée.
                              • -
                              • Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée.
                              • -
                              • Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée.
                              • -
                              • Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée.
                              • -
                              -
                            4. -
                            5. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes.
                            6. -
                            7. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme.
                            8. -
                            -

                            Fenêtre de collage spéciale

                            +
                              +
                            1. + Coller +
                                +
                              • Formule - permet de coller des formules sans coller le formatage des données.
                              • +
                              • Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données.
                              • +
                              • Formats - permet de conserver la mise en forme de la zone copiée.
                              • +
                              • Commentaires - permet d'ajouter les commentaires de la zone copiée.
                              • +
                              • Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée.
                              • +
                              • Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures.
                              • +
                              • Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée.
                              • +
                              • Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée.
                              • +
                              • Formules et format des chiffres - permet de coller les formules et le format des chiffres.
                              • +
                              • Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée.
                              • +
                              • Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée.
                              • +
                              +
                            2. +
                            3. + Opération +
                                +
                              • Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée.
                              • +
                              • Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée.
                              • +
                              • Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée.
                              • +
                              • Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée.
                              • +
                              +
                            4. +
                            5. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes.
                            6. +
                            7. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme.
                            8. +
                            +

                            Fenêtre de collage spéciale

                          - +

                          Lorsque vous collez le contenu d'une seule cellule ou du texte dans des formes automatiques, les options suivantes sont disponibles:

                          • Mise en forme de la source - permet de conserver la mise en forme de la source des données copiées.
                          • @@ -100,8 +103,9 @@

                            Le texte délimité peut contenir plusieurs enregistrements dont chaque enregistrement correspond à une seule ligne de table. Chaque enregistrement peut contenir plusieurs valeurs de texte séparées par des délimiteurs (tels que virgule, point-virgule, deux-points, tabulation, espace ou tout autre caractère). Le fichier doit être enregistré sous la forme d'un fichier .txt de texte brut.

                            • Conserver le texte uniquement - permet de coller les valeurs de texte dans une colonne où chaque contenu de cellule correspond à une ligne dans un fichier de texte source.
                            • -
                            • Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. -

                              Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, appuyez sur le bouton OK.

                              +
                            • + Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. +

                              Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, appuyez sur le bouton OK.

                            Assistant importation de texte

                            @@ -112,8 +116,10 @@
                          • Passez à l'onglet Données.
                          • Cliquez sur le bouton Texte en colonnes dans la barre d'outils supérieure. L'assistant Texte en colonnes s'affiche.
                          • Dans la liste déroulante Délimiteur, sélectionnez le délimiteur utilisé dans les données délimitées.
                          • -
                          • Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. -

                            Le fenêtre Paramètres de date

                          • +
                          • + Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. +

                            Le fenêtre Paramètres de date

                            +
                          • Prévisualisez le résultat dans le champ ci-dessous et cliquez sur OK.
                          • Ensuite, chaque valeur de texte séparée par le délimiteur sera placée dans une cellule séparée.

                            @@ -122,8 +128,9 @@

                            Pour remplir rapidement plusieurs cellules avec les mêmes données, utilisez l'option Remplissage automatique:

                            1. sélectionner une cellule/plage de cellules contenant les données ciblées,
                            2. -
                            3. déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire: -

                              +
                            4. + déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire: +

                              Remplissage automatique

                            5. faites glisser la poignée sur les cellules adjacentes que vous souhaitez remplir avec les données sélectionnées.
                            @@ -133,7 +140,7 @@

                            Cliquez avec le bouton droit sur la cellule requise et choisissez l'option Sélectionner dans la liste déroulante dans le menu contextuel.

                            Sélectionnez dans la liste déroulante

                            Sélectionnez l'une des valeurs de texte disponibles pour remplacer la valeur actuelle ou remplir une cellule vide.

                            - + diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/FormattedTables.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/FormattedTables.htm index 8b309a343..4092d32e9 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/FormattedTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/FormattedTables.htm @@ -3,7 +3,7 @@ Mettre sous forme de modèle de tableau - + @@ -12,25 +12,25 @@
                            - +

                            Mettre sous forme de modèle de tableau

                            Créer un nouveau tableau mis en forme

                            -

                            Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire,

                            +

                            Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire,

                            1. sélectionnez une plage de cellules que vous souhaitez mettre en forme,
                            2. -
                            3. cliquez sur l'icône Mettre sous forme de modèle de tableau
                              sous l'onglet Accueil dans la barre d'outils supérieure.
                            4. +
                            5. cliquez sur l'icône Mettre sous forme de modèle de tableau Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure.
                            6. Sélectionnez le modèle souhaité dans la galerie,
                            7. dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau,
                            8. -
                            9. cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas,
                            10. -
                            11. cliquez sur le bouton OK pour appliquer le modèle sélectionné.
                            12. +
                            13. cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas,
                            14. +
                            15. cliquez sur le bouton OK pour appliquer le modèle sélectionné.

                            Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données.

                            -

                            Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique.

                            +

                            Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique.

                            Remarque: une fois que vous avez créé un nouveau tableau, un nom par défaut (Tableau1, Tableau2 etc.) lui sera automatiquement affecté. Vous pouvez changer ce nom pour le rendre plus significatif et l'utiliser pour d'autres travaux.

                            -

                            Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l'expansion automatique du tableau sera disponible dans ce menu.

                            +

                            Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l’expansion automatique du tableau sera disponible dans ce menu.

                            Annuler l'expansion automatique du tableau

                            -

                            Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe.

                            +

                            Remarque: Pour activer ou désactiver l'option de développent automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe et décochez la case Inclure nouvelles lignes et colonnes dans le tableau.

                            Sélectionner les lignes et les colonnes

                            Pour sélectionner la ligne entière, déplacez le curseur sur la bordure gauche de la ligne du tableau lorsque il se transforme en flèche noir

                            , puis cliquez sur le bouton gauche de la souris.

                            Sélectionner une ligne

                            @@ -38,48 +38,62 @@

                            Sélectionner une colonne

                            Pour sélectionner le tableau entier, déplacez le curseur sur le coin supérieur gauche du tableau lorsque il se transforme en flèche noir en diagonale

                            , puis cliquez sur le bouton gauche de la souris.

                            Sélectionner un tableau

                            -

                            Éditer un tableau mis en forme d'après un modèle

                            -

                            Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau

                            sur la droite.

                            +

                            éditer un tableau mis en forme d'après un modèle

                            +

                            Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau L'icône Paramètres du tableau sur la droite.

                            L'onglet Paramètres du tableau

                            -

                            Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles:

                            +

                            Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles:

                            • En-tête - permet d'afficher la ligne d'en-tête.
                            • - Total - ajoute la ligne Résumé en bas du tableau. -

                              Remarque: lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton

                              est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste: Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé.

                              + Total - ajoute la ligne Résumé en bas du tableau. +

                              Remarque: lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton Flèche déroulante est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste: Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé.

                              Résumé

                            • Bordé - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires.
                            • -
                            • Bouton Filtre - permet d'afficher les flèches déroulantes
                              dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée.
                            • +
                            • Bouton Filtre - permet d'afficher les flèches déroulantes Flèche déroulante dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée.
                            • Première - accentue la colonne la plus à gauche du tableau avec un formatage spécial.
                            • -
                            • Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial.
                            • +
                            • Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial.
                            • Bordé - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.

                            - La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées: + La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées:

                            -

                            -

                            Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles:

                            -

                            -

                            La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK.

                            +

                            La liste des modèles

                            +

                            Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles:

                            +

                            Aucun modèle

                            +

                            La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK.

                            Remarque: Les en-têtes doivent rester sur la même ligne et la plage de valeurs du tableau de résultat doit se superposer à la plage de valeur du tableau d'origine.

                            Redimensionner le tableau

                            -

                            La section Lignes et colonnes

                            vous permet d'effectuer les opérations suivantes:

                            +

                            La section Lignes et colonnes Lignes et colonnes vous permet d'effectuer les opérations suivantes:

                            • Sélectionner une ligne, une colonne, toutes les données de colonnes à l'exclusion de la ligne d'en-tête ou la table entière incluant la ligne d'en-tête.
                            • Insérer une nouvelle ligne au-dessus ou en dessous de celle sélectionnée ainsi qu'une nouvelle colonne à gauche ou à droite de celle sélectionnée.
                            • Supprimer une ligne, une colonne (en fonction de la position du curseur ou de la sélection) ou la totalité du tableau.
                            -

                            Remarque: les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel.

                            -

                            L'option

                            Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page.

                            -

                            L'option

                            Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible.

                            -

                            L'option

                            Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page.

                            -

                            L'option

                            Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page.

                            +

                            Remarque: les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel.

                            +

                            L'option Supprimer les valeurs dupliquées Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page.

                            +

                            L'option Conversion en plage Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible.

                            +

                            L'option Insérer un segment Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page.

                            +

                            L'option Insérer un tableau croisé dynamique Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page.

                            Configurer les paramètres du tableau

                            -

                            Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre:

                            +

                            Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre:

                            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.

                            -

                            Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe.

                            +

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

                            +

                            Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe.

                            +

                            Utiliser la saisie automatique de formule pour ajouter des formules aux tableaux mis en forme d'après un modèle

                            +

                            La liste de Saisie automatique de formule affiche des options disponibles pour des formules ajoutées aux tableaux mis en forme d'après un modèle. Vous pouvez faire un renvoi vers un tableau dans votre formules à l'intérieur ou en dehors du tableau. Les titres des colonnes et des éléments sont utilisés en tant que références au lieu des adresses de cellule.

                            +

                            L'exemple ci-dessous illustre un renvoi vers le tableau dans la fonction SUM.

                            +
                              +
                            1. + Sélectionnez une cellule et commencez à saisir une formule qui commence par un signe égal, sélectionnez la fonction nécessaire dans la liste de Saisie automatique de formule. Après la parenthèse ouvrante, commencez à saisir le nom du tableau et sélectionnez-le dans la liste Saisie automatique de formule. +

                              Formules du tableau +

                            2. +
                            3. + Ensuite, saisissez le crochet ouvrant [ pour ouvrir la liste déroulante des colonnes et des éléments qu'on peut utiliser dans la formule. Une info-bulle avec la description de la référence s'affiche lorsque vous placez le pointeur de la souris sur la référence dans la liste. +

                              Formules du tableau +

                            4. +
                            +

                            Remarque: Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule.

                            \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm index 27b3b6cb7..54d6a5646 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm @@ -19,8 +19,8 @@

                            Pour ajouter une forme automatique à Spreadsheet Editor,

                            1. passez à l'onglet Insérer de la barre d'outils supérieure,
                            2. -
                            3. cliquez sur l'icône Forme
                              de la barre d'outils supérieure,
                            4. -
                            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. +
                            7. cliquez sur l'icône Forme L'icône Forme de la barre d'outils supérieure,
                            8. +
                            9. sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
                            10. cliquez sur la forme automatique nécessaire du groupe sélectionné,
                            11. placez le curseur de la souris là où vous voulez insérer la forme,
                            12. une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés. @@ -45,10 +45,10 @@

                              Les options disponibles du menu:

                              • Style - choisissez Linéaire or Radial: -
                                  -
                                • Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. Cliquez sur Direction pour définir la direction choisie et cliquez sur Angle pour définir un angle précis.
                                • -
                                • Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée.
                                • -
                                +
                                  +
                                • Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé.
                                • +
                                • Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée.
                                • +
                              • Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs.
                                  diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertChart.htm index c3eebd116..4ae69515e 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertChart.htm @@ -87,6 +87,7 @@
                                • Combinaison personnalisée
                                +

                                Remarque: ONLYOFFICE Spreadsheet Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier.

                            Après cela, le graphique sera ajouté à la feuille de calcul.

                            diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm index a66ba421f..3208a34f5 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm @@ -80,6 +80,12 @@
                          • 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/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index fcc5d8ca4..e51376720 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -10,34 +10,37 @@ -
                          -
                          - -
                          -

                          Insérer des images

                          -

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

                          +
                          +
                          + +
                          +

                          Insérer des images

                          +

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

                          Insérer une image

                          Pour insérer une image dans la feuille de calcul,

                          -
                            -
                          1. placez le curseur là où vous voulez insérer l'image,
                          2. +
                              +
                            1. placez le curseur là où vous voulez insérer l'image,
                            2. passez à l'onglet Insertion de la barre d'outils supérieure,
                            3. -
                            4. cliquez sur l'icône
                              Imagede la barre d'outils supérieure,
                            5. -
                            6. sélectionnez l'une des options suivantes pour charger l'image :
                                -
                              • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue 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 +
                              • cliquez sur l'icône icône Image Imagede la barre d'outils supérieure,
                              • +
                              • + sélectionnez l'une des options suivantes pour charger l'image :
                                  +
                                • + l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir

                                  Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois.

                                • -
                                • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
                                • +
                                • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
                                • l'option Image provenant du stockage ouvrira la fenêtre Sélectionner la source de données. Sélectionnez une image stockée sur votre portail et cliquez sur le bouton OK
                                • -
                                -
                              • -
                            +
                        +
                      • +

                        Après cela, l'image sera ajoutée à la feuille de calcul.

                        Régler les paramètres de l'image

                        une fois l'image ajoutée, vous pouvez modifier sa taille et sa position.

                        Pour spécifier les dimensions exactes de l'image :

                        1. sélectionnez l'image que vous voulez redimensionner avec la souris,
                        2. -
                        3. cliquez sur l'icône Paramètres de l'image
                          sur la barre latérale droite,

                          Fenêtre Paramètres de l'image du panneau latéral droit

                          +
                        4. + cliquez sur l'icône Paramètres de l'image Paramètres de l'image sur la barre latérale droite,

                          Fenêtre Paramètres de l'image du panneau latéral droit

                        5. Dans la section Taille, définissez les valeurs Largeur et Hauteur requises. Si le bouton Proportions constantes
                          est cliqué(auquel cas il ressemble à ceci
                          ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.
                        @@ -50,31 +53,34 @@
                      • 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 :

                      +

                      Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix:

                        +
                      • Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme.
                      • Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées.
                      • Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée.

                      Pour faire pivoter l'image :

                      1. sélectionnez l'image que vous souhaitez faire pivoter avec la souris,
                      2. -
                      3. cliquez sur l'icône Paramètres de l'image
                        sur la barre latérale droite,
                      4. -
                      5. dans la section Rotation, cliquez sur l'un des boutons :
                          -
                        • pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre
                        • -
                        • pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre
                        • -
                        • pour retourner l’image horizontalement (de gauche à droite)
                        • -
                        • pour retourner l’image verticalement (à l'envers)
                        • +
                        • cliquez sur l'icône Paramètres de l'image Paramètres de l'image sur la barre latérale droite,
                        • +
                        • + dans la section Rotation, 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)

                          Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Faire pivoter dans le menu contextuel.

                      Pour remplacer l'image insérée,

                      -
                        -
                      1. sélectionnez l'image insérée avec la souris,
                      2. -
                      3. cliquez sur l'icône Paramètres de l'image
                        sur la barre latérale droite,
                      4. -
                      5. dans la section Remplacer l'image cliquez sur le bouton approprié : D'un fichier ou D'une URL et sélectionnez l'image désirée.

                        Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel.

                        +
                          +
                        1. sélectionnez l'image insérée avec la souris,
                        2. +
                        3. cliquez sur l'icône Paramètres de l'image Paramètres de l'image sur la barre latérale droite,
                        4. +
                        5. + dans la section Remplacer l'image cliquez sur le bouton approprié : D'un fichier ou D'une URL et sélectionnez l'image désirée.

                          Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel.

                        6. -
                        +

                      L'image sélectionnée sera remplacée.

                      Lorsque l'image est sélectionnée, l'icône Paramètres de la forme

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

                      Sous l'onglet Paramètres de la forme, vous pouvez utiliser l'option Ajouter une ombre pour créer une zone ombrée autour de l'image.

                      diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManageSheets.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManageSheets.htm index 8bf5a3908..8bb3c8b02 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManageSheets.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManageSheets.htm @@ -11,15 +11,15 @@
                      -
                      - -
                      +
                      + +

                      Gérer des feuilles de calcul

                      Par défaut, un classeur nouvellement créé contient une feuille de calcul. Le moyen le plus simple d'en ajouter dans Spreadsheet Editor une est de cliquer sur le bouton Plus

                      situé à la droite des boutons de Navigation de feuille dans le coin inférieur gauche.

                      Une autre façon d'ajouter une nouvelle feuille est:

                        -
                      1. faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille,
                      2. -
                      3. sélectionnez l'option Insérer depuis le menu contextuel.
                      4. +
                      5. faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille,
                      6. +
                      7. sélectionnez l'option Insérer depuis le menu contextuel.

                      Une nouvelle feuille de calcul sera insérée après la feuille sélectionnée.

                      Pour activer la feuille requise, utilisez les onglets de la feuille dans le coin inférieur gauche de chaque feuille de calcul.

                      @@ -53,7 +53,9 @@
                    • cliquez sur le bouton OK pour confirmer votre choix.
                    • Ou tout simplement faites glisser l'onglet de la feuille de calcul et déposez-le là où vous voulez. La feuille de calcul sélectionnée sera déplacée.

                      -

                      Vous pouvez aussi déplacer l'onglet de feuille par glisser-déposer vers une autre classeur. Dans ce cas la feuille de calcul est supprimée du classeur d'origine.

                      +

                      Vous pouvez également déplacer une feuille de calcul entre des classeurs manuellement par glisser-déposer. Pour ce faire, sélectionnez la feuille de calcul à déplacer et faites-la glisser vers la barre d’onglets des feuilles dans un autre classeur. Par exemple, vous pouvez glisser une feuille de calcul de l’éditeur en ligne vers l’éditeur de bureau:

                      +

                      Move sheet gif

                      +

                      Dans ce cas-ci, la feuille de calcul dans le classeur d’origine sera supprimée.

                      Si vous avez beaucoup de feuilles de calcul, pour faciliter le travail vous pouvez masquer certains d'entre eux dont vous n'avez pas besoin pour l'instant. Pour ce faire,

                      1. faites un clic droit sur l'onglet de la feuille de calcul à copier,
                      2. @@ -63,39 +65,43 @@

                        Pour différencier les feuilles, vous pouvez affecter différentes couleurs aux onglets de la feuille. Pour ce faire,

                        1. faites un clic droit sur l'onglet de la feuille de calcul à colorer,
                        2. -
                        3. sélectionnez l'option Couleur d'onglet depuis le menu contextuel.
                        4. -
                        5. sélectionnez une couleur dans les palettes disponibles +
                        6. sélectionnez l'option Couleur d'onglet depuis le menu contextuel.
                        7. +
                        8. + sélectionnez une couleur dans les palettes disponibles

                          Palette

                          • Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul.
                          • Couleurs standard - le jeu de couleurs par défaut.
                          • -
                          • Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: -

                            Palette - Couleur personnalisée

                            -

                            La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu.

                            +
                          • + Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: +

                            Palette - Couleur personnalisée

                            +

                            La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu.

                          • -
                          -
                        9. +
                    +
                  • Vous pouvez travaillez simultanément sur plusieurs feuilles de calcul:

                    1. sélectionnez la première feuille à inclure dans le groupe,
                    2. appuyez et maintenez la touche Maj enfoncée pour choisir plusieurs feuilles adjacentes, ou utilisez la touche Ctrl pour choisir les feuilles non adjacentes.
                    3. faites un clic droit sur un des onglets de feuille choisis pour ouvrir le menu contextuel,
                    4. -
                    5. sélectionnez l'option convenable du menu: -

                      Gérer plusieurs feuilles de calcul

                      -
                        -
                      • Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi,
                      • -
                      • Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible),
                      • -
                      • Renommer cette option ne s'applique qu'à chaque feuille individuelle,
                      • -
                      • Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis.
                      • -
                      • Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis.
                      • -
                      • Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible),
                      • -
                      • Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois,
                      • -
                      • Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel,
                      • -
                      • Dissocier les feuilles sert à dissocier les feuilles sélectionnées. -

                        Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe.

                        -
                      • -
                      +
                    6. + sélectionnez l'option convenable du menu: +

                      Gérer plusieurs feuilles de calcul

                      +
                        +
                      • Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi,
                      • +
                      • Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible),
                      • +
                      • Renommer cette option ne s'applique qu'à chaque feuille individuelle,
                      • +
                      • Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis.
                      • +
                      • Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis.
                      • +
                      • Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible),
                      • +
                      • Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois,
                      • +
                      • Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel,
                      • +
                      • + Dissocier les feuilles sert à dissocier les feuilles sélectionnées. +

                        Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe.

                        +
                      • +
                    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm index da458df3f..5009cae3c 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ManipulateObjects.htm @@ -10,22 +10,22 @@ -
                    -
                    - -
                    -

                    Manipuler des objets

                    -

                    Dans Spreadsheet Editor, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur.

                    +
                    +
                    + +
                    +

                    Manipuler des objets

                    +

                    Dans Spreadsheet Editor, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur.

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

                    -

                    Redimensionner des objets

                    -

                    Pour changer la taille d'une forme automatique/image/graphique, faites glisser les petits carreaux

                    situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin.

                    -

                    Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique

                    ou Paramètres de l'image
                    à droite.

                    -

                    -

                    Déplacer des objets

                    -

                    Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône

                    qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement.

                    -

                    Faire pivoter des objets

                    -

                    Pour faire pivoter manuellement une forme automatique/image, placez le curseur de la souris sur la poignée de rotation

                    et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée.

                    -

                    Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme

                    ou Paramètres de l'image
                    à droite. Cliquez sur l'un des boutons :

                    +

                    Redimensionner des objets

                    +

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

                    +

                    Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique Paramètres du graphique ou Paramètres de l'image Paramètres de l'image à droite.

                    +

                    Conserver les proportions

                    +

                    Déplacer des objets

                    +

                    Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône Flèche qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement.

                    +

                    Faire pivoter des objets

                    +

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

                    +

                    Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme Paramètres de la forme ou Paramètres de l'image Paramètres de l'image à droite. Cliquez sur l'un des boutons :

                    • pour faire pivoter l’objet de 90 degrés dans le sens inverse des aiguilles d'une montre
                    • pour faire pivoter l’objet de 90 degrés dans le sens des aiguilles d'une montre
                    • @@ -35,8 +35,27 @@

                      Il est également possible de cliquer avec le bouton droit de la souris sur l'image ou la forme, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles.

                      Pour faire pivoter une forme ou une image selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK.

                      Modifier des formes automatiques

                      -

                      Lors de la modification des formes, par exemple des Flèches figurées ou les légendes, l'icône jaune en forme de diamant

                      est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche.

                      -

                      +

                      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 Icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche.

                      +

                      Modifier les formes automatiques

                      +

                      Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel.

                      +

                      Modifier les points sert à personnaliser ou modifier le contour d'une forme.

                      +
                        +
                      1. + Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. +

                        Modifier les points

                        +
                      2. +
                      3. + Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. +

                        Modifier les points

                        +
                      4. +
                      5. + Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: +
                          +
                        • Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité.
                        • +
                        • Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu.
                        • +
                        +
                      6. +

                      Aligner des objets

                      Pour aligner deux ou plusieurs objets sélectionnés les uns par rapport aux autres, maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur l'icône

                      Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'alignement souhaité dans la liste :

                        @@ -50,11 +69,11 @@

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

                        Remarque : les options d'alignement sont désactivées si vous sélectionnez moins de deux objets.

                        Distribuer des objets

                        -

                        Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône

                        Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste :

                        -
                          -
                        • Distribuer horizontalement
                          - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite.
                        • -
                        • Distribuer verticalement
                          - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas.
                        • -
                        +

                        Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône icône Aligner Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste :

                        +
                          +
                        • Distribuer horizontalement icône Distribuer horizontalement - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite.
                        • +
                        • Distribuer verticalement icône Distribuer verticalement - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas.
                        • +

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

                        Remarque : les options de distribution sont désactivées si vous sélectionnez moins de trois objets.

                        Grouper plusieurs objets

                        @@ -78,7 +97,7 @@
                      • Mettre en arrière plan
                        pour placer l'objet ou les objets derrière tous les autres,
                      • Reculer
                        pour déplacer l'objet ou les objets d'un niveau vers l'arrière.
                      -

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

                      -
                    +

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

                    +
                    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Password.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Password.htm new file mode 100644 index 000000000..f9227ee40 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Password.htm @@ -0,0 +1,71 @@ + + + + Protéger un classeur avec un mot de passe + + + + + + + +
                    +
                    + +
                    + +

                    Protéger un classeur avec un mot de passe

                    +

                    Vous pouvez contrôler l'accès à vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il y a deux façons de protéger votre classeur par un mot de passe: depuis l'onglet Protection ou depuis l'onglet Fichier.

                    +

                    Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé.

                    +

                    Définir un mot de passe depuis l'onglet Protection.

                    +
                      +
                    • passez à l'onglet Protection et cliquez sur l'icône Chiffrer.
                    • +
                    • dans la fenêtre Définir un mot de passe qui s'affiche, saisissez et confirmer le mot de passe que vous allez utilisez pour accéder à votre fichier. +

                      Définir un mot de passe

                      +
                    • +
                    • Cliquez sur OK pour valider.
                    • . +
                    • + le bouton Chiffrer de la barre d'outils supérieure affiche une flèche lorsque le fichier est chiffré. Cliquez la flèche si vous souhaitez modifier ou supprimer le mot de passe. +

                      Chiffré

                      +
                    • +
                    +

                    Modifier le mot de passe

                    +
                      +
                    • passez à l'onglet Protection de la barre d'outils supérieure,
                    • +
                    • cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante,
                    • +
                    • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.Cliquez sur Show password icon pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. +

                      Modifier le mot de passe

                      +
                    • +
                    +

                    Supprimer le mot de passe

                    +
                      +
                    • passez à l'onglet Protection de la barre d'outils supérieure,
                    • +
                    • cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante,
                    • +
                    +

                    Définir un mot de passe depuis l'onglet Fichier.

                    +
                      +
                    • passez à l'onglet Fichier de la barre d'outils supérieure,
                    • +
                    • choisissez l'option Protéger,
                    • +
                    • cliquez sur le bouton Ajouter un mot de passe.
                    • +
                    • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
                    • +
                    +

                    Définir un mot de passe

                    + +

                    Modifier le mot de passe

                    +
                      +
                    • passez à l'onglet Fichier de la barre d'outils supérieure,
                    • +
                    • choisissez l'option Protéger,
                    • +
                    • cliquez sur le bouton Modifier un mot de passe.
                    • +
                    • saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.
                    • +
                    +

                    Modifier le mot de passe

                    + +

                    Supprimer le mot de passe

                    +
                      +
                    • passez à l'onglet Fichier de la barre d'outils supérieure,
                    • +
                    • choisissez l'option Protéger,
                    • +
                    • cliquez sur le bouton Supprimer un mot de passe.
                    • +
                    +
                    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSheet.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSheet.htm new file mode 100644 index 000000000..b6b2f8978 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSheet.htm @@ -0,0 +1,68 @@ + + + + Protéger une feuille de calcul + + + + + + + +
                    +
                    + +
                    + +

                    Protéger une feuille de calcul

                    +

                    L'option Protéger la feuille de calcul permet de protéger des feuilles de calcul et de contrôler les modifications apportées par d'autres utilisateurs à la feuille de calcul pour empêcher toute modification indésirable et limiter les possibilités de modification d'autres utilisateurs. Vois pouvez protéger une feuille de calcul avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection d'une feuille de calcul.

                    +

                    Pour protéger une feuille de calcul:

                    +
                      +
                    1. + Passez à l'onglet Protection et cliquez sur le bouton Protéger la feuille de calcul de la barre d'outils supérieure. +

                      ou

                      +

                      Faites un clic droit sur l'onglet de la feuille de calcul à protéger et sélectionnez Protéger de la liste d'options.

                      +

                      Protéger depuis l'onglet de la feuille de calcul

                      +
                    2. +
                    3. Dans la fenêtre Protéger la feuille de calcul qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection de la feuille de calcul. +

                      Protéger la feuille de calcul

                      +

                      Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé.

                      +
                    4. +
                    5. Activez les options appropriées sous la rubrique Permettre à tous les utilisateurs de cette feuille pour définir les opérations que les utilisateurs pourront effectuer. Les opérations par défaut sont Sélectionner les cellules verrouillées et Sélectionner les cellules non verrouillées.
                      Les opérations que les utilisateurs peuvent exécuter. +
                        +
                      • Sélectionner les cellules verrouillées
                      • +
                      • Sélectionner les cellules non verrouillées
                      • +
                      • Modifier les cellules
                      • +
                      • Modifier les colonnes
                      • +
                      • Modifier les lignes
                      • +
                      • Insérer des colonnes
                      • +
                      • Insérer des lignes
                      • +
                      • Insérer un lien hypertexte
                      • +
                      • Supprimer les colonnes
                      • +
                      • Supprimer les lignes
                      • +
                      • Trier
                      • +
                      • Utiliser Autofilter
                      • +
                      • Utiliser tableau et graphique croisés dynamiques
                      • +
                      • Modifier les objets
                      • +
                      • Modifier les scénarios
                      • +
                      +
                      +
                    6. +
                    7. cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. +

                      Protéger la feuille de calcul activé

                      +
                    8. +
                    9. Pour désactiver la protection d'une feuille de calcul: +
                        +
                      • cliquez sur le bouton Protéger la feuille de calcul, +

                        ou

                        +

                        faites un clic droit sur l'onglet de la feuille de calcul protégée et sélectionnez Déprotéger de la liste d'options

                        +

                        Déprotéger depuis l'onglet de la feuille de calcul

                        +
                      • +
                      • Saisissez le mot de passe et cliquez sur OK si la fenêtre Déprotéger la feuille apparaît. +

                        Déprotéger la feuille

                        +
                      • +
                      +
                    +
                    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSpreadsheet.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSpreadsheet.htm new file mode 100644 index 000000000..b42f76df2 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectSpreadsheet.htm @@ -0,0 +1,30 @@ + + + + Protéger une feuille de calcul + + + + + + + +
                    +
                    + +
                    +

                    Protéger un classeur

                    +

                    Spreadsheet Editor permet de protéger un classeur partagé lorsque vous souhaitez limiter l'accès ou les possibilités de modification d'autres utilisateurs. Spreadsheet Editor propose la protection du classeur aux différents niveaux pour contrôler l'accès au fichier aussi que les possibilités de modification à l'intérieur d'un classeur ou à l'intérieur d'une feuille de calcul. Utiliser l'onglet Protection pour paramétrer les options de protection disponibles selon ce que vous jugez approprié.

                    +

                    Onglet Protection

                    +

                    Les options de protection comprennent:

                    +

                    Chiffrer pour contrôler l'accès au fichier et empêcher d'autres utilisateurs de l'ouvrir.

                    +

                    Protéger le livre pour contrôler des manipulations d'utilisateur au niveau de classeur et empêcher toute modification indésirable à la structure du classeur.

                    +

                    Protéger la feuille de calcul pour contrôler des actions d'utilisateur au niveau de feuille de calcul et empêcher toute modification indésirable aux données.

                    +

                    Autoriser la modification des plages pour sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégée.

                    +

                    Utilisez des cases à cocher de l'onglet Protection pour verrouiller et déverrouiller rapidement le contenu de d'une feuille de calcul protégée.

                    +

                    Remarque: ces options ne prendront effet que lors de l'activation de protection de la feuille de calcul.

                    +

                    Par défaut, les cellules, les formes et le texte à l'intérieur d'une forme sont verrouillés dans une feuille de calcul, décochez les cases appropriées pour les déverrouiller. On peut modifier des objets déverrouillés dans une feuille de calcul protégée. Les options Forme verrouillée et Verrouiller le texte deviennent actives lorsque une forme est sélectionnée. L'option Forme verrouillée est applicable tant aux formes qu'aux autres objets tels que graphiques, images et zones de texte. L'option Verrouiller le texte permet de verrouiller le texte à l'intérieur des objets, les graphiques exceptés.

                    +

                    Activez l'option Formules cachées pour masquer les formules d'une plage de cellules ou d'une cellule sélectionnée lorsque la feuille de calcul est protégé. La formule masquée ne s'affiche pas dans la barre de formule quand on fait un clic sur la cellule.

                    +

                    + + diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectWorkbook.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectWorkbook.htm new file mode 100644 index 000000000..7f1caf1d9 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ProtectWorkbook.htm @@ -0,0 +1,43 @@ + + + + Protéger un classeur + + + + + + + +
                    +
                    + +
                    + +

                    Protéger un classeur

                    +

                    L'option Protéger le livre permet de protéger la structure du classeur et de contrôler les manipulations d'utilisateur pour que personne ne puisse accéder aux classeurs masqués, ajouter, déplacer, supprimer, masquer et renommer des classeurs. Vois pouvez protéger un classeur avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection du classeur.

                    +

                    Pour protéger un classeur:

                    +
                      +
                    1. Passez à l'onglet Protection et cliquez sur le bouton Protéger le livre de la barre d'outils supérieure. +
                    2. +
                    3. + Dans la fenêtre Protéger la structure du livre qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection du classeur. +

                      Protéger un classeur

                      +
                    4. +
                    5. + Cliquez sur le bouton Protéger pour activer la protection avec ou sans un mot de passe. +

                      Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé.

                      +

                      Une fois le classeur protégé, le bouton Protéger le livre devient activé.

                      +

                      Protéger le classeur activé

                      +
                    6. +
                    7. Pour désactiver la protection d'un classeur: +
                        +
                      • avec un classeur protégé par un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure, saisissez le mot de passe dans la fenêtre contextuelle Déprotéger le livre et cliquez sur OK. +

                        Désactiver la protection su classeur

                        +
                      • +
                      • avec un classeur protégé sans un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure.
                      • +
                      +
                    +
                    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index 7d85272e1..27288f6ae 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -3,29 +3,29 @@ Enregistrer/imprimer/télécharger votre classeur - + -
                    -
                    - -
                    -

                    Enregistrer/imprimer/télécharger votre classeur

                    +
                    +
                    + +
                    +

                    Enregistrer/imprimer/télécharger votre classeur

                    Enregistrement

                    -

                    Par défaut, Spreadsheet Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés .

                    -

                    Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels,

                    -
                      -
                    • cliquez sur l'icône Enregistrer
                      dans la partie gauche de l'en-tête de l'éditeur, ou
                    • -
                    • utilisez la combinaison des touches Ctrl+S, ou
                    • -
                    • cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer.
                    • -
                    -

                    Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés .

                    +

                    Par défaut, Spreadsheet Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés .

                    +

                    Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels,

                    +
                      +
                    • cliquez sur l'icône Enregistrer L'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou
                    • +
                    • utilisez la combinaison des touches Ctrl+S, ou
                    • +
                    • cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer.
                    • +
                    +

                    Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés .

                    -

                    Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format,

                    +

                    Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format,

                    1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
                    2. sélectionnez l'option Enregistrer sous...,
                    3. @@ -33,17 +33,18 @@
                    -

                    Téléchargement en cours

                    -

                    Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur,

                    -
                      -
                    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: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. -

                      Remarque: si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé).

                      -
                    6. -
                    +

                    Téléchargement en cours

                    +

                    Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur,

                    +
                      +
                    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: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. +

                      Remarque: si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé).

                      +
                    6. +

                    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. sélectionnez l'option Enregistrer la copie sous...,
                    3. @@ -52,53 +53,61 @@

                    Impression

                    -

                    Pour imprimer la feuille de calcul active,

                    -
                      -
                    • cliquez sur l'icône Imprimer
                      dans la partie gauche de l'en-tête de l'éditeur, ou
                    • -
                    • utilisez la combinaison des touches Ctrl+P, ou
                    • -
                    • cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer.
                    • -
                    +

                    Pour imprimer la feuille de calcul active,

                    +
                      +
                    • 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.
                    • +
                    Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance.
                    -

                    La fenêtre Paramètres d'impression s'ouvre et vous pourrez changer les paramètres d'impression par défaut. Cliquez sur le bouton Afficher les détails en bas de la fenêtre pour afficher tous les paramètres.

                    -

                    Vous pouvez également ajuster les paramètres d'impression sur la page Paramètres avancés...: cliquez sur l'onglet Fichier de la barre d'outils supérieure et suivez Paramètres avancés... >> Paramètres de la page.
                    Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure.

                    -

                    La fenêtre Paramètres d'impression

                    -

                    Ici, vous pouvez régler les paramètres suivants:

                    -
                      -
                    • Imprimer la plage - spécifiez les éléments à imprimer: toute la Feuille actuelle, Toutes les feuilles de votre classeur ou une plage de cellules déjà sélectionnée (Sélection), -

                      Si vous avez déjà défini une zone d'impression constante mais que vous souhaitez imprimer la feuille entière, cochez la case Ignorer la zone d'impression.

                      -
                    • -
                    • Paramètres de feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Imprimer la plage,
                    • -
                    • Taille de la page - sélectionnez une des tailles disponibles depuis la liste déroulante,
                    • -
                    • Orientation de la page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale,
                    • -
                    • Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante: Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. -

                      Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche:

                      -

                      La fenêtre Paramètres de mise à l'échelle

                      -
                        -
                      1. Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur.
                      2. -
                      3. Échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle.
                      4. -
                      -
                    • -
                    • Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Colonnes à répéter à gauche et sélectionner une des options disponibles dans le menu déroulant: sélectionner la ligne, lignes/colonnes verrouillées, première ligne/colonne.
                    • -
                    • Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, À gauche et À droite,
                    • -
                    • Imprimer sert à définir des éléments à imprimer en activant la case à coché approprié: Imprimer le quadrillage et Imprimer les titres de lignes et de colonnes.
                    • -
                    -

                    Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe.

                    -
                    Configurer la zone d'impression
                    -

                    Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Imprimer la plage. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique.

                    +

                    Une Aperçu et tous les paramètres d'impression disponibles s'affichent.

                    +

                    Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure.

                    +

                    La fenêtre Paramètres d'impression

                    +

                    Ici, vous pouvez régler les paramètres suivants:

                    +
                      +
                    • + Zone d'impression - spécifiez les éléments à imprimer: Feuille actuelle, Toutes les feuilles ou Sélection, +

                      Si vous avez déjà défini une zone d'impression constante mais il vous faut imprimer la feuille entière, cochez la case Ignorer la zone d'impression.

                      +
                    • +
                    • Paramètres de la feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Zone d'impression,
                    • +
                    • Taille de la page - sélectionnez l'une des tailles disponibles dans la liste déroulante,
                    • +
                    • Orientation de page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale,
                    • +
                    • + Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante: Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. +

                      Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche:

                      +

                      La fenêtre Paramètres de mise à l'échelle

                      +
                        +
                      1. Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur.
                      2. +
                      3. échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle.
                      4. +
                      +
                    • +
                    • Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Répéter les colonnes à gauche et indiquer la ligne ou la colinne à répéter ou sélectionner l'une des options disponibles dans le menu déroulant: Lignes/colonnes verrouillées, Première ligne/colonne ou Ne pas répéter.
                    • +
                    • Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, à gauche et à droite,
                    • +
                    • Quadrillage et titres sert à définir des éléments à imprimer en activant la case à coché appropriée: Imprimer le quadrillage et Imprimer les titres des lignes et des colonnes.
                    • +
                    • + Paramètres de l'en-tête/du pied de page permettent d'ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l'heure, le numéro de page, le nom de la feuille, etc. +
                    • +
                    +

                    Une fois tous les paramètres configurés, cliquez sur le bouton Imprimer pour savegarder vos modifications et imprimer la feuille de calcul ou cliquez sur le bouton Enregister pour sauvegarder tous les paramètres que vous avez modifié.

                    +

                    Si vous n'arrivez pas à imprimer ou à savegarder la feuille de calcul, toutes les modifications apportées seront perdues.

                    +

                    Aperçu permet de parcourir le classeur à l'aide des flèches en bas pour afficher l'aperçu des données sur la feuille de calcul après impression et pour corriger des erreurs éventuelles en utilisant les paramètres d'impression disponibles.

                    +

                    Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe.

                    +

                    Configurer la zone d'impression

                    +

                    Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Zone d'impression. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique.

                    Si une plage de cellules doit être imprimée fréquemment, vous pouvez définir une zone d'impression constante sur la feuille de calcul. Lorsque la feuille de calcul est sauvegardée, la zone d'impression est également sauvegardée, elle peut être utilisée la prochaine fois que vous ouvrirez la feuille de calcul. Il est également possible de définir plusieurs zones d'impression constantes sur une feuille, dans ce cas chaque zone sera imprimée sur une page séparée.

                    Pour définir une zone d'impression:

                      -
                    1. Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée,
                    2. +
                    3. Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée,
                    4. passez à l'onglet Mise en page de la barre d'outils supérieure,
                    5. cliquez sur la flèche à côté du bouton Zone d'impression
                      et sélectionnez l'option Sélectionner la zone d'impression.

                    La zone d'impression créée est sauvegardée lorsque la feuille de calcul est sauvegardée. Lorsque vous ouvrirez le fichier la prochaine fois, la zone d'impression spécifiée sera imprimée.

                    -

                    Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée , qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms.

                    +

                    Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée , qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms.

                    Pour ajouter des cellules à une zone d'impression:

                      -
                    1. ouvrir la feuille de calcul voulue où la zone d'impression est ajoutée,
                    2. +
                    3. ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée,
                    4. sélectionner la plage de cellules nécessaire sur la feuille de calcul,
                    5. passez à l'onglet Mise en page de la barre d'outils supérieure,
                    6. cliquez sur la flèche à côté du bouton Zone d'impression
                      et sélectionnez l'option Ajouter à la zone d'impression.
                    7. @@ -106,11 +115,11 @@

                      Une nouvelle zone d'impression sera ajoutée. Chaque zone d'impression sera imprimée sur une page séparée.

                      Pour supprimer une zone d'impression :

                        -
                      1. ouvrir la feuille de calcul voulue où la zone d'impression est ajoutée,
                      2. +
                      3. ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée,
                      4. passez à l'onglet Mise en page de la barre d'outils supérieure,
                      5. cliquez sur la flèche à côté du bouton Zone d'impression
                        et sélectionnez l'option Vider la zone d'impression.

                      Toutes les zones d'impression existantes sur cette feuille seront supprimées. Ensuite, la feuille entière sera imprimée.

                      -
                    +
                    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SheetView.htm index 67ec43e05..6415b0df4 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SheetView.htm @@ -1,5 +1,4 @@ -ï»їï»ї - + Configurer les paramètres d'affichage de feuille @@ -16,7 +15,6 @@

                    Configurer les paramètres d'affichage de feuille

                    -

                    Remarque: cette fonctionnalité n'est disponible que dans la version payante à partir de ONLYOFFICE Docs v. 6.1. Pour activer cette fonction dans la version de bureau, veuillez consulter cet article.

                    ONLYOFFICE Spreadsheet Editor permet de configurer différents paramètres d'affichage de feuille en fonction du filtre appliqué. Vous pouvez configurer les options de filtrage pour un affichage de feuille et le utiliser plus tard avec vos collègues ou vous pouvez même configurer plusieurs affichages de feuille sur la même feuille de calcul et basculer rapidement entre les différents affichages. Si vous collaborez sur une feuille de calcul avec d'autres personnes, vous pouvez créer des affichages personnalisés et utiliser les fonctionnalités de filtre sans être perturbés par d’autres co-auteurs.

                    Créer un nouveau affichage de feuille

                    Étant donné que l'affichage de feuille est conçu pour personnaliser la filtrage , vous devez donc configurer les paramètres de la feuille. Veuillez consulter cette page pour en savoir plus sur la filtrage.

                    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..9c4f4856f --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,38 @@ + + + + Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor + + + + + + + +
                    +
                    + +
                    +

                    Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor

                    +

                    Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Spreadsheet Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique:

                    +

                    Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte, l'alignement dans une cellule et le texte de remplacement.

                    +

                    Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

                    +

                    + Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. +

                    +

                    Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes:

                    +

                    Menu SmartArt

                    +

                    Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non.

                    +

                    Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt.

                    +

                    Affecter une macro pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul.

                    +

                    Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme.

                    + +

                    Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes:

                    +

                    Menu SmartArt

                    +

                    Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas.

                    +

                    Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut.

                    +

                    Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. +

                    Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe.

                    +
                    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm index 503baa343..2213b569b 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm @@ -36,6 +36,12 @@

                    Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

                    Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche.

                    Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits.

                    +

                    Historique des versions

                    +

                    Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud.

                    +

                    Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

                    +

                    Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône L'icône Historique des versions Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer.

                    +

                    Historique des versions

                    +

                    Pour revenir à la version actuelle du document, utilisez l'option Fermer l'historique en haut de la liste des versions.

                    Pour fermer l'onglet Fichier et reprendre le travail sur votre classur, sélectionnez l'option Fermer le menu.

                    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/addworksheet.png b/apps/spreadsheeteditor/main/resources/help/fr/images/addworksheet.png new file mode 100644 index 000000000..c5613e611 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/addworksheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/allowedit_newrange.png b/apps/spreadsheeteditor/main/resources/help/fr/images/allowedit_newrange.png new file mode 100644 index 000000000..1934a7d3f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/allowedit_newrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/alloweditranges_edit.png b/apps/spreadsheeteditor/main/resources/help/fr/images/alloweditranges_edit.png new file mode 100644 index 000000000..da3739bdd Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/alloweditranges_edit.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/autoformatasyoutype.png b/apps/spreadsheeteditor/main/resources/help/fr/images/autoformatasyoutype.png index 885a07140..15cbb88e3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/autoformatasyoutype.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/autoformatasyoutype.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/coedit_selector.png b/apps/spreadsheeteditor/main/resources/help/fr/images/coedit_selector.png new file mode 100644 index 000000000..199eb4b19 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/coedit_selector.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/convertequation.png b/apps/spreadsheeteditor/main/resources/help/fr/images/convertequation.png new file mode 100644 index 000000000..24138b1c8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/convertequation.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/dataimport_advanced.png b/apps/spreadsheeteditor/main/resources/help/fr/images/dataimport_advanced.png new file mode 100644 index 000000000..d43ce4c59 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/dataimport_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_example.png b/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_example.png new file mode 100644 index 000000000..375594766 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_example.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_rightclick.png b/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_rightclick.png new file mode 100644 index 000000000..19d65c725 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/editpoints_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/editranges.png b/apps/spreadsheeteditor/main/resources/help/fr/images/editranges.png new file mode 100644 index 000000000..26d38849d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/editranges.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/encrypted.png b/apps/spreadsheeteditor/main/resources/help/fr/images/encrypted.png new file mode 100644 index 000000000..4108b54c7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/encrypted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/fill_gradient.png b/apps/spreadsheeteditor/main/resources/help/fr/images/fill_gradient.png index 2e39546e0..f276acd3f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/fill_gradient.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/fill_gradient.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/hlookup.gif b/apps/spreadsheeteditor/main/resources/help/fr/images/hlookup.gif new file mode 100644 index 000000000..0526a692f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/hlookup.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/iferror.gif b/apps/spreadsheeteditor/main/resources/help/fr/images/iferror.gif new file mode 100644 index 000000000..546f99675 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/iferror.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/collaborationtab.png index ea6b476ab..27351235b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/datatab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/datatab.png index 72c2b59fe..33d383f1a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_filetab.png index 48d737198..f0faa0ea5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_filetab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..58c7f5bb4 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_viewtab.png index c59db510a..a5422b4b9 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/desktop_viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/editorwindow.png index e5aa43483..03f52a8e5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/filetab.png index cd38f34bd..e79a6c41d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/formulatab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/formulatab.png index 45cb5fdde..86ca65ac7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/hometab.png index 40a94b89e..a32d12feb 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/inserttab.png index 3d25ac0c7..2b6fd8d69 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/layouttab.png index 9fce4d3bc..520857730 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/pivottabletab.png index 8e3f42dca..7dd9e59ac 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/protectiontab.png new file mode 100644 index 000000000..879986285 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/viewtab.png index 524f665dc..6c1de4a7f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/keytips1.png b/apps/spreadsheeteditor/main/resources/help/fr/images/keytips1.png new file mode 100644 index 000000000..b17637557 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/keytips1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/keytips2.png b/apps/spreadsheeteditor/main/resources/help/fr/images/keytips2.png new file mode 100644 index 000000000..c35556b26 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/keytips2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/list_worksheets.png b/apps/spreadsheeteditor/main/resources/help/fr/images/list_worksheets.png new file mode 100644 index 000000000..d105539ae Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/list_worksheets.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/lookup.gif b/apps/spreadsheeteditor/main/resources/help/fr/images/lookup.gif new file mode 100644 index 000000000..d210b0e5f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/lookup.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/mailmerge_options.png b/apps/spreadsheeteditor/main/resources/help/fr/images/mailmerge_options.png new file mode 100644 index 000000000..1906452bd Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/mailmerge_options.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/move_sheet.gif b/apps/spreadsheeteditor/main/resources/help/fr/images/move_sheet.gif new file mode 100644 index 000000000..0abb573d1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/move_sheet.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/printsettingswindow.png b/apps/spreadsheeteditor/main/resources/help/fr/images/printsettingswindow.png index a25818785..f010f881a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/printsettingswindow.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/printsettingswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheet.png b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheet.png new file mode 100644 index 000000000..0aef070f7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheettab.png new file mode 100644 index 000000000..0dfaff6e2 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/protect_workbook.png b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_workbook.png new file mode 100644 index 000000000..f23167e9c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/protect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/protectsheet_highlighted.png b/apps/spreadsheeteditor/main/resources/help/fr/images/protectsheet_highlighted.png new file mode 100644 index 000000000..03bf039eb Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/protectsheet_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/protectworkbook_highlighted.png b/apps/spreadsheeteditor/main/resources/help/fr/images/protectworkbook_highlighted.png new file mode 100644 index 000000000..b540026af Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/protectworkbook_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/setpassword.png b/apps/spreadsheeteditor/main/resources/help/fr/images/setpassword.png index df2028c76..05aafc089 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/setpassword.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/setpassword.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/sheetlist.png b/apps/spreadsheeteditor/main/resources/help/fr/images/sheetlist.png new file mode 100644 index 000000000..411a3816e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/sheetlist.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/show_password.png b/apps/spreadsheeteditor/main/resources/help/fr/images/show_password.png new file mode 100644 index 000000000..52b2d2b19 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/show_password.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick.png b/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick.png new file mode 100644 index 000000000..72e3e494e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick2.png b/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick2.png new file mode 100644 index 000000000..794f52c05 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/smartart_rightclick2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/sortcomments.png b/apps/spreadsheeteditor/main/resources/help/fr/images/sortcomments.png new file mode 100644 index 000000000..f09fc9994 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/sortcomments.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/sortcommentsicon.png b/apps/spreadsheeteditor/main/resources/help/fr/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/sortcommentsicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/sumif.gif b/apps/spreadsheeteditor/main/resources/help/fr/images/sumif.gif new file mode 100644 index 000000000..da8a136d5 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/sumif.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas.png b/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas.png new file mode 100644 index 000000000..9973ffacd Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas1.png b/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas1.png new file mode 100644 index 000000000..0fab9050c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/tableformulas1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/thumbnailsettingicon.png b/apps/spreadsheeteditor/main/resources/help/fr/images/thumbnailsettingicon.png new file mode 100644 index 000000000..8d659a664 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/thumbnailsettingicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/unlockrange.png b/apps/spreadsheeteditor/main/resources/help/fr/images/unlockrange.png new file mode 100644 index 000000000..5fef5364e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/unlockrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheet.png b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheet.png new file mode 100644 index 000000000..a982c4e83 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheettab.png new file mode 100644 index 000000000..a0818a3ab Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_workbook.png b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_workbook.png new file mode 100644 index 000000000..adc1b0106 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/unprotect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistory.png b/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistory.png new file mode 100644 index 000000000..b252504cf Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistory.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistoryicon.png b/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistoryicon.png new file mode 100644 index 000000000..fe6cdf49f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/versionhistoryicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js index 8259f5049..b016643e5 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js @@ -108,7 +108,7 @@ var indexes = { "id": "Functions/average.htm", "title": "Fonction MOYENNE", - "body": "La fonction MOYENNE est l'une des fonctions statistiques. Elle est utilisée pour analyser la plage de données et trouver la valeur moyenne. La syntaxe de la fonction MOYENNE est : MOYENNE(argument-list) où argument-list est une liste contenant jusqu'à 255 valeurs numériques saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Pour appliquer la fonction MOYENNE, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE, insérez les arguments nécessaires en les séparant par des virgules ou sélectionnez une plage de cellules avec la souris, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "body": "La fonction MOYENNE est l'une des fonctions statistiques. Elle est utilisée pour analyser la plage de données et trouver la valeur moyenne. La syntaxe de la fonction MOYENNE est : MOYENNE(argument-list) où argument-list est une liste contenant jusqu'à 255 valeurs numériques saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Comment faire une MOYENNE Pour appliquer la fonction MOYENNE, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE, insérez les arguments nécessaires en les séparant par des virgules ou sélectionnez une plage de cellules avec la souris, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/averagea.htm", @@ -117,13 +117,13 @@ var indexes = }, { "id": "Functions/averageif.htm", - "title": "Fonction MOYENNE.SI", - "body": "La fonction MOYENNE.SI est l'une des fonctions statistiques. Elle est utilisée pour analyser une plage de données et trouver la moyenne de tous les nombres dans une plage de cellules à la base du critère spécifié. La syntaxe de la fonction MOYENNE.SI est : MOYENNE.SI(cell-range, selection-criteria [,average-range]) où cell-range est une plage de cellules à laquelle on applique le critère. selection-criteria est le critère à appliquer, une valeur saisie à la main ou incluse dans la cellule à laquelle il est fait référence. average-range est la plage de cellule dont la moyenne vous souhaitez trouver. Remarque : average-range est un argument facultatif. S'il est omis, la fonction trouve la moyenne dans la cell-range.Pour appliquer la fonction MOYENNE.SI, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE.SI, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "title": "Fonction MOYENNE.SI - ONLYOFFICE", + "body": "Fonction MOYENNE.SI La fonction MOYENNE.SI est l'une des fonctions statistiques. Elle est utilisée pour analyser une plage de données et trouver la moyenne de tous les nombres dans une plage de cellules à la base du critère spécifié. La syntaxe de la fonction MOYENNE.SI est : MOYENNE.SI(cell-range, selection-criteria [,average-range]) où cell-range est une plage de cellules à laquelle on applique le critère. selection-criteria est le critère à appliquer, une valeur saisie à la main ou incluse dans la cellule à laquelle il est fait référence. average-range est la plage de cellule dont la moyenne vous souhaitez trouver. Remarque : average-range est un argument facultatif. S'il est omis, la fonction trouve la moyenne dans la cell-range. Comment faire formule MOYENNE.SI Pour appliquer la fonction MOYENNE.SI, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE.SI, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/averageifs.htm", "title": "Fonction MOYENNE.SI.ENS", - "body": "La fonction MOYENNE.SI.ENS est l'une des fonctions statistiques. Elle est utilisée pour analyser une plage de données et trouver la moyenne de tous les nombres dans une plage de cellules en fonction de plusieurs critères. La syntaxe de la fonction MOYENNE.SI.ENS est : MOYENNE.SI.ENS(average-range, criteria-range-1, criteria-1, [criteria-range-2, criteria-2],...) où average-range est la plage de cellule dont vous souhaitez trouver la moyenne. criteria-range-1 est la première plage de cellules à laquelle on applique le critère criteria-1. C'est un argument obligatoire. criteria-1 est la première condition à remplir. Il est appliqué à la plage criteria-range-1 et utilisé pour déterminer les cellules de average-range dont on veut trouver la moyenne. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. C'est un argument obligatoire. criteria-range-2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Vous pouvez entrer jusqu'à 127 plages de cellules et critères correspondants. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Pour appliquer la fonction MOYENNE.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée Le résultat sera affiché dans la cellule sélectionnée." + "body": "La fonction MOYENNE.SI.ENS est l'une des fonctions statistiques. Elle est utilisée pour analyser une plage de données et trouver la moyenne de tous les nombres dans une plage de cellules en fonction de plusieurs critères. La syntaxe de la fonction MOYENNE.SI.ENS est : MOYENNE.SI.ENS(average-range, criteria-range-1, criteria-1, [criteria-range-2, criteria-2],...) où average-range est la plage de cellule dont vous souhaitez trouver la moyenne. criteria-range-1 est la première plage de cellules à laquelle on applique le critère criteria-1. C'est un argument obligatoire. criteria-1 est la première condition à remplir. Il est appliqué à la plage criteria-range-1 et utilisé pour déterminer les cellules de average-range dont on veut trouver la moyenne. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. C'est un argument obligatoire. criteria-range-2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Vous pouvez entrer jusqu'à 127 plages de cellules et critères correspondants. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Comment faire une MOYENNE.SI.ENS Pour appliquer la fonction MOYENNE.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction MOYENNE.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/base.htm", @@ -413,7 +413,7 @@ var indexes = { "id": "Functions/countifs.htm", "title": "Fonction NB.SI.ENS", - "body": "La fonction NB.SI.ENS est l'une des fonctions statistiques. Elle est utilisée pour compter le nombre de cellules sélectionnées en fonction de critères multiples. La syntaxe de la fonction NB.SI.ENS est : NB.SI.ENS(criteria-range-1, criteria-1, [criteria-range-2, criteria-2], ...) où criteria-range-1 est la première plage de cellules à laquelle on applique le critère criteria-1. C'est un argument obligatoire. criteria-1 est la première condition à remplir. Elle est appliquée à la plage criteria-range-1 et utilisée pour déterminer les cellules dans à compter. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. C'est un argument obligatoire. criteria-range-2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Vous pouvez entrer jusqu'à 127 plages de cellules et critères correspondants. Remarque : vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \"?\" peut remplacer n'importe quel caractère et l'astérisque \"*\" peut être utilisée à la place de n'importe quel nombre de caractères. Si vous souhaitez trouver un point d'interrogation ou un astérisque, tapez un tilde (~) avant le caractère. Pour appliquer la fonction NB.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction NB.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "body": "La fonction NB.SI.ENS est l'une des fonctions statistiques. Elle est utilisée pour compter le nombre de cellules sélectionnées en fonction de critères multiples. La syntaxe de la fonction NB.SI.ENS est : NB.SI.ENS(criteria-range-1, criteria-1, [criteria-range-2, criteria-2], ...) où criteria-range-1 est la première plage de cellules à laquelle on applique le critère criteria-1. C'est un argument obligatoire. criteria-1 est la première condition à remplir. Elle est appliquée à la plage criteria-range-1 et utilisée pour déterminer les cellules dans à compter. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. C'est un argument obligatoire. criteria-range-2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Vous pouvez entrer jusqu'à 127 plages de cellules et critères correspondants. Remarque : vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \"?\" peut remplacer n'importe quel caractère et l'astérisque \"*\" peut être utilisée à la place de n'importe quel nombre de caractères. Si vous souhaitez trouver un point d'interrogation ou un astérisque, tapez un tilde (~) avant le caractère. Comment faire une NB.SI.ENS Pour appliquer la fonction NB.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Statistique depuis la liste, cliquez sur la fonction NB.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/coupdaybs.htm", @@ -942,8 +942,8 @@ var indexes = }, { "id": "Functions/hlookup.htm", - "title": "Fonction RECHERCHEH", - "body": "La fonction RECHERCHEH est l'une des fonctions de recherche et de référence. Elle est utilisée pour effectuer la recherche horizontale d'une valeur dans la ligne supérieure d'un tableau ou renvoyer la valeur dans la même colonne à la base d'un numéro d'index de la ligne spécifié. La syntaxe de la fonction RECHERCHEH est : RECHERCHEH (lookup-value, table-array, row-index-num[, [range-lookup-flag]]) où lookup-value est une valeur à chercher. table-array ce sont deux ou plusieurs lignes contenant des données classées par ordre croissant. row-index-num est un numéro de ligne dans la même colonne de table-array, une valeur numériaue supérieure ou égale à 1 mais inférieure au nombre de lignes dans table-array. range-lookup-flag est un argument optionnel. C'est une valeur logique : TRUE (vrai) ou FALSE (faux). Entrez FALSE (faux) pour trouver une correspondance exacte. Entrez TRUE (vrai) pour trouver une correspondance approximative, au cas où il n'y a pas de valeur qui correspond strictement à lookup-value, la fonction choisit la valeur plus grande et plus proche inférieure à lookup-value. Si cet argument est absent, la fonction renvoie une correspondance approximative. Remarque : si range-lookup-flag est FALSE (faux), mais aucune correspondance n'est trouvée, alors la fonction renvoie l'erreur #N/A. Pour appliquer la fonction RECHERCHEH, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction RECHERCHEH, insérez les arguments nécessaires en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "title": "Fonction RECHERCHEH - ONLYOFFICE", + "body": "Fonction RECHERCHEH La fonction RECHERCHEH est l'une des fonctions de recherche et de référence. Elle est utilisée pour effectuer la recherche horizontale d'une valeur dans la ligne supérieure d'un tableau ou renvoyer la valeur dans la même colonne à la base d'un numéro d'index de la ligne spécifié. La syntaxe de la fonction RECHERCHEH est : RECHERCHEH (lookup-value, table-array, row-index-num[, [range-lookup-flag]]) où lookup-value est une valeur à chercher. table-array ce sont deux ou plusieurs lignes contenant des données classées par ordre croissant. row-index-num est un numéro de ligne dans la même colonne de table-array, une valeur numériaue supérieure ou égale à 1 mais inférieure au nombre de lignes dans table-array. range-lookup-flag est un argument optionnel. C'est une valeur logique : TRUE (vrai) ou FALSE (faux). Entrez FALSE (faux) pour trouver une correspondance exacte. Entrez TRUE (vrai) pour trouver une correspondance approximative, au cas où il n'y a pas de valeur qui correspond strictement à lookup-value, la fonction choisit la valeur plus grande et plus proche inférieure à lookup-value. Si cet argument est absent, la fonction renvoie une correspondance approximative. Remarque : si range-lookup-flag est FALSE (faux), mais aucune correspondance n'est trouvée, alors la fonction renvoie l'erreur #N/A. Comment faire une RECHERCHEH Pour appliquer la fonction RECHERCHEH, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction RECHERCHEH, insérez les arguments nécessaires en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/hour.htm", @@ -972,8 +972,8 @@ var indexes = }, { "id": "Functions/iferror.htm", - "title": "Fonction SIERREUR", - "body": "La fonction SIERREUR est l'une des fonctions logiques. Elle est utilisée pour vérifier s'il y a une erreur dans le premier argument de la formule. La fonction renvoie le résultat de la formule s'il n'y a pas d'erreur, ou la valeur_si_erreur si une formule génère une erreur. La syntaxe de la fonction SIERREUR est : SIERREUR(valeur,valeur_si_erreur,) où valeur et valeur_si_erreur sont les valeurs saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Pour appliquer la fonction SIERREUR, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Logiques depuis la liste, cliquez sur la fonction SIERREUR, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée. Par exemple : Il y a deux arguments : valeur = A1/B1, valeur_si_erreur = \"erreur\", où A1 est 12, B1 est 3. La formule dans le premier argument ne contient aucune erreur. Donc, la fonction renvoie le résultat du calcul. Si nous changeons la valeur de B1 3 à 0, comme la division par zéro n'est pas possible, la fonction renvoie erreur :" + "title": "Fonction SIERREUR - ONLYOFFICE", + "body": "Fonction SIERREUR La fonction SIERREUR est l'une des fonctions logiques. Elle est utilisée pour vérifier s'il y a une erreur dans le premier argument de la formule. La fonction renvoie le résultat de la formule s'il n'y a pas d'erreur, ou la valeur_si_erreur si une formule génère une erreur. La syntaxe de la fonction SIERREUR est : SIERREUR(valeur,valeur_si_erreur,) où valeur et valeur_si_erreur sont les valeurs saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Comment faire formule SIERREUR Pour appliquer la fonction SIERREUR, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Logiques depuis la liste, cliquez sur la fonction SIERREUR, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée. Par exemple : Il y a deux arguments : valeur = A1/B1, valeur_si_erreur = \"erreur\", où A1 est 12, B1 est 3. La formule dans le premier argument ne contient aucune erreur. Donc, la fonction renvoie le résultat du calcul. Si nous changeons la valeur de B1 3 à 0, comme la division par zéro n'est pas possible, la fonction renvoie erreur." }, { "id": "Functions/ifna.htm", @@ -983,7 +983,7 @@ var indexes = { "id": "Functions/ifs.htm", "title": "Fonction SI.CONDITIONS", - "body": "La fonction SI.CONDITIONS est l'une des fonctions logiques. Elle est utilisée pour vérifier si une ou plusieurs conditions sont remplies et renvoie une valeur correspondant à la première condition VRAI. La syntaxe de la fonction SI.CONDITIONS est : IFS(test_logique1, valeur_si_vrai1, [test_logique2, valeur_si_vrai2], ...) où test_logique1 est la première condition à être évaluée à VRAI ou FAUX. valeur_si_vrai1 est la valeur renvoyée si le test_logique1 est VRAI. test_logique2, valeur_si_vrai2, ... sont des conditions et des valeurs supplémentaires à renvoyer. Ces arguments sont facultatifs. Vous pouvez évaluer jusqu’à 127 conditions. Les données peuvent être saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Pour appliquer la fonction SI.CONDITIONS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Logiques depuis la liste, cliquez sur la fonction SI.CONDITIONS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée. Par exemple : Avec les arguments suivants: test_logique1 = A1<100, valeur_si_vrai1 = 1, test_logique2 = A1>100, valeur_si_vrai2 = 2, où est 120. La deuxième expression logique vaut VRAI. Ainsi, la fonction renvoie 2." + "body": "La fonction SI.CONDITIONS est l'une des fonctions logiques. Elle est utilisée pour vérifier si une ou plusieurs conditions sont remplies et renvoie une valeur correspondant à la première condition VRAI. La syntaxe de la fonction SI.CONDITIONS est : IFS(test_logique1, valeur_si_vrai1, [test_logique2, valeur_si_vrai2], ...) où test_logique1 est la première condition à être évaluée à VRAI ou FAUX. valeur_si_vrai1 est la valeur renvoyée si le test_logique1 est VRAI. test_logique2, valeur_si_vrai2, ... sont des conditions et des valeurs supplémentaires à renvoyer. Ces arguments sont facultatifs. Vous pouvez évaluer jusqu’à 127 conditions. Les données peuvent être saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Comment faire une SI.CONDITIONS Pour appliquer la fonction SI.CONDITIONS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Logiques depuis la liste, cliquez sur la fonction SI.CONDITIONS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée. Par exemple : Avec les arguments suivants: test_logique1 = A1<100, valeur_si_vrai1 = 1, test_logique2 = A1>100, valeur_si_vrai2 = 2, où est 120. La deuxième expression logique vaut VRAI. Ainsi, la fonction renvoie 2." }, { "id": "Functions/imabs.htm", @@ -1302,8 +1302,8 @@ var indexes = }, { "id": "Functions/lookup.htm", - "title": "Fonction RECHERCHE", - "body": "La fonction RECHERCHE est l'une des fonctions de recherche et de référence. Elle est utilisée pour renvoyer une valeur à partir d'une plage sélectionnée (ligne ou colonne contenant les données dans l'ordre croissant). La syntaxe de la fonction RECHERCHE est : RECHERCHE(lookup-value, lookup-vector, result-vector) où lookup-value est une valeur à chercher. lookup-vector est une ligne ou une colonne contenant des données classées par ordre croissant. lookup-result est une ligne ou une colonne contenant des données qui est de la même taille que lookup-vector. La fonction cherche lookup-value dans lookup-vector et renvoie la valeur qui se trouve dans la même position dans lookup-result. Remarque : si lookup-value est plus petite que toutes les valeurs dans lookup-vector, la fonction renvoie l'erreur #N/A. S'il n'y a pas de valeur qui correspond strictement à lookup-value, la fonction choisit la plus grande valeur dans lookup-vector qui est inférieure ou égale à la valeur. Pour appliquer la fonction RECHERCHE, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction RECHERCHE, insérez les arguments nécessaires en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "title": "Fonction RECHERCHE - ONLYOFFICE", + "body": "Fonction RECHERCHE La fonction RECHERCHE est l'une des fonctions de recherche et de référence. Elle est utilisée pour renvoyer une valeur à partir d'une plage sélectionnée (ligne ou colonne contenant les données dans l'ordre croissant). La syntaxe de la fonction RECHERCHE est : RECHERCHE(lookup-value, lookup-vector, result-vector) où lookup-value est une valeur à chercher. lookup-vector est une ligne ou une colonne contenant des données classées par ordre croissant. lookup-result est une ligne ou une colonne contenant des données qui est de la même taille que lookup-vector. La fonction cherche lookup-value dans lookup-vector et renvoie la valeur qui se trouve dans la même position dans lookup-result. Remarque : si lookup-value est plus petite que toutes les valeurs dans lookup-vector, la fonction renvoie l'erreur #N/A. S'il n'y a pas de valeur qui correspond strictement à lookup-value, la fonction choisit la plus grande valeur dans lookup-vector qui est inférieure ou égale à la valeur. Comment faire formule RECHERCHE Pour appliquer la fonction RECHERCHE, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction RECHERCHE, insérez les arguments nécessaires en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/lower.htm", @@ -1973,17 +1973,17 @@ var indexes = { "id": "Functions/sum.htm", "title": "Fonction SOMME", - "body": "La fonction SOMME est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres contenus dans une plage de cellules et renvoyer le résultat. La syntaxe de la fonction SOMME est : SOMME(number1, number2, ...) où number1(2) sont des valeurs numériques saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Pour appliquer la fonction SOMME, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule et sélectionnez la fonction SOMME du groupe de fonctions Maths et trigonométrie, insérez les arguments nécessaires en les séparant par des virgules ou sélectionnez une plage de cellules avec la souris, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "body": "La fonction SOMME est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres contenus dans une plage de cellules et renvoyer le résultat. La syntaxe de la fonction SOMME est : SOMME(number1, number2, ...) où number1(2) sont des valeurs numériques saisies à la main ou incluses dans les cellules auxquelles il est fait référence. Comment faire une SOMME Pour appliquer la fonction SOMME, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule et sélectionnez la fonction SOMME du groupe de fonctions Maths et trigonométrie, insérez les arguments nécessaires en les séparant par des virgules ou sélectionnez une plage de cellules avec la souris, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/sumif.htm", - "title": "Fonction SOMME.SI", - "body": "La fonction SOMME.SI est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres dans la plage de cellules sélectionnée à la base d'un critère déterminé et renvoyer le résultat. La syntaxe de la fonction SOMME.SI est : SOMME.SI(cell-range, selection-criteria [, sum-range]) où cell-range est une plage de cellules à laquelle on applique le critère. selection-criteria est le critère utilisé pour déterminer les cellules à additionner, une valeur saisie à la main ou incluse dans la cellule à laquelle il est fait référence. sum-range est une plage de cellules à additionner. C'est un argument facultatif, s'il est omis, la fonction additionne les nombres dans cell-range. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Pour appliquer la fonction SOMME.SI, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Maths et trigonométrie depuis la liste, cliquez sur la fonction SOMME.SI, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "title": "Fonction SOMME.SI - ONLYOFFICE", + "body": "Fonction SOMME.SI La fonction SOMME.SI est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres dans la plage de cellules sélectionnée à la base d'un critère déterminé et renvoyer le résultat. La syntaxe de la fonction SOMME.SI est : SOMME.SI(cell-range, selection-criteria [, sum-range]) où cell-range est une plage de cellules à laquelle on applique le critère. selection-criteria est le critère utilisé pour déterminer les cellules à additionner, une valeur saisie à la main ou incluse dans la cellule à laquelle il est fait référence. sum-range est une plage de cellules à additionner. C'est un argument facultatif, s'il est omis, la fonction additionne les nombres dans cell-range. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Comment faire formule SOMME.SI Pour appliquer la fonction SOMME.SI, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Maths et trigonométrie depuis la liste, cliquez sur la fonction SOMME.SI, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/sumifs.htm", "title": "Fonction SOMME.SI.ENS", - "body": "La fonction SOMME.SI.ENS est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres dans la plage de cellules sélectionnée en fonction de plusieurs critères et renvoyer le résultat. La syntaxe de la fonction SOMME.SI.ENS est : SOMME.SI.ENS(sum-range, criteria-range1, criteria1, [criteria-range2, criteria2], ...) où sum-range est une plage de cellules à additionner. criteria-range1 est la première plage de cellules à laquelle on applique le critère criteria1. criteria1 est la première condition à remplir. Il est appliqué à la plage criteria-range1 et utilisé pour déterminer les cellules de sum-range à additionner. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. criteria-range2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Pour appliquer la fonction SOMME.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Maths et trigonométrie depuis la liste, cliquez sur la fonction SOMME.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." + "body": "La fonction SOMME.SI.ENS est l'une des fonctions mathématiques et trigonométriques. Elle est utilisée pour additionner tous les nombres dans la plage de cellules sélectionnée en fonction de plusieurs critères et renvoyer le résultat. La syntaxe de la fonction SOMME.SI.ENS est : SOMME.SI.ENS(sum-range, criteria-range1, criteria1, [criteria-range2, criteria2], ...) où sum-range est une plage de cellules à additionner. criteria-range1 est la première plage de cellules à laquelle on applique le critère criteria1. criteria1 est la première condition à remplir. Il est appliqué à la plage criteria-range1 et utilisé pour déterminer les cellules de sum-range à additionner. Sa valeur peut être saisie à la main ou incluse dans la cellule à laquelle il est fait référence. criteria-range2, criteria-2, ...sont des plages supplémentaires de cellules et leurs critères correspondants. Ces arguments sont facultatifs. Remarque: vous pouvez utiliser des caractères génériques lorsque vous spécifiez des critères. Le point d'interrogation \" ? \" peut remplacer n'importe quel caractère et l'astérisque \" * \" peut être utilisé à la place de n'importe quel nombre de caractères. Comment faire une SOMME.SI.ENS Pour appliquer la fonction SOMME.SI.ENS, sélectionnez la cellule où vous souhaitez afficher le résultat, cliquez sur l'icône Insérer une fonction située sur la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Insérer une fonction depuis le menu, ou cliquez sur l'icône située sur la barre de formule, sélectionnez le groupe de fonctions Maths et trigonométrie depuis la liste, cliquez sur la fonction SOMME.SI.ENS, insérez les arguments requis en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat sera affiché dans la cellule sélectionnée." }, { "id": "Functions/sumproduct.htm", @@ -2313,37 +2313,32 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Paramètres avancés de Spreadsheet Editor", - "body": "Spreadsheet Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés. Les paramètres avancés de la section Général sont les suivants: Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. Activer l'affichage des commentaires - si cette option est désactivée, les cellules commentées seront mises en surbrillance uniquement si vous cliquez sur l'icône Commentaires de la barre latérale gauche. Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient masqués sur la feuille. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus sur la feuille. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition. Récupération automatique - est utilisé dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme. Style de référence est utilisé pour activer/désactiver le style de référence R1C1. Par défaut, cette option est désactivée et le style de référence A1 est utilisé. Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci: B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci: R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne. Si vous vous référez à d'autres cellules en utilisant le style de référence R1C1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne. Le Mode de co-édition permet de sélectionner l'affichage des modifications effectuées lors de la co-édition: Par défaut, le mode Rapide est sélectionné, les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards vert, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards vert, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. 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%. Hinting de la police sert à sélectionner le type d'affichage de la police dans Spreadsheet Editor: Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting. Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut
                    sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Spreadsheet Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées pour mesurer les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce. Language de formule est utilisé pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. Language de formule est disponible dans 31 langues: Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien. Paramètres régionaux est utilisé pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure. Séparateur sert à spécifier le caractère utilisé pour séparer des milliers ou des décimales. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut. Si vous souhaitez utiliser les séparateurs particularisés, il faut désactiver cette option et saisir le séparateur décimal et le séparateur de milliers dans les champs appropriés ci-dessous. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre feuille de calcul; Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une feuille de calcul; Activer tout pour exécuter automatiquement toutes les macros dans une feuille de calcul. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." + "body": "Spreadsheet Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés. Les paramètres avancés de la section Général sont les suivants: Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. Activer l'affichage des commentaires - si cette option est désactivée, les cellules commentées seront mises en surbrillance uniquement si vous cliquez sur l'icône Commentaires de la barre latérale gauche. Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient masqués sur la feuille. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus sur la feuille. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition. Récupération automatique - est utilisé dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme. Style de référence est utilisé pour activer/désactiver le style de référence R1C1. Par défaut, cette option est désactivée et le style de référence A1 est utilisé. Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci: B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci: R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne. Si vous vous référez à d'autres cellules en utilisant le style de référence R1C1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne. Le Mode de co-édition permet de sélectionner l'affichage des modifications effectuées lors de la co-édition: Par défaut, le mode Rapide est sélectionné, les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards vert, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards vert, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Hinting de la police sert à sélectionner le type d'affichage de la police dans Spreadsheet Editor: Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting. Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Spreadsheet Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées pour mesurer les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce. Language de formule est utilisé pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. Language de formule est disponible dans 31 langues: Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Portugais (Brésil), Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien. Paramètres régionaux est utilisé pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure. Séparateur sert à spécifier le caractère utilisé pour séparer des milliers ou des décimales. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut. Si vous souhaitez utiliser les séparateurs particularisés, il faut désactiver cette option et saisir le séparateur décimal et le séparateur de milliers dans les champs appropriés ci-dessous. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre feuille de calcul; Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une feuille de calcul; Activer tout pour exécuter automatiquement toutes les macros dans une feuille de calcul. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Édition collaborative des classeurs", - "body": "Spreadsheet Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut: accès simultané au classeur édité par plusieurs utilisateurs indication visuelle des cellules qui sont en train d'être éditées par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties du classeur les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne) Connexion à la version en ligne Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte. Édition collaborative Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de co-édition dans l'onglet Collaboration de la barre d'outils supérieure: Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles. Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées ainsi que l'onglet de la feuille où se situent ces cellules sont marqués avec des lignes pointillées de couleurs différentes. En plaçant le curseur sur l'une des cellules modifiées, le nom de l'utilisateur qui est en train de l'éditer à ce moment s'affiche. 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 classeur actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le classeur pour le moment que quand il y a d'autres utilisateurs l'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel partie du classeur vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du classeur, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à 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 les messages, cliquez sur l'icône encore une fois. Commentaires Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne. Pour laisser un commentaire: sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône Commentaires dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires . Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Pour afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: modifier le commentaire actuel en cliquant sur l'icône , supprimer le commentaire actuel en cliquant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône . si vous souhaitez gérer tous les commentaires à la fois, accédez au menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: Résoudre les commentaires actuels, Marquer mes commentaires comme résolus et Marquer tous les commentaires comme résolus dans la présentation. 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 le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Pour supprimer les commentaires, appuyez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils en haut, sélectionnez l'option convenable du menu: Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une foi." + "body": "Spreadsheet Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut: accès simultané au classeur édité par plusieurs utilisateurs indication visuelle des cellules qui sont en train d'être éditées par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties du classeur les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne) Connexion à la version en ligne Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte. Édition collaborative Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition: Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles. Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment. Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection. Le nombre d'utilisateurs qui travaillent sur le classeur actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le classeur pour le moment que quand il y a d'autres utilisateurs l'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel partie du classeur vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du classeur, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder au Chat et laisser un message pour les autres utilisateurs: cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat , saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec les messages, cliquez sur l'icône encore une fois. Commentaires Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne. Pour laisser un commentaire: sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône Commentaires dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires . Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Pour afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: trier les commentaires ajoutés en cliquant sur l'icône : par date: Plus récent ou Plus ancien. par auteur: Auteur de A à Z ou Auteur de Z à A par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. modifier le commentaire actuel en cliquant sur l'icône , supprimer le commentaire actuel en cliquant sur l'icône , fermez la discussion actuelle en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront ne seront mis en évidence que si vous cliquez sur l'icône . si vous souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans le classeur. Ajouter les mentions Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions. Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk. Ajoutez une mention en tapant le signe @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Pour supprimer les commentaires, appuyez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils en haut, sélectionnez l'option convenable du menu: Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une foi." }, { "id": "HelpfulHints/ImportData.htm", "title": "Obtenir des données à partir de fichiers Texte/CSV", - "body": "Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv et les organiser et positionner correctement dans une feuille de calcul, utilisez l'option Obtenir les données sous l'onglet Données. Étape 1. Importer du fichier Cliquez sur l'option Obtenir les données sous l'onglet Données. Sélectionnez l'une des deux options d'importation disponibles: A partir du fichier local TXT/CSV: recherchez et sélectionnez le fichier approprié sur votre disque dur et cliquez sur Ouvrir. A partir de l'URL du fichier TXT/CSV: collez le lien vers un fichier ou une page web dans le champ Coller URL de données et cliquez sur OK. Étape 2. Configurer les paramètres Assistant importation de texte comporte quatre sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante. Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). Cliquez sur le bouton Avancé à droite pour définir le séparateur décimal et des milliers. Les séparateurs par défaut sont “.” pour décimal et “,” pour milliers. Aperçu. Cette section affiche comment le texte sera organisé en cellules. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte." + "body": "Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv file et l'organiser et positionner correctement dans une feuille de calcul, utilisez l'option Récupérer les données à partir d'un fichier texte/CSV file sous l'onglet Données. Étape 1. Importer du fichier Cliquez sur l'option Obtenir les données sous l'onglet Données. Choisissez une des options disponibles: Á partir d'un fichier TXT/CSV file: recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir. Á partir de l'URL du fichier TXT/CSV file: collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK. Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier. Étape 2. Configurer les paramètres Assistant importation de texte comporte trois sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante. Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques: Définissez le Séparateur décimal et le Séparateur de milliers. Les séparateurs par défaut sont '.' pour décimal et ',' pour milliers. Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes: (aucun), guillemets doubles et apostrophe. Aperçu. Cette section affiche comment le texte sera organisé en cellules. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Raccourcis clavier", - "body": "La liste des raccourcis clacier afin de donner un accès plus rapide et plus facile aux fonctionnalités de Spreadsheet Editor. Windows/LinuxMac OS En travaillant sur le classeur Ouvrir le panneau 'Fichier' Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer le classeur actuel, voir ses informations, créer un nouveau classeur ou ouvrir un classeur existant, accéder à l'aide de Spreadsheet Editor ou aux paramètres avancés. Ouvrir la fenêtre 'Rechercher et remplacer' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Rechercher et remplacer pour commencer à rechercher une cellule contenant les caractères requis. Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacement Ctrl+H ^ Ctrl+H Ouvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés. Ouvrir le panneau 'Commentaires' Ctrl+⇧ Maj+H ^ Ctrl+⇧ Maj+H, ⌘ Cmd+⇧ Maj+H Ouvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs. Ouvrir le champ de commentaires Alt+H ⌥ Option+H Ouvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire. Ouvrir le panneau 'Chat' Alt+Q ⌥ Option+Q Ouvrir le panneau Chat et envoyer un message. Enregistrer le classeur Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans le classeur en cours d'édition dans Spreadsheet Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer le classeur Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer le classeur avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Télécharger comme... Ctrl+⇧ Maj+S ^ Ctrl+⇧ Maj+S, ⌘ Cmd+⇧ Maj+S Ouvrir l'onglet Télécharger comme... pour enregistrer le classeur actuellement affiché sur le disque dur de l'ordinateur dans l'un des formats pris en charge: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Plein écran F11 Passer à l'affichage en plein écran pour adapter Spreadsheet Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide Spreadsheet Editor. Ouvrir un fichier existant (Desktop Editors) Ctrl+O Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant. Fermer un fichier (Desktop Editors) Tab/Maj+Tab ↹ Tab/⇧ Maj+↹ Tab Fermer la fenêtre du classeur actuel dans Desktop Editors. Menu contextuel de l'élément ⇧ Maj+F10 ⇧ Maj+F10 Ouvrir le menu Aide Spreadsheet Editor. Réinitialiser le niveau de zoom Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Réinitialiser le niveau de zoom du document actuel par défaut à 100%. Navigation Déplacer une cellule vers le haut, le bas, la gauche ou la droite ← → ↑ ↓ ← → ↑ ↓ Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci. Aller au bord de la zone de données actuelle Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Activer une cellule à la limite de la région de données courante dans une feuille de calcul. Sauter au début de la ligne Début Début Activer une cellule dans la colonne A de la ligne courante. Sauter au début de la feuille de calcul Ctrl+Début ^ Ctrl+Début Activer la cellule A1. Sauter à la fin de la ligne Fin, Ctrl+→ Fin, ⌘ Cmd+→ Activer la dernière cellule de la ligne actuelle. Sauter à la fin de la feuille de calcul Ctrl+Fin ^ Ctrl+Fin Activer la cellule utilisée en bas à droite de la feuille de calcul située en bas de la ligne du bas avec les données de la colonne la plus à droite avec les données. Si le curseur est sur la ligne de la formule, il sera placé à la fin du texte. Passer à la feuille précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la feuille précédente de votre classeur. Passer à la feuille suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la feuille suivante de votre classeur. Se déplacer d'une ligne vers le haut ↑, ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Activer la cellule au-dessus de la cellule actuelle dans la même colonne. Se déplacer d'une ligne vers le bas ↓, ↵ Entrée ↵ Retour Activer la cellule au-dessous de la cellule actuelle dans la même colonne. Se déplacer d'une colonne vers la gauche ←, ⇧ Maj+↹ Tab ←, ⇧ Maj+↹ Tab Activer la cellule précédente de la ligne actuelle. Se déplacer d'une colonne vers la droite →, ↹ Tab →, ↹ Tab Activer la cellule suivante de la ligne actuelle. Déplacement vers le bas d'un écran Pg. suiv Pg. suiv Déplacer un écran vers le bas dans la feuille de calcul. Déplacement vers le haut d'un écran Pg. préc Pg. préc Déplacer un écran vers le haut dans la feuille de travail. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom avant sur la feuille de calcul en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom arrière sur la feuille de calcul en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Sélection de données Sélectionner tout Ctrl+A, Ctrl+⇧ Maj+␣ Barre d'espace ⌘ Cmd+A Sélectionner toute la feuille de calcul. Sélectionner une colonne Ctrl+␣ Barre d'espace Ctrl+␣ Barre d'espace Sélectionner une colonne entière d'une feuille de calcul. Sélectionner une ligne ⇧ Maj+␣ Barre d'espace ⇧ Maj+␣ Barre d'espace Sélectionner une ligne entière d'une feuille de calcul. Sélectionner une plage ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner cellule par cellule. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début ⇧ Maj+Début Sélectionner une plage depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner depuis le curseur jusqu'à la fin de la ligne ⇧ Maj+Fin ⇧ Maj+Fin Sélectionner une plage depuis le curseur jusqu'à la fin de la ligne actuelle. Étendre la sélection jusqu'au début de la feuille de calcul Ctrl+⇧ Maj+Début ^ Ctrl+⇧ Maj+Début Sélectionner une plage à partir des cellules sélectionnées jusqu'au début de la feuille de calcul. Étendre la sélection à la dernière cellule utilisée Ctrl+⇧ Maj+Fin ^ Ctrl+⇧ Maj+Fin Sélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule. Sélectionner une cellule à gauche ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Sélectionner une cellule à gauche dans un tableau. Sélectionner une cellule à droite ↹ Tab ↹ Tab Sélectionner une cellule à droite dans un tableau. Étendre la sélection à la cellule non vierge la plus proche à droite. ⇧ Maj+Alt+Fin, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Fin Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche à gauche. ⇧ Maj+Alt+Début, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Début Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonne Ctrl+⇧ Maj+↑ ↓ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection vers le bas de l'écran ⇧ Maj+Pg. suiv ⇧ Maj+Pg. suiv Étendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active. Étendre la sélection vers le haut d'un écran ⇧ Maj+Pg. préc ⇧ Maj+Pg. préc Étendre la sélection à toutes les cellules situées un écran plus haut que la cellule active. Annuler et Rétablir Annuler Ctrl+Z ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ⌘ Cmd+Y Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X Couper les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur, à partir d'un autre classeur, ou provenant d'un autre programme. Mise en forme des données Gras Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Mettre la police du fragment de texte sélectionné en gras pour lui donner plus de poids. Italique Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Mettre la police du fragment de texte sélectionné en italique pour lui donner une certaine inclinaison à droite ou supprimer la mise en forme italique. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres ou supprimer le soulignage. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre. Ajouter un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte vers un site Web externe ou une autre feuille de calcul. Éditer la cellule active F2 F2 Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule. Filtrage de données Activer/Supprimer le filtre Ctrl+⇧ Maj+L ^ Ctrl+⇧ Maj+L, ⌘ Cmd+⇧ Maj+L Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre. Mettre sous forme de modèle de tableau Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Appliquez un modèle de table à une plage de cellules sélectionnée. Saisie des données Valider la saisie de données dans une cellule et se déplacer vers le bas ↵ Entrée ↵ Retour Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule, et passer à la cellule située au-dessous. Valider la saisie de données dans une cellule et se déplacer vers le haut ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Valider la saisie de données dans la cellule sélectionnée, et passer à la cellule située au-dessus. Valider la saisie de données dans une cellule et se déplacer vers la cellule suivante dans la ligne ↹ Tab ↹ Tab Valider la saisie de données dans une cellule sélectionnée ou dans la barre de formule et se déplacer vers la cellule à droite. Commencer une nouvelle ligne Alt+↵ Entrée Commencer une nouvelle ligne dans la même cellule. Annuler Échap Échap Annuler la saisie de données dans la cellule sélectionnée ou dans la barre de formule. Supprimer à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprime également le contenu de la cellule active. Supprimer à droite Supprimer Supprimer, Fn+← Retour arrière Supprimer un caractère à droite dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Effacer le contenu de cellule Supprimer, ← Retour arrière Supprimer, ← Retour arrière Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Valider une entrée de cellule et se déplacer vers la droite ↹ Tab ↹ Tab Valider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite. Valider une entrée de cellule et déplacez-la vers la gauche. ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche . Insérer des cellules Ctrl+⇧ Maj+= Ctrl+⇧ Maj+= Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière. Supprimer les cellules Ctrl+⇧ Maj+- Ctrl+⇧ Maj+- Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière. Insérer la date actuelle Ctrl+; Ctrl+; Insérer la date courante dans la cellule sélectionnée. Insérer l'heure actuelle Ctrl+⇧ Maj+; Ctrl+⇧ Maj+; Insérer l'heure courante dans la cellule sélectionnée. Insérer la date et l'heure actuelles Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Insérer la date et l'heure courantes dans la cellule sélectionnée. Fonctions Insérer une fonction ⇧ Maj+F3 ⇧ Maj+F3 Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie. Fonction SOMME Alt+= ⌥ Option+= Insérer la fonction SOMME dans la cellule active. Ouvrir la liste déroulante Alt+↓ Ouvrir une liste déroulante sélectionnée. Ouvrir le menu contextuel ≣ Menu Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée. Recalculer des fonctions F9 F9 Recalcul du classeur entier. Recalculer des fonctions ⇧ Maj+F9 ⇧ Maj+F9 Recalcul de la feuille de calcul actuelle. Formats de données Ouvrir la boîte de dialogue 'Format de numéro' Ctrl+1 ^ Ctrl+1 Ouvrir la boîte de dialogue Format de numéro Appliquer le format Général Ctrl+⇧ Maj+~ ^ Ctrl+⇧ Maj+~ Appliquer le format de nombre Général. Appliquer le format Devise Ctrl+⇧ Maj+$ ^ Ctrl+⇧ Maj+$ Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses). Appliquer le format Pourcentage Ctrl+⇧ Maj+% ^ Ctrl+⇧ Maj+% Appliquer le format Pourcentage sans décimales. Appliquer le format Exponentiel Ctrl+⇧ Maj+^ ^ Ctrl+⇧ Maj+^ Appliquer le format des nombres exponentiels avec deux décimales. Appliquer le format Date Ctrl+⇧ Maj+# ^ Ctrl+⇧ Maj+# Appliquer le format Date avec le jour, le mois et l'année. Appliquer le format Heure Ctrl+⇧ Maj+@ ^ Ctrl+⇧ Maj+@ Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM. Appliquer un format de nombre Ctrl+⇧ Maj+! ^ Ctrl+⇧ Maj+! Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives. Modification des objets Limiter le déplacement ⇧ Maj + faire glisser ⇧ Maj + faire glisser Limiter le déplacement de l'objet sélectionné horizontalement ou verticalement. Régler une rotation de 15 degrés ⇧ Maj + faire glisser (lors de la rotation) ⇧ Maj + faire glisser (lors de la rotation) Limiter la rotation à à des incréments de 15 degrés. Conserver les proportions ⇧ Maj + faire glisser (lors du redimensionnement) ⇧ Maj + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Tracer une ligne droite ou une flèche ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés. Mouvement par incréments de 1 pixel Ctrl+← → ↑ ↓ Maintenez la touche Ctrl enfoncée en faisant glisser et utilisez les flèches pour déplacer l'objet sélectionné d'un pixel à la fois." + "body": "Raccourcis clavier pour les touches d'accès Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Spreadsheet Editor sans l'aide de la souris. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état. Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès. Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet. Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes. Trouverez ci-dessous les raccourcis clavier les plus courants: Windows/Linux Mac OS En travaillant sur le classeur Ouvrir le panneau 'Fichier' Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer le classeur actuel, voir ses informations, créer un nouveau classeur ou ouvrir un classeur existant, accéder à l'aide de Spreadsheet Editor ou aux paramètres avancés. Ouvrir la fenêtre 'Rechercher et remplacer' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Rechercher et remplacer pour commencer à rechercher une cellule contenant les caractères requis. Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacement Ctrl+H ^ Ctrl+H Ouvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés. Ouvrir le panneau 'Commentaires' Ctrl+⇧ Maj+H ^ Ctrl+⇧ Maj+H, ⌘ Cmd+⇧ Maj+H Ouvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs. Ouvrir le champ de commentaires Alt+H ⌥ Option+H Ouvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire. Ouvrir le panneau 'Chat' Alt+Q ⌥ Option+Q Ouvrir le panneau Chat et envoyer un message. Enregistrer le classeur Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans le classeur en cours d'édition dans Spreadsheet Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer le classeur Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer le classeur avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Télécharger comme... Ctrl+⇧ Maj+S ^ Ctrl+⇧ Maj+S, ⌘ Cmd+⇧ Maj+S Ouvrir l'onglet Télécharger comme... pour enregistrer le classeur actuellement affiché sur le disque dur de l'ordinateur dans l'un des formats pris en charge: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Plein écran F11 Passer à l'affichage en plein écran pour adapter Spreadsheet Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide Spreadsheet Editor. Ouvrir un fichier existant (Desktop Editors) Ctrl+O Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant. Fermer un fichier (Desktop Editors) Tab/Maj+Tab ↹ Tab/⇧ Maj+↹ Tab Fermer la fenêtre du classeur actuel dans Desktop Editors. Menu contextuel de l'élément ⇧ Maj+F10 ⇧ Maj+F10 Ouvrir le menu Aide Spreadsheet Editor. Réinitialiser le niveau de zoom Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Réinitialiser le niveau de zoom du document actuel par défaut à 100%. Copier une feuille de calcul Appuyez et maintenez la touche Ctrl+ faites glisser l'onglet de la feuille de calcul Appuyez et maintenez la touche ⌥ Option+ faites glisser l'onglet de la feuille de calcul Copier une feuille de calcul entière et déplacer-la pour modifier la position de l'onglet. Navigation Déplacer une cellule vers le haut, le bas, la gauche ou la droite ← → ↑ ↓ ← → ↑ ↓ Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci. Aller au bord de la zone de données actuelle Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Activer une cellule à la limite de la région de données courante dans une feuille de calcul. Sauter au début de la ligne Début Début Activer une cellule dans la colonne A de la ligne courante. Sauter au début de la feuille de calcul Ctrl+Début ^ Ctrl+Début Activer la cellule A1. Sauter à la fin de la ligne Fin, Ctrl+→ Fin, ⌘ Cmd+→ Activer la dernière cellule de la ligne actuelle. Sauter à la fin de la feuille de calcul Ctrl+Fin ^ Ctrl+Fin Activer la cellule utilisée en bas à droite de la feuille de calcul située en bas de la ligne du bas avec les données de la colonne la plus à droite avec les données. Si le curseur est sur la ligne de la formule, il sera placé à la fin du texte. Passer à la feuille précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la feuille précédente de votre classeur. Passer à la feuille suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la feuille suivante de votre classeur. Se déplacer d'une ligne vers le haut ↑, ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Activer la cellule au-dessus de la cellule actuelle dans la même colonne. Se déplacer d'une ligne vers le bas ↓, ↵ Entrée ↵ Retour Activer la cellule au-dessous de la cellule actuelle dans la même colonne. Se déplacer d'une colonne vers la gauche ←, ⇧ Maj+↹ Tab ←, ⇧ Maj+↹ Tab Activer la cellule précédente de la ligne actuelle. Se déplacer d'une colonne vers la droite →, ↹ Tab →, ↹ Tab Activer la cellule suivante de la ligne actuelle. Déplacement vers le bas d'un écran Pg. suiv Pg. suiv Déplacer un écran vers le bas dans la feuille de calcul. Déplacement vers le haut d'un écran Pg. préc Pg. préc Déplacer un écran vers le haut dans la feuille de travail. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom avant sur la feuille de calcul en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom arrière sur la feuille de calcul en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Sélection de données Sélectionner tout Ctrl+A, Ctrl+⇧ Maj+␣ Barre d'espace ⌘ Cmd+A Sélectionner toute la feuille de calcul. Sélectionner une colonne Ctrl+␣ Barre d'espace Ctrl+␣ Barre d'espace Sélectionner une colonne entière d'une feuille de calcul. Sélectionner une ligne ⇧ Maj+␣ Barre d'espace ⇧ Maj+␣ Barre d'espace Sélectionner une ligne entière d'une feuille de calcul. Sélectionner une plage ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner cellule par cellule. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début ⇧ Maj+Début Sélectionner une plage depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner depuis le curseur jusqu'à la fin de la ligne ⇧ Maj+Fin ⇧ Maj+Fin Sélectionner une plage depuis le curseur jusqu'à la fin de la ligne actuelle. Étendre la sélection jusqu'au début de la feuille de calcul Ctrl+⇧ Maj+Début ^ Ctrl+⇧ Maj+Début Sélectionner une plage à partir des cellules sélectionnées jusqu'au début de la feuille de calcul. Étendre la sélection à la dernière cellule utilisée Ctrl+⇧ Maj+Fin ^ Ctrl+⇧ Maj+Fin Sélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule. Sélectionner une cellule à gauche ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Sélectionner une cellule à gauche dans un tableau. Sélectionner une cellule à droite ↹ Tab ↹ Tab Sélectionner une cellule à droite dans un tableau. Étendre la sélection à la cellule non vierge la plus proche à droite. ⇧ Maj+Alt+Fin, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Fin Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche à gauche. ⇧ Maj+Alt+Début, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Début Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonne Ctrl+⇧ Maj+↑ ↓ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection vers le bas de l'écran ⇧ Maj+Pg. suiv ⇧ Maj+Pg. suiv Étendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active. Étendre la sélection vers le haut d'un écran ⇧ Maj+Pg. préc ⇧ Maj+Pg. préc Étendre la sélection à toutes les cellules situées un écran plus haut que la cellule active. Annuler et Rétablir Annuler Ctrl+Z ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ⌘ Cmd+Y Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X Couper les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur, à partir d'un autre classeur, ou provenant d'un autre programme. Mise en forme des données Gras Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Mettre la police du fragment de texte sélectionné en gras pour lui donner plus de poids. Italique Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Mettre la police du fragment de texte sélectionné en italique pour lui donner une certaine inclinaison à droite ou supprimer la mise en forme italique. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres ou supprimer le soulignage. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre. Ajouter un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte vers un site Web externe ou une autre feuille de calcul. Éditer la cellule active F2 F2 Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule. Filtrage de données Activer/Supprimer le filtre Ctrl+⇧ Maj+L ^ Ctrl+⇧ Maj+L, ⌘ Cmd+⇧ Maj+L Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre. Mettre sous forme de modèle de tableau Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Appliquez un modèle de table à une plage de cellules sélectionnée. Saisie des données Valider la saisie de données dans une cellule et se déplacer vers le bas ↵ Entrée ↵ Retour Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule, et passer à la cellule située au-dessous. Valider la saisie de données dans une cellule et se déplacer vers le haut ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Valider la saisie de données dans la cellule sélectionnée, et passer à la cellule située au-dessus. Valider la saisie de données dans une cellule et se déplacer vers la cellule suivante dans la ligne ↹ Tab ↹ Tab Valider la saisie de données dans une cellule sélectionnée ou dans la barre de formule et se déplacer vers la cellule à droite. Commencer une nouvelle ligne Alt+↵ Entrée Commencer une nouvelle ligne dans la même cellule. Annuler Échap Échap Annuler la saisie de données dans la cellule sélectionnée ou dans la barre de formule. Supprimer à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprime également le contenu de la cellule active. Supprimer à droite Supprimer Supprimer, Fn+← Retour arrière Supprimer un caractère à droite dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Effacer le contenu de cellule Supprimer, ← Retour arrière Supprimer, ← Retour arrière Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Valider une entrée de cellule et se déplacer vers la droite ↹ Tab ↹ Tab Valider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite. Valider une entrée de cellule et déplacez-la vers la gauche. ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche . Insérer des cellules Ctrl+⇧ Maj+= Ctrl+⇧ Maj+= Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière. Supprimer les cellules Ctrl+⇧ Maj+- Ctrl+⇧ Maj+- Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière. Insérer la date actuelle Ctrl+; Ctrl+; Insérer la date courante dans la cellule sélectionnée. Insérer l'heure actuelle Ctrl+⇧ Maj+; Ctrl+⇧ Maj+; Insérer l'heure courante dans la cellule sélectionnée. Insérer la date et l'heure actuelles Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Insérer la date et l'heure courantes dans la cellule sélectionnée. Fonctions Insérer une fonction ⇧ Maj+F3 ⇧ Maj+F3 Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie. Fonction SOMME Alt+= ⌥ Option+= Insérer la fonction SOMME dans la cellule active. Ouvrir la liste déroulante Alt+↓ Ouvrir une liste déroulante sélectionnée. Ouvrir le menu contextuel ≣ Menu Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée. Recalculer des fonctions F9 F9 Recalcul du classeur entier. Recalculer des fonctions ⇧ Maj+F9 ⇧ Maj+F9 Recalcul de la feuille de calcul actuelle. Formats de données Ouvrir la boîte de dialogue 'Format de numéro' Ctrl+1 ^ Ctrl+1 Ouvrir la boîte de dialogue Format de numéro Appliquer le format Général Ctrl+⇧ Maj+~ ^ Ctrl+⇧ Maj+~ Appliquer le format de nombre Général. Appliquer le format Devise Ctrl+⇧ Maj+$ ^ Ctrl+⇧ Maj+$ Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses). Appliquer le format Pourcentage Ctrl+⇧ Maj+% ^ Ctrl+⇧ Maj+% Appliquer le format Pourcentage sans décimales. Appliquer le format Exponentiel Ctrl+⇧ Maj+^ ^ Ctrl+⇧ Maj+^ Appliquer le format des nombres exponentiels avec deux décimales. Appliquer le format Date Ctrl+⇧ Maj+# ^ Ctrl+⇧ Maj+# Appliquer le format Date avec le jour, le mois et l'année. Appliquer le format Heure Ctrl+⇧ Maj+@ ^ Ctrl+⇧ Maj+@ Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM. Appliquer un format de nombre Ctrl+⇧ Maj+! ^ Ctrl+⇧ Maj+! Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives. Modification des objets Limiter le déplacement ⇧ Maj + faire glisser ⇧ Maj + faire glisser Limiter le déplacement de l'objet sélectionné horizontalement ou verticalement. Régler une rotation de 15 degrés ⇧ Maj + faire glisser (lors de la rotation) ⇧ Maj + faire glisser (lors de la rotation) Limiter la rotation à à des incréments de 15 degrés. Conserver les proportions ⇧ Maj + faire glisser (lors du redimensionnement) ⇧ Maj + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Tracer une ligne droite ou une flèche ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés. Mouvement par incréments de 1 pixel Ctrl+← → ↑ ↓ Maintenez la touche Ctrl enfoncée en faisant glisser et utilisez les flèches pour déplacer l'objet sélectionné d'un pixel à la fois." }, { "id": "HelpfulHints/Navigation.htm", "title": "Paramètres d'affichage et outils de navigation", - "body": "Pour vous aider à visualiser et sélectionner des cellules dans un grand classeur, Spreadsheet Editor propose plusieurs outils de navigation: les barres de défilement, les boutons de défilement, les onglets de classeur et le zoom. Régler les paramètres d'affichage Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, cliquez sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionnez les éléments d'interface que vous souhaitez masquer ou afficher. Vous pouvez choisir une des options suivantes de la liste déroulante Paramètres d'affichage: Masquer la barre d'outils - masque la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre de formule sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir. Masquer les en-têtes sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de calcul. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois. Masquer le quadrillage sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois. Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de calcul et sélectionnez l'option Libérer les volets dans le menu. Afficher les ombres des volets verrouillés sert à afficher les colonnes et lignes verrouillées (un trait subtil s'affiche). Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour activer/désactiver cette option, recherchez la case à cocher Afficher des zéros sous l'onglet Affichage. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône. Vous pouvez également modifier la taille du panneau Commentaires ou Chat ouvert en utilisant un simple glisser-déposer : placez le curseur de la souris sur le bord gauche de la barre latérale. Quand il se transforme dans la flèche bidirectionnelle, faites glisser le bord à droite pour augmenter la largeur de la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à droite. Utiliser les outils de navigation Pour naviguer à travers votre classeur, utilisez les outils suivants: Utilisez la touche Tab pour vous déplacer d'une cellule à droite de la cellule sélectionnée. Les barres de défilement (horizontale et verticale) servent à faire défiler la feuille de calcul actuelle vers le haut /le bas et vers la gauche/la droite. Pour naviguer dans une feuille de calcul à l'aide des barres de défilement: cliquez sur la flèche vers le haut/bas ou vers la droite/gauche sur la barre de défilement; faites glisser la case de défilement; cliquez n'importe où à gauche/à droite ou en haut/en bas de la case de défilement sur la barre de défilement. Vous pouvez également utiliser la molette de la souris pour faire défiler votre feuille de calcul vers le haut ou vers le bas. Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles. cliquez sur le bouton Faire défiler vers la première feuille de calcul pour faire défiler la liste de feuilles jusqu'à la première feuille calcul du classeur actuel; cliquez sur le bouton Faire défiler la liste des feuilles à gauche pour faire défiler la liste des feuilles du classeur actuel vers la gauche; cliquez sur le bouton Faire défiler la liste des feuilles à droite pour faire défiler la liste des feuilles du classeur actuel vers la droite ; cliquez sur le bouton cliquez sur le bouton Faire défiler vers la dernière feuille de calcul pour faire défiler la liste des feuilles jusqu'à la dernière feuille de calcul du classeur actuel. Pour activer la feuille appropriée, cliquez sur son Onglet de feuille en bas à côté des boutons de Navigation des feuilles. Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200%) ou utilisez les boutons Zoom avant ou Zoom arrière . Les paramètres de zoom sont aussi accessibles de la liste déroulante Paramètres d'affichage ." + "body": "Pour vous aider à visualiser et sélectionner des cellules dans un grand classeur, Spreadsheet Editor propose plusieurs outils de navigation: les barres de défilement, les boutons de défilement, les onglets de classeur et le zoom. Régler les paramètres d'affichage Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, cliquez sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionnez les éléments d'interface que vous souhaitez masquer ou afficher. Vous pouvez choisir une des options suivantes de la liste déroulante Paramètres d'affichage: Masquer la barre d'outils - masque la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre de formule sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir. Masquer les en-têtes sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de calcul. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois. Masquer le quadrillage sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois. Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de calcul et sélectionnez l'option Libérer les volets dans le menu. Afficher les ombres des volets verrouillés sert à afficher les colonnes et lignes verrouillées (un trait subtil s'affiche). Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour activer/désactiver cette option, recherchez la case à cocher Afficher des zéros sous l'onglet Affichage. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône. Vous pouvez également modifier la taille du panneau Commentaires ou Chat ouvert en utilisant un simple glisser-déposer : placez le curseur de la souris sur le bord gauche de la barre latérale. Quand il se transforme dans la flèche bidirectionnelle, faites glisser le bord à droite pour augmenter la largeur de la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à droite. Utiliser les outils de navigation Pour naviguer à travers votre classeur, utilisez les outils suivants: Utilisez la touche Tab pour vous déplacer d'une cellule à droite de la cellule sélectionnée. Les barres de défilement (horizontale et verticale) servent à faire défiler la feuille de calcul actuelle vers le haut /le bas et vers la gauche/la droite. Pour naviguer dans une feuille de calcul à l'aide des barres de défilement: cliquez sur la flèche vers le haut/bas ou vers la droite/gauche sur la barre de défilement; faites glisser la case de défilement; cliquez n'importe où à gauche/à droite ou en haut/en bas de la case de défilement sur la barre de défilement. Vous pouvez également utiliser la molette de la souris pour faire défiler votre feuille de calcul vers le haut ou vers le bas. Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles. cliquez sur le bouton Faire défiler vers la première feuille de calcul pour faire défiler la liste de feuilles jusqu'à la première feuille calcul du classeur actuel; cliquez sur le bouton Faire défiler la liste des feuilles à gauche pour faire défiler la liste des feuilles du classeur actuel vers la gauche; cliquez sur le bouton Faire défiler la liste des feuilles à droite pour faire défiler la liste des feuilles du classeur actuel vers la droite ; cliquez sur le bouton cliquez sur le bouton Faire défiler vers la dernière feuille de calcul pour faire défiler la liste des feuilles jusqu'à la dernière feuille de calcul du classeur actuel. Utilisez le bouton sur la barre d'état pour ajouter une nouvelle feuille de calcul au classeur. Pour sélectionner une feuille de calcul nécessaire: cliquez sur le bouton sur la barre d'état pour ouvrir la liste des feuilles de calcul et sélectionnez la feuille de calcul appropriée. L'état de chaque feuille s'affiche aussi dans la liste des feuilles de calcul, ou faites un clic sur l'onglet de la feuille de calcul nécessaire à côté du bouton . Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant ou Zoom arrière . Les paramètres de zoom sont aussi accessibles de la liste déroulante Paramètres d'affichage ." }, { "id": "HelpfulHints/Password.htm", "title": "Protéger un classeur avec un mot de passe", - "body": "Vous pouvez protéger vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." - }, - { - "id": "HelpfulHints/Plugins.htm", - "title": "Comment utiliser nos modules complémentaires", - "body": "Plusieurs modules complémentaires sont ajoutés pour étendre les fonctions traditionnelles des éditeurs et pour en apporter de nouvelles fonctionnalités. Nous avons réalisé ces guides pour vous ajouter pour vous ajouter découvrir comment utiliser les modules complémentaires disponibles. Comment modifier 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. Sélectionnez une image incorporée dans votre feuille de calcul. Passez à l'onglet Modules complémentaires et choisissez Photo Editor. Vous êtes dans l'environnement de traitement des images. Vous pouvez trouver les filtres au-dessous de l'image. Il y a des filtres à régler à partir de cases cochés ou à partir de curseurs. Les boutons Annuler, Rétablir et Remettre à zéro aussi que les boutons à ajouter des annotations, rogner et faire pivoter des images sont disponibles au-dessous des filtres. N'hésitez pas à les essayer tous et rappelez-vous que vous pouvez annuler les modifications à tout moment. Une fois que vous avez terminé: Cliquez sur OK. Maintenant l'image modifiée est insérée dans votre feuille de calcul. Comment insérer une vidéo Vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici. Copier l'URL de la vidéo à insérer. (l'adresse complète dans la barre d'adresse du navigateur) Accédez à votre feuille de calcul et placez le curseur à l'endroit où la vidéo doit être inséré. Passez à l'onglet Modules complémentaires et choisissez YouTube. Collez l'URL et cliquez sur OK. Vérifiez si la vidéo est vrai et cliquez sur OK au-dessous la vidéo. Maintenant la vidéo est insérée dans votre feuille de calcul. Comment insérer un texte mis en surbrillance Vous pouvez intégrer votre texte mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi. Accédez à votre feuille de calcul et placez le curseur à l'endroit où le code doit être inséré. Passez à l'onglet Modules complémentaires et choisissez Code en surbrillance. Spécifiez la Langue de programmation. Choisissez le Style du code pour qu'il apparaisse de manière à sembler celui dans le programme. Spécifiez si on va remplacer les tabulations par des espaces. Choisissez la couleur de fond. Pour le faire manuellement, déplacez le curseur sur la palette de couleurs ou passez la valeur de type RBG/HSL/HEX. Comment traduire un texte Vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles. Sélectionnez le texte à traduire. Passez à l'onglet Modules complémentaires et choisissez Traducteur, l'application de traduction s'affiche dans le panneau de gauche. 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. Comment 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. Sélectionnez le mot dans votre feuille de calcul. Passez à l'onglet Modules complémentaires et choisissez Thésaurus. Le panneau gauche liste les synonymes et les antonymes. Cliquez sur le mot à remplacer dans votre feuille de calcul." + "body": "Vous pouvez protéger vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." }, { "id": "HelpfulHints/Search.htm", @@ -2363,7 +2358,7 @@ var indexes = { "id": "ProgramInterface/CollaborationTab.htm", "title": "Onglet Collaboration", - "body": "L'onglet Collaboration permet d'organiser le travail collaboratif dans Spreadsheet Editor. Dans la version en ligne, vous pouvez partager le fichier, sélectionner le mode de co-édition approprié, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer des commentaires. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: configurer les paramètres de partage (disponible uniquement dans la version en ligne), basculer entre les modes d'édition collaborative Strict et Rapide (disponible uniquement dans la version en ligne), ajouter et supprimer des commentaires sur une feuille de calcul, ouvrir le panneau de Chat (disponible uniquement dans la version en ligne)." + "body": "L'onglet Collaboration permet d'organiser le travail collaboratif dans Spreadsheet Editor. Dans la version en ligne, vous pouvez partager le fichier, sélectionner le mode de co-édition approprié, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer des commentaires. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: configurer les paramètres de partage (disponible uniquement dans la version en ligne), basculer entre les modes d'édition collaborative Strict et Rapide (disponible uniquement dans la version en ligne), ajouter et supprimer des commentaires sur une feuille de calcul, ouvrir le panneau de Chat (disponible uniquement dans la version en ligne). suivre l'historique des versions  (disponible uniquement dans la version en ligne)," }, { "id": "ProgramInterface/DataTab.htm", @@ -2373,7 +2368,7 @@ var indexes = { "id": "ProgramInterface/FileTab.htm", "title": "Onglet Fichier", - "body": "L'onglet Fichier dans Spreadsheet Editor permet d'effectuer certaines opérations de base sur le fichier en cours. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : dans la version en ligne, enregistrer le fichier actuel (si l'option Enregistrement automatique est désactivée), télécharger comme (enregistrer la feuille de calcul dans le format sélectionné sur le disque dur de l'ordinateur), enregistrer la copie sous (enregistrer une copie de la feuille de calcul dans le format sélectionné dans les documents du portail), imprimer ou renommer le fichier actuel, dans la version bureau, enregistrer le fichier actuel en conservant le format et l'emplacement actuels à l'aide de l'option Enregistrer ou enregistrer le fichier actuel avec un nom, un emplacement ou un format différent à l'aide de l'option Enregistrer sous, imprimer le fichier. protéger le fichier à l'aide d'un mot de passe, modifier ou supprimer le mot de passe (disponible dans la version de bureau uniquement); créer une nouvelle feuille de calcul ou ouvrez une feuille de calcul récemment éditée (disponible dans la version en ligne uniquement), voir des informations générales sur le classeur, gérer les droits d'accès (disponible uniquement dans la version en ligne), accéder aux Paramètres avancés de l'éditeur, dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur." + "body": "L'onglet Fichier dans Spreadsheet Editor permet d'effectuer certaines opérations de base sur le fichier en cours. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : dans la version en ligne, enregistrer le fichier actuel (si l'option Enregistrement automatique est désactivée), télécharger comme (enregistrer la feuille de calcul dans le format sélectionné sur le disque dur de l'ordinateur), enregistrer la copie sous (enregistrer une copie de la feuille de calcul dans le format sélectionné dans les documents du portail), imprimer ou renommer le fichier actuel, dans la version bureau, enregistrer le fichier actuel en conservant le format et l'emplacement actuels à l'aide de l'option Enregistrer ou enregistrer le fichier actuel avec un nom, un emplacement ou un format différent à l'aide de l'option Enregistrer sous, imprimer le fichier. protéger le fichier à l'aide d'un mot de passe, modifier ou supprimer le mot de passe (disponible dans la version de bureau uniquement); créer une nouvelle feuille de calcul ou ouvrez une feuille de calcul récemment éditée (disponible dans la version en ligne uniquement), voir des informations générales sur le classeur, suivre l'historique des versions  (disponible uniquement dans la version en ligne), gérer les droits d'accès (disponible uniquement dans la version en ligne), accéder aux Paramètres avancés de l'éditeur, dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur." }, { "id": "ProgramInterface/FormulaTab.htm", @@ -2408,12 +2403,17 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface utilisateur de Spreadsheet Editor", - "body": "Spreadsheet Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Spreadsheet Editor La fenêtre principale de l'éditeur de bureau Spreadsheet Editor: L'interface de l'éditeur est composée des éléments principaux suivants: L'en-tête de l'éditeur affiche le logo, les onglets des documents ouverts, le nom de la feuille de calcul et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes: Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre de l'Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. - permet d'ajuster les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre de formule permet d'entrer et de modifier des formules ou des valeurs dans les cellules. La Barre de formule affiche le contenu de la cellule actuellement sélectionnée. La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation: boutons de navigation de feuille, onglets de feuille et boutons de zoom. La Barre d'état affiche également le nombre d'enregistrements filtrés si vous appliquez un filtreou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - (disponible dans la version en ligne seulement) permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser les informations sur le programme. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une feuille de calcul, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. La Zone de travail permet d'afficher le contenu du classeur, d'entrer et de modifier les données. Les Barres de défilement horizontales et verticales permettent de faire défiler la feuille actuelle de haut en bas ou de gauche à droite. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." + "body": "Spreadsheet Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Spreadsheet Editor La fenêtre principale de l'éditeur de bureau Spreadsheet Editor: L'interface de l'éditeur est composée des éléments principaux suivants: L'en-tête de l'éditeur affiche le logo, les onglets des documents ouverts, le nom de la feuille de calcul et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes: Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre de l'Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. - permet d'ajuster les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre de formule permet d'entrer et de modifier des formules ou des valeurs dans les cellules. La Barre de formule affiche le contenu de la cellule actuellement sélectionnée. La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation: boutons de navigation de feuille, bouton pour ajouter une feuille de calcul, bouton pour afficher la liste de feuilles de calcul, onglets de feuille et boutons de zoom. La Barre d'état affiche également l'état de sauvegarde s'exécutant en arrière-plan, l'état de connection quand l'éditeur ne pavient pas à se connecter, le nombre d'enregistrements filtrés si vous appliquez un filtre ou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - (disponible dans la version en ligne seulement) permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser les informations sur le programme. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une feuille de calcul, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. La Zone de travail permet d'afficher le contenu du classeur, d'entrer et de modifier les données. Les Barres de défilement horizontales et verticales permettent de faire défiler la feuille actuelle de haut en bas ou de gauche à droite. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." + }, + { + "id": "ProgramInterface/ProtectionTab.htm", + "title": "Onglet Protection", + "body": "L'onglet Protection du Spreadsheet Editor permet d'empêcher tout accès non autorisé en utilisant le chiffrement ou la protection au niveau du classeur ou au niveau de la feuille de calcul. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: Chiffrer votre document en définissant un mot de passe, Protéger le livre avec ou sans un mot de passe afin de protéger sa structure, Protéger la feuille de calcul en limitant les possibilités de modification dans une feuille de calcul avec ou sans un mot de passe, Autoriser la modification des plages de cellules verrouillées avec ou sans mot de passe. Activer et désactiver les options suivantes: Cellule verrouillée, Formules cachées, Forme verrouillé, Verrouiller le texte." }, { "id": "ProgramInterface/ViewTab.htm", - "title": "L'onglet Affichage", - "body": "L'onglet Affichage dans Spreadsheet Editor permet de paramétrer l'affichage de feuille de calcul en fonction du filtre appliqué. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: Sous cet onglet vous pouvez: paramétrer l'affichage de feulle, changer l'échelle, verrouiller les volets, gérer l'affichage de la barre de formule, de l'en-tête et du quadrillage et des zéros." + "title": "Onglet Affichage", + "body": "L'onglet Affichage dans ONLYOFFICE Spreadsheet Editor permet de configurer les paramètres d'affichage d'une feuille de calcul en fonction du filtre appliqué et des options d'affichage activées. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: configurer les paramètres d'affichage d'une feuille de calcul, régler le niveau de zoom, sélectionner le thème d'interface: Clair, Classique clair ou Sombre, verrouiller les volets en utilisant les options suivantes: Verrouiller les volets, Verrouiller la ligne supérieure, Verrouiller la première colonne et Afficher l'ombre des zones figées, gérer l'affichage de la barre de formule, des en-têtes, des quadrillages, et des zéros. activer et désactiver les options suivantes: Toujours afficher la barre d'outils pour rendre visible la barre d'outils supérieure, Combiner la barre de la feuille et la barre d'état pour afficher des outils de navigation dans la feuille de calcul et la barre d'état sur une seule ligne. Une fois désactivée, la barre d'état s'affichera sur deux lignes." }, { "id": "UsageInstructions/AddBorders.htm", @@ -2430,6 +2430,11 @@ var indexes = "title": "Aligner les données dans une cellule", "body": "Dans Spreadsheet Editor, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque: vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Appliquez l'une des options d'alignement horizontal dans la cellule, cliquez sur l'icône Aligner à gauche pour aligner les données sur le bord gauche de la cellule (le bord droit reste non aligné); cliquez sur l'icône Aligner au centre pour aligner les données par le centre de la cellule (les bords droit et gauche restent non alignés); cliquez sur l'icône Aligner à droite pour aligner les données sur le bord droit de la cellule (le bord gauche reste non aligné); cliquez sur l'icône Justifié pour aligner vos données sur le bord gauche et droit de la cellule (un espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Changez l'alignement vertical des données dans la cellule, cliquez sur l'icône Aligner en haut pour aligner vos données sur le bord supérieur de la cellule; cliquez sur l'icône Aligner au milieu pour aligner vos données au milieu de la cellule; cliquez sur l'icône Aligner en bas pour aligner vos données sur le bord inférieur de la cellule. Changez l'angle des données en cliquant sur l'icône Orientation et en choisissant l'une des options: utilisez l'option Texte horizontal pour positionner le texte à l'horizontale (par défaut), utilisez l'option Rotation dans le sens inverse des aiguilles d'une montre pour positionner le texte du coin inférieur gauche au coin supérieur droit d'une cellule, utilisez l'option Rotation dans le sens des aiguilles d'une montre pour positionner le texte du coin supérieur gauche au coin inférieur droit d'une cellule, utilisez l'option Texte vertical pour positionner le texte verticalement, utilisez l'option Rotation du texte vers le haut pour positionner le texte de bas en haut d'une cellule, utilisez l'option Rotation du texte vers le bas pour positionner le texte de haut en bas d'une cellule. Appliquez un retrait au contenu d'une cellule à l'aide de la section Retrait sur la barre latérale droite Paramètres de cellule. Définissez la valeur (c-à-d le nombre de caractères) de déplacer le contenu de cellule à gauche. Les retraits sont réinitialisés lorsque vous modifier l'orientation du texte. Lorsque vous modifiez les retraits du texte pivoté, l'orientation du texte est réinitialisée. Il est possible de définir les retraits seulement si le texte est orienté horizontalement ou verticalement. Pour faire pivoter le texte selon un angle exactement spécifié, cliquez sur l'icône Paramètres de cellule dans la barre latérale de droite et utilisez l'Orientation. Entrez la valeur souhaitée mesurée en degrés dans le champ Angle ou réglez-la à l'aide des flèches situées à droite. Adaptez vos données à la largeur de la colonne en cliquant sur l'icône Renvoyer à la ligne automatiquement sous l'onglet Accueil de la barre d'outil supérieure ou en activant la case à cocher Renvoyer à la ligne automatiquement sur la barre latérale droite. Si vous modifiez la largeur de la colonne, les données seront automatiquement ajustées en conséquence. Adaptez vos données à la largeur de la cellule en activant Réduire pour ajuster sur la barre latérale droite. Le contenu de la cellule est réduit pour s'adapter à la largeur de la cellule." }, + { + "id": "UsageInstructions/AllowEditRanges.htm", + "title": "Autoriser la modification des plages", + "body": "L'option Autoriser la modification des plages permet de sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégé. Vous pouvez autoriser la modification de certaines plages de cellules verrouillées avec ou sans mot de passe. On peut modifier la plage de cellules qui n'est pas protégé par un mot de passe. Pour sélectionner une plage de cellules verrouillées qui peut être modifiée: Cliquez sur le bouton Autoriser la modification des plages dans la barre d'outils supérieure. La fenêtre Autoriser les utilisateurs à modifier les plages s'affiche: Dans la fenêtre Autoriser les utilisateurs à modifier les plages, cliquez sur le bouton Nouveau pour sélectionner et ajouter les cellules qui peuvent être modifiées par un utilisateur. Dans la fenêtre Nouvelle plage, saisissez le Titre de la plage et sélectionnez la plage de cellules en cliquant sur le bouton Sélectionner les données. Le Mot de passe est facultatif, alors saisissez et validez-le si vous souhaitez protéger les plages de cellules par un mot de passe. Cliquez sur OK pour valider. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois terminé, cliquez sur le bouton Protéger la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Lorsque vous cliquez sur le bouton Protéger la feuille de calcul, la fenêtre Protéger la feuille de calcul s'affiche pour que vous sélectionniez les opérations que les utilisateurs peuvent exécuter afin d'empêcher toute modification indésirable. Si vous optez pour une protection avec un mot de passe, saisissez et validez le mot de passe qu'on doit entrer pour annuler la protection de la feuille de calcul. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios Cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Vous pouvez modifier les plages de cellules, tant que la feuille de calcul n'est pas protégée. Cliquez sur le bouton Autoriser la modification des plages pour ouvrir la fenêtre Autoriser les utilisateurs à modifier les plages: Utilisez les boutons Modifier et Supprimer pour gérer les plages de cellules sélectionnées. Ensuite, cliquez sur le bouton Protéger la feuille de calcul pour activer la protection de la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Avec des plages protégées avec un mot de passe, la fenêtre Déverrouiller la plage s'affiche invitant à saisir le mot de passe lorsque quelqu'un essaie de modifier la plage protégée." + }, { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Modifier le format de nombre", @@ -2448,7 +2453,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Couper/copier/coller des données", - "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les données de votre classeur, utilisez le menu contextuel ou les icônes correspondantes de Spreadsheet Editor sur la barre d'outils supérieure, Couper - sélectionnez les données et utilisez l'option Couper pour supprimer les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur. Copier - sélectionnez les données et utilisez l'icône Copier sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur. Coller - sélectionnez l'endroit et utilisez l'icône Coller sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre feuille de calcul ou un autre programme, dans la version de bureau, les boutons/options de menu et les combinaisons de touches correspondantes peuvent être utilisées pour toute opération copier/coller: Ctrl+X pour couper; Ctrl+X pour couper; Ctrl+V pour coller. Remarque: au lieu de couper et coller des données dans la même feuille de calcul, vous pouvez sélectionner la cellule/plage de cellules requise, placer le pointeur de la souris sur la bordure de sélection pour qu'il devienne l'icône Flèche et faire glisser la sélection jusqu'à la position requise. Pour afficher ou masquer le bouton Options de collage, accédez à l'onglet Fichier > Paramètres avancés... et activez/désactivez la case à coché Couper, copier et coller. Utiliser la fonctionnalité Collage spécial Une fois les données copiées collées, le bouton Options de collage apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez une cellule/plage de cellules avec des données formatées, les options suivantes sont disponibles: Coller - permet de coller tout le contenu de la cellule, y compris le formatage des données. Cette option est sélectionnée par défaut. Les options suivantes peuvent être utilisées si les données copiées contiennent des formules: Coller uniquement la formule - permet de coller des formules sans coller le formatage des données. Formule + format numérique - permet de coller des formules avec la mise en forme appliquée aux nombres. Formule + toute la mise en forme - permet de coller des formules avec toute la mise en forme des données. Formule sans bordures - permet de coller des formules avec toute la mise en forme sauf les bordures de cellules. Formule + largeur de colonne - permet de coller des formules avec toute la mise en forme des données et de définir la largeur de la colonne source pour la plage de cellules dans laquelle vous collez les données. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Cette option est disponible pour les plages de données normales, mais pas pour les tableaux mis en forme. Les options suivantes permettent de coller le résultat renvoyé par la formule copiée sans coller la formule elle-même: Coller uniquement la valeur - permet de coller les résultats de la formule sans coller la mise en forme des données. Valeur + format numérique - permet de coller les résultats de la formule avec la mise en forme appliquée aux nombres. Valeur + toute la mise en forme - permet de coller les résultats de la formule avec toute la mise en forme des données. Coller uniquement la mise en forme - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule. Coller Formule - permet de coller des formules sans coller le formatage des données. Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données. Formats - permet de conserver la mise en forme de la zone copiée. Commentaires - permet d'ajouter les commentaires de la zone copiée. Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée. Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures. Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée. Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée. Formules et format des chiffres - permet de coller les formules et le format des chiffres. Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée. Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée. Opération Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée. Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée. Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée. Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme. Lorsque vous collez le contenu d'une seule cellule ou du texte dans des formes automatiques, les options suivantes sont disponibles: Mise en forme de la source - permet de conserver la mise en forme de la source des données copiées. Mise en forme de la destination - permet d'appliquer la mise en forme déjà utilisée pour la cellule/forme automatique à laquelle vous collez les données. Texte délimité Lorsque vous collez du texte délimité copié à partir d'un fichier .txt, les options suivantes sont disponibles: Le texte délimité peut contenir plusieurs enregistrements dont chaque enregistrement correspond à une seule ligne de table. Chaque enregistrement peut contenir plusieurs valeurs de texte séparées par des délimiteurs (tels que virgule, point-virgule, deux-points, tabulation, espace ou tout autre caractère). Le fichier doit être enregistré sous la forme d'un fichier .txt de texte brut. Conserver le texte uniquement - permet de coller les valeurs de texte dans une colonne où chaque contenu de cellule correspond à une ligne dans un fichier de texte source. Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, appuyez sur le bouton OK. Si vous avez collé des données délimitées à partir d'une source qui n'est pas un fichier texte brut (par exemple, du texte copié à partir d'une page Web, etc.), ou si vous avez appliqué la fonction Conserver uniquement le texte et que vous souhaitez maintenant fractionner les données d'une seule colonne en plusieurs colonnes, vous pouvez utiliser l'option Texte en colonnes. Pour diviser les données en plusieurs colonnes: Sélectionnez la cellule ou la colonne nécessaire qui contient les données avec délimiteurs. Passez à l'onglet Données. Cliquez sur le bouton Texte en colonnes dans la barre d'outils supérieure. L'assistant Texte en colonnes s'affiche. Dans la liste déroulante Délimiteur, sélectionnez le délimiteur utilisé dans les données délimitées. Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. Prévisualisez le résultat dans le champ ci-dessous et cliquez sur OK. Ensuite, chaque valeur de texte séparée par le délimiteur sera placée dans une cellule séparée. S'il y a des données dans les cellules à droite de la colonne que vous voulez fractionner, les données seront écrasées. Utiliser l'option Remplissage automatique Pour remplir rapidement plusieurs cellules avec les mêmes données, utilisez l'option Remplissage automatique: sélectionner une cellule/plage de cellules contenant les données ciblées, déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire: faites glisser la poignée sur les cellules adjacentes que vous souhaitez remplir avec les données sélectionnées. Remarque: si vous devez créer une série de nombres (tels que 1, 2, 3, 4 ..., 2, 4, 6, 8 ... etc.) ou des dates, vous pouvez entrer au moins deux valeurs de départ et étendre rapidement la série en sélectionnant ces cellules puis en faisant glisser la poignée de remplissage. Remplissez les cellules de la colonne avec des valeurs textuelles Si une colonne de votre feuille de calcul contient des valeurs textuelles, vous pouvez facilement remplacer n'importe quelle valeur dans cette colonne ou remplir la cellule vide suivante en sélectionnant l'une des valeurs de texte existantes. Cliquez avec le bouton droit sur la cellule requise et choisissez l'option Sélectionner dans la liste déroulante dans le menu contextuel. Sélectionnez l'une des valeurs de texte disponibles pour remplacer la valeur actuelle ou remplir une cellule vide." + "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les données de votre classeur, utilisez le menu contextuel ou les icônes correspondantes de Spreadsheet Editor sur la barre d'outils supérieure, Couper - sélectionnez les données et utilisez l'option Couper pour supprimer les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur. Copier - sélectionnez les données et utilisez l'icône Copier sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur. Coller - sélectionnez l'endroit et utilisez l'icône Coller sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre feuille de calcul ou un autre programme, dans la version de bureau, les boutons/options de menu et les combinaisons de touches correspondantes peuvent être utilisées pour toute opération copier/coller: Ctrl+X pour couper; Ctrl+X pour couper; Ctrl+V pour coller. Remarque: au lieu de couper et coller des données dans la même feuille de calcul, vous pouvez sélectionner la cellule/plage de cellules requise, placer le pointeur de la souris sur la bordure de sélection pour qu'il devienne l'icône Flèche et faire glisser la sélection jusqu'à la position requise. Pour afficher ou masquer le bouton Options de collage, accédez à l'onglet Fichier > Paramètres avancés... et activez/désactivez la case à coché Couper, copier et coller. Utiliser la fonctionnalité Collage spécial Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict. Une fois les données copiées collées, le bouton Options de collage apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez une cellule/plage de cellules avec des données formatées, les options suivantes sont disponibles: Coller - permet de coller tout le contenu de la cellule, y compris le formatage des données. Cette option est sélectionnée par défaut. Les options suivantes peuvent être utilisées si les données copiées contiennent des formules: Coller uniquement la formule - permet de coller des formules sans coller le formatage des données. Formule + format numérique - permet de coller des formules avec la mise en forme appliquée aux nombres. Formule + toute la mise en forme - permet de coller des formules avec toute la mise en forme des données. Formule sans bordures - permet de coller des formules avec toute la mise en forme sauf les bordures de cellules. Formule + largeur de colonne - permet de coller des formules avec toute la mise en forme des données et de définir la largeur de la colonne source pour la plage de cellules dans laquelle vous collez les données. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Cette option est disponible pour les plages de données normales, mais pas pour les tableaux mis en forme. Les options suivantes permettent de coller le résultat renvoyé par la formule copiée sans coller la formule elle-même: Coller uniquement la valeur - permet de coller les résultats de la formule sans coller la mise en forme des données. Valeur + format numérique - permet de coller les résultats de la formule avec la mise en forme appliquée aux nombres. Valeur + toute la mise en forme - permet de coller les résultats de la formule avec toute la mise en forme des données. Coller uniquement la mise en forme - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule. Coller Formule - permet de coller des formules sans coller le formatage des données. Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données. Formats - permet de conserver la mise en forme de la zone copiée. Commentaires - permet d'ajouter les commentaires de la zone copiée. Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée. Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures. Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée. Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée. Formules et format des chiffres - permet de coller les formules et le format des chiffres. Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée. Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée. Opération Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée. Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée. Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée. Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme. Lorsque vous collez le contenu d'une seule cellule ou du texte dans des formes automatiques, les options suivantes sont disponibles: Mise en forme de la source - permet de conserver la mise en forme de la source des données copiées. Mise en forme de la destination - permet d'appliquer la mise en forme déjà utilisée pour la cellule/forme automatique à laquelle vous collez les données. Texte délimité Lorsque vous collez du texte délimité copié à partir d'un fichier .txt, les options suivantes sont disponibles: Le texte délimité peut contenir plusieurs enregistrements dont chaque enregistrement correspond à une seule ligne de table. Chaque enregistrement peut contenir plusieurs valeurs de texte séparées par des délimiteurs (tels que virgule, point-virgule, deux-points, tabulation, espace ou tout autre caractère). Le fichier doit être enregistré sous la forme d'un fichier .txt de texte brut. Conserver le texte uniquement - permet de coller les valeurs de texte dans une colonne où chaque contenu de cellule correspond à une ligne dans un fichier de texte source. Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, appuyez sur le bouton OK. Si vous avez collé des données délimitées à partir d'une source qui n'est pas un fichier texte brut (par exemple, du texte copié à partir d'une page Web, etc.), ou si vous avez appliqué la fonction Conserver uniquement le texte et que vous souhaitez maintenant fractionner les données d'une seule colonne en plusieurs colonnes, vous pouvez utiliser l'option Texte en colonnes. Pour diviser les données en plusieurs colonnes: Sélectionnez la cellule ou la colonne nécessaire qui contient les données avec délimiteurs. Passez à l'onglet Données. Cliquez sur le bouton Texte en colonnes dans la barre d'outils supérieure. L'assistant Texte en colonnes s'affiche. Dans la liste déroulante Délimiteur, sélectionnez le délimiteur utilisé dans les données délimitées. Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. Prévisualisez le résultat dans le champ ci-dessous et cliquez sur OK. Ensuite, chaque valeur de texte séparée par le délimiteur sera placée dans une cellule séparée. S'il y a des données dans les cellules à droite de la colonne que vous voulez fractionner, les données seront écrasées. Utiliser l'option Remplissage automatique Pour remplir rapidement plusieurs cellules avec les mêmes données, utilisez l'option Remplissage automatique: sélectionner une cellule/plage de cellules contenant les données ciblées, déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire: faites glisser la poignée sur les cellules adjacentes que vous souhaitez remplir avec les données sélectionnées. Remarque: si vous devez créer une série de nombres (tels que 1, 2, 3, 4 ..., 2, 4, 6, 8 ... etc.) ou des dates, vous pouvez entrer au moins deux valeurs de départ et étendre rapidement la série en sélectionnant ces cellules puis en faisant glisser la poignée de remplissage. Remplissez les cellules de la colonne avec des valeurs textuelles Si une colonne de votre feuille de calcul contient des valeurs textuelles, vous pouvez facilement remplacer n'importe quelle valeur dans cette colonne ou remplir la cellule vide suivante en sélectionnant l'une des valeurs de texte existantes. Cliquez avec le bouton droit sur la cellule requise et choisissez l'option Sélectionner dans la liste déroulante dans le menu contextuel. Sélectionnez l'une des valeurs de texte disponibles pour remplacer la valeur actuelle ou remplir une cellule vide." }, { "id": "UsageInstructions/DataValidation.htm", @@ -2463,7 +2468,7 @@ var indexes = { "id": "UsageInstructions/FormattedTables.htm", "title": "Mettre sous forme de modèle de tableau", - "body": "Créer un nouveau tableau mis en forme Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique. Remarque: une fois que vous avez créé un nouveau tableau, un nom par défaut (Tableau1, Tableau2 etc.) lui sera automatiquement affecté. Vous pouvez changer ce nom pour le rendre plus significatif et l'utiliser pour d'autres travaux. Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l'expansion automatique du tableau sera disponible dans ce menu. Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe. Sélectionner les lignes et les colonnes Pour sélectionner la ligne entière, déplacez le curseur sur la bordure gauche de la ligne du tableau lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Pour sélectionner la colonne entière du tableau mis en forme, déplacez le curseur sur le bord inférieur de l'en-tête de la colonne lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Sur un clic unique toutes les données de la colonne sont sélectionnées (comme indiqué sur l'illustration ci-dessous); sur un double clic la colonne entière y compris l'en-tête est sélectionnée. Pour sélectionner le tableau entier, déplacez le curseur sur le coin supérieur gauche du tableau lorsque il se transforme en flèche noir en diagonale , puis cliquez sur le bouton gauche de la souris. Éditer un tableau mis en forme d'après un modèle Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau sur la droite. Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-tête - permet d'afficher la ligne d'en-tête. Total - ajoute la ligne Résumé en bas du tableau. Remarque: lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste: Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé. Bordé - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Bouton Filtre - permet d'afficher les flèches déroulantes dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée. Première - accentue la colonne la plus à gauche du tableau avec un formatage spécial. Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial. Bordé - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires. La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées: Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles: La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK. Remarque: Les en-têtes doivent rester sur la même ligne et la plage de valeurs du tableau de résultat doit se superposer à la plage de valeur du tableau d'origine. La section Lignes et colonnes vous permet d'effectuer les opérations suivantes: Sélectionner une ligne, une colonne, toutes les données de colonnes à l'exclusion de la ligne d'en-tête ou la table entière incluant la ligne d'en-tête. Insérer une nouvelle ligne au-dessus ou en dessous de celle sélectionnée ainsi qu'une nouvelle colonne à gauche ou à droite de celle sélectionnée. Supprimer une ligne, une colonne (en fonction de la position du curseur ou de la sélection) ou la totalité du tableau. Remarque: les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel. L'option Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page. L'option Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible. L'option Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page. L'option Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page. Configurer les paramètres du tableau Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre: L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau. Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe." + "body": "Créer un nouveau tableau mis en forme Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique. Remarque: une fois que vous avez créé un nouveau tableau, un nom par défaut (Tableau1, Tableau2 etc.) lui sera automatiquement affecté. Vous pouvez changer ce nom pour le rendre plus significatif et l'utiliser pour d'autres travaux. Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l’expansion automatique du tableau sera disponible dans ce menu. Remarque: Pour activer ou désactiver l'option de développent automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe et décochez la case Inclure nouvelles lignes et colonnes dans le tableau. Sélectionner les lignes et les colonnes Pour sélectionner la ligne entière, déplacez le curseur sur la bordure gauche de la ligne du tableau lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Pour sélectionner la colonne entière du tableau mis en forme, déplacez le curseur sur le bord inférieur de l'en-tête de la colonne lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Sur un clic unique toutes les données de la colonne sont sélectionnées (comme indiqué sur l'illustration ci-dessous); sur un double clic la colonne entière y compris l'en-tête est sélectionnée. Pour sélectionner le tableau entier, déplacez le curseur sur le coin supérieur gauche du tableau lorsque il se transforme en flèche noir en diagonale , puis cliquez sur le bouton gauche de la souris. éditer un tableau mis en forme d'après un modèle Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau sur la droite. Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-tête - permet d'afficher la ligne d'en-tête. Total - ajoute la ligne Résumé en bas du tableau. Remarque: lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste: Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé. Bordé - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Bouton Filtre - permet d'afficher les flèches déroulantes dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée. Première - accentue la colonne la plus à gauche du tableau avec un formatage spécial. Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial. Bordé - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires. La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées: Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles: La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK. Remarque: Les en-têtes doivent rester sur la même ligne et la plage de valeurs du tableau de résultat doit se superposer à la plage de valeur du tableau d'origine. La section Lignes et colonnes vous permet d'effectuer les opérations suivantes: Sélectionner une ligne, une colonne, toutes les données de colonnes à l'exclusion de la ligne d'en-tête ou la table entière incluant la ligne d'en-tête. Insérer une nouvelle ligne au-dessus ou en dessous de celle sélectionnée ainsi qu'une nouvelle colonne à gauche ou à droite de celle sélectionnée. Supprimer une ligne, une colonne (en fonction de la position du curseur ou de la sélection) ou la totalité du tableau. Remarque: les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel. L'option Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page. L'option Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible. L'option Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page. L'option Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page. Configurer les paramètres du tableau Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre: L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau. Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe. Utiliser la saisie automatique de formule pour ajouter des formules aux tableaux mis en forme d'après un modèle La liste de Saisie automatique de formule affiche des options disponibles pour des formules ajoutées aux tableaux mis en forme d'après un modèle. Vous pouvez faire un renvoi vers un tableau dans votre formules à l'intérieur ou en dehors du tableau. Les titres des colonnes et des éléments sont utilisés en tant que références au lieu des adresses de cellule. L'exemple ci-dessous illustre un renvoi vers le tableau dans la fonction SUM. Sélectionnez une cellule et commencez à saisir une formule qui commence par un signe égal, sélectionnez la fonction nécessaire dans la liste de Saisie automatique de formule. Après la parenthèse ouvrante, commencez à saisir le nom du tableau et sélectionnez-le dans la liste Saisie automatique de formule. Ensuite, saisissez le crochet ouvrant [ pour ouvrir la liste déroulante des colonnes et des éléments qu'on peut utiliser dans la formule. Une info-bulle avec la description de la référence s'affiche lorsque vous placez le pointeur de la souris sur la référence dans la liste. Remarque: Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule." }, { "id": "UsageInstructions/GroupData.htm", @@ -2478,12 +2483,12 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insérer et mettre en forme des formes automatiques", - "body": "Insérer une forme automatique Pour ajouter une forme automatique à Spreadsheet Editor, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles: Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés. Régler les paramètres de la forme automatique Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . Vous pouvez y modifier les paramètres suivants: Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à la forme automatique et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Personnaliser votre dégradé sans aucune contrainte. Cliquez sur Paramètres de la forme pour ouvrir le menu Remplissage de la barre latérale droite: Les options disponibles du menu: Style - choisissez Linéaire or Radial: Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. Cliquez sur Direction pour définir la direction choisie et cliquez sur Angle pour définir un angle précis. Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée. Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez cliquez sur Sélectionnez l'image et ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou A partir de l'espace de stockage à l'aide du gestionnaire de fichiers ONLYOFFICE, ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte. Si vous souhaitez utiliser une texture en tant que arrière-plan de la forme, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture nécessaire. Actuellement, les textures suivantes sont disponibles: Toile, Carton, Tissu foncé, Grain, Granit, Papier gris, Tricot, Cuir, Papier brun, Papyrus, Bois. Si l'Image sélectionnée est plus grande ou plus petite que la forme automatique ou diapositive, vous pouvez profiter d'une des options Prolonger ou Tuile depuis la liste déroulante. L'option Prolonger permet de régler la taille de l'image pour l'adapter à la taille de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. L'option Tuile permet d'afficher seulement une partie de l'image plus grande en gardant ses dimensions d'origine, ou de répéter l'image plus petite en conservant ses dimensions initiales sur la surface de la forme automatique ou de la diapositive afin qu'elle puisse remplir tout l'espace uniformément. Remarque: tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet Prolonger, si nécessaire. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés pour remplir l'espace intérieur de la forme. Modèle - sélectionnez un des modèles prédéfinis du menu. Couleur de premier plan - cliquez sur cette palette de couleurs pour changer la couleur des éléments du modèle. Couleur d'arrière-plan - cliquez sur cette palette de couleurs pour changer de l'arrière-plan du modèle. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Opacité sert à régler le niveau d'Opacité des formes automatiques en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Celle-ci correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Ligne - sert à régler la taille, la couleur et le type du contour de la forme. Pour modifier la largeur du ligne, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de ligne. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Pour modifier le type de contour, sélectionnez l'option voulue dans la liste déroulante correspondante (une ligne continue est appliquée par défaut, vous pouvez la remplacer par l'une des lignes pointillées disponibles). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner l'image horizontalement ou verticalement. Cliquez sur l'un des boutons: pour faire pivoter la forme de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre pour retourner la forme horizontalement (de gauche à droite) pour retourner la forme verticalement (à l'envers) Modifier la forme automatique sert à remplacer la forme actuelle par une autre en la sélectionnant de la liste déroulante. Ajouter une ombre activez cette option pour ajouter une ombre portée à une forme. Configurer les paramètres avancés de la forme Pour configurer les paramètres avancés de la forme automatique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Forme - Paramètres avancés s'ouvre: L'onglet Taille comporte les paramètres suivants: Largeur et Hauteur  utilisez ces options pour changer la largeur et/ou la hauteur de la forme. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme suit) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter la forme d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner la forme horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Poids et flèches contient les paramètres suivants: Style de ligne - ce groupe d'options vous permet de spécifier les paramètres suivants: Type de lettrine - cette option permet de définir le style de la fin de la ligne, ainsi elle peut être appliquée seulement aux formes avec un contour ouvert telles que des lignes, des polylignes etc.: Plat - les points finaux seront plats. Arrondi - les points finaux seront arrondis. Carré - les points finaux seront carrés. Type de jointure - cette option permet de définir le style de l'intersection de deux lignes, par exemple, une polyligne, les coins du triangle ou le contour du rectangle: Arrondi - le coin sera arrondi. Plaque - le coin sera coupé d'une manière angulaire. Onglet - l'angle sera aiguisé. Bien adapté pour les formes à angles vifs. Remarque: l'effet sera plus visible si vous utilisez un contour plus épais. Flèches - ce groupe d'options est disponible pour les formes du groupe Lignes. Il permet de définir le Style de début et Style de fin aussi bien que la Taille des flèches en sélectionnant l'option appropriée de la liste déroulante. L'onglet Zone de texte vous permet de Redimensionner la forme pour contenir la texte, Autoriser le texte à sortir de la forme ou changer les marges internes En haut, En bas, A gauche et A droite (c'est-à-dire la distance entre le texte à l'intérieur de la forme et les bordures de la forme automatique). Remarque: cet onglet n'est disponible que si tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer la forme derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), la forme se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de la forme s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé la forme derrière la cellule mais d'empêcher sa redimensionnement. Quand une cellule se déplace, la forme se déplace aussi, mais si vous redimensionnez la cellule, la forme demeure inchangée. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de la forme si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de la forme. Insérer et mettre en forme du texte dans la forme automatique Pour insérer un texte dans la forme automatique, sélectionnez la forme avec la souris et commencez à taper votre texte. Le texte que vous ajoutez fait partie de la forme (ainsi si vous déplacez ou faites pivoter la forme, le texte change de position lui aussi). Toutes les options de mise en forme que vous pouvez appliquer au texte dans la forme automatique sont listées ici. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour ce faire, cliquez sur l'icône Forme dans l'onglet Insérer de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion. Affecter une macro à une forme Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une forme. Une fois la macro affectée, la forme apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur la forme et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." + "body": "Insérer une forme automatique Pour ajouter une forme automatique à Spreadsheet Editor, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés. Régler les paramètres de la forme automatique Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . Vous pouvez y modifier les paramètres suivants: Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à la forme automatique et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Personnaliser votre dégradé sans aucune contrainte. Cliquez sur Paramètres de la forme pour ouvrir le menu Remplissage de la barre latérale droite: Les options disponibles du menu: Style - choisissez Linéaire or Radial: Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé. Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée. Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez cliquez sur Sélectionnez l'image et ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou A partir de l'espace de stockage à l'aide du gestionnaire de fichiers ONLYOFFICE, ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte. Si vous souhaitez utiliser une texture en tant que arrière-plan de la forme, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture nécessaire. Actuellement, les textures suivantes sont disponibles: Toile, Carton, Tissu foncé, Grain, Granit, Papier gris, Tricot, Cuir, Papier brun, Papyrus, Bois. Si l'Image sélectionnée est plus grande ou plus petite que la forme automatique ou diapositive, vous pouvez profiter d'une des options Prolonger ou Tuile depuis la liste déroulante. L'option Prolonger permet de régler la taille de l'image pour l'adapter à la taille de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. L'option Tuile permet d'afficher seulement une partie de l'image plus grande en gardant ses dimensions d'origine, ou de répéter l'image plus petite en conservant ses dimensions initiales sur la surface de la forme automatique ou de la diapositive afin qu'elle puisse remplir tout l'espace uniformément. Remarque: tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet Prolonger, si nécessaire. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés pour remplir l'espace intérieur de la forme. Modèle - sélectionnez un des modèles prédéfinis du menu. Couleur de premier plan - cliquez sur cette palette de couleurs pour changer la couleur des éléments du modèle. Couleur d'arrière-plan - cliquez sur cette palette de couleurs pour changer de l'arrière-plan du modèle. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Opacité sert à régler le niveau d'Opacité des formes automatiques en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Celle-ci correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Ligne - sert à régler la taille, la couleur et le type du contour de la forme. Pour modifier la largeur du ligne, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de ligne. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Pour modifier le type de contour, sélectionnez l'option voulue dans la liste déroulante correspondante (une ligne continue est appliquée par défaut, vous pouvez la remplacer par l'une des lignes pointillées disponibles). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner l'image horizontalement ou verticalement. Cliquez sur l'un des boutons: pour faire pivoter la forme de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre pour retourner la forme horizontalement (de gauche à droite) pour retourner la forme verticalement (à l'envers) Modifier la forme automatique sert à remplacer la forme actuelle par une autre en la sélectionnant de la liste déroulante. Ajouter une ombre activez cette option pour ajouter une ombre portée à une forme. Configurer les paramètres avancés de la forme Pour configurer les paramètres avancés de la forme automatique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Forme - Paramètres avancés s'ouvre: L'onglet Taille comporte les paramètres suivants: Largeur et Hauteur  utilisez ces options pour changer la largeur et/ou la hauteur de la forme. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme suit) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter la forme d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner la forme horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Poids et flèches contient les paramètres suivants: Style de ligne - ce groupe d'options vous permet de spécifier les paramètres suivants: Type de lettrine - cette option permet de définir le style de la fin de la ligne, ainsi elle peut être appliquée seulement aux formes avec un contour ouvert telles que des lignes, des polylignes etc.: Plat - les points finaux seront plats. Arrondi - les points finaux seront arrondis. Carré - les points finaux seront carrés. Type de jointure - cette option permet de définir le style de l'intersection de deux lignes, par exemple, une polyligne, les coins du triangle ou le contour du rectangle: Arrondi - le coin sera arrondi. Plaque - le coin sera coupé d'une manière angulaire. Onglet - l'angle sera aiguisé. Bien adapté pour les formes à angles vifs. Remarque: l'effet sera plus visible si vous utilisez un contour plus épais. Flèches - ce groupe d'options est disponible pour les formes du groupe Lignes. Il permet de définir le Style de début et Style de fin aussi bien que la Taille des flèches en sélectionnant l'option appropriée de la liste déroulante. L'onglet Zone de texte vous permet de Redimensionner la forme pour contenir la texte, Autoriser le texte à sortir de la forme ou changer les marges internes En haut, En bas, A gauche et A droite (c'est-à-dire la distance entre le texte à l'intérieur de la forme et les bordures de la forme automatique). Remarque: cet onglet n'est disponible que si tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer la forme derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), la forme se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de la forme s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé la forme derrière la cellule mais d'empêcher sa redimensionnement. Quand une cellule se déplace, la forme se déplace aussi, mais si vous redimensionnez la cellule, la forme demeure inchangée. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de la forme si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de la forme. Insérer et mettre en forme du texte dans la forme automatique Pour insérer un texte dans la forme automatique, sélectionnez la forme avec la souris et commencez à taper votre texte. Le texte que vous ajoutez fait partie de la forme (ainsi si vous déplacez ou faites pivoter la forme, le texte change de position lui aussi). Toutes les options de mise en forme que vous pouvez appliquer au texte dans la forme automatique sont listées ici. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour ce faire, cliquez sur l'icône Forme dans l'onglet Insérer de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion. Affecter une macro à une forme Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une forme. Une fois la macro affectée, la forme apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur la forme et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." }, { "id": "UsageInstructions/InsertChart.htm", "title": "Insérer des graphiques", - "body": "Insérer un graphique Pour insérer un graphique dans Spreadsheet Editor, sélectionnez la plage de cellules qui contiennent les données que vous souhaitez utiliser pour le graphique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Après cela, le graphique sera ajouté à la feuille de calcul. Régler les paramètres du graphique Vous pouvez maintenant modifier les propriétés du graphique inséré: Pour modifier le type de graphique, sélectionnez le graphique avec la souris, cliquez sur l'icône Paramètres du graphique sur la barre latérale droite, ouvrez la liste déroulante Style et sélectionnez le style qui vous convient le mieux. ouvrez la liste déroulante Modifier le type et sélectionnez le type approprié. Le type et le style de graphique sélectionnés seront modifiés. Pour modifier les données du graphiques: Cliquez sur le bouton Sélectionner des données sur le panneau latéral droit. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur Afficher les paramètres avancés pour modifier paramètres tels que Disposition, Axe vertical, Second axe vertical, Axe horizontal, Second axe horizontal, Alignement dans une cellule et Texte de remplacement. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage et le Trait. Veuillez noter qu'on ne peut pas modifier le type de la forme. Sous l'onglet Paramètres de la forme dans le panneau droit, vous pouvez configurer la zone du graphique là-même aussi que les éléments du graphique tels que la zone de tracé, la série de données, le titre du graphique, la légende et les autres et ajouter les différents types de remplissage. Sélectionnez l'élément du graphique nécessaire en cliquant sur le bouton gauche de la souris et choisissez le type de remplissage approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque: l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Si nécessaire, vous pouvez modifier la taille et la position du graphique. Pour supprimer un graphique inséré, cliquez sur celui-ci et appuyez sur la touche Suppr. Affecter une macro à un graphique Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à un graphique. Une fois la macro affectée, le graphique apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur le graphique et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Une fois la macro affectée, vous pouvez toujours sélectionner le graphique pour effectuer d'autres opérations en cliquant avec le bouton gauche de la souris sur le graphique. Utiliser des graphiques sparkline ONLYOFFICE Spreadsheet Editor prend en charge des Graphiques sparkline. Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et est un excellent outil de représentation visuelle des données. Pour en savoir plus sur la création, la modification et mise en forme des graphiques sparkline, veuillez consulter des instructions Insérer des graphiques sparkline." + "body": "Insérer un graphique Pour insérer un graphique dans Spreadsheet Editor, sélectionnez la plage de cellules qui contiennent les données que vous souhaitez utiliser pour le graphique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Remarque: ONLYOFFICE Spreadsheet Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier. Après cela, le graphique sera ajouté à la feuille de calcul. Régler les paramètres du graphique Vous pouvez maintenant modifier les propriétés du graphique inséré: Pour modifier le type de graphique, sélectionnez le graphique avec la souris, cliquez sur l'icône Paramètres du graphique sur la barre latérale droite, ouvrez la liste déroulante Style et sélectionnez le style qui vous convient le mieux. ouvrez la liste déroulante Modifier le type et sélectionnez le type approprié. Le type et le style de graphique sélectionnés seront modifiés. Pour modifier les données du graphiques: Cliquez sur le bouton Sélectionner des données sur le panneau latéral droit. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur Afficher les paramètres avancés pour modifier paramètres tels que Disposition, Axe vertical, Second axe vertical, Axe horizontal, Second axe horizontal, Alignement dans une cellule et Texte de remplacement. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage et le Trait. Veuillez noter qu'on ne peut pas modifier le type de la forme. Sous l'onglet Paramètres de la forme dans le panneau droit, vous pouvez configurer la zone du graphique là-même aussi que les éléments du graphique tels que la zone de tracé, la série de données, le titre du graphique, la légende et les autres et ajouter les différents types de remplissage. Sélectionnez l'élément du graphique nécessaire en cliquant sur le bouton gauche de la souris et choisissez le type de remplissage approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque: l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Si nécessaire, vous pouvez modifier la taille et la position du graphique. Pour supprimer un graphique inséré, cliquez sur celui-ci et appuyez sur la touche Suppr. Affecter une macro à un graphique Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à un graphique. Une fois la macro affectée, le graphique apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur le graphique et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Une fois la macro affectée, vous pouvez toujours sélectionner le graphique pour effectuer d'autres opérations en cliquant avec le bouton gauche de la souris sur le graphique. Utiliser des graphiques sparkline ONLYOFFICE Spreadsheet Editor prend en charge des Graphiques sparkline. Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et est un excellent outil de représentation visuelle des données. Pour en savoir plus sur la création, la modification et mise en forme des graphiques sparkline, veuillez consulter des instructions Insérer des graphiques sparkline." }, { "id": "UsageInstructions/InsertDeleteCells.htm", @@ -2493,7 +2498,7 @@ var indexes = { "id": "UsageInstructions/InsertEquation.htm", "title": "Insérer des équations", - "body": "Spreadsheet Editor vous permet de créer des équations à l'aide des modèles intégrés, de les éditer, d'insérer des caractères spéciaux (y compris des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une nouvelle équation depuis la galerie, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur la flèche à côté de l'icône Équation dans la barre d'outils supérieure, sélectionnez la catégorie d'équation voulue dans la liste déroulante. Les catégories suivantes sont actuellement disponibles : Symboles, Fractions, Scripts, Radicaux, Intégrales, Grands opérateurs, Crochets, Fonctions, Accentuations, Limites et Logarithmes, Opérateurs, Matrices, cliquez sur le symbole/l'équation dans l'ensemble de modèles correspondant. Le symbole/l'équation sera ajouté(e) à la feuille de calcul.Le coin supérieur gauche de la boîte d'équation coïncidera avec le coin supérieur gauche de la cellule actuellement sélectionnée mais la boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la feuille de calcul. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation représente un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Entrer des valeurs Le point d'insertion spécifie où le prochain caractère que vous entrez apparaîtra. Pour positionner le point d'insertion avec précision, cliquez dans un espace réservé et utilisez les flèches du clavier pour déplacer le point d'insertion d'un caractère vers la gauche/droite.Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé : entrer la valeur numérique/littérale souhaitée à l'aide du clavier, insérer un caractère spécial à l'aide de la palette Symboles dans le menu BÉquation sous l'onglet Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque : actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne, le saut de ligne automatique se produit pendant que vous tapez. Vous pouvez également insérer un saut de ligne à une position spécifique en cliquant avec le bouton droit sur un opérateur mathématique et en sélectionnant l'option Insérer un saut manuel dans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et utilisez les boutons et de l'onglet Accueil de la barre d'outils supérieure ou sélectionnez la taille de police nécessaire dans la liste. Tous les éléments d'équation changeront en conséquence. Les lettres de l'équation sont en italique par défaut. Si nécessaire, vous pouvez changer le style de police (gras, italique, barré) ou la couleur pour une équation entière ou une portion. Le style souligné peut être appliqué uniquement à l'équation entière et non aux caractères individuels. Sélectionnez la partie de l'équation voulue en cliquant et en faisant glisser. La partie sélectionnée sera surlignée en bleu. Utilisez ensuite les boutons nécessaires dans l'onglet Accueil de la barre d'outils supérieure pour formater la sélection. Par exemple, vous pouvez supprimer le format italique pour les mots ordinaires qui ne sont pas des variables ou des constantes.Pour modifier des éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour modifier le format des Fractions, vous pouvez cliquer sur une fraction avec le bouton droit de la souris et sélectionner l'option Changer en fraction en biais/linéaire/empilée dans le menu (les options disponibles varient en fonction du type de fraction sélectionné). Pour modifier la position des Scripts par rapport au texte, vous pouvez faire un clic droit sur l'équation contenant des scripts et sélectionner l'option Scripts avant/après le texte dans le menu. Pour modifier la taille des arguments pour Scripts, Radicaux, Intégrales, Grands opérateurs, Limites et Logarithmes, Opérateurs ainsi que pour les accolades supérieures/inférieures et les modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'argument que vous souhaitez modifier et sélectionnez l'option Augmenter/Diminuer la taille de l'argument dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour un Radical, vous pouvez cliquer avec le bouton droit de la souris sur le radical et sélectionner l'option Masquer/Afficher le degré dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour une Intégrale ou un Grand opérateur, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Masquer/Afficher la limite supérieure/inférieure dans le menu. Pour modifier la position des limites relative au signe d'intégrale ou d'opérateur pour les Intégrales ou les Grands opérateurs, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Modifier l'emplacement des limites dans le menu. Les limites peuvent être affichées à droite du signe de l'opérateur (sous forme d'indices et d'exposants) ou directement au-dessus et au-dessous du signe de l'opérateur. Pour modifier la position des limites par rapport au texte des Limites et des Logarithmes et des modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Limites sur/sous le texte dans le menu. Pour choisir lequel des Crochets doit être affiché, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qui s'y trouve et sélectionner l'option Masquer/Afficher les parenthèses ouvrantes/fermantes dans le menu. Pour contrôler la taille des Crochets, vous pouvez cliquer avec le bouton droit sur l'expression qui s'y trouve. L'option Étirer les parenthèses est sélectionnée par défaut afin que les parenthèses puissent croître en fonction de l'expression qu'elles contiennent, mais vous pouvez désélectionner cette option pour empêcher l'étirement des parenthèses. Lorsque cette option est activée, vous pouvez également utiliser l'option Faire correspondre les crochets à la hauteur de l'argument. Pour modifier la position du caractère par rapport au texte des accolades ou des barres supérieures/inférieures du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur le modèle et sélectionner l'option Caractère/Barre sur/sous le texte dans le menu. Pour choisir les bordures à afficher pour une Formule encadrée du groupe Accentuations, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Propriétés de bordure dans le menu, puis sélectionner Masquer/Afficher bordure supérieure/inférieure/gauche/droite ou Ajouter/Masquer ligne horizontale/verticale/diagonale. Pour spécifier si un espace réservé vide doit être affiché ou non pour une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur celle-ci et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner des éléments d'équation, vous pouvez utiliser les options du menu contextuel : Pour aligner des équations dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur une équation, sélectionner l'option Alignement dans le menu, puis sélectionnez le type d'alignement : Haut, Centre ou Bas. Pour aligner une Matrice verticalement, vous pouvez cliquer avec le bouton droit sur la matrice, sélectionner l'option Alignement de matrice dans le menu, puis sélectionner le type d'alignement : Haut, Centre ou Bas. Pour aligner les éléments d'une colonne de Matrice horizontalement, vous pouvez cliquer avec le bouton droit sur la colonne, sélectionner l'option Alignement de colonne dans le menu, puis sélectionner le type d'alignement : Gauche, Centre ou Droite. Supprimer les éléments d'une équation Pour supprimer une partie de l'équation, sélectionnez la partie que vous souhaitez supprimer en faisant glisser la souris ou en maintenant la touche Maj enfoncée et en utilisant les boutons fléchés, puis appuyez sur la touche Suppr du clavier. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour supprimer toute l'équation, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait continu) et appuyez sur la touche Suppr du clavier.Pour supprimer certains éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour supprimer un Radical, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer radical dans le menu. Pour supprimer un Indice et/ou un Exposant, vous pouvez cliquer avec le bouton droit sur l'expression qui les contient et sélectionner l'option Supprimer indice/exposant dans le menu. Si l'expression contient des scripts qui viennent avant le texte, l'option Supprimer les scripts est disponible. Pour supprimer des Crochets, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qu'ils contiennent et sélectionner l'option Supprimer les caractères englobants ou Supprimer les caractères englobants et séparateurs dans le menu. Si l'expression contenue dans les Crochets comprend plus d'un argument, vous pouvez cliquer avec le bouton droit de la souris sur l'argument que vous voulez supprimer et sélectionner l'option Supprimer l'argument dans le menu. Si les Crochets contiennent plus d'une équation (c'est-à-dire des Cas avec plusieurs conditions), vous pouvez cliquer avec le bouton droit sur l'équation que vous souhaitez supprimer et sélectionner l'option Supprimer l'équation dans le menu. Pour supprimer une Limite, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer limite dans le menu. Pour supprimer une Accentuation, vous pouvez cliquer avec le bouton droit de la souris et sélectionner l'option Supprimer le caractère d'accentuation, Supprimer le caractère ou Supprimer la barre dans le menu (les options disponibles varient en fonction de l'accent sélectionné). Pour supprimer une ligne ou une colonne d'une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur l'espace réservé dans la ligne/colonne à supprimer, sélectionner l'option Supprimer dans le menu, puis sélectionner Supprimer la ligne/colonne." + "body": "Spreadsheet Editor vous permet de créer des équations à l'aide des modèles intégrés, de les éditer, d'insérer des caractères spéciaux (y compris des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une nouvelle équation depuis la galerie, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur la flèche à côté de l'icône Équation dans la barre d'outils supérieure, sélectionnez la catégorie d'équation voulue dans la liste déroulante. Les catégories suivantes sont actuellement disponibles : Symboles, Fractions, Scripts, Radicaux, Intégrales, Grands opérateurs, Crochets, Fonctions, Accentuations, Limites et Logarithmes, Opérateurs, Matrices, cliquez sur le symbole/l'équation dans l'ensemble de modèles correspondant. Le symbole/l'équation sera ajouté(e) à la feuille de calcul.Le coin supérieur gauche de la boîte d'équation coïncidera avec le coin supérieur gauche de la cellule actuellement sélectionnée mais la boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la feuille de calcul. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation représente un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Entrer des valeurs Le point d'insertion spécifie où le prochain caractère que vous entrez apparaîtra. Pour positionner le point d'insertion avec précision, cliquez dans un espace réservé et utilisez les flèches du clavier pour déplacer le point d'insertion d'un caractère vers la gauche/droite.Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé : entrer la valeur numérique/littérale souhaitée à l'aide du clavier, insérer un caractère spécial à l'aide de la palette Symboles dans le menu BÉquation sous l'onglet Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque : actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne, le saut de ligne automatique se produit pendant que vous tapez. Vous pouvez également insérer un saut de ligne à une position spécifique en cliquant avec le bouton droit sur un opérateur mathématique et en sélectionnant l'option Insérer un saut manuel dans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et utilisez les boutons et de l'onglet Accueil de la barre d'outils supérieure ou sélectionnez la taille de police nécessaire dans la liste. Tous les éléments d'équation changeront en conséquence. Les lettres de l'équation sont en italique par défaut. Si nécessaire, vous pouvez changer le style de police (gras, italique, barré) ou la couleur pour une équation entière ou une portion. Le style souligné peut être appliqué uniquement à l'équation entière et non aux caractères individuels. Sélectionnez la partie de l'équation voulue en cliquant et en faisant glisser. La partie sélectionnée sera surlignée en bleu. Utilisez ensuite les boutons nécessaires dans l'onglet Accueil de la barre d'outils supérieure pour formater la sélection. Par exemple, vous pouvez supprimer le format italique pour les mots ordinaires qui ne sont pas des variables ou des constantes.Pour modifier des éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour modifier le format des Fractions, vous pouvez cliquer sur une fraction avec le bouton droit de la souris et sélectionner l'option Changer en fraction en biais/linéaire/empilée dans le menu (les options disponibles varient en fonction du type de fraction sélectionné). Pour modifier la position des Scripts par rapport au texte, vous pouvez faire un clic droit sur l'équation contenant des scripts et sélectionner l'option Scripts avant/après le texte dans le menu. Pour modifier la taille des arguments pour Scripts, Radicaux, Intégrales, Grands opérateurs, Limites et Logarithmes, Opérateurs ainsi que pour les accolades supérieures/inférieures et les modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'argument que vous souhaitez modifier et sélectionnez l'option Augmenter/Diminuer la taille de l'argument dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour un Radical, vous pouvez cliquer avec le bouton droit de la souris sur le radical et sélectionner l'option Masquer/Afficher le degré dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour une Intégrale ou un Grand opérateur, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Masquer/Afficher la limite supérieure/inférieure dans le menu. Pour modifier la position des limites relative au signe d'intégrale ou d'opérateur pour les Intégrales ou les Grands opérateurs, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Modifier l'emplacement des limites dans le menu. Les limites peuvent être affichées à droite du signe de l'opérateur (sous forme d'indices et d'exposants) ou directement au-dessus et au-dessous du signe de l'opérateur. Pour modifier la position des limites par rapport au texte des Limites et des Logarithmes et des modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Limites sur/sous le texte dans le menu. Pour choisir lequel des Crochets doit être affiché, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qui s'y trouve et sélectionner l'option Masquer/Afficher les parenthèses ouvrantes/fermantes dans le menu. Pour contrôler la taille des Crochets, vous pouvez cliquer avec le bouton droit sur l'expression qui s'y trouve. L'option Étirer les parenthèses est sélectionnée par défaut afin que les parenthèses puissent croître en fonction de l'expression qu'elles contiennent, mais vous pouvez désélectionner cette option pour empêcher l'étirement des parenthèses. Lorsque cette option est activée, vous pouvez également utiliser l'option Faire correspondre les crochets à la hauteur de l'argument. Pour modifier la position du caractère par rapport au texte des accolades ou des barres supérieures/inférieures du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur le modèle et sélectionner l'option Caractère/Barre sur/sous le texte dans le menu. Pour choisir les bordures à afficher pour une Formule encadrée du groupe Accentuations, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Propriétés de bordure dans le menu, puis sélectionner Masquer/Afficher bordure supérieure/inférieure/gauche/droite ou Ajouter/Masquer ligne horizontale/verticale/diagonale. Pour spécifier si un espace réservé vide doit être affiché ou non pour une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur celle-ci et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner des éléments d'équation, vous pouvez utiliser les options du menu contextuel : Pour aligner des équations dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur une équation, sélectionner l'option Alignement dans le menu, puis sélectionnez le type d'alignement : Haut, Centre ou Bas. Pour aligner une Matrice verticalement, vous pouvez cliquer avec le bouton droit sur la matrice, sélectionner l'option Alignement de matrice dans le menu, puis sélectionner le type d'alignement : Haut, Centre ou Bas. Pour aligner les éléments d'une colonne de Matrice horizontalement, vous pouvez cliquer avec le bouton droit sur la colonne, sélectionner l'option Alignement de colonne dans le menu, puis sélectionner le type d'alignement : Gauche, Centre ou Droite. Supprimer les éléments d'une équation Pour supprimer une partie de l'équation, sélectionnez la partie que vous souhaitez supprimer en faisant glisser la souris ou en maintenant la touche Maj enfoncée et en utilisant les boutons fléchés, puis appuyez sur la touche Suppr du clavier. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour supprimer toute l'équation, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait continu) et appuyez sur la touche Suppr du clavier.Pour supprimer certains éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour supprimer un Radical, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer radical dans le menu. Pour supprimer un Indice et/ou un Exposant, vous pouvez cliquer avec le bouton droit sur l'expression qui les contient et sélectionner l'option Supprimer indice/exposant dans le menu. Si l'expression contient des scripts qui viennent avant le texte, l'option Supprimer les scripts est disponible. Pour supprimer des Crochets, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qu'ils contiennent et sélectionner l'option Supprimer les caractères englobants ou Supprimer les caractères englobants et séparateurs dans le menu. Si l'expression contenue dans les Crochets comprend plus d'un argument, vous pouvez cliquer avec le bouton droit de la souris sur l'argument que vous voulez supprimer et sélectionner l'option Supprimer l'argument dans le menu. Si les Crochets contiennent plus d'une équation (c'est-à-dire des Cas avec plusieurs conditions), vous pouvez cliquer avec le bouton droit sur l'équation que vous souhaitez supprimer et sélectionner l'option Supprimer l'équation dans le menu. Pour supprimer une Limite, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer limite dans le menu. Pour supprimer une Accentuation, vous pouvez cliquer avec le bouton droit de la souris et sélectionner l'option Supprimer le caractère d'accentuation, Supprimer le caractère ou Supprimer la barre dans le menu (les options disponibles varient en fonction de l'accent sélectionné). Pour supprimer une ligne ou une colonne d'une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur l'espace réservé dans la ligne/colonne à supprimer, sélectionner l'option Supprimer dans le menu, puis sélectionner Supprimer la ligne/colonne. Conversion des équations Si vous disposez d'un document contenant des équations créées avec l'éditeur d'équations dans les versions plus anciennes (par exemple, avec MS Office version antérieure à 2007) vous devez convertir toutes les équations au format Office Math ML pour pouvoir les modifier. Faites un double-clic sur l'équation pour la convertir. La fenêtre d'avertissement s'affiche: Pour ne convertir que l'équation sélectionnée, cliquez sur OK dans la fenêtre d'avertissement. Pour convertir toutes les équations du document, activez la case Appliquer à toutes les équations et cliquez sur OK. Une fois converti, l'équation peut être modifiée." }, { "id": "UsageInstructions/InsertFunction.htm", @@ -2508,7 +2513,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer des images", - "body": "Spreadsheet Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans la feuille de calcul, placez le curseur là où vous voulez insérer l'image, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Imagede la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image provenant du stockage ouvrira la fenêtre Sélectionner la source de données. Sélectionnez une image stockée sur votre portail et cliquez sur le bouton OK Après cela, l'image sera ajoutée à la feuille de calcul. Régler les paramètres de l'image une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Pour spécifier les dimensions exactes de l'image : sélectionnez l'image que vous voulez redimensionner avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, Dans la section Taille, définissez les valeurs Largeur et Hauteur requises. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. Pour rogner l'image : Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui apparaissent sur les coins de l'image et au milieu de chaque côté. Faites glisser manuellement les poignées pour définir la zone de recadrage. Vous pouvez déplacer le curseur de la souris sur la bordure de la zone de recadrage pour qu'il se transforme en icône et faire glisser la zone. Pour rogner un seul côté, faites glisser la poignée située au milieu de ce côté. Pour rogner simultanément deux côtés adjacents, faites glisser l'une des poignées d'angle. Pour rogner également deux côtés opposés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser la poignée au milieu de l'un de ces côtés. Pour rogner également tous les côtés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser l'une des poignées d'angle. Lorsque la zone de recadrage est définie, cliquez à nouveau sur le bouton Rogner, ou appuyez sur la touche Echap, ou cliquez n'importe où à l'extérieur de la zone de recadrage pour appliquer les modifications. Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options 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. Pour faire pivoter l'image : sélectionnez l'image que vous souhaitez faire pivoter avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Rotation, cliquez sur l'un des boutons : pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’image horizontalement (de gauche à droite) pour retourner l’image verticalement (à l'envers) Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Faire pivoter dans le menu contextuel. Pour remplacer l'image insérée, sélectionnez l'image insérée avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Remplacer l'image cliquez sur le bouton approprié : D'un fichier ou D'une URL et sélectionnez l'image désirée.Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel. L'image sélectionnée sera remplacée. Lorsque l'image est sélectionnée, l'icône Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de la forme dans la barre latérale droite et ajuster le type du Ligne sa taille et sa couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Sous l'onglet Paramètres de la forme, vous pouvez utiliser l'option Ajouter une ombre pour créer une zone ombrée autour de l'image. Ajuster les paramètres avancés de l'image Pour modifier les paramètres avancés, cliquez sur l'image avec le bouton droit de la souris et sélectionnez Paramètres avancés de l'image du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher les paramètres avancés. La fenêtre paramètres de l'image s'ouvre: L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter l'image d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner l'image horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer l'image derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), l'image se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de l'image s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé l'image derrière la cellule mais d'empêcher le redimensionnement. Quand une cellule se déplace, l'image se déplace aussi, mais si vous redimensionnez la cellule, l'image demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de l'image si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image. Pour supprimer l'image insérée, cliquez sur celle-ci et appuyez sur la touche Suppr. Affecter une macro à une image Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une image. Une fois la macro affectée, l'image apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur l'image et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." + "body": "Spreadsheet Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans la feuille de calcul, placez le curseur là où vous voulez insérer l'image, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Imagede la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image provenant du stockage ouvrira la fenêtre Sélectionner la source de données. Sélectionnez une image stockée sur votre portail et cliquez sur le bouton OK Après cela, l'image sera ajoutée à la feuille de calcul. Régler les paramètres de l'image une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Pour spécifier les dimensions exactes de l'image : sélectionnez l'image que vous voulez redimensionner avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, Dans la section Taille, définissez les valeurs Largeur et Hauteur requises. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. Pour rogner l'image : Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui apparaissent sur les coins de l'image et au milieu de chaque côté. Faites glisser manuellement les poignées pour définir la zone de recadrage. Vous pouvez déplacer le curseur de la souris sur la bordure de la zone de recadrage pour qu'il se transforme en icône et faire glisser la zone. Pour rogner un seul côté, faites glisser la poignée située au milieu de ce côté. Pour rogner simultanément deux côtés adjacents, faites glisser l'une des poignées d'angle. Pour rogner également deux côtés opposés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser la poignée au milieu de l'un de ces côtés. Pour rogner également tous les côtés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser l'une des poignées d'angle. Lorsque la zone de recadrage est définie, cliquez à nouveau sur le bouton Rogner, ou appuyez sur la touche Echap, ou cliquez n'importe où à l'extérieur de la zone de recadrage pour appliquer les modifications. Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix: Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme. Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées. Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée. Pour faire pivoter l'image : sélectionnez l'image que vous souhaitez faire pivoter avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Rotation, cliquez sur l'un des boutons : pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’image horizontalement (de gauche à droite) pour retourner l’image verticalement (à l'envers) Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Faire pivoter dans le menu contextuel. Pour remplacer l'image insérée, sélectionnez l'image insérée avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Remplacer l'image cliquez sur le bouton approprié : D'un fichier ou D'une URL et sélectionnez l'image désirée.Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel. L'image sélectionnée sera remplacée. Lorsque l'image est sélectionnée, l'icône Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de la forme dans la barre latérale droite et ajuster le type du Ligne sa taille et sa couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Sous l'onglet Paramètres de la forme, vous pouvez utiliser l'option Ajouter une ombre pour créer une zone ombrée autour de l'image. Ajuster les paramètres avancés de l'image Pour modifier les paramètres avancés, cliquez sur l'image avec le bouton droit de la souris et sélectionnez Paramètres avancés de l'image du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher les paramètres avancés. La fenêtre paramètres de l'image s'ouvre: L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter l'image d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner l'image horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer l'image derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), l'image se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de l'image s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé l'image derrière la cellule mais d'empêcher le redimensionnement. Quand une cellule se déplace, l'image se déplace aussi, mais si vous redimensionnez la cellule, l'image demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de l'image si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image. Pour supprimer l'image insérée, cliquez sur celle-ci et appuyez sur la touche Suppr. Affecter une macro à une image Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une image. Une fois la macro affectée, l'image apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur l'image et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." }, { "id": "UsageInstructions/InsertSparklines.htm", @@ -2528,12 +2533,12 @@ var indexes = { "id": "UsageInstructions/ManageSheets.htm", "title": "Gérer des feuilles de calcul", - "body": "Par défaut, un classeur nouvellement créé contient une feuille de calcul. Le moyen le plus simple d'en ajouter dans Spreadsheet Editor une est de cliquer sur le bouton Plus situé à la droite des boutons de Navigation de feuille dans le coin inférieur gauche. Une autre façon d'ajouter une nouvelle feuille est: faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille, sélectionnez l'option Insérer depuis le menu contextuel. Une nouvelle feuille de calcul sera insérée après la feuille sélectionnée. Pour activer la feuille requise, utilisez les onglets de la feuille dans le coin inférieur gauche de chaque feuille de calcul. Remarque: pour trouver la feuille que vous cherchez si vous en avez beaucoup, utilisez les boutons de Navigation de feuille situés dans le coin inférieur gauche. Pour supprimer une feuille de calcul inutile: faites un clic droit sur l'onglet de la feuille de calcul à supprimer, sélectionnez l'option Supprimer depuis le menu contextuel. La feuille de calcul sélectionnée sera supprimée à partir du classeur actuel. Pour renommer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à renommer, sélectionnez l'option Renommer depuis le menu contextuel, saisissez le Nom de feuille dans la fenêtre de dialogue et cliquez sur le bouton OK. Le nom de la feuille de calcul sélectionnée sera modifiée. Pour copier une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Copier depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la copie ou utilisez l'option Copier à la fin pour insérer la feuille de calcul copiée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. La feuille de calcul sélectionnée sera copiée et insérée à l'endroit choisi. Pour déplacer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à déplacer, sélectionnez l'option Déplacer depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la feuille de calcul sélectionnée ou utilisez l'option Déplacer à la fin pour déplacer la feuille de caclul sélectionnée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. Ou tout simplement faites glisser l'onglet de la feuille de calcul et déposez-le là où vous voulez. La feuille de calcul sélectionnée sera déplacée. Vous pouvez aussi déplacer l'onglet de feuille par glisser-déposer vers une autre classeur. Dans ce cas la feuille de calcul est supprimée du classeur d'origine. Si vous avez beaucoup de feuilles de calcul, pour faciliter le travail vous pouvez masquer certains d'entre eux dont vous n'avez pas besoin pour l'instant. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Masquer depuis le menu contextuel. Pour afficher l'onglet de la feuille de calcul masquée, faites un clic droit sur n'importe quel onglet de la feuille, ouvrez la liste Masquée et sélectionnez le nom de la feuille de calcul dont l'onglet vous souhaitez afficher. Pour différencier les feuilles, vous pouvez affecter différentes couleurs aux onglets de la feuille. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à colorer, sélectionnez l'option Couleur d'onglet depuis le menu contextuel. sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Vous pouvez travaillez simultanément sur plusieurs feuilles de calcul: sélectionnez la première feuille à inclure dans le groupe, appuyez et maintenez la touche Maj enfoncée pour choisir plusieurs feuilles adjacentes, ou utilisez la touche Ctrl pour choisir les feuilles non adjacentes. faites un clic droit sur un des onglets de feuille choisis pour ouvrir le menu contextuel, sélectionnez l'option convenable du menu: Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi, Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Renommer cette option ne s'applique qu'à chaque feuille individuelle, Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois, Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel, Dissocier les feuilles sert à dissocier les feuilles sélectionnées. Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe." + "body": "Par défaut, un classeur nouvellement créé contient une feuille de calcul. Le moyen le plus simple d'en ajouter dans Spreadsheet Editor une est de cliquer sur le bouton Plus situé à la droite des boutons de Navigation de feuille dans le coin inférieur gauche. Une autre façon d'ajouter une nouvelle feuille est: faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille, sélectionnez l'option Insérer depuis le menu contextuel. Une nouvelle feuille de calcul sera insérée après la feuille sélectionnée. Pour activer la feuille requise, utilisez les onglets de la feuille dans le coin inférieur gauche de chaque feuille de calcul. Remarque: pour trouver la feuille que vous cherchez si vous en avez beaucoup, utilisez les boutons de Navigation de feuille situés dans le coin inférieur gauche. Pour supprimer une feuille de calcul inutile: faites un clic droit sur l'onglet de la feuille de calcul à supprimer, sélectionnez l'option Supprimer depuis le menu contextuel. La feuille de calcul sélectionnée sera supprimée à partir du classeur actuel. Pour renommer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à renommer, sélectionnez l'option Renommer depuis le menu contextuel, saisissez le Nom de feuille dans la fenêtre de dialogue et cliquez sur le bouton OK. Le nom de la feuille de calcul sélectionnée sera modifiée. Pour copier une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Copier depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la copie ou utilisez l'option Copier à la fin pour insérer la feuille de calcul copiée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. La feuille de calcul sélectionnée sera copiée et insérée à l'endroit choisi. Pour déplacer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à déplacer, sélectionnez l'option Déplacer depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la feuille de calcul sélectionnée ou utilisez l'option Déplacer à la fin pour déplacer la feuille de caclul sélectionnée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. Ou tout simplement faites glisser l'onglet de la feuille de calcul et déposez-le là où vous voulez. La feuille de calcul sélectionnée sera déplacée. Vous pouvez également déplacer une feuille de calcul entre des classeurs manuellement par glisser-déposer. Pour ce faire, sélectionnez la feuille de calcul à déplacer et faites-la glisser vers la barre d’onglets des feuilles dans un autre classeur. Par exemple, vous pouvez glisser une feuille de calcul de l’éditeur en ligne vers l’éditeur de bureau: Dans ce cas-ci, la feuille de calcul dans le classeur d’origine sera supprimée. Si vous avez beaucoup de feuilles de calcul, pour faciliter le travail vous pouvez masquer certains d'entre eux dont vous n'avez pas besoin pour l'instant. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Masquer depuis le menu contextuel. Pour afficher l'onglet de la feuille de calcul masquée, faites un clic droit sur n'importe quel onglet de la feuille, ouvrez la liste Masquée et sélectionnez le nom de la feuille de calcul dont l'onglet vous souhaitez afficher. Pour différencier les feuilles, vous pouvez affecter différentes couleurs aux onglets de la feuille. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à colorer, sélectionnez l'option Couleur d'onglet depuis le menu contextuel. sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Vous pouvez travaillez simultanément sur plusieurs feuilles de calcul: sélectionnez la première feuille à inclure dans le groupe, appuyez et maintenez la touche Maj enfoncée pour choisir plusieurs feuilles adjacentes, ou utilisez la touche Ctrl pour choisir les feuilles non adjacentes. faites un clic droit sur un des onglets de feuille choisis pour ouvrir le menu contextuel, sélectionnez l'option convenable du menu: Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi, Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Renommer cette option ne s'applique qu'à chaque feuille individuelle, Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois, Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel, Dissocier les feuilles sert à dissocier les feuilles sélectionnées. Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipuler des objets", - "body": "Dans Spreadsheet Editor, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique ou Paramètres de l'image à droite. Déplacer des objets Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons : pour faire pivoter l’objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’objet horizontalement (de gauche à droite) pour retourner l’objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'image ou la forme, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter une forme ou une image selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK. Modifier des formes automatiques Lors de la modification des formes, par exemple des Flèches figurées ou les légendes, l'icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés les uns par rapport aux autres, maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'alignement souhaité dans la liste : Aligner à gauche - pour aligner les objets les uns par rapport aux autres par le bord gauche de l'objet le plus à gauche, Aligner au centre - pour aligner les objets l'un par rapport à l'autre par leurs centres, Aligner à droite - pour aligner les objets les uns par rapport aux autres par le bord droit de l'objet le plus à droite, Aligner en haut - pour aligner les objets les uns par rapport aux autres par le bord supérieur de l'objet le plus haut, Aligner au milieu - pour aligner les objets l'un par rapport à l'autre par leur milieu, Aligner en bas - pour aligner les objets les uns par rapport aux autres par le bord inférieur de l'objet le plus bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options d’alignement disponibles. Remarque : les options d'alignement sont désactivées si vous sélectionnez moins de deux objets. Distribuer des objets Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite. Distribuer verticalement - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options de distribution disponibles. Remarque : les options de distribution sont désactivées si vous sélectionnez moins de trois objets. Grouper plusieurs objets Pour manipuler plusieurs objets à la fois, vous pouvez les grouper. Maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur la flèche à côté de l'icône Grouper dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez l'option voulue depuis la liste : Grouper - pour combiner plusieurs objets de sorte que vous puissiez les faire pivoter, déplacer, redimensionner, aligner, organiser, copier, coller, mettre en forme simultanément comme un objet unique. Dissocier - pour dissocier le groupe sélectionné d'objets préalablement combinés. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ordonner dans le menu contextuel, puis utiliser l'option Grouper ou Dissocier. Remarque : l'option Grouper est désactivée si vous sélectionnez moins de deux objets. L'option Dégrouper n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné. Organiser plusieurs objets Pour organiser l'objet ou les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Déplacer vers l'avant et Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'ordre voulu dans la liste. Pour déplacer un ou plusieurs objets sélectionnés vers l'avant, cliquez sur la flèche en regard de l'icône Déplacer vers l'avant dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre au premier plan pour placer l'objet ou les objets devant tous les autres, Déplacer vers l'avant pour déplacer l'objet ou les objets d'un niveau vers l'avant. Pour déplacer un ou plusieurs objets sélectionnés vers l'arrière, cliquez sur la flèche en regard de l'icône Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre en arrière plan pour placer l'objet ou les objets derrière tous les autres, Reculer pour déplacer l'objet ou les objets d'un niveau vers l'arrière. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Organiser dans le menu contextuel, puis utiliser une des options de distribution disponibles." + "body": "Dans Spreadsheet Editor, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique ou Paramètres de l'image à droite. Déplacer des objets Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons : pour faire pivoter l’objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’objet horizontalement (de gauche à droite) pour retourner l’objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'image ou la forme, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter une forme ou une image selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK. Modifier des formes automatiques Lors de la modification des formes, par exemple des Flèches figurées ou les légendes, l'icône jaune en forme de diamant est aussi disponible. Elle vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel. Modifier les points sert à personnaliser ou modifier le contour d'une forme. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité. Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés les uns par rapport aux autres, maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'alignement souhaité dans la liste : Aligner à gauche - pour aligner les objets les uns par rapport aux autres par le bord gauche de l'objet le plus à gauche, Aligner au centre - pour aligner les objets l'un par rapport à l'autre par leurs centres, Aligner à droite - pour aligner les objets les uns par rapport aux autres par le bord droit de l'objet le plus à droite, Aligner en haut - pour aligner les objets les uns par rapport aux autres par le bord supérieur de l'objet le plus haut, Aligner au milieu - pour aligner les objets l'un par rapport à l'autre par leur milieu, Aligner en bas - pour aligner les objets les uns par rapport aux autres par le bord inférieur de l'objet le plus bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options d’alignement disponibles. Remarque : les options d'alignement sont désactivées si vous sélectionnez moins de deux objets. Distribuer des objets Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite. Distribuer verticalement - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options de distribution disponibles. Remarque : les options de distribution sont désactivées si vous sélectionnez moins de trois objets. Grouper plusieurs objets Pour manipuler plusieurs objets à la fois, vous pouvez les grouper. Maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur la flèche à côté de l'icône Grouper dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez l'option voulue depuis la liste : Grouper - pour combiner plusieurs objets de sorte que vous puissiez les faire pivoter, déplacer, redimensionner, aligner, organiser, copier, coller, mettre en forme simultanément comme un objet unique. Dissocier - pour dissocier le groupe sélectionné d'objets préalablement combinés. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ordonner dans le menu contextuel, puis utiliser l'option Grouper ou Dissocier. Remarque : l'option Grouper est désactivée si vous sélectionnez moins de deux objets. L'option Dégrouper n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné. Organiser plusieurs objets Pour organiser l'objet ou les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Déplacer vers l'avant et Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'ordre voulu dans la liste. Pour déplacer un ou plusieurs objets sélectionnés vers l'avant, cliquez sur la flèche en regard de l'icône Déplacer vers l'avant dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre au premier plan pour placer l'objet ou les objets devant tous les autres, Déplacer vers l'avant pour déplacer l'objet ou les objets d'un niveau vers l'avant. Pour déplacer un ou plusieurs objets sélectionnés vers l'arrière, cliquez sur la flèche en regard de l'icône Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre en arrière plan pour placer l'objet ou les objets derrière tous les autres, Reculer pour déplacer l'objet ou les objets d'un niveau vers l'arrière. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Organiser dans le menu contextuel, puis utiliser une des options de distribution disponibles." }, { "id": "UsageInstructions/MathAutoCorrect.htm", @@ -2550,6 +2555,11 @@ var indexes = "title": "Créer un nouveau classeur ou ouvrir un classeur existant", "body": "Dans Spreadsheet Editor, vous pouvez ouvrir une feuille de calcul modifiée récemment, créer une nouvelle feuille de calcul ou revenir à la liste des feuilles de calcul existantes.. Pour créer une nouvelle feuille de calcul Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Créer nouveau. Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Feuille de calcul dans la section Créer nouveau de la barre latérale gauche - un nouveau fichier s'ouvrira dans un nouvel onglet, une fois tous les changements nécessaires effectués, cliquez sur l'icône Enregistrer dans le coin supérieur gauche ou passez à l'onglet Fichier et choisissez l'élément de menu Enregistrer sous. dans la fenêtre du gestionnaire de fichiers, sélectionnez l'emplacement du fichier, spécifiez son nom, choisissez le format dans lequel vous souhaitez enregistrer la feuille de calcul (XLSX, Modèle de feuille de calcul (XLTX), ODS, OTS, CSV, PDF ou PDFA) et cliquez sur le bouton Enregistrer. Pour ouvrir un document existant Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Ouvrir fichier local dans la barre latérale gauche, choisissez la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers et cliquez sur le bouton Ouvrir. Vous pouvez également cliquer avec le bouton droit de la souris sur la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers, sélectionner l'option Ouvrir avec et choisir l'application nécessaire dans le menu. Si les fichiers de documents Office sont associés à l'application, vous pouvez également ouvrir les feuilles de calcul en double-cliquant sur le nom du fichier dans la fenêtre d'exploration de fichiers. Tous les répertoires auxquels vous avez accédé à l'aide de l'éditeur de bureau seront affichés dans la liste Dossiers récents afin que vous puissiez y accéder rapidement. Cliquez sur le dossier nécessaire pour sélectionner l'un des fichiers qui y sont stockés. Pour ouvrir une feuille de calcul récemment modifiée Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Ouvrir récent, choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Fichiers récents dans la barre latérale gauche, choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Pour ouvrir le dossier dans lequel le fichier est stocké dans un nouvel onglet du navigateur de la version en ligne, dans la fenêtre de l'explorateur de fichiers de la version de bureau, cliquez sur l'icône Ouvrir l’emplacement du fichier à droite de l'en-tête de l'éditeur. Vous pouvez aussi passer à l'onglet Fichier sur la barre d'outils supérieure et sélectionner l'option Ouvrir l’emplacement du fichier." }, + { + "id": "UsageInstructions/Password.htm", + "title": "Protéger un classeur avec un mot de passe", + "body": "Vous pouvez contrôler l'accès à vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il y a deux façons de protéger votre classeur par un mot de passe: depuis l'onglet Protection ou depuis l'onglet Fichier. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe depuis l'onglet Protection. passez à l'onglet Protection et cliquez sur l'icône Chiffrer. dans la fenêtre Définir un mot de passe qui s'affiche, saisissez et confirmer le mot de passe que vous allez utilisez pour accéder à votre fichier. Cliquez sur OK pour valider.. le bouton Chiffrer de la barre d'outils supérieure affiche une flèche lorsque le fichier est chiffré. Cliquez la flèche si vous souhaitez modifier ou supprimer le mot de passe. Modifier le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Supprimer le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, Définir un mot de passe depuis l'onglet Fichier. passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer un mot de passe." + }, { "id": "UsageInstructions/PhotoEditor.htm", "title": "Modification d'une image", @@ -2560,6 +2570,21 @@ var indexes = "title": "Créer et éditer les tableaux croisés dynamiques", "body": "Les tableaux croisés dynamiques vous permet de grouper et organiser de vastes ensembles de données pour présenter des données de synthèse. Dans Spreadsheet Editor vous pouvez réorganiser les données de plusieurs façons pour n'afficher que les informations importantes et pour se concentrer uniquement sur les aspects importants. Créer un nouveau tableau croisé dynamique Pour créer un tableau croisé dynamique, Préparez l'ensemble de données sources à partir duquel vous voulez créer un tableau croisé dynamique. Ceux-ci doivent comprendre les en-têtes. L'ensemble de données ne peut pas comprendre les lignes ou les colonnes vides. Sélectionnez une cellule appartenant à la plage de données sources. Passez à l'onglet Tableau croisé dynamique dans la barre d'outils supérieure et cliquez sur l'icône Insérer un tableau . Si vous voulez créer un tableau croisé dynamique basé sur une tableau mis en forme, vous pouvez aussi utiliser l'option Insérer un tableau croisé dynamique sous l'onglet Paramètres du tableau dans la barre latérale droite. Une fenêtre Créer un tableau croisé dynamique apparaîtra. La Ligne de données de la source est déjà spécifié. Dans ce cas, toutes le données sources sont utilisées. Si vous voulez modifier la plage de données (par exemple, à inclure seulement une part de données), cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. Choisissez l'emplacement du tableau croisé dynamique. La valeur par défaut est Nouvelle feuille de calcul. Votre tableau croisé dynamique sera créé dans une feuille de calcul nouvelle. Vous pouvez également sélectionner l'élément Feuille de calcul existante et choisir la cellule. Dans ce cas, c'est la cellule supérieure droite du tableau croisé dynamique créé. Pour sélectionner la cellule, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez l'adresse de la cellule sous le format suivant: Sheet1!$G$2. Vous pouvez également sélectionner la cellule nécessaire dans votre feuille. Cliquez OK pour confirmer. Une fois l'emplacement du tableau croisé dynamique est choisi, cliquez sur OK dans la fenêtre Créer un tableau croisé dynamique. Le tableau croisé dynamique vide est inséré selon l'emplacement choisi. L'onglet Paramètres du tableau croisé dynamique s'ouvre sur la barre latérale droite. Cliquez sur l'icône pour masquer ou afficher cet onglet. Sélectionner les champs à afficher La section Sélectionner les champs à afficher comprend les champs dénommés comme les en-têtes de colonnes dans l'ensemble de votre données sources. Chaque champ contient les valeurs de la colonne correspondante du tableau source. Les sections disponibles: Filtres, Colonnes, Lignes et Valeurs. Pour afficher un champ à votre tableau croisé dynamique, activez la case à cocher du nom de champ. Lorsque vous activez une case à cocher, le champ correspondant à cette case est ajouté à une des sections disponibles sur la barre latérale droite en fonction du type de données et est affiché dans le tableau croisé dynamique. Les champs de type texte sont ajoutés à Lignes; les champs numériques sont ajoutés à Valeurs. Faites glisser les champs directement dans les sections voulues ou faites glisser les champs d'une section dans l'autre pour les réorganiser dans votre tableau croisé dynamique rapidement. Pour supprimer un champ dans une section, faites-le glisser en dehors de cette section. Pour ajouter un champ à une section, on peut aussi cliquer sur la flèche noire à droite du champ et choisir l'option appropriée dans le menu de la section Sélectionner les champs: Déplacer vers les filtres, Déplacer vers les lignes, Déplacer vers les colonnes, Déplacer vers les valeurs. Ci-dessous, vous pouvez découvrir quelques exemples d'utilisation des sections Filtres, Colonnes, Lignes et Valeurs. Lorsque un champ est ajouté à Filtres, un filtre de rapport apparaisse au-dessus du tableau croisé dynamique. Celui-ci est appliqué au tableau croisé dynamique entier. Si vous cliquer sur la flèche de filtre ajouté, vous pouvez voir toutes les valeurs du champ choisi. Lorsque vous désactivez quelques valeurs parmi les options de filtre et appuyez sur OK, celles-ci ne sont pas affichées dans le tableau croisé dynamique. Quand vous ajoutez un champ à Colonnes, le nombre de colonnes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La colonne Total général est aussi ajoutée. Quand vous ajoutez un champ à Lignes, le nombre de lignes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La ligne Total général est aussi ajoutée. Quand vous ajoutez un champ à Valeurs, le tableau croisé dynamique affiche la somme de toutes les valeurs numériques du champ choisi. Si votre champ contient des valeurs texte, la somme ne s'affiche pas. Vous pouvez choisir une autre fonction de synthèse dans les paramètres du champ. Réorganiser les champs et configurer les paramètres Une foi les champs ajoutés aux sections appropriées, vous pouvez les gérer pour modifier la mise en page et la mise en forme du tableau croisé dynamique. Cliquez sur la flèche noire à droit du champ dans les sections Filtres, Colonnes, Lignes et Valeurs pour afficher le menu contextuel du champ. Ce menu vous permet: Déplacer le champ sélectionné: Monter, Descendre, Aller au début, ou Déplacer vers le fin de la section actuelle si vous avez ajouté plusieurs champs. Déplacer le champ vers une autre section - Filtres, Colonnes, Lignes ou Valeurs. L'option déjà appliquée à la section actuelle sera désactivée. Supprimer le champ sélectionné de la section actuelle. Configurer les paramètres du champ choisi. Les options Filtres, Colonnes, Lignes et Valeurs semblent similaires: L'onglet Disposition comprend les options suivantes: L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. L'option Formulaire de rapport vous permet de modifier la présentation du champ choisi dans le tableau croisé dynamique: Utiliser l'un des formulaires disponibles à présenter le champ choisi dans le tableau croisé dynamique. Formulaire Tabulaire affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Formulaire Contour affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Ce formulaire permet aussi d'afficher les sous-totaux en haut de chaque groupe. Formulaire Compact affiche les éléments de champs de section de ligne différents dans une colonne. Répéter les étiquettes des éléments sur chaque ligne permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Insérer une ligne vide après chaque élément permet d'insérer une ligne vide après les éléments du champ choisi. Afficher les sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux pour le champ choisi. Vous pouvez choisir parmi les options suivantes: Afficher en haut du groupe ou Afficher en bas du groupe. Afficher les éléments sans données permet d'afficher ou de masquer les éléments de ligne qui ne contiennent pas de valeurs dans le champ choisi. Sous l'onglet Sous-totaux vous pouvez choisir les Fonctions pour sous-totaux. Cochez une des fonctions disponibles dans la liste: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Paramètres du champ Valeurs L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. Résumer les valeurs du champ par permet de choisir la fonction à utiliser pour calculer la somme des valeurs pour toutes les valeurs de ce champ. Par défaut, la fonction Somme est utilisée pour les champs de valeurs numériques, et la fonction Total est utilisée pour les valeurs de texte. Les fonctions disponibles: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Grouper et dissocier des données Il est possible de grouper les données d'un tableau croisé dynamique selon des critères personnalisés. La fonctionnalité de groupage est disponible pour les dates et les nombres simples. Grouper les dates Pour grouper les dates, créez un tableau croisé dynamique comprenant l'ensemble de dates en question. Cliquez avec le bouton droit sur l'une des cellules comprenant une date dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début. Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin. Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité, Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période. Cliquez sur OK pour valider. Grouper des nombres Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - le plus petit nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus petit nombre. Fin à - le plus grand nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus grand nombre. Par - définissez l'intervalle pour grouper des numéros: Ex., “2” va grouper l'ensemble de numéros de 1 à 10 comme “1-2”, “3-4”, etc. Cliquez sur OK pour valider. Dissocier des données Pour dissocier des données groupées, cliquez avec le bouton droit sur une cellule du groupe, sélectionnez l'option Dissocier dans le menu contextuel. Modifier la disposition d'un tableau croisé dynamique Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Dans la liste déroulante Mise en page du rapport choisissez la forme à afficher pour votre tableau croisé dynamique. Afficher sous forme compacte - pour afficher les éléments de champs de section de ligne différents dans une colonne. Afficher sous forme de plan - pour présenter les données dans le style de tableau croisé dynamique classique. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Elle permet aussi d'afficher les sous-totaux en haut de chaque groupe. Afficher sous forme de tableau - pour présenter les données dans un format de tableau traditionnel. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Répéter les étiquettes de tous les éléments - permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Ne pas répéter toutes les étiquettes d'éléments - permet de masquer les étiquettes d'élément pour plusieurs champs affichés sous forme tabulaire. La liste déroulante Lignes vides permet d'afficher les lignes vides après chaque élément: Insérer une ligne vide après chaque élément - permet d'insérer une ligne vide après les éléments. Supprimer la ligne vide après chaque élément - permet de supprimer les lignes vides ajoutées. La liste déroulante Sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux dans le tableau croisé dynamique. Ne pas afficher les sous-totaux - permet de masquer les sou-totaux pour tous éléments. Afficher les sous-totaux au bas du groupe - permet d'afficher les sous-totaux au-dessous des lignes résumées. Afficher les sous-totaux en haut du groupe - permet d'afficher les sous-totaux au-dessus des lignes résumées. La liste déroulante Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Désactivé pour les lignes et les colonnes - permet de masquer les totaux généraux pour les lignes et les colonnes. Activé pour les lignes et les colonnes - permet d'afficher les totaux généraux pour les lignes et les colonnes. Activé pour les lignes uniquement - permet d'afficher les totaux généraux seulement pour les lignes. Activé pour les colonnes uniquement - permet d'afficher les totaux généraux seulement pour les colonnes. Remarque: les options similaires sont aussi disponibles parmi les paramètres avancés du tableau croisé dynamique dans la section Grand totaux sous l'onglet Nom et disposition. Le bouton Sélectionner tableau croisé dynamique complet permet de sélectionner le tableau croisé dynamique entier. Quand vous avez modifié l'ensemble de données sources, sélectionnez le tableau croisé dynamique et cliquez sur le bouton Actualiser pour mettre à jour le tableau croisé dynamique. Modifier le style d'un tableau croisé dynamique Vous pouvez modifier la présentation du tableau croisé dynamique dans une feuille de calcul en utilisant les outils d'édition dans la barre d'outils supérieure. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Les sections lignes et colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-têtes de ligne - permet de mettre en évidence les en-têtes de ligne avec un formatage spécial. En-têtes de colonne - permet de mettre en évidence les en-têtes de colonne avec un formatage spécial. Lignes en bandes - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Colonnes en bandes - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.. La liste des modèles vous permet de choisir l'un des styles de tableaux croisés prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections lignes et/ou colonnes, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché les options En-têtes de ligne et Colonnes en bandes, la liste des modèles affichés inclurait uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées. Filtrer, trier et insérer des segments dans des tableaux croisées dynamiques Vous pouvez filtrez les tableaux croisé dynamique par étiquettes ou valeurs aussi que utiliser les options de tri supplémentaires. Filtrage Cliquez sur la flèche déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. La liste des options de Filtrage s'affiche: Configurez les paramètres du filtre. Procédez d'une des manières suivantes: sélectionnez les données à afficher ou filtrez les données selon certains critères. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtrage sont triées par ordre croissant. Remarque: la case à cocher (vide) correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ, les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtrage pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre étiquette ou le Filtre de valeur dans la partie droite de la liste d'options de Filtrage, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre étiquette les options suivantes sont disponibles: Pour texte: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas... Pour nombres: Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre. Pour le Filtre de valeur, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre, Les 10 premiers. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers), la fenêtre Filtre étiquette/de valeur s'ouvre. Le critère correspondant sera sélectionné dans la première ou secondaire liste déroulante. Spécifiez la valeur nécessaire dans le champ situé à droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de valeur, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément, Pour cent ou Somme. La quatrième liste déroulante affiche le nom du champ choisi. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Le bouton de Filtrage s'affiche dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. Cela signifie que le filtre est appliqué. Tri Vous pouvez effectuer le tri des données du tableau croisé dynamique en utilisant les options de tri. Cliquez sur la flèche de la liste déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique et sélectionnez Trier du plus bas au plus élevé ou Trier du plus élevé au plus bas dans le sous-menu. Les Options de tri supplémentaires vous permettent d'ouvrir la fenêtre et choisir une option de tri: Ordre croissant ou Ordre décroissant, et puis spécifier le champ à trier. Insérer des segments Vous pouvez insérer des segments pour filtrer facilement les données et sélectionner les éléments que vous voulez afficher. Pour en savoir plus sur les segments, veuillez consulter le guide de création des segments. Configurer les paramètres avancés du tableau croisé dynamique Pour configurer les paramètres avancés du tableau croisé dynamique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau croisé dynamique - Paramètres avancés, s'ouvre: Sous l'onglet Nom et disposition vous pouvez configurer les paramètres communs du tableau croisé dynamique. L'option Nom permet de modifier le nom du tableau croisé dynamique. La section Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Les options Afficher pour les lignes et Afficher pour les colonnes sont activées par défaut. Vous pouvez les désactiver toutes les deux ou décocher la case appropriée pour masquer les certains grand totaux du tableau croisé dynamique. Remarque: les options similaires sont aussi disponibles sur le menu Grands Totaux dans la barre d'outils en haut. La section Afficher les champs dans la zone de filtre du rapport permet de configurer les filtres dans la section Filtres quand vous les y ajoutez: L'option Vers le bas, puis à droite s'utilise pour organiser les colonnes. Celle-ci vous permet d'afficher des filtres du rapport pour la colonne. L'option À droite, puis vers le bas s'utilise pour organiser les lignes. Celle-ci vous permet d'afficher des filtres du rapport pour la ligne. L'option Afficher les champs de filtre de rapport par colonne sélectionnez le nombre de filtres à afficher pour chaque colonne. La valeur par défaut est 0. Vous pouvez régler la valeur numérique. La section En-têtes des champs permet d'afficher ou de ne pas afficher les en-têtes de champ dans le tableau croisé dynamique. L'option Afficher les en-têtes des champs pour les lignes et les colonnes est activée par défaut. Décochez-la pour masquer les en-têtes de champ du tableau croisé dynamique. Sous l'onglet La source de données vous pouvez modifier les données à utiliser pour créer le tableau croisé dynamique. Vérifiez la Plage de données et modifiez-la si nécessaire. Pour ce faire, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau croisé dynamique. Supprimer le tableau croisé dynamique Pour supprimer un tableau croisé dynamique, sélectionnez le tableau croisé dynamique entier en utilisant le bouton Sélectionner dans la barre d'outils supérieure. Appuyez sur la touche de Suppression." }, + { + "id": "UsageInstructions/ProtectSheet.htm", + "title": "Protéger une feuille de calcul", + "body": "L'option Protéger la feuille de calcul permet de protéger des feuilles de calcul et de contrôler les modifications apportées par d'autres utilisateurs à la feuille de calcul pour empêcher toute modification indésirable et limiter les possibilités de modification d'autres utilisateurs. Vois pouvez protéger une feuille de calcul avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection d'une feuille de calcul. Pour protéger une feuille de calcul: Passez à l'onglet Protection et cliquez sur le bouton Protéger la feuille de calcul de la barre d'outils supérieure. ou Faites un clic droit sur l'onglet de la feuille de calcul à protéger et sélectionnez Protéger de la liste d'options. Dans la fenêtre Protéger la feuille de calcul qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection de la feuille de calcul. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Activez les options appropriées sous la rubrique Permettre à tous les utilisateurs de cette feuille pour définir les opérations que les utilisateurs pourront effectuer. Les opérations par défaut sont Sélectionner les cellules verrouillées et Sélectionner les cellules non verrouillées. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Pour désactiver la protection d'une feuille de calcul: cliquez sur le bouton Protéger la feuille de calcul, ou faites un clic droit sur l'onglet de la feuille de calcul protégée et sélectionnez Déprotéger de la liste d'options Saisissez le mot de passe et cliquez sur OK si la fenêtre Déprotéger la feuille apparaît." + }, + { + "id": "UsageInstructions/ProtectSpreadsheet.htm", + "title": "Protéger une feuille de calcul", + "body": "Protéger un classeur Spreadsheet Editor permet de protéger un classeur partagé lorsque vous souhaitez limiter l'accès ou les possibilités de modification d'autres utilisateurs. Spreadsheet Editor propose la protection du classeur aux différents niveaux pour contrôler l'accès au fichier aussi que les possibilités de modification à l'intérieur d'un classeur ou à l'intérieur d'une feuille de calcul. Utiliser l'onglet Protection pour paramétrer les options de protection disponibles selon ce que vous jugez approprié. Les options de protection comprennent: Chiffrer pour contrôler l'accès au fichier et empêcher d'autres utilisateurs de l'ouvrir. Protéger le livre pour contrôler des manipulations d'utilisateur au niveau de classeur et empêcher toute modification indésirable à la structure du classeur. Protéger la feuille de calcul pour contrôler des actions d'utilisateur au niveau de feuille de calcul et empêcher toute modification indésirable aux données. Autoriser la modification des plages pour sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégée. Utilisez des cases à cocher de l'onglet Protection pour verrouiller et déverrouiller rapidement le contenu de d'une feuille de calcul protégée. Remarque: ces options ne prendront effet que lors de l'activation de protection de la feuille de calcul. Par défaut, les cellules, les formes et le texte à l'intérieur d'une forme sont verrouillés dans une feuille de calcul, décochez les cases appropriées pour les déverrouiller. On peut modifier des objets déverrouillés dans une feuille de calcul protégée. Les options Forme verrouillée et Verrouiller le texte deviennent actives lorsque une forme est sélectionnée. L'option Forme verrouillée est applicable tant aux formes qu'aux autres objets tels que graphiques, images et zones de texte. L'option Verrouiller le texte permet de verrouiller le texte à l'intérieur des objets, les graphiques exceptés. Activez l'option Formules cachées pour masquer les formules d'une plage de cellules ou d'une cellule sélectionnée lorsque la feuille de calcul est protégé. La formule masquée ne s'affiche pas dans la barre de formule quand on fait un clic sur la cellule." + }, + { + "id": "UsageInstructions/ProtectWorkbook.htm", + "title": "Protéger un classeur", + "body": "L'option Protéger le livre permet de protéger la structure du classeur et de contrôler les manipulations d'utilisateur pour que personne ne puisse accéder aux classeurs masqués, ajouter, déplacer, supprimer, masquer et renommer des classeurs. Vois pouvez protéger un classeur avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection du classeur. Pour protéger un classeur: Passez à l'onglet Protection et cliquez sur le bouton Protéger le livre de la barre d'outils supérieure. Dans la fenêtre Protéger la structure du livre qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection du classeur. Cliquez sur le bouton Protéger pour activer la protection avec ou sans un mot de passe. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois le classeur protégé, le bouton Protéger le livre devient activé. Pour désactiver la protection d'un classeur: avec un classeur protégé par un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure, saisissez le mot de passe dans la fenêtre contextuelle Déprotéger le livre et cliquez sur OK. avec un classeur protégé sans un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure." + }, { "id": "UsageInstructions/RemoveDuplicates.htm", "title": "Supprimer les valeurs dupliquées", @@ -2568,7 +2593,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Enregistrer/imprimer/télécharger votre classeur", - "body": "Enregistrement Par défaut, Spreadsheet Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, ODS, CSV, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS) . Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Remarque: si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé). Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la feuille de calcul active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. La fenêtre Paramètres d'impression s'ouvre et vous pourrez changer les paramètres d'impression par défaut. Cliquez sur le bouton Afficher les détails en bas de la fenêtre pour afficher tous les paramètres. Vous pouvez également ajuster les paramètres d'impression sur la page Paramètres avancés...: cliquez sur l'onglet Fichier de la barre d'outils supérieure et suivez Paramètres avancés... >> Paramètres de la page. Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure. Ici, vous pouvez régler les paramètres suivants: Imprimer la plage - spécifiez les éléments à imprimer: toute la Feuille actuelle, Toutes les feuilles de votre classeur ou une plage de cellules déjà sélectionnée (Sélection), Si vous avez déjà défini une zone d'impression constante mais que vous souhaitez imprimer la feuille entière, cochez la case Ignorer la zone d'impression. Paramètres de feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Imprimer la plage, Taille de la page - sélectionnez une des tailles disponibles depuis la liste déroulante, Orientation de la page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale, Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante: Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche: Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur. Échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle. Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Colonnes à répéter à gauche et sélectionner une des options disponibles dans le menu déroulant: sélectionner la ligne, lignes/colonnes verrouillées, première ligne/colonne. Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, À gauche et À droite, Imprimer sert à définir des éléments à imprimer en activant la case à coché approprié: Imprimer le quadrillage et Imprimer les titres de lignes et de colonnes. Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe. Configurer la zone d'impression Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Imprimer la plage. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique. Si une plage de cellules doit être imprimée fréquemment, vous pouvez définir une zone d'impression constante sur la feuille de calcul. Lorsque la feuille de calcul est sauvegardée, la zone d'impression est également sauvegardée, elle peut être utilisée la prochaine fois que vous ouvrirez la feuille de calcul. Il est également possible de définir plusieurs zones d'impression constantes sur une feuille, dans ce cas chaque zone sera imprimée sur une page séparée. Pour définir une zone d'impression: Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Sélectionner la zone d'impression. La zone d'impression créée est sauvegardée lorsque la feuille de calcul est sauvegardée. Lorsque vous ouvrirez le fichier la prochaine fois, la zone d'impression spécifiée sera imprimée. Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée , qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms. Pour ajouter des cellules à une zone d'impression: ouvrir la feuille de calcul voulue où la zone d'impression est ajoutée, sélectionner la plage de cellules nécessaire sur la feuille de calcul, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Ajouter à la zone d'impression. Une nouvelle zone d'impression sera ajoutée. Chaque zone d'impression sera imprimée sur une page séparée. Pour supprimer une zone d'impression : ouvrir la feuille de calcul voulue où la zone d'impression est ajoutée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Vider la zone d'impression. Toutes les zones d'impression existantes sur cette feuille seront supprimées. Ensuite, la feuille entière sera imprimée." + "body": "Enregistrement Par défaut, Spreadsheet Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, ODS, CSV, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS) . Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Remarque: si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé). Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la feuille de calcul active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Une Aperçu et tous les paramètres d'impression disponibles s'affichent. Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure. Ici, vous pouvez régler les paramètres suivants: Zone d'impression - spécifiez les éléments à imprimer: Feuille actuelle, Toutes les feuilles ou Sélection, Si vous avez déjà défini une zone d'impression constante mais il vous faut imprimer la feuille entière, cochez la case Ignorer la zone d'impression. Paramètres de la feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Zone d'impression, Taille de la page - sélectionnez l'une des tailles disponibles dans la liste déroulante, Orientation de page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale, Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante: Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche: Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur. échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle. Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Répéter les colonnes à gauche et indiquer la ligne ou la colinne à répéter ou sélectionner l'une des options disponibles dans le menu déroulant: Lignes/colonnes verrouillées, Première ligne/colonne ou Ne pas répéter. Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, à gauche et à droite, Quadrillage et titres sert à définir des éléments à imprimer en activant la case à coché appropriée: Imprimer le quadrillage et Imprimer les titres des lignes et des colonnes. Paramètres de l'en-tête/du pied de page permettent d'ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l'heure, le numéro de page, le nom de la feuille, etc. Une fois tous les paramètres configurés, cliquez sur le bouton Imprimer pour savegarder vos modifications et imprimer la feuille de calcul ou cliquez sur le bouton Enregister pour sauvegarder tous les paramètres que vous avez modifié. Si vous n'arrivez pas à imprimer ou à savegarder la feuille de calcul, toutes les modifications apportées seront perdues. Aperçu permet de parcourir le classeur à l'aide des flèches en bas pour afficher l'aperçu des données sur la feuille de calcul après impression et pour corriger des erreurs éventuelles en utilisant les paramètres d'impression disponibles. Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe. Configurer la zone d'impression Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Zone d'impression. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique. Si une plage de cellules doit être imprimée fréquemment, vous pouvez définir une zone d'impression constante sur la feuille de calcul. Lorsque la feuille de calcul est sauvegardée, la zone d'impression est également sauvegardée, elle peut être utilisée la prochaine fois que vous ouvrirez la feuille de calcul. Il est également possible de définir plusieurs zones d'impression constantes sur une feuille, dans ce cas chaque zone sera imprimée sur une page séparée. Pour définir une zone d'impression: Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Sélectionner la zone d'impression. La zone d'impression créée est sauvegardée lorsque la feuille de calcul est sauvegardée. Lorsque vous ouvrirez le fichier la prochaine fois, la zone d'impression spécifiée sera imprimée. Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée , qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms. Pour ajouter des cellules à une zone d'impression: ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, sélectionner la plage de cellules nécessaire sur la feuille de calcul, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Ajouter à la zone d'impression. Une nouvelle zone d'impression sera ajoutée. Chaque zone d'impression sera imprimée sur une page séparée. Pour supprimer une zone d'impression : ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Vider la zone d'impression. Toutes les zones d'impression existantes sur cette feuille seront supprimées. Ensuite, la feuille entière sera imprimée." }, { "id": "UsageInstructions/ScaleToFit.htm", @@ -2578,7 +2603,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Configurer les paramètres d'affichage de feuille", - "body": "Remarque: cette fonctionnalité n'est disponible que dans la version payante à partir de ONLYOFFICE Docs v. 6.1. Pour activer cette fonction dans la version de bureau, veuillez consulter cet article. ONLYOFFICE Spreadsheet Editor permet de configurer différents paramètres d'affichage de feuille en fonction du filtre appliqué. Vous pouvez configurer les options de filtrage pour un affichage de feuille et le utiliser plus tard avec vos collègues ou vous pouvez même configurer plusieurs affichages de feuille sur la même feuille de calcul et basculer rapidement entre les différents affichages. Si vous collaborez sur une feuille de calcul avec d'autres personnes, vous pouvez créer des affichages personnalisés et utiliser les fonctionnalités de filtre sans être perturbés par d’autres co-auteurs. Créer un nouveau affichage de feuille Étant donné que l'affichage de feuille est conçu pour personnaliser la filtrage , vous devez donc configurer les paramètres de la feuille. Veuillez consulter cette page pour en savoir plus sur la filtrage. Il existe deux façons de créer un nouveau affichage de feuille. Vous pouvez passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante, appuyez sur Nouveau dans la fenêtre du Gestionnaire d'affichage des feuilles qui s'affiche et tapez le nom de l'affichage ou appuyez sur Nouveau sous l'onglet Affichage dans la barre d'outils supérieure. L'affichage est dénommé par défaut “Affichage1/2/3...”. Pour changer le nom, il faut passer au Gestionnaire d'affichage des feuilles, sélectionner l'affichage que vous souhaitez renommer et appuyez sur Renommer. Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage. Basculer entre les affichages passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez activer du champ Affichages de feuille. Appuyez sur Passer à l'aperçu pour activer la configuration de l'affichage. Pour quitter l'affichage actuel, appuyez sur l'icône, Fermer sous l'onglet Affichage dans la barre d'outils supérieure. Configurer les paramètres d'affichage de feuille passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez modifier dans la fenêtre Gestionnaire d'affichage des feuilles qui s'affiche. Choisissez parmi les options suivantes: Renommer pour changer le nom de l'affichage choisi, Dupliquer pour copier l'affichage choisi, Supprimer pour effacer l'affichage choisi, Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage choisi." + "body": "ONLYOFFICE Spreadsheet Editor permet de configurer différents paramètres d'affichage de feuille en fonction du filtre appliqué. Vous pouvez configurer les options de filtrage pour un affichage de feuille et le utiliser plus tard avec vos collègues ou vous pouvez même configurer plusieurs affichages de feuille sur la même feuille de calcul et basculer rapidement entre les différents affichages. Si vous collaborez sur une feuille de calcul avec d'autres personnes, vous pouvez créer des affichages personnalisés et utiliser les fonctionnalités de filtre sans être perturbés par d’autres co-auteurs. Créer un nouveau affichage de feuille Étant donné que l'affichage de feuille est conçu pour personnaliser la filtrage , vous devez donc configurer les paramètres de la feuille. Veuillez consulter cette page pour en savoir plus sur la filtrage. Il existe deux façons de créer un nouveau affichage de feuille. Vous pouvez passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante, appuyez sur Nouveau dans la fenêtre du Gestionnaire d'affichage des feuilles qui s'affiche et tapez le nom de l'affichage ou appuyez sur Nouveau sous l'onglet Affichage dans la barre d'outils supérieure. L'affichage est dénommé par défaut “Affichage1/2/3...”. Pour changer le nom, il faut passer au Gestionnaire d'affichage des feuilles, sélectionner l'affichage que vous souhaitez renommer et appuyez sur Renommer. Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage. Basculer entre les affichages passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez activer du champ Affichages de feuille. Appuyez sur Passer à l'aperçu pour activer la configuration de l'affichage. Pour quitter l'affichage actuel, appuyez sur l'icône, Fermer sous l'onglet Affichage dans la barre d'outils supérieure. Configurer les paramètres d'affichage de feuille passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez modifier dans la fenêtre Gestionnaire d'affichage des feuilles qui s'affiche. Choisissez parmi les options suivantes: Renommer pour changer le nom de l'affichage choisi, Dupliquer pour copier l'affichage choisi, Supprimer pour effacer l'affichage choisi, Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage choisi." }, { "id": "UsageInstructions/Slicers.htm", @@ -2590,6 +2615,11 @@ var indexes = "title": "Trier et filtrer les données", "body": "Trier les données Dans Spreadsheet Editor, vous pouvez trier rapidement vos données dans une feuille de calcul en utilisant l'une des options disponibles: Croissant sert à trier vos données dans l'ordre croissant - De A à Z par ordre alphabétique ou de plus petit au plus grand pour les données numériques. Décroissant sert à trier vos données dans l'ordre décroissant - De Z à A par ordre alphabétique ou de plus grand au plus petit pour les données numériques. Remarque: les options de Tri sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour trier vos données, sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Trier de A à Z située sous l'onglet Accueil ou Données de la barre d'outils supérieure pour trier les données dans l'ordre croissant, OU cliquez sur l'icône Trier de Z à A sous l'onglet Accueil ou Données de barre d'outils supérieure pour trier les données dans l'ordre décroissant. Remarque: si vous sélectionnez une seule colonne/ligne dans une plage de cellules ou une partie de la colonne/ligne, il vous sera demandé si vous souhaitez étendre la sélection pour inclure des cellules adjacentes ou trier uniquement les données sélectionnées. Vous pouvez également trier vos données en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur la plage de cellules sélectionnée, sélectionnez l'option Trier dans le menu, puis sélectionnez l'option de A à Z ou de Z à A dans le sous-menu. Il est également possible de trier les données par une couleur en utilisant le menu contextuel: faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu: Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer les données Pour afficher uniquement les lignes qui répondent aux certains critères utilisez l'option Filtrer. Remarque: les options de Filtre sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour activer un filtre, Sélectionnez une plage de cellules contenant des données à filtrer (vous pouvez sélectionner une seule cellule dans une plage pour filtrer toute la plage), Cliquez sur l'icône Filtrer dans l'onglet Accueil ou Données de la barre d'outils supérieure. La flèche de déroulement apparaît dans la première cellule de chaque colonne de la plage de cellules sélectionnée. Cela signifie que le filtre est activé. Pour appliquer un filtre: Cliquez sur la flèche déroulante . La liste des options de Filtre s'affiche: Remarque: vous pouvez ajuster la taille de la fenêtre de filtrage en faisant glisser sa bordure droite à droite ou à gauche pour afficher les données d'une manière aussi convenable que possible. Configurez les paramètres du filtre. Vous pouvez procéder de l'une des trois manières suivantes: sélectionnez les données à afficher, filtrez les données selon certains critères ou filtrez les données par couleur. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtre sont triées par ordre croissant. Le nombre de valeurs uniques dans la plage de données filtrée s'affiche à droite de chaque valeur dans la fenêtre de filtrage. Remarque: la case à cocher {Vides} correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ , les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtre pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre de nombre ou le Filtre de texte dans la partie droite de la liste d'options de Filtre, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre de nombre, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Les 10 premiers, Au dessus de la moyenne, Au dessous de la moyenne, Filtre personnalisé. Pour le Filtre de texte, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas..., Filtre personnalisé. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers et Au dessus/Au dessous de la moyenne), la fenêtre Filtre personnalisé s'ouvre. Le critère correspondant sera sélectionné dans la liste déroulante supérieure. Spécifiez la valeur nécessaire dans le champ situé à droite. Pour ajouter un critère supplémentaire, utilisez le bouton de commande Et si vous avez besoin de données qui satisfont aux deux critères ou cliquez sur le bouton de commande Ou si l'un des critères ou les deux peuvent être satisfaits. Sélectionnez ensuite le deuxième critère dans la liste déroulante inférieure et entrez la valeur nécessaire sur la droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Filtre personnalisé... dans la liste des options de Filtre de nombre/texte, le premier critère n'est pas sélectionné automatiquement, vous pouvez le définir vous-même. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de nombre, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément ou Pour cent. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Lorsque vous choisissez Au dessus/Au dessous de la moyenne de la liste Filtre de nombre, le filtre est appliqué tout de suite. Filtrer les données par couleur Si la plage de cellules que vous souhaitez filtrer contient des cellules que vous avez formatées en modifiant leur arrière-plan ou leur couleur de police (manuellement ou en utilisant des styles prédéfinis), vous pouvez utiliser l'une des options suivantes Filtrer par couleur des cellules - pour n'afficher que les entrées avec une certaine couleur de fond de cellule et masquer les autres, Filtrer par couleur de police - pour afficher uniquement les entrées avec une certaine couleur de police de cellule et masquer les autres. Lorsque vous sélectionnez l'option souhaitée, une palette contenant les couleurs utilisées dans la plage de cellules sélectionnée s'ouvre. Choisissez l'une des couleurs pour appliquer le filtre. Le bouton Filtre apparaîtra dans la première cellule de la colonne. Cela signifie que le filtre est appliqué. Le nombre d'enregistrements filtrés sera affiché dans la barre d'état (par exemple 25 des 80 enregistrements filtrés). Remarque: lorsque le filtre est appliqué, les lignes filtrées ne peuvent pas être modifiées lors du remplissage automatique, du formatage ou de la suppression du contenu visible. De telles actions affectent uniquement les lignes visibles, les lignes masquées par le filtre restent inchangées. Lorsque vous copiez et collez les données filtrées, seules les lignes visibles peuvent être copiées et collées. Ceci n'est pas équivalent aux lignes masquées manuellement qui sont affectées par toutes les actions similaires. Trier les données filtrées Vous pouvez définir l'ordre de tri des données que vous avez activées ou auxquelles vous avez appliqué un filtre. Cliquez sur la flèche de la liste déroulante ou sur le bouton Filtre et sélectionnez l'une des options dans la liste des options de Filtre: Trier du plus petit au plus grand - permet de trier vos données dans l'ordre croissant, en affichant la valeur la plus basse en haut de la colonne, Trier du plus grand au plus petit - permet de trier vos données dans l'ordre décroissant, en affichant la valeur la plus élevée en haut de la colonne, Trier par couleur des cellules - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Trier par couleur de police - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de police en haut de la colonne. Les deux dernières options peuvent être utilisées si la plage de cellules que vous souhaitez trier contient des cellules que vous avez formatées en modifiant leur arrière-plan ou la couleur de leur police (manuellement ou en utilisant des styles prédéfinis). Le sens du tri sera indiqué par une flèche dans les boutons du filtre. si les données sont triées par ordre croissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci: et le bouton Filtre ressemble à ceci: . Si les données sont triées par ordre décroissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci: et le bouton Filtre ressemble à ceci: . Vous pouvez également trier rapidement vos données par couleur en utilisant les options du menu contextuel. faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu: Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer par le contenu de la cellule sélectionnée Vous pouvez également filtrer rapidement vos données par le contenu de la cellule sélectionnée en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur une cellule, sélectionnez l'option Filtre dans le menu, puis sélectionnez l'une des options disponibles: Filtrer par valeur de la cellule sélectionnée - pour n'afficher que les entrées ayant la même valeur que la cellule sélectionnée. Filtrer par couleur de cellule - pour n'afficher que les entrées ayant la même couleur de fond de cellule que la cellule sélectionnée. Filtrer par couleur de police - pour n'afficher que les entrées ayant la même couleur de police de cellule que la cellule sélectionnée. Mettre sous forme de modèle de tableau Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Pour en savoir plus sur la mise en forme des tableaux d'après un modèle, vous pouvez vous référer à cette page. Appliquer à nouveau le filtre Si les données filtrées ont été modifiées, vous pouvez actualiser le filtre pour afficher un résultat à jour: cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Réappliquer dans la liste des options de Filtre qui s'ouvre. Vous pouvez également cliquer avec le bouton droit sur une cellule dans la colonne contenant les données filtrées et sélectionner l'option Réappliquer dans le menu contextuel. Effacer le filtre Pour effacer le filtre, cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Effacer dans la liste d'options de Filtre qui s'ouvre. Vous pouvez également procéder de la manière suivante: sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Effacer le filtre située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre restera activé, mais tous les paramètres de filtre appliqués seront supprimés et les boutons Filtre dans les premières cellules des colonnes seront remplacés par les flèches déroulantes . Supprimer le filtre Pour enlever le filtre, sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Filtrer située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre sera désactivé et les flèches déroulantes disparaîtront des premières cellules des colonnes. Trier les données en fonction de plusieurs colonnes/lignes Pour trier les données en fonction de plusieurs colonnes/lignes, vous pouvez créer un tri à plusieurs niveaux en utilisant l'option Tri personnalisé. sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Tri personnalisé sous l'onglet Données de la barre d'outils supérieure, La fenêtre Trier s'affiche: La tri par défaut est par colonne. Pour modifier l'orientation de tri (c'est à dire trier les données sur les lignes au lieu de colonnes), cliquez sur le bouton Options en haut. La fenêtre Options de tri s'affiche: activez la case Mes données ont des en-têtes le cas échéant. choisissez Orientation appropriée: Trier du haut vers le bas pour trier les données sur colonnes ou Trier de la gauche vers la droite pour trier les données sur lignes, cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. spécifiez le premier niveau de tri dans le champ Trier par: dans la section Colonne/Ligne sélectionnez la première colonne/ligne à trier, dans la liste Trier sur, choisissez l'une des options suivantes: Valeurs, Couleur de cellule ou Couleur de police, dans la liste Ordre, spécifiez l'ordre de tri. Les options disponibles varient en fonction du choix dans la liste Trier sur: si vous choisissez l'option Valeurs, choisissez entre Ascendant/Descendant pour les valeurs numériques dans la plage ou de A à Z / de Z à A pour les valeurs de texte dans la plage, si vous choisissez l'option Couleur de cellule, choisissez la couleur de cellule appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, si vous choisissez l'option Couleur de police, choisissez la couleur de police appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, ajoutez encore un niveau de tri en cliquant sur le bouton Ajouter un niveau, sélectionnez la deuxième ligne/colonne à trier et configurez le autres paramètres de tri dans des champs Puis par comme il est décrit ci-dessus. Ajoutez plusieurs niveaux de la même façon le cas échéant. Gérez tous les niveaux ajouté à l'aide des boutons en haut de la fenêtre: Supprimer un niveau, Copier un niveau ou changer l'ordre des niveaux à l'aide des boutons fléché Passer au niveau inférieur/Passer au niveau supérieur. Cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. Toutes les données seront triées selon les niveaux de tri définis." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor", + "body": "Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Spreadsheet Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique: Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte, l'alignement dans une cellule et le texte de remplacement. Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes: Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non. Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt. Affecter une macro pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul. Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme. Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes: Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas. Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut. Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe." + }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Remplacer un mot par synonyme", @@ -2613,7 +2643,7 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Afficher les informations sur le fichier", - "body": "Pour accéder aux informations détaillées sur le classeur actuellement édité dans Spreadsheet Editor, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur.... Informations générales L'information sur la présentation comprend le titre de la présentation et l'application avec laquelle la présentation a été créée. Certains de ces paramètres sont mis à jour automatiquement mais les autres peuvent être modifiés. Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne. Titre, sujet, commentaire - ces paramètres facilitent la classification des documents. Vos pouvez saisir l'information nécessaire dans les champs appropriés. Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois. Dernière modification par - le nom de l'utilisateur qui a apporté la dernière modification au classeur quand plusieurs utilisateurs travaillent sur un même fichier. Application - l'application dans laquelle on a créé le classeur. Auteur - la personne qui a créé le fichier. Saisissez le nom approprié dans ce champ. Appuyez sur la touche Entrée pour ajouter un nouveau champ et spécifier encore un auteur. Si vous avez modifié les paramètres du fichier, cliquez sur Appliquer pour enregistrer les modifications. Remarque: Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK. Informations d'autorisation Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud. Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche. Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits. Pour fermer l'onglet Fichier et reprendre le travail sur votre classur, sélectionnez l'option Fermer le menu." + "body": "Pour accéder aux informations détaillées sur le classeur actuellement édité dans Spreadsheet Editor, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur.... Informations générales L'information sur la présentation comprend le titre de la présentation et l'application avec laquelle la présentation a été créée. Certains de ces paramètres sont mis à jour automatiquement mais les autres peuvent être modifiés. Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne. Titre, sujet, commentaire - ces paramètres facilitent la classification des documents. Vos pouvez saisir l'information nécessaire dans les champs appropriés. Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois. Dernière modification par - le nom de l'utilisateur qui a apporté la dernière modification au classeur quand plusieurs utilisateurs travaillent sur un même fichier. Application - l'application dans laquelle on a créé le classeur. Auteur - la personne qui a créé le fichier. Saisissez le nom approprié dans ce champ. Appuyez sur la touche Entrée pour ajouter un nouveau champ et spécifier encore un auteur. Si vous avez modifié les paramètres du fichier, cliquez sur Appliquer pour enregistrer les modifications. Remarque: Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK. Informations d'autorisation Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud. Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche. Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits. Historique des versions Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud. Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer. Pour revenir à la version actuelle du document, utilisez l'option Fermer l'historique en haut de la liste des versions. Pour fermer l'onglet Fichier et reprendre le travail sur votre classur, sélectionnez l'option Fermer le menu." }, { "id": "UsageInstructions/YouTube.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/About.htm b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/About.htm index 376ae4a8d..d880d346e 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/About.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/About.htm @@ -15,7 +15,7 @@

                    About Spreadsheet Editor

                    -

                    Spreadsheet Editor is an online application that lets you edit your spreadsheets directly in your browser.

                    +

                    Spreadsheet Editor is an online application that lets you edit your spreadsheets directly in your browser.

                    Using Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file.

                    To view the current software version and licensor details in the online version, click the

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

                    diff --git a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm index 02f3afe2e..845a0895d 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/KeyboardShortcuts.htm @@ -199,13 +199,13 @@ Zoom In Ctrl++ - ^ Ctrl+=,
                    ⌘ Cmd+= + ^ Ctrl+= Zoom in the currently edited spreadsheet. Zoom Out Ctrl+- - ^ Ctrl+-,
                    ⌘ Cmd+- + ^ Ctrl+- Zoom out the currently edited spreadsheet. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json index b3493bb9a..faf1e79ba 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json @@ -8,7 +8,8 @@ { "src": "ProgramInterface/DataTab.htm", "name": "Вкладка Данные" }, { "src": "ProgramInterface/PivotTableTab.htm", "name": "Вкладка Сводная таблица" }, {"src": "ProgramInterface/CollaborationTab.htm", "name": "Вкладка Совместная работа"}, - {"src": "ProgramInterface/ViewTab.htm", "name": "Вкладка Вид"}, + {"src": "ProgramInterface/ProtectionTab.htm", "name": "Вкладка Защита"}, + {"src": "ProgramInterface/ViewTab.htm", "name": "Вкладка Вид"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Вкладка Плагины"}, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Создание новой электронной таблицы или открытие существующей", "headername": "Базовые операции" }, {"src": "UsageInstructions/CopyPasteData.htm", "name": "Вырезание / копирование / вставка данных" }, @@ -32,17 +33,24 @@ {"src": "UsageInstructions/ConditionalFormatting.htm", "name": "Условное форматирование" }, {"src": "UsageInstructions/DataValidation.htm", "name": "Проверка данных" }, {"src": "UsageInstructions/InsertFunction.htm", "name": "Вставка функций", "headername": "Работа с функциями" }, + {"src": "UsageInstructions/InsertArrayFormulas.htm", "name": "Вставка формул массива"}, {"src": "UsageInstructions/UseNamedRanges.htm", "name": "Использование именованных диапазонов"}, {"src": "UsageInstructions/InsertImages.htm", "name": "Вставка изображений", "headername": "Действия над объектами"}, {"src": "UsageInstructions/InsertChart.htm", "name": "Вставка диаграмм"}, {"src": "UsageInstructions/InsertSparklines.htm", "name": "Вставка спарклайнов" }, {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Вставка и форматирование автофигур" }, { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Вставка текстовых объектов" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Поддержка SmartArt" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Вставка символов и знаков" }, {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Работа с объектами"}, { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование электронных таблиц", "headername": "Совместное редактирование таблиц"}, {"src": "UsageInstructions/SheetView.htm", "name": "Управление предустановками представления листа"}, + { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Защита электронной таблицы", "headername": "Защита электронной таблицы" }, + { "src": "UsageInstructions/AllowEditRanges.htm", "name": "Разрешить редактировать диапазоны" }, + { "src": "UsageInstructions/Password.htm", "name": "Защита электронных таблиц с помощью пароля" }, + { "src": "UsageInstructions/ProtectSheet.htm", "name": "Защита листа" }, + { "src": "UsageInstructions/ProtectWorkbook.htm", "name": "Защита книги" }, { "src": "UsageInstructions/ViewDocInfo.htm", "name": "Просмотр сведений о файле", "headername": "Инструменты и настройки" }, {"src": "UsageInstructions/ScaleToFit.htm", "name": "Масштабирование листа"}, {"src": "UsageInstructions/SavePrintDownload.htm", "name": "Сохранение / печать / скачивание таблицы" }, diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/average.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/average.htm index b124a6d2a..5540335b8 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/average.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/average.htm @@ -3,7 +3,8 @@ Функция СРЗНАЧ - + + @@ -19,6 +20,7 @@

                    Синтаксис функции СРЗНАЧ:

                    СРЗНАЧ(список_аргументов)

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

                    +

                    Как работает функция СРЗНАЧ

                    Чтобы применить функцию СРЗНАЧ:

                    1. выделите ячейку, в которой требуется отобразить результат,
                    2. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageif.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageif.htm index 1fbe9cbbc..3eac53673 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageif.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageif.htm @@ -3,7 +3,8 @@ Функция СРЗНАЧЕСЛИ - + + @@ -23,7 +24,8 @@

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

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

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

                      Чтобы применить функцию СРЗНАЧЕСЛИ,

                      +

                      Как работает функция СРЗНАЧЕСЛИ

                      +

                      Чтобы применить функцию СРЗНАЧЕСЛИ,

                      1. выделите ячейку, в которой требуется отобразить результат,
                      2. щелкните по значку Вставить функцию
                        , расположенному на верхней панели инструментов, diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageifs.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageifs.htm index 105063365..e57fc2ddf 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/averageifs.htm @@ -3,7 +3,8 @@ Функция СРЗНАЧЕСЛИМН - + + @@ -24,7 +25,8 @@

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

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

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

                        -

                        Чтобы применить функцию СРЗНАЧЕСЛИМН,

                        +

                        Как работает функция СРЗНАЧЕСЛИМН

                        +

                        Чтобы применить функцию СРЗНАЧЕСЛИМН,

                        1. выделите ячейку, в которой требуется отобразить результат,
                        2. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/countifs.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/countifs.htm index 5072e7709..17722b41b 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/countifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/countifs.htm @@ -3,7 +3,8 @@ Функция СЧЁТЕСЛИМН - + + @@ -23,7 +24,8 @@

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

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

                          Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак "?" может замещать любой отдельный символ, а звездочку "*" можно использовать вместо любого количества символов. Если требуется найти вопросительный знак или звездочку, введите перед этим символом тильду (~).

                          -

                          Чтобы применить функцию СЧЁТЕСЛИМН,

                          +

                          Как работает функция СЧЁТЕСЛИМН

                          +

                          Чтобы применить функцию СЧЁТЕСЛИМН,

                          1. выделите ячейку, в которой требуется отобразить результат,
                          2. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/hlookup.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/hlookup.htm index 624b2a4ea..19456d58f 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/hlookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/hlookup.htm @@ -3,7 +3,8 @@ Функция ГПР - + + @@ -24,7 +25,8 @@

                            номер_строки - это номер строки в том же самом столбце таблицы; числовое значение, большее или равное 1, но меньшее, чем количество строк в таблице,

                            интервальный_просмотр - необязательный аргумент. Это логическое значение: ИСТИНА или ЛОЖЬ. Введите значение ЛОЖЬ для поиска точного соответствия. Введите значение ИСТИНА для поиска приблизительного соответствия, в этом случае при отсутствии значения, строго соответствующего искомому значению, функция выбирает следующее наибольшее значение, которое меньше, чем искомое значение. Если этот аргумент отсутствует, функция находит приблизительное соответствие.

                            Примечание: если аргумент интервальный_просмотр имеет значение ЛОЖЬ, но точное соответствие не найдено, функция возвращает ошибку #Н/Д.

                            -

                            Чтобы применить функцию ГПР:

                            +

                            Как работает функция ГПР

                            +

                            Чтобы применить функцию ГПР:

                            1. выделите ячейку, в которой требуется отобразить результат,
                            2. щелкните по значку Вставить функцию
                              , расположенному на верхней панели инструментов, @@ -37,7 +39,7 @@
                            3. нажмите клавишу Enter.

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

                            -

                            Функция ГПР

                            +

                            Функция ГПР

                            \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/iferror.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/iferror.htm index 3e79dad2f..2573b5138 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/iferror.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/iferror.htm @@ -3,7 +3,8 @@ Функция ЕСЛИОШИБКА - + + @@ -19,7 +20,8 @@

                            Синтаксис функции ЕСЛИОШИБКА:

                            ЕСЛИОШИБКА(значение;значение_если_ошибка)

                            где значение и значение_если_ошибка - это значения, введенные вручную или находящиеся в ячейке, на которую дается ссылка.

                            -

                            Чтобы применить функцию ЕСЛИОШИБКА:

                            +

                            Как работает функция ЕСЛИОШИБКА

                            +

                            Чтобы применить функцию ЕСЛИОШИБКА:

                            1. выделите ячейку, в которой требуется отобразить результат,
                            2. щелкните по значку Вставить функцию
                              , расположенному на верхней панели инструментов, @@ -33,10 +35,8 @@

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

                            Например:

                            -

                            Здесь два аргумента: значение = A1/B1, значение_если_ошибка = "ошибка", где A1 имеет значение 12, B1 имеет значение 3. Данная формула не содержит ошибок в первом аргументе. Следовательно, функция возвращает результат вычисления.

                            -

                            Функция ЕСЛИОШИБКА: без ошибки

                            -

                            Если изменить значение B1 с 3 на 0, то, поскольку на ноль делить нельзя, функция возвращает значение ошибка:

                            -

                            Функция ЕСЛИОШИБКА: при ошибке

                            +

                            Здесь два аргумента: значение = A1/B1, значение_если_ошибка = "ошибка", где A1 имеет значение 12, B1 имеет значение 3. Данная формула не содержит ошибок в первом аргументе. Следовательно, функция возвращает результат вычисления. Если изменить значение B1 с 3 на 0, то, поскольку на ноль делить нельзя, функция возвращает значение ошибка.

                            +

                            Функция ЕСЛИОШИБКА

                            \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/ifs.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/ifs.htm index 6515e1cbf..c74805d2a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/ifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/ifs.htm @@ -3,7 +3,8 @@ Функция ЕСЛИМН - + + @@ -23,6 +24,7 @@

                            значение1 - значение, возвращаемое, если условие1 принимает значение ИСТИНА.

                            условие2, значение2, ... - дополнительные условия и возвращаемые значения. Это необязательные аргументы. Можно проверить до 127 условий.

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

                            +

                            Как работает функция ЕСЛИМН

                            Чтобы применить функцию ЕСЛИМН,

                            1. выделите ячейку, в которой требуется отобразить результат,
                            2. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/lookup.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/lookup.htm index 852118e91..5b699762f 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/lookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/lookup.htm @@ -3,7 +3,8 @@ Функция ПРОСМОТР - + + @@ -24,7 +25,8 @@

                              вектор_результатов - одна строка или столбец с данными. Должен иметь такой же размер, что и просматриваемый_вектор.

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

                              Примечание: если искомое значение меньше, чем все значения в просматриваемом векторе, функция возвращает ошибку #Н/Д. Если значение, строго соответствующее искомому значению, отсутствует, то функция выбирает в просматриваемом векторе наибольшее значение, которое меньше искомого значения или равно ему.

                              -

                              Чтобы применить функцию ПРОСМОТР:

                              +

                              Как работает функция ПРОСМОТР

                              +

                              Чтобы применить функцию ПРОСМОТР:

                              1. выделите ячейку, в которой требуется отобразить результат,
                              2. щелкните по значку Вставить функцию
                                , расположенному на верхней панели инструментов, @@ -37,7 +39,7 @@
                              3. нажмите клавишу Enter.

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

                              -

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

                              +

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

                              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sum.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sum.htm index 228d0af6a..345cb403e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sum.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sum.htm @@ -3,7 +3,8 @@ Функция СУММ - + + @@ -19,7 +20,8 @@

                              Синтаксис функции СУММ:

                              СУММ(список_аргументов)

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

                              -

                              Чтобы применить функцию СУММ,

                              +

                              Как работает функция СУММ

                              +

                              Чтобы применить функцию СУММ,

                              1. выделите ячейку, в которой требуется отобразить результат,
                              2. щелкните по значку Вставить функцию
                                , расположенному на верхней панели инструментов, diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumif.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumif.htm index 09b706e62..909a8677d 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumif.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumif.htm @@ -3,9 +3,9 @@ Функция СУММЕСЛИ - - - + + + @@ -23,7 +23,8 @@

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

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

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

                                -

                                Чтобы применить функцию СУММЕСЛИ,

                                +

                                Как работает функция СУММЕСЛИ

                                +

                                Чтобы применить функцию СУММЕСЛИ,

                                1. выделите ячейку, в которой требуется отобразить результат,
                                2. щелкните по значку Вставить функцию
                                  , расположенному на верхней панели инструментов, @@ -36,7 +37,7 @@
                                3. нажмите клавишу Enter.

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

                                -

                                Функция СУММЕСЛИ

                                +

                                Функция СУММЕСЛИ

                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumifs.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumifs.htm index ba848241a..c11ffa8a3 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumifs.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/sumifs.htm @@ -3,7 +3,8 @@ Функция СУММЕСЛИМН - + + @@ -24,7 +25,8 @@

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

                                диапазон_условия2, условие2 ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы.

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

                                -

                                Чтобы применить функцию СУММЕСЛИМН,

                                +

                                Как работает функция СУММЕСЛИМН

                                +

                                Чтобы применить функцию СУММЕСЛИМН,

                                1. выделите ячейку, в которой требуется отобразить результат,
                                2. щелкните по значку Вставить функцию
                                  , расположенному на верхней панели инструментов, diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index 89afd1e54..06cddeb53 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -46,7 +46,9 @@
                                  • Светлая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время.
                                  • Светлая классическая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета.
                                  • -
                                  • Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время.
                                  • +
                                  • Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. +

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

                                    +
                                3. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%.
                                4. @@ -74,7 +76,7 @@
                                5. Язык формул - используется для выбора языка отображения и ввода имен формул, аргументов и их описания.

                                  Язык формул поддерживается на 31 языке:

                                  -

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

                                  +

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

                                6. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию.
                                7. Разделитель - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч.
                                8. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index 5d36f8680..f9cfde1fb 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -15,7 +15,7 @@

                                  Совместное редактирование электронных таблиц

                                  -

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

                                  +

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

                                  • одновременный многопользовательский доступ к редактируемой электронной таблице
                                  • визуальная индикация ячеек, которые редактируются другими пользователями
                                  • @@ -40,9 +40,10 @@ Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие.

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

                                    -

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

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

                                    -

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

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

                                    -

                                    Как только один из пользователей сохранит свои изменения, нажав на значок

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

                                    +

                                    Подсветка редактирования

                                    +

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

                                    +

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

                                    +

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

                                    Аноним

                                    Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя.

                                    Аноним

                                    @@ -78,12 +79,24 @@

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

                                    в левом верхнем углу верхней панели инструментов.

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

                                      -
                                    • отредактируйте выбранный комментарий, нажав значок
                                      ,
                                    • -
                                    • удалите выбранный комментарий, нажав значок
                                      ,
                                    • -
                                    • закройте выбранное обсуждение, нажав на значок
                                      , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок
                                      . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок
                                      .
                                    • +
                                    • + отсортируйте добавленные комментарии, нажав на значок Значок Сортировка: +
                                        +
                                      • по дате: От старых к новым или От новых к старым. Этот порядок сортировки выбран по умолчанию.
                                      • +
                                      • по автору: По автору от А до Я или По автору от Я до А.
                                      • +
                                      • по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу.
                                      • +
                                      • по группе: Все или выберите определенную группу из списка +

                                        Сортировать комментарии

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

                                    Добавление упоминаний

                                    +

                                    Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу.

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

                                    Чтобы добавить упоминание, введите знак "+" или "@" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK.

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

                                    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/ImportData.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/ImportData.htm index 6c5a77586..6e01fcb6e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/ImportData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/ImportData.htm @@ -22,7 +22,11 @@
                                  • Выберите один из двух вариантов импорта:
                                    • Из локального TXT/CSV файла: найдите нужный файл на жестком диске, выберите его и нажмите Открыть.
                                    • -
                                    • По URL TXT/CSV файла: вставьте ссылку на файл или веб-страницу в поле Вставьте URL-адрес данных и нажмите ОК.
                                    • +
                                    • По URL TXT/CSV файла: вставьте ссылку на файл или веб-страницу в поле Вставьте URL-адрес данных и нажмите ОК. +

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

                                      +
                                @@ -31,7 +35,17 @@

                                Мастер импорта текста

                                1. Кодировка. По умолчанию для параметра установлено значение UTF-8. Оставьте это или выберите нужный тип из выпадающего меню.
                                2. -
                                3. Разделитель. Параметр устанавливает тип разделителя, используемый для распределения текста по ячейкам. Доступны следующие разделители: Запятая, Точка с запятой, Двоеточие, Табуляция, Пробел и Другое (введите вручную). Нажмите кнопку Дополнительно, расположенную справа, чтобы установить десятичный разделитель и разделитель тысяч. Разделителями по умолчанию являются «.» для десятков и «,» для тысяч.
                                4. +
                                5. + Разделитель. Параметр устанавливает тип разделителя, используемый для распределения текста по ячейкам. Доступны следующие разделители: Запятая, Точка с запятой, Двоеточие, Табуляция, Пробел и Другое (введите вручную). +

                                  Нажмите кнопку Дополнительно, расположенную справа, чтобы настроить параметры для числовых данных:

                                  +

                                  Дополнительыне параметры Получить данные

                                  +
                                    +
                                  • Установите Десятичный разделитель и Разделитель разрядов тысяч. Разделителями по умолчанию являются «.» для десятков и «,» для тысяч.
                                  • +
                                  • + Выберите Классификатор текста. Классификатор текста – это символ, который используется для распознавания начала и окончания текста при импорте данных. Доступные варианты: (нет), двойные кавычки и запятая. +
                                  • +
                                  +
                                6. Просмотр. В разделе показано, как текст будет располагаться в ячейках таблицы.
                                7. Выберите, где поместить данные. Введите требуемый диапазон в поле или выберите его с помощью кнопки Выбор данных.
                                8. Нажмите ОК, чтобы получить данные из файла и выйти из Мастера импорта текста.
                                9. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm index fe8bcb014..d43b32386 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm @@ -12,618 +12,644 @@ -
                                  +
                                  -

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

                                  -
                                    -
                                  • Windows/Linux
                                  • - -
                                  • Mac OS
                                  • -
                                  - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +

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

                                  +

                                  Подсказки для клавиш

                                  +

                                  Используйте сочетания клавиш для более быстрого и удобного доступа к функциям Редактора электронных таблиц без использования мыши.

                                  +
                                    +
                                  1. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния.
                                  2. +
                                  3. + Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. +

                                    Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам.

                                    +

                                    Первичные подсказки для клавиш

                                    +

                                    Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки.

                                    +

                                    Дополнительные подсказки для клавиш

                                    +

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

                                    +
                                  4. +
                                  5. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш.
                                  6. +
                                  +
                                    +
                                  • Windows/Linux
                                  • + +
                                  • Mac OS
                                  • +
                                  +
                                  Работа с электронной таблицей
                                  Открыть панель 'Файл'Alt+F⌥ Option+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам.
                                  Открыть окно 'Поиск и замена'Ctrl+F^ Ctrl+F,
                                  ⌘ Cmd+F
                                  Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы.
                                  Открыть окно 'Поиск и замена' с полем заменыCtrl+H^ Ctrl+HОткрыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов.
                                  Открыть панель 'Комментарии'Ctrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                                  ⌘ Cmd+⇧ Shift+H
                                  Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                                  Открыть поле комментарияAlt+H⌥ Option+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                                  Открыть панель 'Чат'Alt+Q⌥ Option+QОткрыть панель Чат и отправить сообщение.
                                  Сохранить электронную таблицуCtrl+S^ Ctrl+S,
                                  ⌘ Cmd+S
                                  Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                                  Печать электронной таблицыCtrl+P^ Ctrl+P,
                                  ⌘ Cmd+P
                                  Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл.
                                  Скачать как...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                                  ⌘ Cmd+⇧ Shift+S
                                  Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.
                                  Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран.
                                  Меню СправкаF1F1Открыть меню Справка онлайн-редактора электронных таблиц.
                                  Открыть существующий файл (десктопные редакторы)Ctrl+OНа вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла.
                                  Закрыть файл (десктопные редакторы)Ctrl+W,
                                  Ctrl+F4
                                  ^ Ctrl+W,
                                  ⌘ Cmd+W
                                  Закрыть выбранную рабочую книгу в десктопных редакторах.
                                  Контекстное меню элемента⇧ Shift+F10⇧ Shift+F10Открыть контекстное меню выбранного элемента.
                                  Сбросить масштабCtrl+0^ Ctrl+0 или ⌘ Cmd+0Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%.
                                  + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
                                  Работа с электронной таблицей
                                  Открыть панель 'Файл'Alt+F⌥ Option+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам.
                                  Открыть окно 'Поиск и замена'Ctrl+F^ Ctrl+F,
                                  ⌘ Cmd+F
                                  Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы.
                                  Открыть окно 'Поиск и замена' с полем заменыCtrl+H^ Ctrl+HОткрыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов.
                                  Открыть панель 'Комментарии'Ctrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                                  ⌘ Cmd+⇧ Shift+H
                                  Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                                  Открыть поле комментарияAlt+H⌥ Option+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                                  Открыть панель 'Чат'Alt+Q⌥ Option+QОткрыть панель Чат и отправить сообщение.
                                  Сохранить электронную таблицуCtrl+S^ Ctrl+S,
                                  ⌘ Cmd+S
                                  Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                                  Печать электронной таблицыCtrl+P^ Ctrl+P,
                                  ⌘ Cmd+P
                                  Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл.
                                  Скачать как...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                                  ⌘ Cmd+⇧ Shift+S
                                  Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.
                                  Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран.
                                  Меню СправкаF1F1Открыть меню Справка онлайн-редактора электронных таблиц.
                                  Открыть существующий файл (десктопные редакторы)Ctrl+OНа вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла.
                                  Закрыть файл (десктопные редакторы)Ctrl+W,
                                  Ctrl+F4
                                  ^ Ctrl+W,
                                  ⌘ Cmd+W
                                  Закрыть выбранную рабочую книгу в десктопных редакторах.
                                  Контекстное меню элемента⇧ Shift+F10⇧ Shift+F10Открыть контекстное меню выбранного элемента.
                                  Сбросить масштабCtrl+0^ Ctrl+0 или ⌘ Cmd+0Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%.
                                  Навигация
                                  Перейти на одну ячейку вверх, вниз, влево или вправо Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее.
                                  Перейти к краю текущей области данныхCtrl+ ⌘ Cmd+ Выделить ячейку на краю текущей области данных на листе.
                                  Перейти в начало строкиHomeHomeВыделить ячейку в столбце A текущей строки.
                                  Перейти в начало электронной таблицыCtrl+Home^ Ctrl+HomeВыделить ячейку A1.
                                  Перейти в конец строкиEnd,
                                  Ctrl+
                                  End,
                                  ⌘ Cmd+
                                  Выделить последнюю ячейку текущей строки.
                                  Перейти в конец электронной таблицыCtrl+End^ Ctrl+EndВыделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста.
                                  Перейти на предыдущий листAlt+Page Up⌥ Option+Page UpПерейти на предыдущий лист электронной таблицы.
                                  Перейти на следующий листAlt+Page Down⌥ Option+Page DownПерейти на следующий лист электронной таблицы.
                                  Перейти на одну строку вверх,
                                  ⇧ Shift+↵ Enter
                                  ⇧ Shift+↵ ReturnВыделить ячейку выше текущей, расположенную в том же самом столбце.
                                  Перейти на одну строку вниз,
                                  ↵ Enter
                                  ↵ ReturnВыделить ячейку ниже текущей, расположенную в том же самом столбце.
                                  Перейти на один столбец влево,
                                  ⇧ Shift+↹ Tab
                                  ,
                                  ⇧ Shift+↹ Tab
                                  Выделить предыдущую ячейку текущей строки.
                                  Перейти на один столбец вправо,
                                  ↹ Tab
                                  ,
                                  ↹ Tab
                                  Выделить следующую ячейку текущей строки.
                                  Перейти на один экран внизPage DownPage DownПерейти на один экран вниз по рабочему листу.
                                  Перейти на один экран вверхPage UpPage UpПерейти на один экран вверх по рабочему листу.
                                  УвеличитьCtrl++^ Ctrl+=,
                                  ⌘ Cmd+=
                                  Увеличить масштаб редактируемой электронной таблицы.
                                  УменьшитьCtrl+-^ Ctrl+-,
                                  ⌘ Cmd+-
                                  Уменьшить масштаб редактируемой электронной таблицы.
                                  Перейти между элементами управленияTab, Shift+TabTab, Shift+TabПерейти на следующий или предыдущий элемент управления в модальных окнах.
                                  Навигация
                                  Перейти на одну ячейку вверх, вниз, влево или вправо Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее.
                                  Перейти к краю видимой области данных или к следующей заполненной ячейкеCtrl+ ⌘ Cmd+ Выделить ячейку на краю видимой области данных или следующую заполненную ячейку на листе. Если в области нет данных, будет выделена последняя ячейка видимой области. Если область содержит данные, будет выделена следующая заполненная ячейка.
                                  Перейти в начало строкиHomeHomeВыделить ячейку в столбце A текущей строки.
                                  Перейти в начало электронной таблицыCtrl+Home^ Ctrl+HomeВыделить ячейку A1.
                                  Перейти в конец строкиEnd,
                                  Ctrl+
                                  End,
                                  ⌘ Cmd+
                                  Выделить последнюю ячейку текущей строки.
                                  Перейти в конец электронной таблицыCtrl+End^ Ctrl+EndВыделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста.
                                  Перейти на предыдущий листAlt+Page Up⌥ Option+Page UpПерейти на предыдущий лист электронной таблицы.
                                  Перейти на следующий листAlt+Page Down⌥ Option+Page DownПерейти на следующий лист электронной таблицы.
                                  Перейти на одну строку вверх,
                                  ⇧ Shift+↵ Enter
                                  ⇧ Shift+↵ ReturnВыделить ячейку выше текущей, расположенную в том же самом столбце.
                                  Перейти на одну строку вниз,
                                  ↵ Enter
                                  ↵ ReturnВыделить ячейку ниже текущей, расположенную в том же самом столбце.
                                  Перейти на один столбец влево,
                                  ⇧ Shift+↹ Tab
                                  ,
                                  ⇧ Shift+↹ Tab
                                  Выделить предыдущую ячейку текущей строки.
                                  Перейти на один столбец вправо,
                                  ↹ Tab
                                  ,
                                  ↹ Tab
                                  Выделить следующую ячейку текущей строки.
                                  Перейти на один экран внизPage DownPage DownПерейти на один экран вниз по рабочему листу.
                                  Перейти на один экран вверхPage UpPage UpПерейти на один экран вверх по рабочему листу.
                                  Переместить вертикальную полосу прокрутки Вверх/ВнизПрокрутка колесика мыши Вверх/ВнизПрокрутка колесика мыши Вверх/ВнизПереместить вертикальную полосу прокрутки Вверх/Вниз.
                                  Переместить горизонтальную полосу прокрутки Влево/Вправо⇧ Shift+Прокрутка колесика мыши Вверх/Вниз⇧ Shift+Прокрутка колесика мыши Вверх/ВнизПеремещение горизонтальной полосы прокрутки влево/вправо. Чтобы переместить полосу прокрутки вправо, прокрутите колесико мыши вниз. Чтобы переместить полосу прокрутки влево, прокрутите колесо мыши вверх.
                                  УвеличитьCtrl++^ Ctrl+=Увеличить масштаб редактируемой электронной таблицы.
                                  УменьшитьCtrl+-^ Ctrl+-Уменьшить масштаб редактируемой электронной таблицы.
                                  Перейти между элементами управленияTab, Shift+TabTab, Shift+TabПерейти на следующий или предыдущий элемент управления в модальных окнах.
                                  Выделение данных
                                  Выделить всеCtrl+A,
                                  Ctrl+⇧ Shift+␣ Spacebar
                                  ⌘ Cmd+AВыделить весь рабочий лист.
                                  Выделить столбецCtrl+␣ Spacebar^ Ctrl+␣ SpacebarВыделить весь столбец на рабочем листе.
                                  Выделить строку⇧ Shift+␣ Spacebar⇧ Shift+␣ SpacebarВыделить всю строку на рабочем листе.
                                  Выделить фрагмент⇧ Shift+ ⇧ Shift+ Выделять ячейку за ячейкой.
                                  Выделить с позиции курсора до начала строки⇧ Shift+Home⇧ Shift+HomeВыделить фрагмент с позиции курсора до начала текущей строки.
                                  Выделить с позиции курсора до конца строки⇧ Shift+End⇧ Shift+EndВыделить фрагмент с позиции курсора до конца текущей строки.
                                  Расширить выделенный диапазон до начала рабочего листаCtrl+⇧ Shift+Home^ Ctrl+⇧ Shift+HomeВыделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа.
                                  Расширить выделенный диапазон до последней используемой ячейкиCtrl+⇧ Shift+End^ Ctrl+⇧ Shift+EndВыделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул.
                                  Выделить одну ячейку слева⇧ Shift+↹ Tab⇧ Shift+↹ TabВыделить одну ячейку слева в таблице.
                                  Выделить одну ячейку справа↹ Tab↹ TabВыделить одну ячейку справа в таблице.
                                  Расширить выделенный диапазон до последней непустой ячейки справа⇧ Shift+Alt+End,
                                  Ctrl+⇧ Shift+
                                  ⇧ Shift+⌥ Option+EndРасширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон до последней непустой ячейки слева⇧ Shift+Alt+Home,
                                  Ctrl+⇧ Shift+
                                  ⇧ Shift+⌥ Option+HomeРасширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбцеCtrl+⇧ Shift+ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон на один экран вниз⇧ Shift+Page Down⇧ Shift+Page DownРасширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки.
                                  Расширить выделенный диапазон на один экран вверх⇧ Shift+Page Up⇧ Shift+Page UpРасширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки.
                                  Отмена и повтор
                                  ОтменитьCtrl+Z⌘ Cmd+ZОтменить последнее выполненное действие.
                                  ПовторитьCtrl+Y⌘ Cmd+YПовторить последнее отмененное действие.
                                  Вырезание, копирование и вставка
                                  ВырезатьCtrl+X,
                                  ⇧ Shift+Delete
                                  ⌘ Cmd+XВырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                                  КопироватьCtrl+C,
                                  Ctrl+Insert
                                  ⌘ Cmd+CОтправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                                  ВставитьCtrl+V,
                                  ⇧ Shift+Insert
                                  ⌘ Cmd+VВставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы.
                                  Форматирование данных
                                  Полужирный шрифтCtrl+B^ Ctrl+B,
                                  ⌘ Cmd+B
                                  Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность, или удалить форматирование полужирным шрифтом.
                                  КурсивCtrl+I^ Ctrl+I,
                                  ⌘ Cmd+I
                                  Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом.
                                  Подчеркнутый шрифтCtrl+U^ Ctrl+U,
                                  ⌘ Cmd+U
                                  Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание.
                                  Зачеркнутый шрифтCtrl+5^ Ctrl+5,
                                  ⌘ Cmd+5
                                  Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание.
                                  Добавить гиперссылкуCtrl+K⌘ Cmd+KВставить гиперссылку на внешний сайт или на другой рабочий лист.
                                  Редактирование активной ячейкиF2F2Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул.
                                  Выделение данных
                                  Выделить всеCtrl+A,
                                  Ctrl+⇧ Shift+␣ Spacebar
                                  ⌘ Cmd+AВыделить весь рабочий лист.
                                  Выделить столбецCtrl+␣ Spacebar^ Ctrl+␣ SpacebarВыделить весь столбец на рабочем листе.
                                  Выделить строку⇧ Shift+␣ Spacebar⇧ Shift+␣ SpacebarВыделить всю строку на рабочем листе.
                                  Выделить фрагмент⇧ Shift+ ⇧ Shift+ Выделять ячейку за ячейкой.
                                  Выделить с позиции курсора до начала строки⇧ Shift+Home⇧ Shift+HomeВыделить фрагмент с позиции курсора до начала текущей строки.
                                  Выделить с позиции курсора до конца строки⇧ Shift+End⇧ Shift+EndВыделить фрагмент с позиции курсора до конца текущей строки.
                                  Расширить выделенный диапазон до начала рабочего листаCtrl+⇧ Shift+Home^ Ctrl+⇧ Shift+HomeВыделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа.
                                  Расширить выделенный диапазон до последней используемой ячейкиCtrl+⇧ Shift+End^ Ctrl+⇧ Shift+EndВыделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул.
                                  Выделить одну ячейку слева⇧ Shift+↹ Tab⇧ Shift+↹ TabВыделить одну ячейку слева в таблице.
                                  Выделить одну ячейку справа↹ Tab↹ TabВыделить одну ячейку справа в таблице.
                                  Расширить выделенный диапазон до последней непустой ячейки справа⇧ Shift+Alt+End,
                                  Ctrl+⇧ Shift+
                                  ⇧ Shift+⌥ Option+EndРасширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон до последней непустой ячейки слева⇧ Shift+Alt+Home,
                                  Ctrl+⇧ Shift+
                                  ⇧ Shift+⌥ Option+HomeРасширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбцеCtrl+⇧ Shift+ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                                  Расширить выделенный диапазон на один экран вниз⇧ Shift+Page Down⇧ Shift+Page DownРасширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки.
                                  Расширить выделенный диапазон на один экран вверх⇧ Shift+Page Up⇧ Shift+Page UpРасширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки.
                                  Отмена и повтор
                                  ОтменитьCtrl+Z⌘ Cmd+ZОтменить последнее выполненное действие.
                                  ПовторитьCtrl+Y⌘ Cmd+YПовторить последнее отмененное действие.
                                  Вырезание, копирование и вставка
                                  ВырезатьCtrl+X,
                                  ⇧ Shift+Delete
                                  ⌘ Cmd+XВырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                                  КопироватьCtrl+C,
                                  Ctrl+Insert
                                  ⌘ Cmd+CОтправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                                  ВставитьCtrl+V,
                                  ⇧ Shift+Insert
                                  ⌘ Cmd+VВставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы.
                                  Форматирование данных
                                  Полужирный шрифтCtrl+B^ Ctrl+B,
                                  ⌘ Cmd+B
                                  Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность, или удалить форматирование полужирным шрифтом.
                                  КурсивCtrl+I^ Ctrl+I,
                                  ⌘ Cmd+I
                                  Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом.
                                  Подчеркнутый шрифтCtrl+U^ Ctrl+U,
                                  ⌘ Cmd+U
                                  Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание.
                                  Зачеркнутый шрифтCtrl+5^ Ctrl+5,
                                  ⌘ Cmd+5
                                  Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание.
                                  Добавить гиперссылкуCtrl+K⌘ Cmd+KВставить гиперссылку на внешний сайт или на другой рабочий лист.
                                  Редактирование активной ячейкиF2F2Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул.
                                  Фильтрация данных
                                  Включить/Удалить фильтрCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                                  ⌘ Cmd+⇧ Shift+L
                                  Включить фильтр для выбранного диапазона ячеек или удалить фильтр.
                                  Форматировать как таблицуCtrl+L^ Ctrl+L,
                                  ⌘ Cmd+L
                                  Применить к выбранному диапазону ячеек форматирование таблицы.
                                  Ввод данных
                                  Завершить ввод в ячейку и перейти вниз↵ Enter↵ ReturnЗавершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже.
                                  Завершить ввод в ячейку и перейти вверх⇧ Shift+↵ Enter⇧ Shift+↵ ReturnЗавершить ввод в выделенную ячейку и перейти в ячейку выше.
                                  Начать новую строкуAlt+↵ EnterНачать новую строку в той же самой ячейке.
                                  ОтменаEscEscОтменить ввод в выделенную ячейку или строку формул.
                                  Удалить знак слева← Backspace← BackspaceУдалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки.
                                  Удалить знак справаDeleteDelete,
                                  Fn+← Backspace
                                  Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                                  Очистить содержимое ячеекDelete,
                                  ← Backspace
                                  Delete,
                                  ← Backspace
                                  Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                                  Завершить ввод в ячейку и перейти вправо↹ Tab↹ TabЗавершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа.
                                  Завершить ввод в ячейку и перейти влево⇧ Shift+↹ Tab⇧ Shift+↹ TabЗавершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева.
                                  Вставка ячеекCtrl+⇧ Shift+=Ctrl+⇧ Shift+=Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца.
                                  Удаление ячеекCtrl+⇧ Shift+-Ctrl+⇧ Shift+-Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца.
                                  Вставка текущей датыCtrl+;Ctrl+;Вставить сегодняшнюю дату в активную ячейку.
                                  Вставка текущего времениCtrl+⇧ Shift+;Ctrl+⇧ Shift+;Вставить текущее время в активную ячейку.
                                  Вставка текущей даты и времениCtrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+;Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+;Вставить текущую дату и время в активную ячейку.
                                  Функции
                                  Вставка функции⇧ Shift+F3⇧ Shift+F3Открыть диалоговое окно для вставки новой функции путем выбора из списка.
                                  Функция SUMAlt+=⌥ Option+=Вставить функцию SUM в выделенную ячейку.
                                  Открыть выпадающий списокAlt+Открыть выбранный выпадающий список.
                                  Открыть контекстное меню≣ MenuОткрыть контекстное меню для выбранной ячейки или диапазона ячеек.
                                  Пересчет функцийF9F9Выполнить пересчет всей рабочей книги.
                                  Пересчет функций⇧ Shift+F9⇧ Shift+F9Выполнить пересчет текущего рабочего листа.
                                  Форматы данных
                                  Открыть диалоговое окно 'Числовой формат'Ctrl+1^ Ctrl+1Открыть диалоговое окно Числовой формат.
                                  Применить общий форматCtrl+⇧ Shift+~^ Ctrl+⇧ Shift+~Применить Общий числовой формат.
                                  Применить денежный форматCtrl+⇧ Shift+$^ Ctrl+⇧ Shift+$Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках).
                                  Применить процентный форматCtrl+⇧ Shift+%^ Ctrl+⇧ Shift+%Применить Процентный формат без дробной части.
                                  Применить экспоненциальный форматCtrl+⇧ Shift+^^ Ctrl+⇧ Shift+^Применить Экспоненциальный числовой формат с двумя десятичными знаками.
                                  Применить формат датыCtrl+⇧ Shift+#^ Ctrl+⇧ Shift+#Применить формат Даты с указанием дня, месяца и года.
                                  Применить формат времениCtrl+⇧ Shift+@^ Ctrl+⇧ Shift+@Применить формат Времени с отображением часов и минут и индексами AM или PM.
                                  Применить числовой форматCtrl+⇧ Shift+!^ Ctrl+⇧ Shift+!Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений.
                                  Модификация объектов
                                  Ограничить движение⇧ Shift + перетаскивание⇧ Shift + перетаскиваниеОграничить перемещение выбранного объекта по горизонтали или вертикали.
                                  Задать угол поворота в 15 градусов⇧ Shift + перетаскивание (при поворачивании)⇧ Shift + перетаскивание (при поворачивании)Ограничить угол поворота шагом в 15 градусов.
                                  Сохранять пропорции⇧ Shift + перетаскивание (при изменении размера)⇧ Shift + перетаскивание (при изменении размера)Сохранять пропорции выбранного объекта при изменении размера.
                                  Нарисовать прямую линию или стрелку⇧ Shift + перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок)Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов.
                                  Перемещение с шагом в один пиксельCtrl+ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                                  -
                                  + + Фильтрация данных + + + Включить/Удалить фильтр + Ctrl+⇧ Shift+L + ^ Ctrl+⇧ Shift+L,
                                  ⌘ Cmd+⇧ Shift+L + Включить фильтр для выбранного диапазона ячеек или удалить фильтр. + + + Форматировать как таблицу + Ctrl+L + ^ Ctrl+L,
                                  ⌘ Cmd+L + Применить к выбранному диапазону ячеек форматирование таблицы. + + + Ввод данных + + + Завершить ввод в ячейку и перейти вниз + ↵ Enter + ↵ Return + Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже. + + + Завершить ввод в ячейку и перейти вверх + ⇧ Shift+↵ Enter + ⇧ Shift+↵ Return + Завершить ввод в выделенную ячейку и перейти в ячейку выше. + + + Начать новую строку + Alt+↵ Enter + + Начать новую строку в той же самой ячейке. + + + Отмена + Esc + Esc + Отменить ввод в выделенную ячейку или строку формул. + + + Удалить знак слева + ← Backspace + ← Backspace + Удалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки. + + + Удалить знак справа + Delete + Delete,
                                  Fn+← Backspace + Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии. + + + Очистить содержимое ячеек + Delete,
                                  ← Backspace + Delete,
                                  ← Backspace + Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии. + + + Завершить ввод в ячейку и перейти вправо + ↹ Tab + ↹ Tab + Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа. + + + Завершить ввод в ячейку и перейти влево + ⇧ Shift+↹ Tab + ⇧ Shift+↹ Tab + Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. + + + Вставка ячеек + Ctrl+⇧ Shift+= + Ctrl+⇧ Shift+= + Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца. + + + Удаление ячеек + Ctrl+⇧ Shift+- + Ctrl+⇧ Shift+- + Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца. + + + Вставка текущей даты + Ctrl+; + Ctrl+; + Вставить сегодняшнюю дату в активную ячейку. + + + Вставка текущего времени + Ctrl+⇧ Shift+; + Ctrl+⇧ Shift+; + Вставить текущее время в активную ячейку. + + + Вставка текущей даты и времени + Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; + Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; + Вставить текущую дату и время в активную ячейку. + + + Функции + + + Вставка функции + ⇧ Shift+F3 + ⇧ Shift+F3 + Открыть диалоговое окно для вставки новой функции путем выбора из списка. + + + Функция SUM + Alt+= + ⌥ Option+= + Вставить функцию SUM в выделенную ячейку. + + + Открыть выпадающий список + Alt+ + + Открыть выбранный выпадающий список. + + + Открыть контекстное меню + ≣ Menu + + Открыть контекстное меню для выбранной ячейки или диапазона ячеек. + + + Пересчет функций + F9 + F9 + Выполнить пересчет всей рабочей книги. + + + Пересчет функций + ⇧ Shift+F9 + ⇧ Shift+F9 + Выполнить пересчет текущего рабочего листа. + + + Форматы данных + + + Открыть диалоговое окно 'Числовой формат' + Ctrl+1 + ^ Ctrl+1 + Открыть диалоговое окно Числовой формат. + + + Применить общий формат + Ctrl+⇧ Shift+~ + ^ Ctrl+⇧ Shift+~ + Применить Общий числовой формат. + + + Применить денежный формат + Ctrl+⇧ Shift+$ + ^ Ctrl+⇧ Shift+$ + Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках). + + + Применить процентный формат + Ctrl+⇧ Shift+% + ^ Ctrl+⇧ Shift+% + Применить Процентный формат без дробной части. + + + Применить экспоненциальный формат + Ctrl+⇧ Shift+^ + ^ Ctrl+⇧ Shift+^ + Применить Экспоненциальный числовой формат с двумя десятичными знаками. + + + Применить формат даты + Ctrl+⇧ Shift+# + ^ Ctrl+⇧ Shift+# + Применить формат Даты с указанием дня, месяца и года. + + + Применить формат времени + Ctrl+⇧ Shift+@ + ^ Ctrl+⇧ Shift+@ + Применить формат Времени с отображением часов и минут и индексами AM или PM. + + + Применить числовой формат + Ctrl+⇧ Shift+! + ^ Ctrl+⇧ Shift+! + Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений. + + + Модификация объектов + + + Ограничить движение + ⇧ Shift + перетаскивание + ⇧ Shift + перетаскивание + Ограничить перемещение выбранного объекта по горизонтали или вертикали. + + + Задать угол поворота в 15 градусов + ⇧ Shift + перетаскивание (при поворачивании) + ⇧ Shift + перетаскивание (при поворачивании) + Ограничить угол поворота шагом в 15 градусов. + + + Сохранять пропорции + ⇧ Shift + перетаскивание (при изменении размера) + ⇧ Shift + перетаскивание (при изменении размера) + Сохранять пропорции выбранного объекта при изменении размера. + + + Нарисовать прямую линию или стрелку + ⇧ Shift + перетаскивание (при рисовании линий или стрелок) + ⇧ Shift + перетаскивание (при рисовании линий или стрелок) + Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. + + + Перемещение с шагом в один пиксель + Ctrl+ + + Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. + + +
                                  \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm index ec46e1d29..912ffd06e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm @@ -11,55 +11,70 @@
                                  -
                                  - -
                                  -

                                  Параметры представления и инструменты навигации

                                  -

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

                                  +
                                  + +
                                  +

                                  Параметры представления и инструменты навигации

                                  +

                                  В Редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба.

                                  Настройте параметры представления

                                  -

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

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

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

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

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

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

                                    Выпадающий список - Закрепить области

                                  • Отображать нули - позволяет отображать «0» в ячейке. Чтобы включить/выключить эту опцию, на вкладке Вид поставьте/снимите флажок напротив Отображать нули.
                                  -

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

                                  +

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

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

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

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

                                  Используйте клавишу Tab на клавиатуре, чтобы перейти к ячейке справа от выбранной.

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

                                    -
                                  • нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки;
                                  • -
                                  • перетаскивайте ползунок прокрутки;
                                  • -
                                  • щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки.
                                  • +
                                  • нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки;
                                  • +
                                  • перетаскивайте ползунок прокрутки;
                                  • +
                                  • прокрутите колесико мыши для перемещения по вертикали;
                                  • +
                                  • используйте комбинацию клавиши Shift и колесика прокрутки мыши для перемещения по горизонтали;
                                  • +
                                  • щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки.

                                  Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши.

                                  -

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

                                  +

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

                                    -
                                  • нажмите на кнопку Прокрутить до первого листа
                                    , чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа;
                                  • -
                                  • нажмите на кнопку Прокрутить список листов влево
                                    , чтобы прокрутить список листов текущей электронной таблицы влево;
                                  • -
                                  • нажмите на кнопку Прокрутить список листов вправо
                                    , чтобы прокрутить список листов текущей электронной таблицы вправо;
                                  • -
                                  • нажмите на кнопку Прокрутить до последнего листа
                                    , чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа;
                                  • +
                                  • нажмите на кнопку Прокрутить до первого листа Кнопка Прокрутить до первого листа, чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа;
                                  • +
                                  • нажмите на кнопку Прокрутить список листов влево Кнопка Прокрутить список листов влево, чтобы прокрутить список листов текущей электронной таблицы влево;
                                  • +
                                  • нажмите на кнопку Прокрутить список листов вправо Кнопка Прокрутить список листов вправо, чтобы прокрутить список листов текущей электронной таблицы вправо;
                                  • +
                                  • нажмите на кнопку Прокрутить до последнего листа Кнопка Прокрутить до последнего листа, чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа;
                                  -

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

                                  -

                                  Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. - Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или - используйте кнопки Увеличить

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

                                  +

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

                                  +

                                  Чтобы выбрать нужный лист:

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

                                    Список листов

                                    +

                                    или

                                    +

                                    щелкните по соответствующей Вкладке листа напротив кнопки Значок Список листов.

                                    +

                                    + Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. + Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или + используйте кнопки Увеличить Кнопка Увеличить или Уменьшить Кнопка Уменьшить. + Параметры масштаба доступны также из выпадающего списка Параметры представления Значок Параметры представления. +

                                    +
                                  • +
                                  +
                                  \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Password.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Password.htm index 8c9a1dc1f..14eb36005 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Password.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Password.htm @@ -24,7 +24,7 @@
                                10. перейдите на вкладку Файл на верхней панели инструментов,
                                11. выберите опцию Защитить,
                                12. нажмите кнопку Добавить пароль,
                                13. -
                                14. введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК.
                                15. +
                                16. введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Нажмите Значок Показать пароль, чтобы показать или скрыть пароль.

                  установка пароля

                  @@ -35,7 +35,7 @@
                • нажмите кнопку Изменить пароль,
                • введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК.
                -

                changing password

                +

                изменить пароль

                Удаление пароля

                  diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm index 5baa3b420..0576e91e6 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm @@ -15,7 +15,7 @@

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

                  -

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

                  +

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

                  Окно онлайн-редактора электронных таблиц:

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

                  @@ -29,7 +29,8 @@
                • задавать настройки совместного доступа (доступно только в онлайн-версии),
                • переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии),
                • добавлять или удалять комментарии к электронной таблице,
                • -
                • открывать панель Чата (доступно только в онлайн-версии).
                • +
                • открывать панель Чата (доступно только в онлайн-версии),
                • +
                • отслеживать историю версий (доступно только в онлайн-версии).
                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/DataTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/DataTab.htm index b47f79849..33c0b6d13 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/DataTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/DataTab.htm @@ -15,7 +15,7 @@

                Вкладка Данные

                -

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

                +

                Вкладка Данные в Редакторе электронных таблиц позволяет управлять данными на рабочем листе.

                Окно онлайн-редактора электронных таблиц:

                Вкладка Данные

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm index e90044e75..3f921d3a0 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm @@ -15,7 +15,7 @@

                Вкладка Файл

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

                Вкладка Файл

                @@ -34,6 +34,7 @@
              • защитить файл с помощью цифровой подписи (доступно только в десктопной версии);
              • создать новую электронную таблицу или открыть недавно отредактированную (доступно только в онлайн-версии),
              • просмотреть общие сведения об электронной таблице или изменить некоторые свойства файла,
              • +
              • отслеживать историю версий (доступно только в онлайн-версии),
              • управлять правами доступа (доступно только в онлайн-версии),
              • открыть дополнительные параметры редактора,
              • в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
              • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FormulaTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FormulaTab.htm index 783e3ba01..e6401361c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FormulaTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FormulaTab.htm @@ -15,7 +15,7 @@

                Вкладка Формула

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

                Вкладка Формула

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm index be7e05412..d16802623 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm @@ -15,7 +15,7 @@

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

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

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

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index a412ecfb9..787cde923 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -15,7 +15,7 @@

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

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

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

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm index abf184879..f146dba24 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm @@ -15,7 +15,7 @@

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

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

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

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm index f4b19d2ee..eae00cad6 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm @@ -15,7 +15,7 @@

                Вкладка Сводная таблица

                -

                Вкладка Сводная таблица позволяет создавать и редактировать сводные таблицы.

                +

                Вкладка Сводная таблица в Редакторе электронных таблиц позволяет создавать и редактировать сводные таблицы.

                Окно онлайн-редактора электронных таблиц:

                Вкладка Сводная таблица

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 587ee9312..45963c4a1 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -15,7 +15,7 @@

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

                -

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

                +

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

                Окно онлайн-редактора электронных таблиц:

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

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index 7eabc55d7..b3b1bc528 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -14,7 +14,7 @@
                -

                Знакомство с пользовательским интерфейсом редактора электронных таблиц

                +

                Знакомство с пользовательским интерфейсом Редактора электронных таблиц

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

                Окно онлайн-редактора электронных таблиц:

                @@ -42,7 +42,7 @@

                Опции

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

              • Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки.
              • -
              • В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, ярлычки листов и кнопки масштаба. В Строке состояния также отображается количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные.
              • +
              • В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, кнопка добавления нового листа, кнопка список листов, ярлычки листов и кнопки масштаба. В Строке состояния также отображается статус фонового сохранения и состояние восстановления соединения, когда редактор пытается переподключиться, количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные.
              • На Левой боковой панели находятся следующие значки:
                  diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProtectionTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProtectionTab.htm new file mode 100644 index 000000000..d6d6f0478 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProtectionTab.htm @@ -0,0 +1,36 @@ + + + + Вкладка Защита + + + + + + + +
                  +
                  + +
                  +

                  Вкладка Защита

                  +

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

                  +
                  +

                  Окно онлайн-редактора электронных таблиц:

                  +

                  Вкладка Защита

                  +
                  +
                  +

                  Окно десктопного редактора электронных таблиц:

                  +

                  Вкладка Защита

                  +
                  +

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

                  + +
                  + + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm index 96f5928a2..9641d927d 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm @@ -16,7 +16,7 @@
              • Вкладка Вид

                - Вкладка Вид позволяет управлять предустановками представления рабочего листа на основе примененных фильтров. + Вкладка Вид в Редакторе электронных таблиц позволяет управлять предустановками представления рабочего листа на основе примененных фильтров.

                Окно онлайн-редактора электронных таблиц:

                @@ -29,9 +29,16 @@

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

                • управлять преднастройкам представления листа,
                • -
                • изменять масштаб,
                • -
                • закреплять строку,
                • -
                • управлять отображением строк формул, заголовков, линий сетки и нулей.
                • +
                • изменять масштаб,
                • +
                • выбирать тему интерфейса: Светлая, Классическая светлая или Темная,
                • +
                • закрепить области при помощи следующих опций: Закрепить области, Закрепить верхнюю строку, Закрепить первый столбец и Показывать тень для закрепленных областей,
                • +
                • управлять отображением строк формул, заголовков, линий сетки и нулей,
                • +
                • включать и отключать следующие параметры просмотра: +
                    +
                  • Всегда показывать панель инструментов - всегда отображать верхнюю панель инструментов.
                  • +
                  • Объединить строки листов и состояния - отображать все инструменты навигации по листу и строку состояния в одной строке. Если этот флажок не установлен, строка состояния будет отображаться в виде двух строк.
                  • +
                  +
                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm index 7a1604398..7ccbff835 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm @@ -22,7 +22,7 @@ выделите ячейку или диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A,

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

                -
              • чтобы применить к фону ячейки заливку сплошным цветом, щелкните по значку Цвет фона
                , расположенному на вкладке Главная верхней панели инструментов, и выберите нужный цвет. +
              • чтобы применить к фону ячейки заливку сплошным цветом, щелкните по значку Цвет заливки Значок Цвет заливки, расположенному на вкладке Главная верхней панели инструментов, и выберите нужный цвет,
              • чтобы применить другие типы заливок, такие как градиентная заливка или узор, нажмите на значок Параметры ячейки
                на правой боковой панели и используйте раздел Заливка:
                  @@ -36,11 +36,11 @@

                  Градиентная заливка

                  • Угол - вручную укажите точное значение в градусах, определяющее направление градиента (цвета изменяются по прямой под заданным углом).
                  • -
                  • Направление - выберите готовый шаблон из меню. Доступны следующие направления : из левого верхнего угла в нижний правый (45°), сверху вниз (90°), из правого верхнего угла в нижний левый (135°), справа налево (180°), из правого нижнего угла в верхний левый (225°), снизу вверх (270°), из левого нижнего угла в верхний правый (315°), слева направо ().
                  • +
                  • Направление - выберите готовый шаблон из меню. Доступны следующие направления: из левого верхнего угла в нижний правый (45°), сверху вниз (90°), из правого верхнего угла в нижний левый (135°), справа налево (180°), из правого нижнего угла в верхний левый (225°), снизу вверх (270°), из левого нижнего угла в верхний правый (315°), слева направо ().
                  • Точки градиента - это определенные точки перехода от одного цвета к другому.
                      -
                    • Чтобы добавить точку градиента, Используйте кнопку
                      Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку
                      Удалить точку градиента.
                    • +
                    • Чтобы добавить точку градиента, используйте кнопку Добавить точку градиента Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента Удалить точку градиента.
                    • Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения.
                    • Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет.
                    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm index 647605bd4..ff89e0996 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm @@ -61,7 +61,7 @@ Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста
                    .

                    При изменении ширины столбца перенос текста настраивается автоматически.

                  • -
                  • Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установте флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри.
                  • +
                  • Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установите флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри.
              • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AllowEditRanges.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AllowEditRanges.htm new file mode 100644 index 000000000..f51f42f94 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AllowEditRanges.htm @@ -0,0 +1,73 @@ + + + + Разрешить редактировать диапазоны + + + + + + + +
                +
                + +
                + +

                Разрешить редактировать диапазоны

                +

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

                +

                Чтобы выбрать диапазон ячеек, который пользователь может редактировать:

                +
                  +
                1. + Нажмите кнопку Разрешить редактировать диапазоны на верхней панели инструментов. Откроется окно Разрешить пользователям редактировать диапазоны. +

                  Редактировать диапазоны

                  +
                2. +
                3. + Нажмите кнопку Новый в окне Разрешить пользователям редактировать диапазоны, чтобы выбрать и добавить диапазон ячеек, который пользователь сможет редактировать. +

                  Новый диапазон

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

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

                  +
                6. + +
                7. Нажмите кнопку Защитить лист или нажмите OK, чтобы сохранить изменения и продолжить работу с незащищенным листом.
                8. +
                9. + Если вы нажмете кнопку Защитить лист, откроется окно Защитить лист. В нем вы можете выбрать операции, которые будет разрешено выполнять пользователю, чтобы предотвратить любые нежелательные изменения. Введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этого листа. +

                  Защитить лист

                  +
                  + Операции, которые может выполнять пользователь. +
                    +
                  • Выделять заблокированные ячейки
                  • +
                  • Выделять разблокированные ячейки
                  • +
                  • Форматировать ячейки
                  • +
                  • Форматировать столбцы
                  • +
                  • Форматировать строки
                  • +
                  • Вставлять столбцы
                  • +
                  • Вставлять строки
                  • +
                  • Вставлять гиперссылку
                  • +
                  • Удалить столбцы
                  • +
                  • Удалить строки
                  • +
                  • Сортировать
                  • +
                  • Использовать автофильтр
                  • +
                  • Использовать сводную таблицу и сводную диаграмму
                  • +
                  • Редактировать объекты
                  • +
                  • Редактировать сценарии
                  • +
                  +
                  +
                10. + Нажмите кнопку Защитить, чтобы включить защиту. Кнопка Защитить лист остается выделенной, когда лист защищен. +

                  Защитить лист выделен

                  +
                11. +
                12. + Если лист не защищен, вы все равно можете вносить изменения в разрешенные диапазоны. Нажмите кнопку Разрешить редактировать диапазоны, чтобы открыть окно Разрешить пользователям редактировать диапазоны. При помощи кнопок Редактировать и Удалить можно управлять выбранными диапазонами ячеек. Затем нажмите кнопку Защитить лист, чтобы включить защиту листа, или нажмите OK, чтобы сохранить изменения и продолжить работу с незащищенным листом. +

                  Редактировать диапазон

                  +
                13. +
                14. + Когда кто-то пытается отредактировать защищенный паролем диапазон ячеек, появляется окно Разблокировать диапазон, в котором пользователю предлагается ввести пароль. +

                  Разблокировать диапазон

                  +
                15. +
                +
                + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ChangeNumberFormat.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ChangeNumberFormat.htm index c3e507d65..d950c5c7a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ChangeNumberFormat.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ChangeNumberFormat.htm @@ -21,7 +21,7 @@
              • выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A,

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

              • -
              • разверните список Числовой формат Список Числовой формат, расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и и используйте пункт контекстного меню Числовой формат. Выберите формат представления чисел, который надо применить: +
              • разверните список Числовой формат Список Числовой формат, расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и используйте пункт контекстного меню Числовой формат. Выберите формат представления чисел, который надо применить:
                • Общий - используется для отображения введенных данных как обычных чисел, самым компактным образом без дополнительных знаков,
                • Числовой - используется для отображения чисел с 0-30 знаками после десятичной запятой, где между каждой группой из трех цифр перед десятичной запятой вставляется разделитель тысяч,
                • @@ -65,7 +65,7 @@

                  Настроить числовой формат можно следующим образом:

                  1. выделите ячейки, для которых требуется настроить числовой формат,
                  2. -
                  3. разверните список Числовой формат Список Числовой формат, расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и и используйте пункт контекстного меню Числовой формат,
                  4. +
                  5. разверните список Числовой формат Список Числовой формат, расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и используйте пункт контекстного меню Числовой формат,
                  6. выберите опцию Другие форматы,
                  7. в открывшемся окне Числовой формат настройте доступные параметры. Опции различаются в зависимости от того, какой числовой формат применен к выделенным ячейкам. Чтобы изменить числовой формат, можно использовать список Категория. @@ -76,7 +76,7 @@
                  8. для Финансового и Денежного форматов, можно задать количество Десятичных знаков, выбрать одно из доступных Обозначений денежных единиц и один из доступных Форматов для отображения отрицательных значений.
                  9. для формата Дата можно выбрать один из доступных форматов представления дат: 15.4, 15.4.06, 15.04.06, 15.4.2006, 15.4.06 0:00, 15.4.06 12:00 AM, A, апреля 15 2006, 15-апр, 15-апр-06, апр-06, Апрель-06, A-06, 06-апр, 15-апр-2006, 2006-апр-15, 06-апр-15, 15.апр, 15.апр.06, апр.06, Апрель.06, А.06, 06.апр, 15.апр.2006, 2006.апр.15, 06.апр.15, 15 апр, 15 апр 06, апр 06, Апрель 06, А 06, 06 апр, 15 апр 2006, 2006 апр 15, 06 апр 15, 06.4.15, 06.04.15, 2006.4.15.
                  10. для формата Время можно выбрать один из доступных форматов представления времени: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57,6, 36:48:58.
                  11. -
                  12. для Дробного формата можно выбрать один из доступных форматов: До одной цифры (1/3), До двух цифр (12/25), До трех цифр (131/135), Половинными долями (1/2), Четвертыми долями (2/4), Восьмыми долями (4/8), Шестнадцатыми долями (8/16), Десятыми долями (5/10) , Сотыми долями (50/100).
                  13. +
                  14. для Дробного формата можно выбрать один из доступных форматов: До одной цифры (1/3), До двух цифр (12/25), До трех цифр (131/135), Половинными долями (1/2), Четвертыми долями (2/4), Восьмыми долями (4/8), Шестнадцатыми долями (8/16), Десятыми долями (5/10), Сотыми долями (50/100).
              • нажмите кнопку OK, чтобы применить изменения.
              • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm index 22cb6d0a2..9599e7926 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm @@ -35,7 +35,8 @@

                Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка.

                Использование функции Специальная вставка

                -

                После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка

                . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки.

                +

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

                +

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

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

                • Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию.
                • @@ -77,7 +78,7 @@
                • Формулы и форматирование - позволяет вставить формулы вместе со всем форматированием данных.
                • Формулы и ширина столбцов - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные.
                • Формулы и форматы чисел - позволяет вставить формулы вместе с форматированием, примененным к числам.
                • -
                • Занчения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам.
                • +
                • Значения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам.
                • Значения и форматирование - позволяет вставить результаты формул вместе со всем форматированием данных.
                @@ -85,7 +86,7 @@ Операция
                • Сложение - позволяет автоматически произвести операцию сложения для числовых значений в каждой вставленной ячейке.
                • -
                • Вычитание -позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке.
                • +
                • Вычитание - позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке.
                • Умножение - позволяет автоматически произвести операцию умножения для числовых значений в каждой вставленной ячейке.
                • Деление - позволяет автоматически произвести операцию деления для числовых значений в каждой вставленной ячейке.
                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm index a2273e7eb..be3e9216f 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm @@ -18,9 +18,9 @@

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

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

                Проверка данных. Открытое окно Проверка данных содержит три вкладки: Настройки, Подсказка по вводу и Сообщение об ошибке.

                Настройки

                -

                На вкладка Настройки вы можете указать тип данных, которые можно вводить:

                +

                На вкладке Настройки вы можете указать тип данных, которые можно вводить:

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

                -

                Проверка данныз - вкладка настройки

                +

                Проверка данных - вкладка настройки

                • выберите нужный вариант в выпадающем списке Разрешить: @@ -69,7 +69,7 @@ Между / не между Минимум / Максимум Устанавливает диапазон значений - Целое число / Деесятичное число / Длина текста + Целое число / Десятичное число / Длина текста Дата начала / Дата окончания @@ -140,7 +140,7 @@ А также:
                  • Источник: укажите ячейку или диапазон ячеек данных для типа данных Список.
                  • -
                  • Формула: введите требуемую формулу или ячейку, содержажую формулу, чтобы создать настраиваемое правило проверки для типа данных Другое.
                  • +
                  • Формула: введите требуемую формулу или ячейку, содержащую формулу, чтобы создать настраиваемое правило проверки для типа данных Другое.
                @@ -149,7 +149,7 @@

                Проверка данных - Подсказка по вводу

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

                Подсказки по вводу - пример

                Сообщение об ошибке

                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FormattedTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FormattedTables.htm index 4fdba0ddf..f61cc615c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FormattedTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FormattedTables.htm @@ -71,15 +71,30 @@
              • Вставить новую строку выше или ниже выделенной, а также новый столбец слева или справа от выделенного.
              • Удалить строку, столбец (в зависимости от позиции курсора или выделения) или всю таблицу.
              -

              Примечание: опции раздела Строки и столбцы также доступны из контекстного меню.

              -

              Опцию

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

              -

              Опцию

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

              -

              Опция

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

              -

              Опция

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

              +

              Примечание: Параметры раздела Строки и столбцы также доступны из контекстного меню.

              +

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

              +

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

              +

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

              +

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

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

              Чтобы изменить дополнительные параметры таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Таблица - Дополнительные параметры':

              Таблица - дополнительные параметры

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

              +

              Примечание: Чтобы включить или отключить автоматическое расширение таблицы, перейдите в раздел Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Автоформат при вводе.

              +

              Использование автозаполнение формул для добавления формул в форматированные таблицы.

              +

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

              +

              Пример ниже показывает ссылку на таблицу в функции СУММ.

              +
                +
              1. + Выберите ячейку, начните вводить формулу, начиная со знака равно, за которым следует имя таблицы, затем выберите подходящий пункт из списка Автозаполнение формул. +

                Табличные формулы +

              2. +
              3. + Далее добавьте квадратную скобку [, чтобы открыть раскрывающийся список, содержащий столбцы и элементы, которые можно использовать в формуле. При наведении указателем мыши на ссылку в списке, появляется подсказка с ее описанием. +

                Табличные формулы +

              4. +
              +

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

              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm new file mode 100644 index 000000000..a01b6a288 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm @@ -0,0 +1,95 @@ + + + + Вставка формул массива + + + + + + + +
              +
              + +
              +

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

              +

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

              +

              Вы можете вводить формулы и встроенные функции в качестве формулы массива, чтобы:

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

              Существуют специально назначенные функции, которые могут возвращать несколько значений. Если ввести их, нажав клавишу Enter, они вернут одно значение. Если выбрать выходной диапазон ячеек для отображения результатов, а затем ввести функцию, нажав Ctrl + Shift + Enter, будет возвращен диапазон значений (количество возвращаемых значений зависит от размера ранее выбранного диапазона). Список ниже содержит ссылки на подробные описания этих функций.

              +
              + Формулы массива + +
              +

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

              +

              Чтобы вставить формулу массива,

              +
                +
              1. + Выберите диапазон ячеек, в которых вы хотите отобразить результаты. +

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

                +
              2. +
              3. Введите формулу, которую вы хотите использовать, в строке формул и укажите необходимые аргументы в круглых скобках (). +

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

                +
              4. +
              5. Нажмите комбинацию клавиш Ctrl + Shift + Enter. +

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

                +
              6. +
              +

              Результаты будут отображаться в выбранном диапазоне ячеек, а формула в строке формул будет автоматически заключена в фигурные скобки { }, чтобы указать, что это формула массива. Например, {=УНИК(B2:D6)}. Эти фигурные скобки нельзя вводить вручную.

              +

              Создание формулы массива в одной ячейке

              +

              В следующем примере показан результат формулы массива, отображаемый в одной ячейке. Выберите ячейку, введите =СУММ(C2:C11*D2:D11) и нажмите Ctrl + Shift + Enter.

              +

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

              +

              Создание формулы массива в нескольких ячейках

              +

              В следующем примере показаны результаты формулы массива, отображаемые в диапазоне ячеек. Выберите диапазон ячеек, введите =C2:C11*D2:D11 и нажмите Ctrl + Shift + Enter.

              +

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

              +

              Редактирование формулы массива

              +

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

              +

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

              +

              Edit array formulas

              +

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

              +

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

              +

              Чтобы удалить формулу массива, выделите все ячейки, содержащие формулу массива, и нажмите клавишу Delete. Либо выберите формулу массива в строке формул, нажмите Delete, а затем нажмите Ctrl + Shift + Enter.

              +
              + Примеры использования формулы массива +

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

              +

              Подсчет количества символов в диапазоне ячеек

              +

              Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ функция складывает значения.

              +

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

              +

              Чтобы получить среднее количество символов, замените СУММ на СРЗНАЧ.

              +

              Нахождение самой длинной строки в диапазоне ячеек

              +

              Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС функция вычисляет наибольшее значение. Функция ПОИСКПОЗ функция находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС функция возвращает значение из найденной ячейки.

              +

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

              +

              Чтобы найти кратчайшую строку, замените МАКС на МИН.

              +

              Сумма значений на основе условий

              +

              Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ функция создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе.

              +

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

              +
              +
              + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index 02f42366b..83ef275fe 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -19,8 +19,8 @@

              Для добавления автофигуры в электронную таблицу,

              1. перейдите на вкладку Вставка верхней панели инструментов,
              2. -
              3. щелкните по значку
                Фигура на верхней панели инструментов,
              4. -
              5. выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии,
              6. +
              7. щелкните по значку Значок Фигура Фигура на верхней панели инструментов,
              8. +
              9. выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии,
              10. щелкните по нужной автофигуре внутри выбранной группы,
              11. установите курсор там, где требуется поместить автофигуру,
              12. после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. @@ -47,14 +47,14 @@
              13. Стиль - выберите Линейный или Радиальный:
                  -
                • Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните Направление или же задайте точное значение угла градиента в поле Угол.
                • +
                • Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол.
                • Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям.
              14. Точка градиента - это определенная точка перехода от одного цвета к другому.
                  -
                • Чтобы добавить точку градиента, Используйте кнопку
                  Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку
                  Удалить точку градиента.
                • +
                • Чтобы добавить точку градиента, используйте кнопку Добавить точку градиента Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента Удалить точку градиента.
                • Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения.
                • Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет.
                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm index 62df3962e..27656cbab 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm @@ -99,6 +99,7 @@

              После этого диаграмма будет добавлена на рабочий лист.

              +

              Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм.

              Изменение параметров диаграммы

              Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы:

                @@ -251,7 +252,7 @@
          • - Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: + Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка:
            • Нет - не отображать подписи,
            • Ниже - показывать подписи слева от области диаграммы,
            • @@ -305,7 +306,7 @@ которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно редактировать следующие параметры делений:
                -
              • Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси.
              • +
              • Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси.
              • Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями.
              @@ -389,7 +390,7 @@

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

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

              -

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

              +

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

              \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertDeleteCells.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertDeleteCells.htm index c91039a87..bb0fc1562 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertDeleteCells.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertDeleteCells.htm @@ -75,7 +75,7 @@
          • -

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

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

            +

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

            Изменение ширины столбца

            Высота строки по умолчанию составляет 14.25 пунктов. Чтобы изменить это значение:

              diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm index 3ee65b00b..bedf7f0cb 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertEquation.htm @@ -91,6 +91,12 @@
            1. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака).
            2. Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец.
          +

          Преобразование уравнений

          +

          Если вы открываете существующий документ с уравнениями, которые были созданы с помощью старой версии редактора уравнений (например, в версиях, предшествующих MS Office 2007), эти уравнения необходимо преобразовать в формат Office Math ML, чтобы иметь возможность их редактировать.

          +

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

          +

          Преобразование уравнений

          +

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

          +

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

          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm index 13095e6f0..a6a0cea6a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm @@ -36,7 +36,7 @@

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

          -

          Возможности работы с Функциями доступны как на вкладке Главная, так и на вкладке Формула. Также можно использовать сочетание клавиш Shift+F3. На вкладке Главная, вы можете использовать кнопку Вставить функцию

          чтобы добавить одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Используйте поле поиска, чтобы найти нужную функцию по имени.

          +

          Возможности работы с Функциями доступны как на вкладке Главная, так и на вкладке Формула. Также можно использовать сочетание клавиш Shift+F3. На вкладке Главная, вы можете использовать кнопку Вставить функцию Значок Вставить функцию, чтобы добавить одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Используйте поле поиска, чтобы найти нужную функцию по имени.

          Вставка функций

          На вкладке Формула можно использовать следующие кнопки:

          Вкладка Формула

          @@ -140,7 +140,7 @@ Поисковые функции Используются для упрощения поиска информации по списку данных. - АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; UNIQUE; ВПР; ПРОСМОТРX + АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; УНИК; ВПР; ПРОСМОТРX Информационные функции diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index 624e7c44f..a00605c8b 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -37,7 +37,7 @@

          После этого изображение будет добавлено на рабочий лист.

          Изменение параметров изображения

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

          -

          Для того, чтобы задать точные размеры изображения:

          +

          Для того чтобы задать точные размеры изображения:

          1. выделите мышью изображение, размер которого требуется изменить,
          2. @@ -46,8 +46,8 @@
          3. в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции
            (в этом случае она выглядит так:
            ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер.
          -

          Для того, чтобы обрезать изображение:

          -

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

          , и перетащить область обрезки.

          +

          Для того чтобы обрезать изображение:

          +

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

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

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

          -

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

          +

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

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

          Для того, чтобы повернуть изображение:

          +

          Для того чтобы повернуть изображение:

          1. выделите мышью изображение, которое требуется повернуть,
          2. щелкните по значку Параметры изображения
            на правой боковой панели,
          3. @@ -86,8 +87,8 @@

          Выбранное изображение будет заменено.

          -

          Когда изображение выделено, справа также доступен значок Параметры фигуры

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

          -

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

          +

          Когда изображение выделено, справа также доступен значок Параметры фигуры Значок Параметры фигуры. Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом.

          +

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

          Вкладка Параметры фигуры

          Изменение дополнительныx параметров изображения

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

          diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm index c752fa06a..955141c87 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm @@ -63,7 +63,7 @@

          Тип (нумерованный список) - позволяет выбрать нужный формат нумерованного списка.

          • Размер - позволяет выбрать нужный размер для каждого из маркеров или нумераций в зависимости от текущего размера текста. Может принимать значение от 25% до 400%.
          • -
          • Цвет - позволяет выбрать нужный цвет маркеров или нумерации. Вы можете выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет.
          • +
          • Цвет - позволяет выбрать нужный цвет маркеров или нумерации. Вы можете выбрать на палитре один из цветов темы или стандартных цветов, или задать пользовательский цвет.
          • Начать с - позволяет задать нужное числовое значение, с которого вы хотите начать нумерацию.
        • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManageSheets.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManageSheets.htm index b2add0d8e..c831a6a8c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManageSheets.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManageSheets.htm @@ -52,7 +52,9 @@
        • выберите лист, перед которым требуется вставить выбранный, или используйте опцию Переместить в конец, чтобы вставить выбранный лист после всех имеющихся,
        • нажмите на кнопку OK, чтобы подтвердить выбор.
        • -

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

          +

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

          +

          Перетащить лист gif

          +

          В этом случае лист из исходной электронной таблицы будет удален.

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

          1. щелкните правой кнопкой мыши по ярлычку листа, который требуется скрыть,
          2. @@ -94,9 +96,10 @@
          3. Скрыть - чтобы скрыть все выделенные листы одновременно (нельзя скрыть все листы в рабочей книге, так как она должна содержать хотя бы один видимый лист),
          4. Цвет ярлычка - чтобы присвоить один и тот же цвет всем ярлычкам выделенных листов одновременно,
          5. Выделить все листы - чтобы выделить все листы в текущей рабочей книге,
          6. -
          7. Разгруппировать листы - чтобы разгруппировать выделенные листы. -

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

            -
          8. +
          9. + Разгруппировать листы - чтобы разгруппировать выделенные листы. +

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

            +
      • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm index 58705fd61..e35642660 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm @@ -39,8 +39,27 @@

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

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

        Изменение формы автофигур

        -

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

        . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки.

        -

        +

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

        +

        Изменение формы автофигуры

        +

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

        +

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

        +
          +
        1. + Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры. +

          Изменить точки Меню

          +
        2. +
        3. + После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. +

          Изменить точки

          +
        4. +
        5. + Пока опорные точки активны, вы можете добавлять и удалять их: +
            +
          • Чтобы добавить точку к фигуре, удерживайте Ctrl и щелкните место, где вы хотите добавить опорную точку.
          • +
          • Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке.
          • +
          +
        6. +

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

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

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

          diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm index 62ad1f9b3..3a45109b0 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm @@ -52,7 +52,7 @@

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

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

          Автозамена

          -

          В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе таблиц. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительыне параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами.

          +

          В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе таблиц. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительные параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами.

          Поддерживаемые коды diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Password.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Password.htm new file mode 100644 index 000000000..bad633ea9 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Password.htm @@ -0,0 +1,77 @@ + + + + Защита электронных таблиц с помощью пароля + + + + + + + +
          +
          + +
          + +

          Защита электронных таблиц с помощью пароля

          +

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

          +

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

          + +

          Установка пароля при помощи вкладки Защита

          +
            +
          • перейдите на вкладку Защита и нажмите кнопку Шифровать.
          • +
          • + в открывшемся окне Установка пароля введите и подтвердите пароль, который вы будете использовать для доступа к этому файлу. +

            Установка пароля

            +
          • +
          • нажмите ОК для подтверждения
          • . +
          • + кнопка Шифровать на верхней панели инструментов отображается со стрелкой, когда файл зашифрован. Нажмите на стрелку, если хотите изменить или удалить свой пароль. +

            Зашифровано

            +
          • +
          +

          Смена пароля

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

            Смена пароля

            +
          • +
          +

          Удаление пароля

          +
            +
          • перейдите на вкладку Защита на верхней панели инструментов,
          • +
          • нажмите кнопку Зашифровать и выберите пункт Удалить пароль в раскрывающемся списке.
          • +
          + + + +

          Установка пароля при помощи вкладки Файл

          +
            +
          • перейдите на вкладку Файл на верхней панели инструментов,
          • +
          • выберите опцию Защитить,
          • +
          • нажмите кнопку Добавить пароль,
          • +
          • введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК.
          • +
          +

          установка пароля

          + +

          Смена пароля

          +
            +
          • перейдите на вкладку Файл на верхней панели инструментов,
          • +
          • выберите опцию Защитить,
          • +
          • нажмите кнопку Изменить пароль,
          • +
          • введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК.
          • +
          +

          changing password

          + +

          Удаление пароля

          +
            +
          • перейдите на вкладку Файл на верхней панели инструментов,
          • +
          • выберите опцию Защитить,
          • +
          • нажмите кнопку Удалить пароль.
          • +
          +
          + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm index 98e8554f0..b3313a6ab 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm @@ -151,7 +151,7 @@
        • По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д.
        • По завершении нажмите ОК.
        • -

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

          +

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

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

          1. щелкните правой кнопкой мыши любую ячейку в группе,
          2. @@ -171,7 +171,7 @@

            Сжатая форма сводной таблицы

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

            Сводная таблица в форме структуры

          4. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSheet.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSheet.htm new file mode 100644 index 000000000..7e7036d8d --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSheet.htm @@ -0,0 +1,70 @@ + + + + Защита листа + + + + + + + +
            +
            + +
            + +

            Защита листа

            +

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

            +

            Чтобы защитить лист:

            +
              +
            1. + Перейдите на вкладку Защита и нажмите кнопку Защитить лист на верхней панели инструментов. +

              или

              +

              Щелкните правой кнопкой мыши по вкладке листа, который вы хотите защитить, и в списке выберите пункт Защитить

              +

              Защитить лист

              +
            2. +
            3. В открывшемся окне Защитить лист введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этого листа. +

              Защитить лист

              +

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

              +
            4. +
            5. Установите флажки в списке Разрешить всем пользователям этого листа напротив тех операций, которые пользователи смогут выполнять. Операции Выбрать заблокированные ячейки и Выбрать разблокированные ячейки разрешены по умолчанию. +
              + Операции, которые может выполнять пользователь. +
                +
              • Выделять заблокированные ячейки
              • +
              • Выделять разблокированные ячейки
              • +
              • Форматировать ячейки
              • +
              • Форматировать столбцы
              • +
              • Форматировать строки
              • +
              • Вставлять столбцы
              • +
              • Вставлять строки
              • +
              • Вставлять гиперссылку
              • +
              • Удалить столбцы
              • +
              • Удалить строки
              • +
              • Сортировать
              • +
              • Использовать автофильтр
              • +
              • Использовать сводную таблицу и сводную диаграмму
              • +
              • Редактировать объекты
              • +
              • Редактировать сценарии
              • +
              +
              +
            6. +
            7. нажмите кнопку Защитить, чтобы включить защиту Кнопка Защитить лист остается выделенной, когда лист защищен. +

              Защитить лист выделен

              +
            8. +
            9. Чтобы снять защиту с листа: +
                +
              • нажмите кнопку Защитить лист, +

                или

                +

                щелкните правой кнопкой мыши по вкладке защищенного листа и в списке выберите пункт Снять защиту.

                +

                Снять защиту с листа

                +
              • +
              • Введите пароль и нажмите ОК в окне Снять защиту с листа, если будет предложено. +

                Снять защиту с листа

                +
              • +
              +
            +
            + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSpreadsheet.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSpreadsheet.htm new file mode 100644 index 000000000..a54729b89 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectSpreadsheet.htm @@ -0,0 +1,30 @@ + + + + Защита электронной таблицы + + + + + + + +
            +
            + +
            +

            Защита электронной таблицы

            +

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

            +

            Вкладка Защита

            +

            Доступные варианты защиты:

            +

            Шифрование - для управления доступом к файлу и предотвращения его открытия другими пользователями.

            +

            Защита книги - для контроля над действиями пользователей с книгой и предотвращения нежелательных изменений в структуре книги.

            +

            Защита листа - для контроля над действиями пользователей в листе и предотвращения нежелательных изменений данных.

            +

            Разрешение редактировать диапазоны - для указания диапазона ячеек, с которыми пользователь может работать на защищенном листе.

            +

            Использование флажков на вкладке Защита для быстрой блокировки или разблокировки содержимого защищенного листа.

            +

            Примечание: эти опции не вступят в силу, пока вы не включите защиту листа.

            +

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

            +

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

            +

            + + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectWorkbook.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectWorkbook.htm new file mode 100644 index 000000000..0e3a4c4fc --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ProtectWorkbook.htm @@ -0,0 +1,43 @@ + + + + Защита книги + + + + + + + +
            +
            + +
            + +

            Защита книги

            +

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

            +

            Чтобы защитить книгу:

            +
              +
            1. Перейдите на вкладку Защита и нажмите кнопку Защитить книгу на верхней панели инструментов.
            2. +
            3. + В открывшемся окне Защитить структуру книги введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этой книги. +

              Защита книги

              +
            4. +
            5. + Нажмите кнопку Защитить, чтобы включить защиту с паролем или без него. +

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

              +

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

              +

              Защита книги выделена

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

                Снять защиту с книги

                +
              • +
              • если книга не защищена паролем, просто нажмите кнопку Защитить книгу на верхней панели инструментов.
              • +
              +
            +
            + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 2d42a0120..f26528f25 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -10,19 +10,19 @@ -
            +
            -

            Сохранение / печать / скачивание таблицы

            +

            Сохранение / печать / скачивание таблицы

            Сохранение

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

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

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

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

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

            @@ -34,14 +34,15 @@

            Скачивание

            -

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

            -
              -
            1. нажмите на вкладку Файл на верхней панели инструментов,
            2. -
            3. выберите опцию Скачать как...,
            4. -
            5. выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. -

              Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя).

              -
            6. -
            +

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

            +
              +
            1. нажмите на вкладку Файл на верхней панели инструментов,
            2. +
            3. выберите опцию Скачать как...,
            4. +
            5. + выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. +

              Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя).

              +
            6. +

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

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

              @@ -52,40 +53,46 @@

            Печать

            -

            Чтобы распечатать текущую электронную таблицу:

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

            Чтобы распечатать текущую электронную таблицу:

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

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

            -

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

            -

            Окно Параметры печати

            -

            Здесь можно задать следующие параметры:

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

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

              +

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

              +

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

              +

              Окно Параметры печати

              +

              Здесь можно задать следующие параметры:

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

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

              • -
              • Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы,
              • -
              • Размер страницы - выберите из выпадающего списка один из доступных размеров,
              • -
              • Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально,
              • -
              • Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, -

                При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба:

                -

                Окно Настройки масштаба

                -
                  -
                1. Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота.
                2. -
                3. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера.
                4. -
                -
              • -
              • Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец.
              • -
              • Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа,
              • -
              • Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов.
              • -
              -

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

              -
              Настройка области печати
              +
            • Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы,
            • +
            • Размер страницы - выберите из выпадающего списка один из доступных размеров,
            • +
            • Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально,
            • +
            • + Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, +

              При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба:

              +

              Окно Настройки масштаба

              +
                +
              1. Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота.
              2. +
              3. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера.
              4. +
              +
            • +
            • Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец.
            • +
            • Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа,
            • +
            • Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов.
            • +
            • + Параметры верхнего и нижнего колонтитулов - позволяет добавить некоторую дополнительную информацию к печатному листу, такую как дата и время, номер страницы, имя листа и т.д. Верхние и нижние колонтитулы будут отображаться в печатной версии электронной таблицы. +
            • +
            +

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

            +

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

            +

            Настройка области печати

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

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

            Чтобы задать область печати:

            @@ -111,6 +118,6 @@
          11. нажмите на стрелку рядом с кнопкой
            Область печати и выберите опцию Очистить область печати.

          Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист.

          - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm index e8687b308..894cfd511 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm @@ -16,8 +16,7 @@

          Управление предустановками представления листа

          -

          Примечание: эта функция доступна только в платной версии, начиная с версии ONLYOFFICE Docs 6.1.

          -

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

          +

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

          Создание нового набора настроек представления листа

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

          Есть два способа создать новый набор настроек вида листа:

          @@ -36,7 +35,7 @@
          1. Перейдите на вкладку Вид и щелкните на иконку
            Представление листа.
          2. Во всплывающем меню выберите пункт Диспетчер представлений.
          3. -
          4. В поле Представления листа выберите нужный набор настрок представления листа.
          5. +
          6. В поле Представления листа выберите нужный набор настроек представления листа.
          7. Нажмите кнопку Перейти к представлению.

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

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

          @@ -44,7 +43,7 @@
          1. Перейдите на вкладку Вид и щелкните на иконку
            Представление листа.
          2. Во всплывающем меню выберите пункт Диспетчер представлений.
          3. -
          4. В поле Представления листа выберите нужный набор настрок представления листа.
          5. +
          6. В поле Представления листа выберите нужный набор настроек представления листа.
          7. Выберите одну из следующих опций:
              diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Slicers.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Slicers.htm index 60c04a7e2..a9b711bc3 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Slicers.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/Slicers.htm @@ -18,8 +18,8 @@

              Создание нового среза

              После создания новой форматированной таблицы или сводной таблицы вы можете создавать срезы для быстрой фильтрации данных. Для этого:

                -
              1. выделите мышью хотя бы одну ячейку в форматированной таблице и нажмите значок Параметры таблицы
                справа.
              2. -
              3. нажмите на пункт
                Вставить срез на вкладке Параметры таблицы правой боковой панели. Также можно перейти на вкладку Вставка верхней панели инструментов и нажать кнопку
                Срез. Откроется окно Вставка срезов: +
              4. выделите мышью хотя бы одну ячейку в форматированной таблице и нажмите значок Параметры таблицы Значок Параметры таблицы справа.
              5. +
              6. нажмите на пункт Вставка срезов Вставить срез на вкладке Параметры таблицы правой боковой панели. Также можно перейти на вкладку Вставка верхней панели инструментов и нажать кнопку Вставить срез Срез. Откроется окно Вставка срезов:

                Вставка срезов

              7. отметьте галочками нужные столбцы в окне Вставка срезов.
              8. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm index 553010fa0..44e5f9396 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm @@ -106,7 +106,7 @@

                Фильтрация данных по цвету

            -

            В первой ячейке столбца появится кнопка Фильтр

            . Это означает, что фильтр применен. Количество отфильтрованых записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80).

            +

            В первой ячейке столбца появится кнопка Фильтр Кнопка Фильтр. Это означает, что фильтр применен. Количество отфильтрованных записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80).

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

          @@ -196,7 +196,7 @@

          Окно Параметры сортировки

          1. установите флажок Мои данные содержат заголовки, если это необходимо,
          2. -
          3. выберите нужную Ориентацию: Сортировать сверху вниз, чтобы сортировать данные по столбцам, или Сортировать слева направо чтобы сортировать данные по строкам,
          4. +
          5. выберите нужную Ориентацию: Сортировать сверху вниз, чтобы сортировать данные по столбцам, или Сортировать слева направо, чтобы сортировать данные по строкам,
          6. нажмите кнопку OK, чтобы применить изменения и закрыть окно.
          diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm new file mode 100644 index 000000000..3da65354f --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SupportSmartArt.htm @@ -0,0 +1,38 @@ + + + + Поддержка SmartArt в редакторе электронных таблиц ONLYOFFICE + + + + + + + +
          +
          + +
          +

          Поддержка SmartArt в редакторе электронных таблиц ONLYOFFICE

          +

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

          +

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

          +

          Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста в ячейках для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt.

          +

          + Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. +

          +

          Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования:

          +

          Меню SmartArt

          +

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

          +

          Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt.

          +

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

          +

          Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры.

          + +

          Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста:

          +

          Меню SmartArt

          +

          Выравнивание по вертикали - выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю.

          +

          Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх.

          +

          Гиперссылка - добавить гиперссылку к объекту SmartArt.

          +

          Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца.

          +
          + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm index 37cbbad78..fab81cb21 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm @@ -36,6 +36,13 @@

          Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права.

          Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню.

          + +

          История версий

          +

          В онлайн-версии вы можете просматривать историю версий для документов, сохраненных в облаке.

          +

          Примечание: эта опция недоступна для пользователей с правами доступа Только чтение.

          +

          Чтобы просмотреть все внесенные в электронную таблицу изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок Значок История версий История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этой таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий электронной таблицы также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее.

          +

          История версий

          +

          Чтобы вернуться к текущей версии электронной таблицы, нажмите на ссылку Закрыть историю над списком версий.

          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/addworksheet.png b/apps/spreadsheeteditor/main/resources/help/ru/images/addworksheet.png new file mode 100644 index 000000000..c5613e611 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/addworksheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/allowedit_newrange.png b/apps/spreadsheeteditor/main/resources/help/ru/images/allowedit_newrange.png new file mode 100644 index 000000000..ff67a5a5e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/allowedit_newrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/alloweditranges_edit.png b/apps/spreadsheeteditor/main/resources/help/ru/images/alloweditranges_edit.png new file mode 100644 index 000000000..2715ce8ec Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/alloweditranges_edit.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array1.png new file mode 100644 index 000000000..ca1ca91ea Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array2.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array2.png new file mode 100644 index 000000000..ef9555b47 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array3.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array3.png new file mode 100644 index 000000000..ab6c18219 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array4.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array4.png new file mode 100644 index 000000000..86d4b4871 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array5.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array5.png new file mode 100644 index 000000000..e8f7d1acd Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array6.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array6.png new file mode 100644 index 000000000..937f7b2c7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array6.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array7.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array7.png new file mode 100644 index 000000000..3dd91e0f8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array7.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array8.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array8.png new file mode 100644 index 000000000..c221fe4ed Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array8.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/array9.png b/apps/spreadsheeteditor/main/resources/help/ru/images/array9.png new file mode 100644 index 000000000..9264cefe9 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/array9.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/coedit_selector.png b/apps/spreadsheeteditor/main/resources/help/ru/images/coedit_selector.png new file mode 100644 index 000000000..ff31ad3de Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/coedit_selector.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/convertequation.png b/apps/spreadsheeteditor/main/resources/help/ru/images/convertequation.png index 3ad46ae4e..c6be81229 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/convertequation.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/convertequation.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/dataimport_advanced.png b/apps/spreadsheeteditor/main/resources/help/ru/images/dataimport_advanced.png new file mode 100644 index 000000000..580060c6b Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/dataimport_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/deletecellwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/deletecellwindow.png index 6bfbb28f5..461fdb9b5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/deletecellwindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/deletecellwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_example.png b/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_example.png new file mode 100644 index 000000000..375594766 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_example.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_rightclick.png b/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_rightclick.png new file mode 100644 index 000000000..2603983fb Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/editpoints_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/editranges.png b/apps/spreadsheeteditor/main/resources/help/ru/images/editranges.png new file mode 100644 index 000000000..8b99bc1fc Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/editranges.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/encrypted.png b/apps/spreadsheeteditor/main/resources/help/ru/images/encrypted.png new file mode 100644 index 000000000..62c07a58f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/encrypted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/freezepanes_popup.png b/apps/spreadsheeteditor/main/resources/help/ru/images/freezepanes_popup.png index 48a5b1424..f27d1ab41 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/freezepanes_popup.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/freezepanes_popup.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/hlookup.gif b/apps/spreadsheeteditor/main/resources/help/ru/images/hlookup.gif new file mode 100644 index 000000000..f68197a4e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/hlookup.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/iferror.gif b/apps/spreadsheeteditor/main/resources/help/ru/images/iferror.gif new file mode 100644 index 000000000..2cc2abcd8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/iferror.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/insertcellwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/insertcellwindow.png index ef3dcace6..36b078d94 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/insertcellwindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/insertcellwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png index b38d1e9cd..1c431fe75 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png index 6da4dc41d..8d3825b75 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png index eb4e62b89..8044cd1f9 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..6cfe011fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png index faeda8cd9..4587652f4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png index 3cab3cf51..032d9e86b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png index f2b41c615..5167c404a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png index 8ac703094..fe69a00c0 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png index ab8eb7ce1..21cc213c5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png index 632eddbc0..c4ceb56d7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png index 7b02a253b..af120db0c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png index 7e0f24574..e140a41af 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png index 14f6545c9..5c8658e44 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png new file mode 100644 index 000000000..6928f480c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png index f2eb55fb3..5fcf2b7a3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/keytips1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/keytips1.png new file mode 100644 index 000000000..63bb2b09c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/keytips1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/keytips2.png b/apps/spreadsheeteditor/main/resources/help/ru/images/keytips2.png new file mode 100644 index 000000000..0cbbb54e8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/keytips2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/list_worksheets.png b/apps/spreadsheeteditor/main/resources/help/ru/images/list_worksheets.png new file mode 100644 index 000000000..d105539ae Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/list_worksheets.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/lookup.gif b/apps/spreadsheeteditor/main/resources/help/ru/images/lookup.gif new file mode 100644 index 000000000..c55705bd2 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/lookup.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/move_sheet.gif b/apps/spreadsheeteditor/main/resources/help/ru/images/move_sheet.gif new file mode 100644 index 000000000..0abb573d1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/move_sheet.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png index 89e297896..d7a5322c5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheet.png b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheet.png new file mode 100644 index 000000000..7908f6ac1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheettab.png new file mode 100644 index 000000000..78ffd807c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/protect_workbook.png b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_workbook.png new file mode 100644 index 000000000..800eb2134 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/protect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/protectsheet_highlighted.png b/apps/spreadsheeteditor/main/resources/help/ru/images/protectsheet_highlighted.png new file mode 100644 index 000000000..1ab3b7111 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/protectsheet_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/protectworkbook_highlighted.png b/apps/spreadsheeteditor/main/resources/help/ru/images/protectworkbook_highlighted.png new file mode 100644 index 000000000..ae78a0e69 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/protectworkbook_highlighted.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/setpassword.png b/apps/spreadsheeteditor/main/resources/help/ru/images/setpassword.png index 8d73551c0..fac046d32 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/setpassword.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/setpassword.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/sheetlist.png b/apps/spreadsheeteditor/main/resources/help/ru/images/sheetlist.png new file mode 100644 index 000000000..6cb8b0d76 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/sheetlist.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick.png b/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick.png new file mode 100644 index 000000000..44dbd132c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick2.png b/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick2.png new file mode 100644 index 000000000..b2a451f85 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/smartart_rightclick2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/sortcomments.png b/apps/spreadsheeteditor/main/resources/help/ru/images/sortcomments.png new file mode 100644 index 000000000..102891310 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/sortcomments.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/sortcommentsicon.png b/apps/spreadsheeteditor/main/resources/help/ru/images/sortcommentsicon.png new file mode 100644 index 000000000..9e3ff28fe Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/sortcommentsicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/sumif.gif b/apps/spreadsheeteditor/main/resources/help/ru/images/sumif.gif new file mode 100644 index 000000000..b86301890 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/sumif.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas.png b/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas.png new file mode 100644 index 000000000..420c51d41 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas1.png new file mode 100644 index 000000000..5c71f6195 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/tableformulas1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/unlockrange.png b/apps/spreadsheeteditor/main/resources/help/ru/images/unlockrange.png new file mode 100644 index 000000000..f14dcfa68 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/unlockrange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheet.png b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheet.png new file mode 100644 index 000000000..20ab02817 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheettab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheettab.png new file mode 100644 index 000000000..6273cd00e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_sheettab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_workbook.png b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_workbook.png new file mode 100644 index 000000000..defc6ff1e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/unprotect_workbook.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistory.png b/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistory.png new file mode 100644 index 000000000..080b39e4f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistory.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistoryicon.png b/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistoryicon.png new file mode 100644 index 000000000..fe6cdf49f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/versionhistoryicon.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 8f4f93e56..c40bb5912 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -103,7 +103,7 @@ var indexes = { "id": "Functions/average.htm", "title": "Функция СРЗНАЧ", - "body": "Функция СРЗНАЧ - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение. Синтаксис функции СРЗНАЧ: СРЗНАЧ(список_аргументов) где список_аргументов - это до 255 числовых значений, введенных вручную или находящихся в ячейках, на которые даются ссылки. Чтобы применить функцию СРЗНАЧ: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧ, введите требуемые аргументы через точку с запятой или выделите мышью диапазон ячеек, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СРЗНАЧ - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение. Синтаксис функции СРЗНАЧ: СРЗНАЧ(список_аргументов) где список_аргументов - это до 255 числовых значений, введенных вручную или находящихся в ячейках, на которые даются ссылки. Как работает функция СРЗНАЧ Чтобы применить функцию СРЗНАЧ: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧ, введите требуемые аргументы через точку с запятой или выделите мышью диапазон ячеек, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/averagea.htm", @@ -113,12 +113,12 @@ var indexes = { "id": "Functions/averageif.htm", "title": "Функция СРЗНАЧЕСЛИ", - "body": "Функция СРЗНАЧЕСЛИ - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение всех чисел в диапазоне ячеек, которые соответствуют заданному условию. Синтаксис функции СРЗНАЧЕСЛИ: СРЗНАЧЕСЛИ(диапазон;условия;[диапазон_усреднения]) где диапазон - выбранный диапазон ячеек, к которому применяется условие, условия - условие, которое требуется применить; значение, введенное вручную или находящееся в ячейке, на которую дается ссылка, диапазон_усреднения - выбранный диапазон ячеек, для которого необходимо вычислить среднее значение. Примечание: диапазон_усреднения - необязательный аргумент. Если он опущен, функция вычисляет среднее значение в диапазоне диапазон. Чтобы применить функцию СРЗНАЧЕСЛИ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧЕСЛИ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СРЗНАЧЕСЛИ - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение всех чисел в диапазоне ячеек, которые соответствуют заданному условию. Синтаксис функции СРЗНАЧЕСЛИ: СРЗНАЧЕСЛИ(диапазон;условия;[диапазон_усреднения]) где диапазон - выбранный диапазон ячеек, к которому применяется условие, условия - условие, которое требуется применить; значение, введенное вручную или находящееся в ячейке, на которую дается ссылка, диапазон_усреднения - выбранный диапазон ячеек, для которого необходимо вычислить среднее значение. Примечание: диапазон_усреднения - необязательный аргумент. Если он опущен, функция вычисляет среднее значение в диапазоне диапазон. Как работает функция СРЗНАЧЕСЛИ Чтобы применить функцию СРЗНАЧЕСЛИ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧЕСЛИ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/averageifs.htm", "title": "Функция СРЗНАЧЕСЛИМН", - "body": "Функция СРЗНАЧЕСЛИМН - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение всех чисел в диапазоне ячеек, которые соответствуют нескольким заданным условиями. Синтаксис функции СРЗНАЧЕСЛИМН: СРЗНАЧЕСЛИМН(диапазон_усреднения;диапазон_условий1;условие1;[диапазон_условий2;условие2]; ...) где диапазон_усреднения - выбранный диапазон ячеек, для которого необходимо вычислить среднее значение. Это обязательный аргумент. диапазон_условий1 - первый выбранный диапазон ячеек, к которому применяется условие1. Это обязательный аргумент. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условий1 и определяет, для каких ячеек в диапазоне_усреднения вычислять среднее значение. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. Это обязательный аргумент. диапазон_условий2, условие2, ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Можно добавить до 127 диапазонов и соответствующих условий. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Чтобы применить функцию СРЗНАЧЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СРЗНАЧЕСЛИМН - это одна из статистических функций. Анализирует диапазон данных и вычисляет среднее значение всех чисел в диапазоне ячеек, которые соответствуют нескольким заданным условиями. Синтаксис функции СРЗНАЧЕСЛИМН: СРЗНАЧЕСЛИМН(диапазон_усреднения;диапазон_условий1;условие1;[диапазон_условий2;условие2]; ...) где диапазон_усреднения - выбранный диапазон ячеек, для которого необходимо вычислить среднее значение. Это обязательный аргумент. диапазон_условий1 - первый выбранный диапазон ячеек, к которому применяется условие1. Это обязательный аргумент. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условий1 и определяет, для каких ячеек в диапазоне_усреднения вычислять среднее значение. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. Это обязательный аргумент. диапазон_условий2, условие2, ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Можно добавить до 127 диапазонов и соответствующих условий. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Как работает функция СРЗНАЧЕСЛИМН Чтобы применить функцию СРЗНАЧЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СРЗНАЧЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/base.htm", @@ -408,7 +408,7 @@ var indexes = { "id": "Functions/countifs.htm", "title": "Функция СЧЁТЕСЛИМН", - "body": "Функция СЧЁТЕСЛИМН - это одна из статистических функций. Она используется для подсчета количества ячеек выделенного диапазона, соответствующих нескольким заданным условиям. Синтаксис функции СЧЁТЕСЛИМН: СЧЁТЕСЛИМН(диапазон_условия1;условие1;[диапазон_условия2;условие2]; ...) где диапазон_условия1 - первый выбранный диапазон ячеек, к которому применяется условие1. Это обязательный аргумент. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условия1 и определяет, какие ячейки в диапазоне_условия1 необходимо учитывать. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. Это обязательный аргумент. диапазон_условия2, условие2, ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Можно добавить до 127 диапазонов и соответствующих условий. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Если требуется найти вопросительный знак или звездочку, введите перед этим символом тильду (~). Чтобы применить функцию СЧЁТЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СЧЁТЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СЧЁТЕСЛИМН - это одна из статистических функций. Она используется для подсчета количества ячеек выделенного диапазона, соответствующих нескольким заданным условиям. Синтаксис функции СЧЁТЕСЛИМН: СЧЁТЕСЛИМН(диапазон_условия1;условие1;[диапазон_условия2;условие2]; ...) где диапазон_условия1 - первый выбранный диапазон ячеек, к которому применяется условие1. Это обязательный аргумент. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условия1 и определяет, какие ячейки в диапазоне_условия1 необходимо учитывать. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. Это обязательный аргумент. диапазон_условия2, условие2, ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Можно добавить до 127 диапазонов и соответствующих условий. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Если требуется найти вопросительный знак или звездочку, введите перед этим символом тильду (~). Как работает функция СЧЁТЕСЛИМН Чтобы применить функцию СЧЁТЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции СЧЁТЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/coupdaybs.htm", @@ -938,7 +938,7 @@ var indexes = { "id": "Functions/hlookup.htm", "title": "Функция ГПР", - "body": "Функция ГПР - это одна из поисковых функций. Она используется для выполнения горизонтального поиска значения в верхней строке таблицы или массива и возвращает значение, которое находится в том же самом столбце в строке с заданным номером. Синтаксис функции ГПР: ГПР(искомое_значение;таблица;номер_строки;[интервальный_просмотр]) где искомое_значение - это значение, которое необходимо найти, таблица - это две или более строки с данными, отсортированными в порядке возрастания, номер_строки - это номер строки в том же самом столбце таблицы; числовое значение, большее или равное 1, но меньшее, чем количество строк в таблице, интервальный_просмотр - необязательный аргумент. Это логическое значение: ИСТИНА или ЛОЖЬ. Введите значение ЛОЖЬ для поиска точного соответствия. Введите значение ИСТИНА для поиска приблизительного соответствия, в этом случае при отсутствии значения, строго соответствующего искомому значению, функция выбирает следующее наибольшее значение, которое меньше, чем искомое значение. Если этот аргумент отсутствует, функция находит приблизительное соответствие. Примечание: если аргумент интервальный_просмотр имеет значение ЛОЖЬ, но точное соответствие не найдено, функция возвращает ошибку #Н/Д. Чтобы применить функцию ГПР: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ГПР, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция ГПР - это одна из поисковых функций. Она используется для выполнения горизонтального поиска значения в верхней строке таблицы или массива и возвращает значение, которое находится в том же самом столбце в строке с заданным номером. Синтаксис функции ГПР: ГПР(искомое_значение;таблица;номер_строки;[интервальный_просмотр]) где искомое_значение - это значение, которое необходимо найти, таблица - это две или более строки с данными, отсортированными в порядке возрастания, номер_строки - это номер строки в том же самом столбце таблицы; числовое значение, большее или равное 1, но меньшее, чем количество строк в таблице, интервальный_просмотр - необязательный аргумент. Это логическое значение: ИСТИНА или ЛОЖЬ. Введите значение ЛОЖЬ для поиска точного соответствия. Введите значение ИСТИНА для поиска приблизительного соответствия, в этом случае при отсутствии значения, строго соответствующего искомому значению, функция выбирает следующее наибольшее значение, которое меньше, чем искомое значение. Если этот аргумент отсутствует, функция находит приблизительное соответствие. Примечание: если аргумент интервальный_просмотр имеет значение ЛОЖЬ, но точное соответствие не найдено, функция возвращает ошибку #Н/Д. Как работает функция ГПР Чтобы применить функцию ГПР: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ГПР, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/hour.htm", @@ -968,7 +968,7 @@ var indexes = { "id": "Functions/iferror.htm", "title": "Функция ЕСЛИОШИБКА", - "body": "Функция ЕСЛИОШИБКА - это одна из логических функций. Используется для проверки формулы на наличие ошибок в первом аргументе. Функция возвращает результат формулы, если ошибки нет, или определенное значение, если она есть. Синтаксис функции ЕСЛИОШИБКА: ЕСЛИОШИБКА(значение;значение_если_ошибка) где значение и значение_если_ошибка - это значения, введенные вручную или находящиеся в ячейке, на которую дается ссылка. Чтобы применить функцию ЕСЛИОШИБКА: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Логические, щелкните по функции ЕСЛИОШИБКА, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке. Например: Здесь два аргумента: значение = A1/B1, значение_если_ошибка = \"ошибка\", где A1 имеет значение 12, B1 имеет значение 3. Данная формула не содержит ошибок в первом аргументе. Следовательно, функция возвращает результат вычисления. Если изменить значение B1 с 3 на 0, то, поскольку на ноль делить нельзя, функция возвращает значение ошибка:" + "body": "Функция ЕСЛИОШИБКА - это одна из логических функций. Используется для проверки формулы на наличие ошибок в первом аргументе. Функция возвращает результат формулы, если ошибки нет, или определенное значение, если она есть. Синтаксис функции ЕСЛИОШИБКА: ЕСЛИОШИБКА(значение;значение_если_ошибка) где значение и значение_если_ошибка - это значения, введенные вручную или находящиеся в ячейке, на которую дается ссылка. Как работает функция ЕСЛИОШИБКА Чтобы применить функцию ЕСЛИОШИБКА: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Логические, щелкните по функции ЕСЛИОШИБКА, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке. Например: Здесь два аргумента: значение = A1/B1, значение_если_ошибка = \"ошибка\", где A1 имеет значение 12, B1 имеет значение 3. Данная формула не содержит ошибок в первом аргументе. Следовательно, функция возвращает результат вычисления. Если изменить значение B1 с 3 на 0, то, поскольку на ноль делить нельзя, функция возвращает значение ошибка." }, { "id": "Functions/ifna.htm", @@ -978,7 +978,7 @@ var indexes = { "id": "Functions/ifs.htm", "title": "Функция ЕСЛИМН", - "body": "Функция ЕСЛИМН - это одна из логических функций. Проверяет соответствие одному или нескольким условиям и возвращает значение для первого условия, принимающего значение ИСТИНА. Синтаксис функции ЕСЛИМН: ЕСЛИМН(условие1;значение1;[условие2;значение2]; ...) где условие1 - первое условие, которое оценивается как имеющие значение ИСТИНА или ЛОЖЬ. значение1 - значение, возвращаемое, если условие1 принимает значение ИСТИНА. условие2, значение2, ... - дополнительные условия и возвращаемые значения. Это необязательные аргументы. Можно проверить до 127 условий. Эти аргументы можно ввести вручную или использовать в качестве аргументов ссылки на ячейки. Чтобы применить функцию ЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Логические, щелкните по функции ЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке. Например: Здесь используются следующие аргументы: условие1 = A1<100, значение1 = 1, условие2 = A1>100, значение2 = 2, где A1 имеет значение 120. Второе логическое выражение имеет значение ИСТИНА. Следовательно, функция возвращает значение 2." + "body": "Функция ЕСЛИМН - это одна из логических функций. Проверяет соответствие одному или нескольким условиям и возвращает значение для первого условия, принимающего значение ИСТИНА. Синтаксис функции ЕСЛИМН: ЕСЛИМН(условие1;значение1;[условие2;значение2]; ...) где условие1 - первое условие, которое оценивается как имеющие значение ИСТИНА или ЛОЖЬ. значение1 - значение, возвращаемое, если условие1 принимает значение ИСТИНА. условие2, значение2, ... - дополнительные условия и возвращаемые значения. Это необязательные аргументы. Можно проверить до 127 условий. Эти аргументы можно ввести вручную или использовать в качестве аргументов ссылки на ячейки. Как работает функция ЕСЛИМН Чтобы применить функцию ЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Логические, щелкните по функции ЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке. Например: Здесь используются следующие аргументы: условие1 = A1<100, значение1 = 1, условие2 = A1>100, значение2 = 2, где A1 имеет значение 120. Второе логическое выражение имеет значение ИСТИНА. Следовательно, функция возвращает значение 2." }, { "id": "Functions/imabs.htm", @@ -1298,7 +1298,7 @@ var indexes = { "id": "Functions/lookup.htm", "title": "Функция ПРОСМОТР", - "body": "Функция ПРОСМОТР - это одна из поисковых функций. Она возвращает значение из выбранного диапазона (строки или столбца с данными, отсортированными в порядке возрастания). Синтаксис функции ПРОСМОТР: ПРОСМОТР(искомое_значение;просматриваемый_вектор;[вектор_результатов]) где искомое_значение - искомое значение, просматриваемый_вектор - одна строка или столбец с данными, отсортированными в порядке возрастания, вектор_результатов - одна строка или столбец с данными. Должен иметь такой же размер, что и просматриваемый_вектор. Функция выполняет поиск искомого значения в векторе поиска и возвращает значение, находящееся в той же самой позиции в векторе результатов. Примечание: если искомое значение меньше, чем все значения в просматриваемом векторе, функция возвращает ошибку #Н/Д. Если значение, строго соответствующее искомому значению, отсутствует, то функция выбирает в просматриваемом векторе наибольшее значение, которое меньше искомого значения или равно ему. Чтобы применить функцию ПРОСМОТР: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ПРОСМОТР, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция ПРОСМОТР - это одна из поисковых функций. Она возвращает значение из выбранного диапазона (строки или столбца с данными, отсортированными в порядке возрастания). Синтаксис функции ПРОСМОТР: ПРОСМОТР(искомое_значение;просматриваемый_вектор;[вектор_результатов]) где искомое_значение - искомое значение, просматриваемый_вектор - одна строка или столбец с данными, отсортированными в порядке возрастания, вектор_результатов - одна строка или столбец с данными. Должен иметь такой же размер, что и просматриваемый_вектор. Функция выполняет поиск искомого значения в векторе поиска и возвращает значение, находящееся в той же самой позиции в векторе результатов. Примечание: если искомое значение меньше, чем все значения в просматриваемом векторе, функция возвращает ошибку #Н/Д. Если значение, строго соответствующее искомому значению, отсутствует, то функция выбирает в просматриваемом векторе наибольшее значение, которое меньше искомого значения или равно ему. Как работает функция ПРОСМОТР Чтобы применить функцию ПРОСМОТР: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ПРОСМОТР, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/lower.htm", @@ -1968,17 +1968,17 @@ var indexes = { "id": "Functions/sum.htm", "title": "Функция СУММ", - "body": "Функция СУММ - это одна из математических и тригонометрических функций. Возвращает результат сложения всех чисел в выбранном диапазоне ячеек. Синтаксис функции СУММ: СУММ(список_аргументов) где список_аргументов - это ряд числовых значений, введенных вручную или находящихся в ячейках, на которые дается ссылка. Чтобы применить функцию СУММ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул и выберите функцию СУММ из группы функций Математические, введите требуемые аргументы через точку с запятой или выделите мышью диапазон ячеек, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СУММ - это одна из математических и тригонометрических функций. Возвращает результат сложения всех чисел в выбранном диапазоне ячеек. Синтаксис функции СУММ: СУММ(список_аргументов) где список_аргументов - это ряд числовых значений, введенных вручную или находящихся в ячейках, на которые дается ссылка. Как работает функция СУММ Чтобы применить функцию СУММ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул и выберите функцию СУММ из группы функций Математические, введите требуемые аргументы через точку с запятой или выделите мышью диапазон ячеек, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/sumif.htm", "title": "Функция СУММЕСЛИ", - "body": "Функция СУММЕСЛИ - это одна из математических и тригонометрических функций. Суммирует все числа в выбранном диапазоне ячеек в соответствии с заданным условием и возвращает результат. Синтаксис функции СУММЕСЛИ: СУММЕСЛИ(диапазон;условие;[диапазон_суммирования]) где диапазон - выбранный диапазон ячеек, к которому применяется условие. условие - условие, определяющее, какие ячейки требуется просуммировать; значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. диапазон_суммирования - диапазон ячеек, который требуется просуммировать. Необязательный аргумент. Если он опущен, суммируются ячейки, указанные в аргументе диапазон. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Чтобы применить функцию СУММЕСЛИ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Математические, щелкните по функции СУММЕСЛИ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СУММЕСЛИ - это одна из математических и тригонометрических функций. Суммирует все числа в выбранном диапазоне ячеек в соответствии с заданным условием и возвращает результат. Синтаксис функции СУММЕСЛИ: СУММЕСЛИ(диапазон;условие;[диапазон_суммирования]) где диапазон - выбранный диапазон ячеек, к которому применяется условие. условие - условие, определяющее, какие ячейки требуется просуммировать; значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. диапазон_суммирования - диапазон ячеек, который требуется просуммировать. Необязательный аргумент. Если он опущен, суммируются ячейки, указанные в аргументе диапазон. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Как работает функция СУММЕСЛИ Чтобы применить функцию СУММЕСЛИ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Математические, щелкните по функции СУММЕСЛИ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/sumifs.htm", "title": "Функция СУММЕСЛИМН", - "body": "Функция СУММЕСЛИМН - это одна из математических и тригонометрических функций. Суммирует все числа в выбранном диапазоне ячеек в соответствии с несколькими условиями и возвращает результат. Синтаксис функции СУММЕСЛИМН: СУММЕСЛИМН(диапазон_суммирования;диапазон_условия1;условие1;[диапазон_условия2;условие2]; ...) где диапазон_суммирования - диапазон ячеек, который требуется просуммировать. диапазон_условия1 - первый выбранный диапазон ячеек, к которому применяется условие1. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условия1 и определяет, какие ячейки в диапазоне_суммирования требуется просуммировать. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. диапазон_условия2, условие2 ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Чтобы применить функцию СУММЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Математические, щелкните по функции СУММЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция СУММЕСЛИМН - это одна из математических и тригонометрических функций. Суммирует все числа в выбранном диапазоне ячеек в соответствии с несколькими условиями и возвращает результат. Синтаксис функции СУММЕСЛИМН: СУММЕСЛИМН(диапазон_суммирования;диапазон_условия1;условие1;[диапазон_условия2;условие2]; ...) где диапазон_суммирования - диапазон ячеек, который требуется просуммировать. диапазон_условия1 - первый выбранный диапазон ячеек, к которому применяется условие1. условие1 - первое условие, которое должно выполняться. Оно применяется к диапазону_условия1 и определяет, какие ячейки в диапазоне_суммирования требуется просуммировать. Это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. диапазон_условия2, условие2 ... - дополнительные диапазоны ячеек и соответствующие условия. Это необязательные аргументы. Примечание: при указании условий можно использовать подстановочные знаки. Вопросительный знак \"?\" может замещать любой отдельный символ, а звездочку \"*\" можно использовать вместо любого количества символов. Как работает функция СУММЕСЛИМН Чтобы применить функцию СУММЕСЛИМН, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Математические, щелкните по функции СУММЕСЛИМН, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/sumproduct.htm", @@ -2308,32 +2308,32 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора электронных таблиц", - "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы. Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца. Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. Светлая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Светлая классическая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе электронных таблиц есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул, аргументов и их описания. Язык формул поддерживается на 31 языке: белорусский, болгарский, каталонский, китайский, чешский, датский, голландский, английский, финский, французский, немецкий, греческий, венгерский, индонезийский, итальянский, японский, корейский, лаосский, латышский, норвежский, польский, португальский, румынский, русский, словацкий, словенский, испанский, шведский, турецкий, украинский, вьетнамский. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Разделитель - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию. Настройки макросов - используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице; Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице; Включить все, чтобы автоматически запускать все макросы в электронной таблице. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы. Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца. Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. Светлая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Светлая классическая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Примечание: Помимо доступных тем интерфейса Светлая, Светлая классическая и Темная, в редакторах ONLYOFFICE теперь можно использовать собственную цветовую тему. Чтобы узнать, как это сделать, пожалуйста, следуйте данному руководству. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе электронных таблиц есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул, аргументов и их описания. Язык формул поддерживается на 31 языке: белорусский, болгарский, каталонский, китайский, чешский, датский, голландский, английский, финский, французский, немецкий, греческий, венгерский, индонезийский, итальянский, японский, корейский, лаосский, латышский, норвежский, польский, португальский (Бразилия), португальский (Португалия), румынский, русский, словацкий, словенский, испанский, шведский, турецкий, украинский, вьетнамский. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Разделитель - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию. Настройки макросов - используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице; Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице; Включить все, чтобы автоматически запускать все макросы в электронной таблице. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование электронных таблиц", - "body": "В редакторе электронных таблиц вы можете работать над электронной таблицей совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой электронной таблице визуальная индикация ячеек, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей электронной таблицы комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе электронных таблиц можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие. Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки, а также ярлычок листа, на котором находятся эти ячейки, помечаются пунктирными линиями разных цветов. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . C его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование электронной таблицы, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в левом верхнем углу примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице. Добавление упоминаний При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В Редакторе электронных таблиц вы можете работать над электронной таблицей совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой электронной таблице визуальная индикация ячеек, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей электронной таблицы комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе электронных таблиц можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие. Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки, а также ярлычок листа, на котором находятся эти ячейки, помечаются пунктирными линиями разных цветов. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . C его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование электронной таблицы, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в левом верхнем углу примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отсортируйте добавленные комментарии, нажав на значок : по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию. по автору: По автору от А до Я или По автору от Я до А по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу. по группе: Все или выберите определенную группу из списка отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице. Добавление упоминаний Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу. При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/ImportData.htm", "title": "Получение данных из текстового/CSV-файла", - "body": "Если вам нужно быстро получить данные из .txt/.csv файла и правильно расположить их в электронной таблице, используйте функцию Получить данные из текстового/CSV-файла, находящуюся на вкладке Данные. Шаг 1. Импорт файла Щелкните функцию Получить данные из текстового/CSV-файла на вкладке Данные. Выберите один из двух вариантов импорта: Из локального TXT/CSV файла: найдите нужный файл на жестком диске, выберите его и нажмите Открыть. По URL TXT/CSV файла: вставьте ссылку на файл или веб-страницу в поле Вставьте URL-адрес данных и нажмите ОК. Шаг 2. Настройка параметров Окно Мастер импорта текста содержит четыре раздела: Кодировка, Разделитель, Просмотр и Выберите, где поместить данные. Кодировка. По умолчанию для параметра установлено значение UTF-8. Оставьте это или выберите нужный тип из выпадающего меню. Разделитель. Параметр устанавливает тип разделителя, используемый для распределения текста по ячейкам. Доступны следующие разделители: Запятая, Точка с запятой, Двоеточие, Табуляция, Пробел и Другое (введите вручную). Нажмите кнопку Дополнительно, расположенную справа, чтобы установить десятичный разделитель и разделитель тысяч. Разделителями по умолчанию являются «.» для десятков и «,» для тысяч. Просмотр. В разделе показано, как текст будет располагаться в ячейках таблицы. Выберите, где поместить данные. Введите требуемый диапазон в поле или выберите его с помощью кнопки Выбор данных. Нажмите ОК, чтобы получить данные из файла и выйти из Мастера импорта текста." + "body": "Если вам нужно быстро получить данные из .txt/.csv файла и правильно расположить их в электронной таблице, используйте функцию Получить данные из текстового/CSV-файла, находящуюся на вкладке Данные. Шаг 1. Импорт файла Щелкните функцию Получить данные из текстового/CSV-файла на вкладке Данные. Выберите один из двух вариантов импорта: Из локального TXT/CSV файла: найдите нужный файл на жестком диске, выберите его и нажмите Открыть. По URL TXT/CSV файла: вставьте ссылку на файл или веб-страницу в поле Вставьте URL-адрес данных и нажмите ОК. В этом случае нельзя использовать ссылку для просмотра или редактирования файла, хранящегося на портале ONLYOFFICE или в стороннем хранилище. Воспользуйтесь ссылкой, чтобы скачать файл. Шаг 2. Настройка параметров Окно Мастер импорта текста содержит четыре раздела: Кодировка, Разделитель, Просмотр и Выберите, где поместить данные. Кодировка. По умолчанию для параметра установлено значение UTF-8. Оставьте это или выберите нужный тип из выпадающего меню. Разделитель. Параметр устанавливает тип разделителя, используемый для распределения текста по ячейкам. Доступны следующие разделители: Запятая, Точка с запятой, Двоеточие, Табуляция, Пробел и Другое (введите вручную). Нажмите кнопку Дополнительно, расположенную справа, чтобы настроить параметры для числовых данных: Установите Десятичный разделитель и Разделитель разрядов тысяч. Разделителями по умолчанию являются «.» для десятков и «,» для тысяч. Выберите Классификатор текста. Классификатор текста – это символ, который используется для распознавания начала и окончания текста при импорте данных. Доступные варианты: (нет), двойные кавычки и запятая. Просмотр. В разделе показано, как текст будет располагаться в ячейках таблицы. Выберите, где поместить данные. Введите требуемый диапазон в поле или выберите его с помощью кнопки Выбор данных. Нажмите ОК, чтобы получить данные из файла и выйти из Мастера импорта текста." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Windows/Linux Mac OS Работа с электронной таблицей Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить электронную таблицу Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать электронной таблицы Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран. Меню Справка F1 F1 Открыть меню Справка онлайн-редактора электронных таблиц. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Закрыть выбранную рабочую книгу в десктопных редакторах. Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Сбросить масштаб Ctrl+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо ← → ↑ ↓ ← → ↑ ↓ Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю текущей области данных Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Выделить ячейку на краю текущей области данных на листе. Перейти в начало строки Home Home Выделить ячейку в столбце A текущей строки. Перейти в начало электронной таблицы Ctrl+Home ^ Ctrl+Home Выделить ячейку A1. Перейти в конец строки End, Ctrl+→ End, ⌘ Cmd+→ Выделить последнюю ячейку текущей строки. Перейти в конец электронной таблицы Ctrl+End ^ Ctrl+End Выделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста. Перейти на предыдущий лист Alt+Page Up ⌥ Option+Page Up Перейти на предыдущий лист электронной таблицы. Перейти на следующий лист Alt+Page Down ⌥ Option+Page Down Перейти на следующий лист электронной таблицы. Перейти на одну строку вверх ↑, ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Выделить ячейку выше текущей, расположенную в том же самом столбце. Перейти на одну строку вниз ↓, ↵ Enter ↵ Return Выделить ячейку ниже текущей, расположенную в том же самом столбце. Перейти на один столбец влево ←, ⇧ Shift+↹ Tab ←, ⇧ Shift+↹ Tab Выделить предыдущую ячейку текущей строки. Перейти на один столбец вправо →, ↹ Tab →, ↹ Tab Выделить следующую ячейку текущей строки. Перейти на один экран вниз Page Down Page Down Перейти на один экран вниз по рабочему листу. Перейти на один экран вверх Page Up Page Up Перейти на один экран вверх по рабочему листу. Увеличить Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемой электронной таблицы. Перейти между элементами управления Tab, Shift+Tab Tab, Shift+Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Выделение данных Выделить все Ctrl+A, Ctrl+⇧ Shift+␣ Spacebar ⌘ Cmd+A Выделить весь рабочий лист. Выделить столбец Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Выделить весь столбец на рабочем листе. Выделить строку ⇧ Shift+␣ Spacebar ⇧ Shift+␣ Spacebar Выделить всю строку на рабочем листе. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделять ячейку за ячейкой. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент с позиции курсора до конца текущей строки. Расширить выделенный диапазон до начала рабочего листа Ctrl+⇧ Shift+Home ^ Ctrl+⇧ Shift+Home Выделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа. Расширить выделенный диапазон до последней используемой ячейки Ctrl+⇧ Shift+End ^ Ctrl+⇧ Shift+End Выделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул. Выделить одну ячейку слева ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Выделить одну ячейку слева в таблице. Выделить одну ячейку справа ↹ Tab ↹ Tab Выделить одну ячейку справа в таблице. Расширить выделенный диапазон до последней непустой ячейки справа ⇧ Shift+Alt+End, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+End Расширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки слева ⇧ Shift+Alt+Home, Ctrl+⇧ Shift+← ⇧ Shift+⌥ Option+Home Расширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбце Ctrl+⇧ Shift+↑ ↓ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон на один экран вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Расширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки. Расширить выделенный диапазон на один экран вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Расширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки. Отмена и повтор Отменить Ctrl+Z ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ⌘ Cmd+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Вырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы. Форматирование данных Полужирный шрифт Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность, или удалить форматирование полужирным шрифтом. Курсив Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом. Подчеркнутый шрифт Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание. Зачеркнутый шрифт Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание. Добавить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку на внешний сайт или на другой рабочий лист. Редактирование активной ячейки F2 F2 Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул. Фильтрация данных Включить/Удалить фильтр Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Включить фильтр для выбранного диапазона ячеек или удалить фильтр. Форматировать как таблицу Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Применить к выбранному диапазону ячеек форматирование таблицы. Ввод данных Завершить ввод в ячейку и перейти вниз ↵ Enter ↵ Return Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже. Завершить ввод в ячейку и перейти вверх ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Завершить ввод в выделенную ячейку и перейти в ячейку выше. Начать новую строку Alt+↵ Enter Начать новую строку в той же самой ячейке. Отмена Esc Esc Отменить ввод в выделенную ячейку или строку формул. Удалить знак слева ← Backspace ← Backspace Удалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки. Удалить знак справа Delete Delete, Fn+← Backspace Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Очистить содержимое ячеек Delete, ← Backspace Delete, ← Backspace Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Завершить ввод в ячейку и перейти вправо ↹ Tab ↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа. Завершить ввод в ячейку и перейти влево ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Вставка ячеек Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца. Удаление ячеек Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца. Вставка текущей даты Ctrl+; Ctrl+; Вставить сегодняшнюю дату в активную ячейку. Вставка текущего времени Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Вставить текущее время в активную ячейку. Вставка текущей даты и времени Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Вставить текущую дату и время в активную ячейку. Функции Вставка функции ⇧ Shift+F3 ⇧ Shift+F3 Открыть диалоговое окно для вставки новой функции путем выбора из списка. Функция SUM Alt+= ⌥ Option+= Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+↓ Открыть выбранный выпадающий список. Открыть контекстное меню ≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Пересчет функций F9 F9 Выполнить пересчет всей рабочей книги. Пересчет функций ⇧ Shift+F9 ⇧ Shift+F9 Выполнить пересчет текущего рабочего листа. Форматы данных Открыть диалоговое окно 'Числовой формат' Ctrl+1 ^ Ctrl+1 Открыть диалоговое окно Числовой формат. Применить общий формат Ctrl+⇧ Shift+~ ^ Ctrl+⇧ Shift+~ Применить Общий числовой формат. Применить денежный формат Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках). Применить процентный формат Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Применить Процентный формат без дробной части. Применить экспоненциальный формат Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Применить Экспоненциальный числовой формат с двумя десятичными знаками. Применить формат даты Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Применить формат Даты с указанием дня, месяца и года. Применить формат времени Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Применить формат Времени с отображением часов и минут и индексами AM или PM. Применить числовой формат Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз." + "body": "Подсказки для клавиш Используйте сочетания клавиш для более быстрого и удобного доступа к функциям Редактора электронных таблиц без использования мыши. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния. Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам. Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки. Затем нажмите букву, соответствующую элементу, который вы хотите использовать. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш. Windows/Linux Mac OS Работа с электронной таблицей Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить электронную таблицу Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать электронной таблицы Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран. Меню Справка F1 F1 Открыть меню Справка онлайн-редактора электронных таблиц. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Закрыть выбранную рабочую книгу в десктопных редакторах. Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Сбросить масштаб Ctrl+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо ← → ↑ ↓ ← → ↑ ↓ Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю видимой области данных или к следующей заполненной ячейке Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Выделить ячейку на краю видимой области данных или следующую заполненную ячейку на листе. Если в области нет данных, будет выделена последняя ячейка видимой области. Если область содержит данные, будет выделена следующая заполненная ячейка. Перейти в начало строки Home Home Выделить ячейку в столбце A текущей строки. Перейти в начало электронной таблицы Ctrl+Home ^ Ctrl+Home Выделить ячейку A1. Перейти в конец строки End, Ctrl+→ End, ⌘ Cmd+→ Выделить последнюю ячейку текущей строки. Перейти в конец электронной таблицы Ctrl+End ^ Ctrl+End Выделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста. Перейти на предыдущий лист Alt+Page Up ⌥ Option+Page Up Перейти на предыдущий лист электронной таблицы. Перейти на следующий лист Alt+Page Down ⌥ Option+Page Down Перейти на следующий лист электронной таблицы. Перейти на одну строку вверх ↑, ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Выделить ячейку выше текущей, расположенную в том же самом столбце. Перейти на одну строку вниз ↓, ↵ Enter ↵ Return Выделить ячейку ниже текущей, расположенную в том же самом столбце. Перейти на один столбец влево ←, ⇧ Shift+↹ Tab ←, ⇧ Shift+↹ Tab Выделить предыдущую ячейку текущей строки. Перейти на один столбец вправо →, ↹ Tab →, ↹ Tab Выделить следующую ячейку текущей строки. Перейти на один экран вниз Page Down Page Down Перейти на один экран вниз по рабочему листу. Перейти на один экран вверх Page Up Page Up Перейти на один экран вверх по рабочему листу. Переместить вертикальную полосу прокрутки Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Переместить вертикальную полосу прокрутки Вверх/Вниз. Переместить горизонтальную полосу прокрутки Влево/Вправо ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз Перемещение горизонтальной полосы прокрутки влево/вправо. Чтобы переместить полосу прокрутки вправо, прокрутите колесико мыши вниз. Чтобы переместить полосу прокрутки влево, прокрутите колесо мыши вверх. Увеличить Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемой электронной таблицы. Перейти между элементами управления Tab, Shift+Tab Tab, Shift+Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Выделение данных Выделить все Ctrl+A, Ctrl+⇧ Shift+␣ Spacebar ⌘ Cmd+A Выделить весь рабочий лист. Выделить столбец Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Выделить весь столбец на рабочем листе. Выделить строку ⇧ Shift+␣ Spacebar ⇧ Shift+␣ Spacebar Выделить всю строку на рабочем листе. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделять ячейку за ячейкой. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент с позиции курсора до конца текущей строки. Расширить выделенный диапазон до начала рабочего листа Ctrl+⇧ Shift+Home ^ Ctrl+⇧ Shift+Home Выделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа. Расширить выделенный диапазон до последней используемой ячейки Ctrl+⇧ Shift+End ^ Ctrl+⇧ Shift+End Выделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул. Выделить одну ячейку слева ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Выделить одну ячейку слева в таблице. Выделить одну ячейку справа ↹ Tab ↹ Tab Выделить одну ячейку справа в таблице. Расширить выделенный диапазон до последней непустой ячейки справа ⇧ Shift+Alt+End, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+End Расширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки слева ⇧ Shift+Alt+Home, Ctrl+⇧ Shift+← ⇧ Shift+⌥ Option+Home Расширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбце Ctrl+⇧ Shift+↑ ↓ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон на один экран вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Расширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки. Расширить выделенный диапазон на один экран вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Расширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки. Отмена и повтор Отменить Ctrl+Z ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ⌘ Cmd+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Вырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы. Форматирование данных Полужирный шрифт Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста полужирным, придав ему большую насыщенность, или удалить форматирование полужирным шрифтом. Курсив Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом. Подчеркнутый шрифт Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание. Зачеркнутый шрифт Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание. Добавить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку на внешний сайт или на другой рабочий лист. Редактирование активной ячейки F2 F2 Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул. Фильтрация данных Включить/Удалить фильтр Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Включить фильтр для выбранного диапазона ячеек или удалить фильтр. Форматировать как таблицу Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Применить к выбранному диапазону ячеек форматирование таблицы. Ввод данных Завершить ввод в ячейку и перейти вниз ↵ Enter ↵ Return Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже. Завершить ввод в ячейку и перейти вверх ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Завершить ввод в выделенную ячейку и перейти в ячейку выше. Начать новую строку Alt+↵ Enter Начать новую строку в той же самой ячейке. Отмена Esc Esc Отменить ввод в выделенную ячейку или строку формул. Удалить знак слева ← Backspace ← Backspace Удалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки. Удалить знак справа Delete Delete, Fn+← Backspace Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Очистить содержимое ячеек Delete, ← Backspace Delete, ← Backspace Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Завершить ввод в ячейку и перейти вправо ↹ Tab ↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа. Завершить ввод в ячейку и перейти влево ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Вставка ячеек Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца. Удаление ячеек Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца. Вставка текущей даты Ctrl+; Ctrl+; Вставить сегодняшнюю дату в активную ячейку. Вставка текущего времени Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Вставить текущее время в активную ячейку. Вставка текущей даты и времени Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Вставить текущую дату и время в активную ячейку. Функции Вставка функции ⇧ Shift+F3 ⇧ Shift+F3 Открыть диалоговое окно для вставки новой функции путем выбора из списка. Функция SUM Alt+= ⌥ Option+= Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+↓ Открыть выбранный выпадающий список. Открыть контекстное меню ≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Пересчет функций F9 F9 Выполнить пересчет всей рабочей книги. Пересчет функций ⇧ Shift+F9 ⇧ Shift+F9 Выполнить пересчет текущего рабочего листа. Форматы данных Открыть диалоговое окно 'Числовой формат' Ctrl+1 ^ Ctrl+1 Открыть диалоговое окно Числовой формат. Применить общий формат Ctrl+⇧ Shift+~ ^ Ctrl+⇧ Shift+~ Применить Общий числовой формат. Применить денежный формат Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках). Применить процентный формат Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Применить Процентный формат без дробной части. Применить экспоненциальный формат Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Применить Экспоненциальный числовой формат с двумя десятичными знаками. Применить формат даты Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Применить формат Даты с указанием дня, месяца и года. Применить формат времени Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Применить формат Времени с отображением часов и минут и индексами AM или PM. Применить числовой формат Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз." }, { "id": "HelpfulHints/Navigation.htm", "title": "Параметры представления и инструменты навигации", - "body": "В редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с электронной таблицей, щелкните по значку Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку формул - скрывает панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз. Скрыть заголовки - скрывает заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз. Скрыть линии сетки - скрывает линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз. Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей. Показывать тень закрепленной области - показывает, что столбцы и/или строки закреплены (появляется тонкая линия). Отображать нули - позволяет отображать «0» в ячейке. Чтобы включить/выключить эту опцию, на вкладке Вид поставьте/снимите флажок напротив Отображать нули. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект (например, изображение, диаграмму, фигуру) и щелкните по значку вкладки, которая в данный момент активирована. Чтобы свернуть правую боковую панель, щелкните по этому значку еще раз. Можно также изменить размер открытой панели Комментарии или Чат путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по электронной таблице используйте следующие инструменты: Используйте клавишу Tab на клавиатуре, чтобы перейти к ячейке справа от выбранной. Полосы прокрутки (внизу или справа) используются для прокручивания текущего листа вверх/вниз и влево/вправо. Для навигации по электронной таблице с помощью полос прокрутки: нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки; перетаскивайте ползунок прокрутки; щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки. Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши. Кнопки Навигации по листам расположены в левом нижнем углу и используются для прокручивания списка листов вправо и влево и перемещения между ярлычками листов. нажмите на кнопку Прокрутить до первого листа , чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа; нажмите на кнопку Прокрутить список листов влево , чтобы прокрутить список листов текущей электронной таблицы влево; нажмите на кнопку Прокрутить список листов вправо , чтобы прокрутить список листов текущей электронной таблицы вправо; нажмите на кнопку Прокрутить до последнего листа , чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа; Можно активировать соответствующий лист, щелкнув по ярлычку листа внизу рядом с кнопками Навигации по листам. Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или используйте кнопки Увеличить или Уменьшить . Параметры масштаба доступны также из выпадающего списка Параметры представления ." + "body": "В Редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с электронной таблицей, щелкните по значку Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку формул - скрывает панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз. Объединить строки листов и состояния - отображает все инструменты навигации и строку состояния в одной объединенной строке. Данная опция включена по умолчанию. Если ее отключить, строка состояния и строка листов будет отображаться отдельно. Скрыть заголовки - скрывает заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз. Скрыть линии сетки - скрывает линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз. Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей. Показывать тень закрепленной области - показывает, что столбцы и/или строки закреплены (появляется тонкая линия). Отображать нули - позволяет отображать «0» в ячейке. Чтобы включить/выключить эту опцию, на вкладке Вид поставьте/снимите флажок напротив Отображать нули. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект (например, изображение, диаграмму, фигуру) и щелкните по значку вкладки, которая в данный момент активирована. Чтобы свернуть правую боковую панель, щелкните по этому значку еще раз. Можно также изменить размер открытой панели Комментарии или Чат путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по электронной таблице используйте следующие инструменты: Используйте клавишу Tab на клавиатуре, чтобы перейти к ячейке справа от выбранной. Полосы прокрутки (внизу или справа) используются для прокручивания текущего листа вверх/вниз и влево/вправо. Для навигации по электронной таблице с помощью полос прокрутки: нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки; перетаскивайте ползунок прокрутки; прокрутите колесико мыши для перемещения по вертикали; используйте комбинацию клавиши Shift и колесика прокрутки мыши для перемещения по горизонтали; щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки. Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши. Кнопки Навигации по листам расположены в левом нижнем углу и используются для прокручивания списка листов вправо и влево и перемещения между ярлычками листов. нажмите на кнопку Прокрутить до первого листа , чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа; нажмите на кнопку Прокрутить список листов влево , чтобы прокрутить список листов текущей электронной таблицы влево; нажмите на кнопку Прокрутить список листов вправо , чтобы прокрутить список листов текущей электронной таблицы вправо; нажмите на кнопку Прокрутить до последнего листа , чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа; Нажмите кнопку в строке состояния, чтобы добавить новый лист. Чтобы выбрать нужный лист: нажмите кнопку в строке состояния, чтобы открыть список всех листов и выбрать нужный лист. В списке листов также отображается статус листа. или щелкните по соответствующей Вкладке листа напротив кнопки . Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или используйте кнопки Увеличить или Уменьшить . Параметры масштаба доступны также из выпадающего списка Параметры представления ." }, { "id": "HelpfulHints/Password.htm", "title": "Защита электронных таблиц с помощью пароля", - "body": "Вы можете защитить свои электронные таблицы при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." + "body": "Вы можете защитить свои электронные таблицы при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Нажмите , чтобы показать или скрыть пароль. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." }, { "id": "HelpfulHints/Search.htm", @@ -2353,57 +2353,62 @@ var indexes = { "id": "ProgramInterface/CollaborationTab.htm", "title": "Вкладка Совместная работа", - "body": "Вкладка Совместная работа позволяет организовать совместную работу над электронной таблицей. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. В режиме комментирования вы можете добавлять и удалять комментарии и использовать чат. В десктопной версии можно управлять комментариями. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять или удалять комментарии к электронной таблице, открывать панель Чата (доступно только в онлайн-версии)." + "body": "Вкладка Совместная работа в Редакторе электронных таблиц позволяет организовать совместную работу над электронной таблицей. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. В режиме комментирования вы можете добавлять и удалять комментарии и использовать чат. В десктопной версии можно управлять комментариями. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять или удалять комментарии к электронной таблице, открывать панель Чата (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии)." }, { "id": "ProgramInterface/DataTab.htm", "title": "Вкладка Данные", - "body": "Вкладка Данные позволяет управлять данными на рабочем листе. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: выполнять сортировку и фильтрацию данных, преобразовывать текст в столбцы, удалять дубликаты из диапазона данных, группировать и отменять группировку данных, устанавливать параметры проверки данных, получать данные из текстового/CSV-файла." + "body": "Вкладка Данные в Редакторе электронных таблиц позволяет управлять данными на рабочем листе. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: выполнять сортировку и фильтрацию данных, преобразовывать текст в столбцы, удалять дубликаты из диапазона данных, группировать и отменять группировку данных, устанавливать параметры проверки данных, получать данные из текстового/CSV-файла." }, { "id": "ProgramInterface/FileTab.htm", "title": "Вкладка Файл", - "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить электронную таблицу в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию электронной таблицы в выбранном формате на портале), распечатать или переименовать файл, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль; защитить файл с помощью цифровой подписи (доступно только в десктопной версии); создать новую электронную таблицу или открыть недавно отредактированную (доступно только в онлайн-версии), просмотреть общие сведения об электронной таблице или изменить некоторые свойства файла, управлять правами доступа (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." + "body": "Вкладка Файл в Редакторе электронных таблиц позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить электронную таблицу в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию электронной таблицы в выбранном формате на портале), распечатать или переименовать файл, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль; защитить файл с помощью цифровой подписи (доступно только в десктопной версии); создать новую электронную таблицу или открыть недавно отредактированную (доступно только в онлайн-версии), просмотреть общие сведения об электронной таблице или изменить некоторые свойства файла, отслеживать историю версий (доступно только в онлайн-версии), управлять правами доступа (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." }, { "id": "ProgramInterface/FormulaTab.htm", "title": "Вкладка Формула", - "body": "Вкладка Формула позволяет удобно работать со всеми функциями. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: вставлять функции, используя диалоговое окно Вставка функций, получать быстрый доступ к формулам Автосуммы, получать доступ к 10 последним использованным формулам, работать с формулами, распределенными по категориям, работать с именованными диапазонами, использовать параметры пересчета: выполнять пересчет всей книги или только текущего рабочего листа." + "body": "Вкладка Формула в Редакторе электронных таблиц позволяет удобно работать со всеми функциями. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: вставлять функции, используя диалоговое окно Вставка функций, получать быстрый доступ к формулам Автосуммы, получать доступ к 10 последним использованным формулам, работать с формулами, распределенными по категориям, работать с именованными диапазонами, использовать параметры пересчета: выполнять пересчет всей книги или только текущего рабочего листа." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Вкладка Главная", - "body": "Вкладка Главная открывается по умолчанию при открытии электронной таблицы. Она позволяет форматировать ячейки и данные в них, применять фильтры, вставлять функции. Здесь также доступны некоторые другие опции, такие как цветовые схемы, функция Форматировать как шаблон таблицы и т.д. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер, стиль и цвета шрифта, выравнивать данные в ячейках, добавлять границы ячеек и объединять ячейки, вставлять функции и создавать именованные диапазоны, выполнять сортировку и фильтрацию данных, изменять формат представления чисел, добавлять или удалять ячейки, строки, столбцы, копировать и очищать форматирование ячеек, использовать условное форматирование, применять шаблон таблицы к выделенному диапазону ячеек." + "body": "Вкладка Главная в Редакторе электронных таблиц открывается по умолчанию при открытии электронной таблицы. Она позволяет форматировать ячейки и данные в них, применять фильтры, вставлять функции. Здесь также доступны некоторые другие опции, такие как цветовые схемы, функция Форматировать как шаблон таблицы и т.д. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер, стиль и цвета шрифта, выравнивать данные в ячейках, добавлять границы ячеек и объединять ячейки, вставлять функции и создавать именованные диапазоны, выполнять сортировку и фильтрацию данных, изменять формат представления чисел, добавлять или удалять ячейки, строки, столбцы, копировать и очищать форматирование ячеек, использовать условное форматирование, применять шаблон таблицы к выделенному диапазону ячеек." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять в электронную таблицу визуальные объекты и комментарии. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: вставлять сводные таблицы, вставлять форматированные таблицы, вставлять изображения, фигуры, текстовые поля и объекты Text Art, диаграммы и спарклайны, вставлять комментарии и гиперссылки, вставлять колонтитулы, вставлять уравнения и символы, вставлять срезы." + "body": "Вкладка Вставка в Редакторе электронных таблиц позволяет добавлять в электронную таблицу визуальные объекты и комментарии. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: вставлять сводные таблицы, вставлять форматированные таблицы, вставлять изображения, фигуры, текстовые поля и объекты Text Art, диаграммы и спарклайны, вставлять комментарии и гиперссылки, вставлять колонтитулы, вставлять уравнения и символы, вставлять срезы." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Вкладка Макет", - "body": "Вкладка Макет позволяет изменить внешний вид электронной таблицы: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, задавать область печати, вставлять колонтитулы, произвести масштабирование листа, печатать заголовки, выравнивать и располагать в определенном порядке объекты (изображения, диаграммы, фигуры), изменять цветовую схему." + "body": "Вкладка Макет в Редакторе электронных таблиц позволяет изменить внешний вид электронной таблицы: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, задавать область печати, вставлять колонтитулы, произвести масштабирование листа, печатать заголовки, выравнивать и располагать в определенном порядке объекты (изображения, диаграммы, фигуры), изменять цветовую схему." }, { "id": "ProgramInterface/PivotTableTab.htm", "title": "Вкладка Сводная таблица", - "body": "Вкладка Сводная таблица позволяет создавать и редактировать сводные таблицы. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: создать новую сводную таблицу, выбрать нужный макет сводной таблицы, обновить сводную таблицу при изменении данных в исходном наборе, выделить всю сводную таблицу одним кликом, выделить некоторые строки или столбцы, применив к ним особое форматирование, выбрать один из готовых стилей таблиц." + "body": "Вкладка Сводная таблица в Редакторе электронных таблиц позволяет создавать и редактировать сводные таблицы. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: создать новую сводную таблицу, выбрать нужный макет сводной таблицы, обновить сводную таблицу при изменении данных в исходном наборе, выделить всю сводную таблицу одним кликом, выделить некоторые строки или столбцы, применив к ним особое форматирование, выбрать один из готовых стилей таблиц." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Вкладка Плагины", - "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить таблицу по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии), Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие, Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик - позволяет переводить выделенный текст на другие языки, Примечание: этот плагин не работает в Internet Explorer. YouTube - позволяет встраивать в электронную таблицу видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API. Все доступные примеры плагинов с открытым исходным кодом доступны на GitHub." + "body": "Вкладка Плагины в Редакторе электронных таблиц позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить таблицу по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии), Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие, Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик - позволяет переводить выделенный текст на другие языки, Примечание: этот плагин не работает в Internet Explorer. YouTube - позволяет встраивать в электронную таблицу видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API. Все доступные примеры плагинов с открытым исходным кодом доступны на GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора электронных таблиц", - "body": "В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Формула, Данные, Сводная таблица, Совместная работа, Защита, Вид, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, ярлычки листов и кнопки масштаба. В Строке состояния также отображается количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "Знакомство с пользовательским интерфейсом Редактора электронных таблиц В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Формула, Данные, Сводная таблица, Совместная работа, Защита, Вид, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, кнопка добавления нового листа, кнопка список листов, ярлычки листов и кнопки масштаба. В Строке состояния также отображается статус фонового сохранения и состояние восстановления соединения, когда редактор пытается переподключиться, количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + }, + { + "id": "ProgramInterface/ProtectionTab.htm", + "title": "Вкладка Защита", + "body": "Вкладка Защита в Редакторе электронных таблиц позволяет предотвратить несанкционированный доступ путем шифрования и защиты рабочей книги или листов. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: Зашифровывать электронную таблицу при помощи пароля, Защищать структуру книги с помощью пароля или без него, Защищать лист, ограничив возможности редактирования листа с помощью пароля или без него, Разрешать редактировать диапазоны заблокированных ячеек с паролем или без него, Включать и отключать следующие опции: Заблокированная ячейка, Скрытые формулы, Заблокированная фигура, Заблокировать текст." }, { "id": "ProgramInterface/ViewTab.htm", "title": "Вкладка Вид", - "body": "Вкладка Вид позволяет управлять предустановками представления рабочего листа на основе примененных фильтров. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: управлять преднастройкам представления листа, изменять масштаб, закреплять строку, управлять отображением строк формул, заголовков, линий сетки и нулей." + "body": "Вкладка Вид в Редакторе электронных таблиц позволяет управлять предустановками представления рабочего листа на основе примененных фильтров. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: управлять преднастройкам представления листа, изменять масштаб, выбирать тему интерфейса: Светлая, Классическая светлая или Темная, закрепить области при помощи следующих опций: Закрепить области, Закрепить верхнюю строку, Закрепить первый столбец и Показывать тень для закрепленных областей, управлять отображением строк формул, заголовков, линий сетки и нулей, включать и отключать следующие параметры просмотра: Всегда показывать панель инструментов - всегда отображать верхнюю панель инструментов. Объединить строки листов и состояния - отображать все инструменты навигации по листу и строку состояния в одной строке. Если этот флажок не установлен, строка состояния будет отображаться в виде двух строк." }, { "id": "UsageInstructions/AddBorders.htm", @@ -2420,6 +2425,11 @@ var indexes = "title": "Выравнивание данных в ячейках", "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Вертикальный текст , чтобы расположить текст вертикально, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо. Если вы измените ориентацию текста, отступы будут сброшены. Если вы измените отступы для повернутого текста, ориентация текста будет сброшена. Отступы можно установить только если выбрана горизонтальная или вертикальная ориентация текста. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . При изменении ширины столбца перенос текста настраивается автоматически. Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установте флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри." }, + { + "id": "UsageInstructions/AllowEditRanges.htm", + "title": "Разрешить редактировать диапазоны", + "body": "Опция Разрешить редактировать диапазоны позволяет указать диапазоны ячеек, с которыми пользователь может работать на защищенном листе. Вы можете разрешить пользователям редактировать определенные диапазоны заблокированных ячеек с паролем или без него. Если вы не используете пароль, диапазон ячеек можно редактировать. Чтобы выбрать диапазон ячеек, который пользователь может редактировать: Нажмите кнопку Разрешить редактировать диапазоны на верхней панели инструментов. Откроется окно Разрешить пользователям редактировать диапазоны. Нажмите кнопку Новый в окне Разрешить пользователям редактировать диапазоны, чтобы выбрать и добавить диапазон ячеек, который пользователь сможет редактировать. В окне Новый диапазон введите Название диапазона и выберите диапазон ячеек при помощи кнопки Выбор данных. Пароль не является обязательным, поэтому введите и затем подтвердите его, если вы хотите, чтобы пользователи получали доступ к редактируемым диапазонам ячеек с помощью пароля. Нажмите OK, чтобы подтвердить. Пароль невозможно восстановить, если вы его потеряете или забудете. Пожалуйста, храните его в надежном месте. Нажмите кнопку Защитить лист или нажмите OK, чтобы сохранить изменения и продолжить работу с незащищенным листом. Если вы нажмете кнопку Защитить лист, откроется окно Защитить лист. В нем вы можете выбрать операции, которые будет разрешено выполнять пользователю, чтобы предотвратить любые нежелательные изменения. Введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этого листа. Операции, которые может выполнять пользователь. Выделять заблокированные ячейки Выделять разблокированные ячейки Форматировать ячейки Форматировать столбцы Форматировать строки Вставлять столбцы Вставлять строки Вставлять гиперссылку Удалить столбцы Удалить строки Сортировать Использовать автофильтр Использовать сводную таблицу и сводную диаграмму Редактировать объекты Редактировать сценарии Нажмите кнопку Защитить, чтобы включить защиту. Кнопка Защитить лист остается выделенной, когда лист защищен. Если лист не защищен, вы все равно можете вносить изменения в разрешенные диапазоны. Нажмите кнопку Разрешить редактировать диапазоны, чтобы открыть окно Разрешить пользователям редактировать диапазоны. При помощи кнопок Редактировать и Удалить можно управлять выбранными диапазонами ячеек. Затем нажмите кнопку Защитить лист, чтобы включить защиту листа, или нажмите OK, чтобы сохранить изменения и продолжить работу с незащищенным листом. Когда кто-то пытается отредактировать защищенный паролем диапазон ячеек, появляется окно Разблокировать диапазон, в котором пользователю предлагается ввести пароль." + }, { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Изменение формата представления чисел", @@ -2438,7 +2448,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Вырезание / копирование / вставка данных", - "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. В онлайн-версии для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Использование функции Специальная вставка После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Специальная вставка - открывает диалоговое окно Специальная вставка, которое содержит следующие опции: Параметры вставки Формулы - позволяет вставить формулы, не вставляя форматирование данных. Значения - позволяет вставить формулы вместе с форматированием, примененным к числам. Форматы - позволяет вставить формулы вместе со всем форматированием данных. Комментарии - позволяет вставить только комментарии, добавленные к ячейкам выделенного диапазона. Ширина столбцов - позволяет установить ширину столбцов исходных ячеек для диапазона ячеек. Без рамки - позволяет вставить формулы без форматирования границ. Формулы и форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формулы и ширина столбцов - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Формулы и форматы чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Занчения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значения и форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Операция Сложение - позволяет автоматически произвести операцию сложения для числовых значений в каждой вставленной ячейке. Вычитание -позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке. Умножение - позволяет автоматически произвести операцию умножения для числовых значений в каждой вставленной ячейке. Деление - позволяет автоматически произвести операцию деления для числовых значений в каждой вставленной ячейке. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Пропускать пустые ячейки - позволяет не вставлять форматирование и значения пустых ячеек. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. Вставка данных с разделителями При вставке текста с разделителями, скопированного из файла .txt, доступны следующие параметры: Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt. Сохранить только текст - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле. Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK. Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам. Чтобы разделить данные на несколько столбцов: Выделите нужную ячейку или столбец, содержащий данные с разделителями. Перейдите на вкладку Данные. Нажмите кнопку Текст по столбцам на верхней панели инструментов. Откроется Мастер распределения текста по столбцам. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем. Нажмите кнопку Дополнительно, чтобы открыть окно Дополнительные параметры, в котором можно указать Десятичный разделитель и Разделитель разрядов тысяч. Просмотрите результат в расположенном ниже поле и нажмите кнопку OK. После этого каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Если в ячейках справа от столбца, который требуется разделить, содержатся какие-то данные, эти данные будут перезаписаны. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." + "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. В онлайн-версии для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Использование функции Специальная вставка Примечание: Во время совсестной работы, Специальная вставка доступна только в Строгом режиме редактирования. После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Специальная вставка - открывает диалоговое окно Специальная вставка, которое содержит следующие опции: Параметры вставки Формулы - позволяет вставить формулы, не вставляя форматирование данных. Значения - позволяет вставить формулы вместе с форматированием, примененным к числам. Форматы - позволяет вставить формулы вместе со всем форматированием данных. Комментарии - позволяет вставить только комментарии, добавленные к ячейкам выделенного диапазона. Ширина столбцов - позволяет установить ширину столбцов исходных ячеек для диапазона ячеек. Без рамки - позволяет вставить формулы без форматирования границ. Формулы и форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формулы и ширина столбцов - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Формулы и форматы чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Занчения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значения и форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Операция Сложение - позволяет автоматически произвести операцию сложения для числовых значений в каждой вставленной ячейке. Вычитание -позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке. Умножение - позволяет автоматически произвести операцию умножения для числовых значений в каждой вставленной ячейке. Деление - позволяет автоматически произвести операцию деления для числовых значений в каждой вставленной ячейке. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Пропускать пустые ячейки - позволяет не вставлять форматирование и значения пустых ячеек. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. Вставка данных с разделителями При вставке текста с разделителями, скопированного из файла .txt, доступны следующие параметры: Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt. Сохранить только текст - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле. Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK. Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам. Чтобы разделить данные на несколько столбцов: Выделите нужную ячейку или столбец, содержащий данные с разделителями. Перейдите на вкладку Данные. Нажмите кнопку Текст по столбцам на верхней панели инструментов. Откроется Мастер распределения текста по столбцам. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем. Нажмите кнопку Дополнительно, чтобы открыть окно Дополнительные параметры, в котором можно указать Десятичный разделитель и Разделитель разрядов тысяч. Просмотрите результат в расположенном ниже поле и нажмите кнопку OK. После этого каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Если в ячейках справа от столбца, который требуется разделить, содержатся какие-то данные, эти данные будут перезаписаны. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." }, { "id": "UsageInstructions/DataValidation.htm", @@ -2453,22 +2463,27 @@ var indexes = { "id": "UsageInstructions/FormattedTables.htm", "title": "Использование форматированных таблиц", - "body": "Создание новой форматированной таблицы Чтобы облегчить работу с данными, в редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Форматированную таблицу также можно вставить с помощью кнопки Таблица на вкладке Вставка. В этом случае применяется шаблон таблицы по умолчанию. Примечание: как только вы создадите новую форматированную таблицу, этой таблице будет автоматически присвоено стандартное имя (Таблица1, Таблица2 и т.д.). Это имя можно изменить, сделав его более содержательным, и использовать для дальнейшей работы. Если вы введете новое значение в любой ячейке под последней строкой таблицы (если таблица не содержит строки итогов) или в ячейке справа от последнего столбца таблицы, форматированная таблица будет автоматически расширена, и в нее будет включена новая строка или столбец. Если вы не хотите расширять таблицу, нажмите на появившуюся кнопку и выберите опцию Отменить авторазвертывание таблицы. Как только это действие будет отменено, в этом меню станет доступна опция Повторить авторазвертывание таблицы. Примечание: Чтобы включить/отключить авторазвертывание таблиц, выберите параметр Отменить авторазвертывание таблиц в контекстном окне специальной вставки или выберите на вкладке Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены... -> Автоформат при вводе. Выделение строк и столбцов Чтобы выделить всю строку в форматированной таблице, наведите курсор мыши на левую границу строки таблицы, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить весь столбец в форматированной таблице, наведите курсор мыши на верхний край заголовка столбца, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Если щелкнуть один раз, будут выделены данные столбца (как показано на изображении ниже); если щелкнуть дважды, будет выделен весь столбец, включая заголовок. Чтобы выделить всю форматированную таблицу, наведите курсор мыши на левый верхний угол форматированной таблицы, чтобы курсор превратился в диагональную черную стрелку , затем щелкните левой кнопкой мыши. Редактирование форматированных таблиц Некоторые параметры таблицы можно изменить с помощью вкладки Параметры таблицы на правой боковой панели. Чтобы ее открыть, выделите мышью хотя бы одну ячейку в таблице и щелкните по значку Параметры таблицы справа. Разделы Строки и Столбцы, расположенные наверху, позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовок - позволяет отобразить строку заголовка. Итоговая - добавляет строку Итого в нижней части таблицы. Примечание: если выбрана эта опция, вы также можете выбрать функцию для вычисления суммарных значений. При выделении ячейки в строке Итого, справа от ячейки будет доступна . Нажмите ее и выберите нужную функцию из списка: Среднее, Количество, Макс, Мин, Сумма, Стандотклон или Дисп. Опция Другие функции позволяет открыть окно Вставить функцию и выбрать любую другую функцию. При выборе опции Нет в выделенной ячейке строки Итого не будет отображаться суммарное значение для этого столбца. Чередовать - включает чередование цвета фона для четных и нечетных строк. Кнопка фильтра - позволяет отобразить кнопки со стрелкой в каждой ячейке строки заголовка. Эта опция доступна только если выбрана опция Заголовок. Первый - выделяет при помощи особого форматирования крайний левый столбец в таблице. Последний - выделяет при помощи особого форматирования крайний правый столбец в таблице. Чередовать - включает чередование цвета фона для четных и нечетных столбцов. Раздел По шаблону позволяет выбрать один из готовых стилей таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, указанных в разделах Строки и/или Столбцы выше. Например, если Вы отметили опцию Заголовок в разделе Строки и опцию Чередовать в разделе Столбцы, отображаемый список шаблонов будет содержать только шаблоны со строкой заголовка и чередованием столбцов: Если вы хотите очистить текущий стиль таблицы (цвет фона, границы и так далее), не удаляя при этом саму таблицу, примените шаблон None из списка шаблонов: В разделе Размер таблицы можно изменить диапазон ячеек, к которому применено табличное форматирование. Нажмите на кнопку Выбор данных - откроется новое всплывающее окно. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Примечание: Заголовки должны оставаться в той же строке, а результирующий диапазон таблицы - частично перекрываться с исходным диапазоном. Раздел Строки и столбцы позволяет выполнить следующие операции: Выбрать строку, столбец, все данные в столбцах, исключая строку заголовка, или всю таблицу, включая строку заголовка. Вставить новую строку выше или ниже выделенной, а также новый столбец слева или справа от выделенного. Удалить строку, столбец (в зависимости от позиции курсора или выделения) или всю таблицу. Примечание: опции раздела Строки и столбцы также доступны из контекстного меню. Опцию Удалить дубликаты можно использовать, если вы хотите удалить повторяющиеся значения из форматированной таблицы. Для получения дополнительной информации по удалению дубликатов обратитесь к этой странице. Опцию Преобразовать в диапазон можно использовать, если вы хотите преобразовать таблицу в обычный диапазон данных, удалив фильтр, но сохранив стиль таблицы (то есть цвета ячеек и шрифта и т.д.). Как только вы примените эту опцию, вкладка Параметры таблицы на правой боковой панели станет недоступна. Опция Вставить срез используется, чтобы создать срез для форматированной таблицы. Для получения дополнительной информации по работе со срезами обратитесь к этой странице. Опция Вставить сводную таблицу используется, чтобы создать сводную таблицу на базе форматированной таблицы. Для получения дополнительной информации по работе со сводными таблицами обратитесь к этой странице. Изменение дополнительных параметров форматированной таблицы Чтобы изменить дополнительные параметры таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Таблица - Дополнительные параметры': Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица." + "body": "Создание новой форматированной таблицы Чтобы облегчить работу с данными, в редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Форматированную таблицу также можно вставить с помощью кнопки Таблица на вкладке Вставка. В этом случае применяется шаблон таблицы по умолчанию. Примечание: как только вы создадите новую форматированную таблицу, этой таблице будет автоматически присвоено стандартное имя (Таблица1, Таблица2 и т.д.). Это имя можно изменить, сделав его более содержательным, и использовать для дальнейшей работы. Если вы введете новое значение в любой ячейке под последней строкой таблицы (если таблица не содержит строки итогов) или в ячейке справа от последнего столбца таблицы, форматированная таблица будет автоматически расширена, и в нее будет включена новая строка или столбец. Если вы не хотите расширять таблицу, нажмите на появившуюся кнопку и выберите опцию Отменить авторазвертывание таблицы. Как только это действие будет отменено, в этом меню станет доступна опция Повторить авторазвертывание таблицы. Примечание: Чтобы включить/отключить авторазвертывание таблиц, выберите параметр Отменить авторазвертывание таблиц в контекстном окне специальной вставки или выберите на вкладке Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены... -> Автоформат при вводе. Выделение строк и столбцов Чтобы выделить всю строку в форматированной таблице, наведите курсор мыши на левую границу строки таблицы, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить весь столбец в форматированной таблице, наведите курсор мыши на верхний край заголовка столбца, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Если щелкнуть один раз, будут выделены данные столбца (как показано на изображении ниже); если щелкнуть дважды, будет выделен весь столбец, включая заголовок. Чтобы выделить всю форматированную таблицу, наведите курсор мыши на левый верхний угол форматированной таблицы, чтобы курсор превратился в диагональную черную стрелку , затем щелкните левой кнопкой мыши. Редактирование форматированных таблиц Некоторые параметры таблицы можно изменить с помощью вкладки Параметры таблицы на правой боковой панели. Чтобы ее открыть, выделите мышью хотя бы одну ячейку в таблице и щелкните по значку Параметры таблицы справа. Разделы Строки и Столбцы, расположенные наверху, позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовок - позволяет отобразить строку заголовка. Итоговая - добавляет строку Итого в нижней части таблицы. Примечание: если выбрана эта опция, вы также можете выбрать функцию для вычисления суммарных значений. При выделении ячейки в строке Итого, справа от ячейки будет доступна . Нажмите ее и выберите нужную функцию из списка: Среднее, Количество, Макс, Мин, Сумма, Стандотклон или Дисп. Опция Другие функции позволяет открыть окно Вставить функцию и выбрать любую другую функцию. При выборе опции Нет в выделенной ячейке строки Итого не будет отображаться суммарное значение для этого столбца. Чередовать - включает чередование цвета фона для четных и нечетных строк. Кнопка фильтра - позволяет отобразить кнопки со стрелкой в каждой ячейке строки заголовка. Эта опция доступна только если выбрана опция Заголовок. Первый - выделяет при помощи особого форматирования крайний левый столбец в таблице. Последний - выделяет при помощи особого форматирования крайний правый столбец в таблице. Чередовать - включает чередование цвета фона для четных и нечетных столбцов. Раздел По шаблону позволяет выбрать один из готовых стилей таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, указанных в разделах Строки и/или Столбцы выше. Например, если Вы отметили опцию Заголовок в разделе Строки и опцию Чередовать в разделе Столбцы, отображаемый список шаблонов будет содержать только шаблоны со строкой заголовка и чередованием столбцов: Если вы хотите очистить текущий стиль таблицы (цвет фона, границы и так далее), не удаляя при этом саму таблицу, примените шаблон None из списка шаблонов: В разделе Размер таблицы можно изменить диапазон ячеек, к которому применено табличное форматирование. Нажмите на кнопку Выбор данных - откроется новое всплывающее окно. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Примечание: Заголовки должны оставаться в той же строке, а результирующий диапазон таблицы - частично перекрываться с исходным диапазоном. Раздел Строки и столбцы позволяет выполнить следующие операции: Выбрать строку, столбец, все данные в столбцах, исключая строку заголовка, или всю таблицу, включая строку заголовка. Вставить новую строку выше или ниже выделенной, а также новый столбец слева или справа от выделенного. Удалить строку, столбец (в зависимости от позиции курсора или выделения) или всю таблицу. Примечание: Параметры раздела Строки и столбцы также доступны из контекстного меню. Опцию Удалить дубликаты можно использовать, если вы хотите удалить повторяющиеся значения из форматированной таблицы. Для получения дополнительной информации по удалению дубликатов обратитесь к этой странице. Опцию Преобразовать в диапазон можно использовать, если вы хотите преобразовать таблицу в обычный диапазон данных, удалив фильтр, но сохранив стиль таблицы (то есть цвета ячеек и шрифта и т.д.). Как только вы примените эту опцию, вкладка Параметры таблицы на правой боковой панели станет недоступна. Опция Вставить срез используется, чтобы создать срез для форматированной таблицы. Для получения дополнительной информации по работе со срезами обратитесь к этой странице. Опция Вставить сводную таблицу используется, чтобы создать сводную таблицу на базе форматированной таблицы. Для получения дополнительной информации по работе со сводными таблицами обратитесь к этой странице. Изменение дополнительных параметров форматированной таблицы Чтобы изменить дополнительные параметры таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Таблица - Дополнительные параметры': Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица. Примечание: Чтобы включить или отключить автоматическое расширение таблицы, перейдите в раздел Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Автоформат при вводе. Использование автозаполнение формул для добавления формул в форматированные таблицы. В списке Автозаполнение формул отображаются все доступные параметры при применении формул к форматированным таблицам. Вы можете ссылаться на таблицу в своей формуле как внутри, так и вне таблицы. В качестве ссылок вместо адресов ячеек используются имена столбцов и элементов. Пример ниже показывает ссылку на таблицу в функции СУММ. Выберите ячейку, начните вводить формулу, начиная со знака равно, за которым следует имя таблицы, затем выберите подходящий пункт из списка Автозаполнение формул. Далее добавьте квадратную скобку [, чтобы открыть раскрывающийся список, содержащий столбцы и элементы, которые можно использовать в формуле. При наведении указателем мыши на ссылку в списке, появляется подсказка с ее описанием. Примечание: Каждая ссылка должна содержать открывающую и закрывающую скобки. Не забудьте проверить синтаксис формулы." }, { "id": "UsageInstructions/GroupData.htm", "title": "Группировка данных", "body": "Возможность группировать строки и столбцы, а также создавать структуру позволяет упростить работу с электронной таблицей, содержащей большой объем данных. Сгруппированные строки и столбцы можно сворачивать и разворачивать, чтобы отображать только нужные данные. Также можно создавать многоуровневую структуру сгруппированных строк/столбцов. При необходимости можно разгруппировать ранее сгруппированные строки или столбцы. Группировка строк и столбцов Чтобы сгруппировать строки или столбцы: Выделите диапазон ячеек, которые требуется сгруппировать. Перейдите на вкладку Данные и используйте одну из нужных опций на верхней панели инструментов: нажмите кнопку Сгруппировать, затем выберите опцию Строки или Столбцы в открывшемся окне Сгруппировать и нажмите кнопку OK, нажмите направленную вниз стрелку под кнопкой Сгруппировать и выберите в меню опцию Сгруппировать строки, нажмите направленную вниз стрелку под кнопкой Сгруппировать и выберите в меню опцию Сгруппировать столбцы. Выделенные строки или столбцы будут сгруппированы, структура отобразится слева от строк и над столбцами или/и над столбцами. Чтобы скрыть сгруппированные строки/столбцы, нажмите на значок Свернуть. Чтобы показать свернутые строки/столбцы, нажмите на значок Развернуть. Изменение структуры Чтобы изменить структуру сгруппированных строк или столбцов, можно использовать опции из выпадающего меню Сгруппировать. По умолчанию выбраны параметры Итоги в строках под данными и Итоги в столбцах справа от данных. Они позволяют изменить местоположение кнопок Свернуть и Развернуть : Уберите галочку рядом с опцией Итоги в строках под данными, если вы хотите отображать итоги в строках над данными. Уберите галочку рядом с опцией Итоги в столбцах справа от данных, если вы хотите отображать итоги в столбцах слева от данных. Создание многоуровневых групп Чтобы создать многоуровневую структуру, выделите диапазон ячеек внутри ранее созданной группы строк или столбцов и сгруппируйте новый выделенный диапазон, как это описано выше. После этого вы сможете скрывать и отображать группы по уровням, используя значки с номером уровня: . Например, если внутри родительской группы создать вложенную группу, будут доступны три уровня. Можно создать до 8 уровней. Нажмите значок первого уровня для перехода к уровню, на котором скрыты все сгруппированные данные: Нажмите значок второго уровня для перехода к уровню, на котором отображены данные родительской группы, но скрыты данные вложенной группы: Нажмите значок третьего уровня для перехода к уровню, на котором отображены все данные: Также можно использовать значки Свернуть и Развернуть внутри структуры, чтобы отобразить или скрыть данные, соответствующие определенному уровню. Удаление группировки строк и столбцов Чтобы разгруппировать ранее сгруппированные строки или столбцы: Выделите диапазон сгруппированных ячеек, который требуется разгруппировать. Перейдите на вкладку Данные и используйте одну из нужных опций на верхней панели инструментов: нажмите кнопку Разгруппировать, затем выберите опцию Строки или Столбцы в открывшемся окне Сгруппировать и нажмите кнопку OK, нажмите направленную вниз стрелку под кнопкой Разгруппировать, затем выберите в меню опцию Разгруппировать строки, чтобы разгруппировать строки и удалить структуру строк, нажмите направленную вниз стрелку под кнопкой Разгруппировать, затем выберите в меню опцию Разгруппировать столбцы, чтобы разгруппировать столбцы и удалить структуру столбцов, нажмите направленную вниз стрелку под кнопкой Разгруппировать, затем выберите в меню опцию Удалить структуру, чтобы удалить структуру строк и столбцов, не удаляя при этом существующие группы." }, + { + "id": "UsageInstructions/InsertArrayFormulas.htm", + "title": "Вставка формул массива", + "body": "Редактор электронных таблиц позволяет использовать формулы массива. Формулы массива обеспечивают согласованность формул в электронной таблице, так как вместо нескольких обычных формул можно ввести одну формулу массива. Формула массива упрощает работу с большим объемом данных, предоставляет возможность быстро заполнить лист данными и многое другое. Вы можете вводить формулы и встроенные функции в качестве формулы массива, чтобы: выполнять несколько вычислений одновременно и отображать один результат, или возвращать диапазон значений, отображаемых в нескольких строках и/или столбцах. Существуют специально назначенные функции, которые могут возвращать несколько значений. Если ввести их, нажав клавишу Enter, они вернут одно значение. Если выбрать выходной диапазон ячеек для отображения результатов, а затем ввести функцию, нажав Ctrl + Shift + Enter, будет возвращен диапазон значений (количество возвращаемых значений зависит от размера ранее выбранного диапазона). Список ниже содержит ссылки на подробные описания этих функций. Формулы массива ЯЧЕЙКА СТОЛБЕЦ Ф.ТЕКСТ ЧАСТОТА РОСТ ГИПЕРССЫЛКА ДВССЫЛ ИНДЕКС ЕФОРМУЛА ЛИНЕЙН ЛГРФПРИБЛ МОБР МУМНОЖ МЕДИН СМЕЩ СЛУЧМАССИВ СТРОКА ТРАНСП ТЕНДЕНЦИЯ УНИК ПРОСМОТРX Вставка формул массива Чтобы вставить формулу массива, Выберите диапазон ячеек, в которых вы хотите отобразить результаты. Введите формулу, которую вы хотите использовать, в строке формул и укажите необходимые аргументы в круглых скобках (). Нажмите комбинацию клавиш Ctrl + Shift + Enter. Результаты будут отображаться в выбранном диапазоне ячеек, а формула в строке формул будет автоматически заключена в фигурные скобки { }, чтобы указать, что это формула массива. Например, {=УНИК(B2:D6)}. Эти фигурные скобки нельзя вводить вручную. Создание формулы массива в одной ячейке В следующем примере показан результат формулы массива, отображаемый в одной ячейке. Выберите ячейку, введите =СУММ(C2:C11*D2:D11) и нажмите Ctrl + Shift + Enter. Создание формулы массива в нескольких ячейках В следующем примере показаны результаты формулы массива, отображаемые в диапазоне ячеек. Выберите диапазон ячеек, введите =C2:C11*D2:D11 и нажмите Ctrl + Shift + Enter. Редактирование формулы массива Каждый раз, когда вы редактируете введенную формулу массива (например, меняете аргументы), вам нужно нажимать комбинацию клавиш Ctrl + Shift + Enter, чтобы сохранить изменения. В следующем примере показано, как расширить формулу массива с несколькими ячейками при добавлении новых данных. Выделите все ячейки, содержащие формулу массива, а также пустые ячейки рядом с новыми данными, отредактируйте аргументы в строке формул, чтобы они включали новые данные, и нажмите Ctrl + Shift + Enter. Если вы хотите применить формулу массива с несколькими ячейками к меньшему диапазону ячеек, вам нужно удалить текущую формулу массива, а затем ввести новую формулу массива. Часть массива нельзя изменить или удалить. Если вы попытаетесь изменить, переместить или удалить одну ячейку в массиве или вставить новую ячейку в массив, вы получите следующее предупреждение: Нельзя изменить часть массива. Чтобы удалить формулу массива, выделите все ячейки, содержащие формулу массива, и нажмите клавишу Delete. Либо выберите формулу массива в строке формул, нажмите Delete, а затем нажмите Ctrl + Shift + Enter. Примеры использования формулы массива В этом разделе приведены некоторые примеры того, как использовать формулы массива для выполнения определенных задач. Подсчет количества символов в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ функция складывает значения. Чтобы получить среднее количество символов, замените СУММ на СРЗНАЧ. Нахождение самой длинной строки в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС функция вычисляет наибольшее значение. Функция ПОИСКПОЗ функция находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС функция возвращает значение из найденной ячейки. Чтобы найти кратчайшую строку, замените МАКС на МИН. Сумма значений на основе условий Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ функция создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе." + }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка и форматирование автофигур", - "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно нажать кнопку Выбрать изображение и добавить изображение Из файла, выбрав его на жестком диске компьютера, Из хранилища, используя файловый менеджер ONLYOFFICE, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительныx параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст, Разрешить переполнение фигуры текстом или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), фигура будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер фигуры также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее, не допуская изменения размера фигуры. Если ячейка перемещается, фигура будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры фигуры останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера фигуры при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения. Назначение макроса к фигуре Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой фигуре. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по фигуре и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." + "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно нажать кнопку Выбрать изображение и добавить изображение Из файла, выбрав его на жестком диске компьютера, Из хранилища, используя файловый менеджер ONLYOFFICE, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительныx параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст, Разрешить переполнение фигуры текстом или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), фигура будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер фигуры также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее, не допуская изменения размера фигуры. Если ячейка перемещается, фигура будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры фигуры останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера фигуры при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения. Назначение макроса к фигуре Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой фигуре. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по фигуре и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." }, { "id": "UsageInstructions/InsertChart.htm", "title": "Вставка диаграмм", - "body": "Вставка диаграммы Для вставки диаграммы в электронную таблицу: Выделите диапазон ячеек, содержащих данные, которые необходимо использовать для диаграммы, Перейдите на вкладку Вставка верхней панели инструментов, Щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация После этого диаграмма будет добавлена на рабочий лист. Изменение параметров диаграммы Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы: выделите диаграмму мышью, щелкните по значку Параметры диаграммы на правой боковой панели, раскройте выпадающий список Тип и выберите нужный тип, раскройте выпадающий список Стиль, расположенный ниже, и выберите подходящий стиль. Тип и стиль выбранной диаграммы будут изменены. Если требуется отредактировать данные, использованные для построения диаграммы, Нажмите кнопку Выбор данных на правой боковой панели. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. Нажмите Дополнительные параметры, чтобы изменить другие настройки, такие как Макет, Вертикальная ось, Вспомогательная вертикальная ось, Горизонтальная ось, Вспомогательная горизонтальная ось, Привязка к ячейке и Альтернативный текст. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. Вкладка Вертикальная ось позволяет изменять параметры вертикальной оси, также называемой осью значений или осью Y, которая отображает числовые значения. Обратите внимание, что вертикальная ось будет осью категорий, которая отображает подпись для Гистограмм, таким образом, параметры вкладки Вертикальная ось будут соответствовать параметрам, описанным в следующем разделе. Для Точечных диаграмм обе оси являются осями значений. Примечание: Параметры оси и Линии сетки недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. нажмите Скрыть ось, чтобы скрыть вертикальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать название вертикальной оси, Повернутое - показать название снизу вверх слева от вертикальной оси, По горизонтали - показать название по горизонтали слева от вертикальной оси. Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет настроить отображение делений на вертикальной шкале. Основной тип - это деления шкалы большего размера, на которых могут быть подписи с числовыми значениями. Дополнительный тип - это деления шкалы, которые помещаются между основными делениями и не имеют подписей. Отметки также определяют, где могут отображаться линии сетки, если соответствующий параметр установлен на вкладке Макет. В раскрывающихся списках Основной/Дополнительный тип содержатся следующие варианты размещения: Нет - не отображать основные/дополнительные деления, На пересечении - отображать основные/дополнительные деления по обе стороны от оси, Внутри - отображать основные/дополнительные деления внутри оси, Снаружи - отображать основные/дополнительные деления за пределами оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет - не отображать подписи, Ниже - показывать подписи слева от области диаграммы, Выше - показывать подписи справа от области диаграммы, Рядом с осью - показывать подписи рядом с осью. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Примечание: второстепенные оси поддерживаются только в Комбинированных диаграммах. Второстепенные оси полезны в комбинированных диаграммах, когда ряды данных значительно различаются или для построения диаграммы используются смешанные типы данных. Второстепенные оси упрощают чтение и понимание комбинированной диаграммы. Вкладка Вспомогательная вертикальная / горизонтальная ось появляется, когда вы выбираете соответствующий ряд данных для комбинированной диаграммы. Все настройки и параметры на вкладке Вспомогательная вертикальная/горизонтальная ось такие же, как настройки на вертикальной / горизонтальной оси. Подробное описание параметров Вертикальная / горизонтальная ось смотрите выше / ниже. Вкладка Горизонтальная ось позволяет изменять параметры горизонтальной оси, также называемой осью категорий или осью x, которая отображает текстовые метки. Обратите внимание, что горизонтальная ось будет осью значений, которая отображает числовые значения для Гистограмм, поэтому в этом случае параметры вкладки Горизонтальная ось будут соответствовать параметрам, описанным в предыдущем разделе. Для Точечных диаграмм обе оси являются осями значений. нажмите Скрыть ось, чтобы скрыть горизонтальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать заголовок горизонтальной оси, Без наложения - отображать заголовок под горизонтальной осью, Линии сетки используется для отображения Горизонтальных линий сетки путем выбора необходимого параметра в раскрывающемся списке: Нет, Основные, Незначительное или Основные и Дополнительные. Пересечение с осью - используется для указания точки на горизонтальной оси, в которой вертикальная ось должна пересекать ее. По умолчанию выбрана опция Авто, в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Из выпадающего списка можно выбрать опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимальном/Максимальном значении на вертикальной оси. Положение оси - используется для указания места размещения подписей на оси: на Делениях или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно редактировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет настроить внешний вид меток, отображающих категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто, в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, стиль или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить вид фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. В случае необходимости можно изменить размер и положение диаграммы. Чтобы удалить вставленную диаграмму, щелкните по ней и нажмите клавишу Delete. Назначение макроса к диаграмме Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой диаграмме. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по диаграмме и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. После назначения макроса, вы все еще можете выделить диаграмму для выполнения других операций. Для этого щелкните левой кнопкой мыши по поверхности диаграммы. Редактирование спарклайнов Редактор электронных таблиц ONLYOFFICE поддерживает спарклайны. Спарклайн - это небольшая диаграмма, помещенная в одну ячейку. Спарклайны могут быть полезны, если требуется наглядно представить информацию для каждой строки или столбца в больших наборах данных. Чтобы узнать больше о том, как создавать и редактировать спарклайны, ознакомьтесь с нашими руководством по Вставке спарклайнов." + "body": "Вставка диаграммы Для вставки диаграммы в электронную таблицу: Выделите диапазон ячеек, содержащих данные, которые необходимо использовать для диаграммы, Перейдите на вкладку Вставка верхней панели инструментов, Щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация После этого диаграмма будет добавлена на рабочий лист. Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм. Изменение параметров диаграммы Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы: выделите диаграмму мышью, щелкните по значку Параметры диаграммы на правой боковой панели, раскройте выпадающий список Тип и выберите нужный тип, раскройте выпадающий список Стиль, расположенный ниже, и выберите подходящий стиль. Тип и стиль выбранной диаграммы будут изменены. Если требуется отредактировать данные, использованные для построения диаграммы, Нажмите кнопку Выбор данных на правой боковой панели. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. Нажмите Дополнительные параметры, чтобы изменить другие настройки, такие как Макет, Вертикальная ось, Вспомогательная вертикальная ось, Горизонтальная ось, Вспомогательная горизонтальная ось, Привязка к ячейке и Альтернативный текст. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. Вкладка Вертикальная ось позволяет изменять параметры вертикальной оси, также называемой осью значений или осью Y, которая отображает числовые значения. Обратите внимание, что вертикальная ось будет осью категорий, которая отображает подпись для Гистограмм, таким образом, параметры вкладки Вертикальная ось будут соответствовать параметрам, описанным в следующем разделе. Для Точечных диаграмм обе оси являются осями значений. Примечание: Параметры оси и Линии сетки недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. нажмите Скрыть ось, чтобы скрыть вертикальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать название вертикальной оси, Повернутое - показать название снизу вверх слева от вертикальной оси, По горизонтали - показать название по горизонтали слева от вертикальной оси. Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет настроить отображение делений на вертикальной шкале. Основной тип - это деления шкалы большего размера, на которых могут быть подписи с числовыми значениями. Дополнительный тип - это деления шкалы, которые помещаются между основными делениями и не имеют подписей. Отметки также определяют, где могут отображаться линии сетки, если соответствующий параметр установлен на вкладке Макет. В раскрывающихся списках Основной/Дополнительный тип содержатся следующие варианты размещения: Нет - не отображать основные/дополнительные деления, На пересечении - отображать основные/дополнительные деления по обе стороны от оси, Внутри - отображать основные/дополнительные деления внутри оси, Снаружи - отображать основные/дополнительные деления за пределами оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет - не отображать подписи, Ниже - показывать подписи слева от области диаграммы, Выше - показывать подписи справа от области диаграммы, Рядом с осью - показывать подписи рядом с осью. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Примечание: второстепенные оси поддерживаются только в Комбинированных диаграммах. Второстепенные оси полезны в комбинированных диаграммах, когда ряды данных значительно различаются или для построения диаграммы используются смешанные типы данных. Второстепенные оси упрощают чтение и понимание комбинированной диаграммы. Вкладка Вспомогательная вертикальная / горизонтальная ось появляется, когда вы выбираете соответствующий ряд данных для комбинированной диаграммы. Все настройки и параметры на вкладке Вспомогательная вертикальная/горизонтальная ось такие же, как настройки на вертикальной / горизонтальной оси. Подробное описание параметров Вертикальная / горизонтальная ось смотрите выше / ниже. Вкладка Горизонтальная ось позволяет изменять параметры горизонтальной оси, также называемой осью категорий или осью x, которая отображает текстовые метки. Обратите внимание, что горизонтальная ось будет осью значений, которая отображает числовые значения для Гистограмм, поэтому в этом случае параметры вкладки Горизонтальная ось будут соответствовать параметрам, описанным в предыдущем разделе. Для Точечных диаграмм обе оси являются осями значений. нажмите Скрыть ось, чтобы скрыть горизонтальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать заголовок горизонтальной оси, Без наложения - отображать заголовок под горизонтальной осью, Линии сетки используется для отображения Горизонтальных линий сетки путем выбора необходимого параметра в раскрывающемся списке: Нет, Основные, Незначительное или Основные и Дополнительные. Пересечение с осью - используется для указания точки на горизонтальной оси, в которой вертикальная ось должна пересекать ее. По умолчанию выбрана опция Авто, в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Из выпадающего списка можно выбрать опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимальном/Максимальном значении на вертикальной оси. Положение оси - используется для указания места размещения подписей на оси: на Делениях или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно редактировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет настроить внешний вид меток, отображающих категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто, в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, стиль или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить вид фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. В случае необходимости можно изменить размер и положение диаграммы. Чтобы удалить вставленную диаграмму, щелкните по ней и нажмите клавишу Delete. Назначение макроса к диаграмме Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой диаграмме. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по диаграмме и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. После назначения макроса, вы все еще можете выделить диаграмму для выполнения других операций. Для этого щелкните левой кнопкой мыши по поверхности диаграммы. Редактирование спарклайнов Редактор электронных таблиц ONLYOFFICE поддерживает спарклайны. Спарклайн - это небольшая диаграмма, помещенная в одну ячейку. Спарклайны могут быть полезны, если требуется наглядно представить информацию для каждой строки или столбца в больших наборах данных. Чтобы узнать больше о том, как создавать и редактировать спарклайны, ознакомьтесь с нашими руководством по Вставке спарклайнов." }, { "id": "UsageInstructions/InsertDeleteCells.htm", @@ -2478,7 +2493,7 @@ var indexes = { "id": "UsageInstructions/InsertEquation.htm", "title": "Вставка уравнений", - "body": "В редакторе электронных таблиц вы можете создавать уравнения, используя встроенные шаблоны, редактировать их, вставлять специальные символы (в том числе математические знаки, греческие буквы, диакритические знаки и т.д.). Добавление нового уравнения Чтобы вставить уравнение из коллекции, перейдите на вкладку Вставка верхней панели инструментов, нажмите на стрелку рядом со значком Уравнение на верхней панели инструментов, в открывшемся выпадающем списке выберите нужную категорию уравнений. В настоящее время доступны следующие категории: Символы, Дроби, Индексы, Радикалы, Интегралы, Крупные операторы, Скобки, Функции, Диакритические знаки, Пределы и логарифмы, Операторы, Матрицы, щелкните по определенному символу/уравнению в соответствующем наборе шаблонов. Выбранный символ или уравнение будут добавлены на рабочий лист. Верхний левый угол рамки уравнения будет совпадать с верхним левым углом выделенной в данный момент ячейки, но рамку уравнения можно свободно перемещать, изменять ее размер или поворачивать на листе. Для этого щелкните по границе рамки уравнения (она будет отображена как сплошная линия) и используйте соответствующие маркеры. Каждый шаблон уравнения представляет собой совокупность слотов. Слот - это позиция для каждого элемента, образующего уравнение. Пустой слот, также называемый полем для заполнения, имеет пунктирный контур . Необходимо заполнить все поля, указав нужные значения. Ввод значений Курсор определяет, где появится следующий символ, который вы введете. Чтобы точно установить курсор, щелкните внутри поля для заполнения и используйте клавиши со стрелками на клавиатуре для перемещения курсора на один символ влево/вправо. Когда курсор будет установлен в нужную позицию, можно заполнить поле: введите требуемое цифровое или буквенное значение с помощью клавиатуры, вставьте специальный символ, используя палитру Символы из меню Уравнение на вкладке Вставка верхней панели инструментов или вводя их с клавиатуры (см. описание функции Автозамена математическими символами), добавьте шаблон другого уравнения с палитры, чтобы создать сложное вложенное уравнение. Размер начального уравнения будет автоматически изменен в соответствии с содержимым. Размер элементов вложенного уравнения зависит от размера поля начального уравнения, но не может быть меньше, чем размер мелкого индекса. Для добавления некоторых новых элементов уравнений можно также использовать пункты контекстного меню: Чтобы добавить новый аргумент, идущий до или после имеющегося аргумента в Скобках, можно щелкнуть правой кнопкой мыши по существующему аргументу и выбрать из контекстного меню пункт Вставить аргумент перед/после. Чтобы добавить новое уравнение в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по пустому полю для заполнения или по введенному в него уравнению и выбрать из контекстного меню пункт Вставить уравнение перед/после. Чтобы добавить новую строку или новый столбец в Матрице, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри нее, выбрать из контекстного меню пункт Добавить, а затем - опцию Строку выше/ниже или Столбец слева/справа. Примечание: в настоящее время не поддерживается ввод уравнений в линейном формате, то есть в виде \\sqrt(4&x^3). При вводе значений математических выражений не требуется использовать клавишу Пробел, так как пробелы между символами и знаками действий устанавливаются автоматически. Если уравнение слишком длинное и не помещается на одной строке внутри рамки уравнения, перенос на другую строку в процессе ввода осуществляется автоматически. Можно также вставить перенос строки в строго определенном месте, щелкнув правой кнопкой мыши по математическому оператору и выбрав из контекстного меню пункт Вставить принудительный разрыв. Выбранный оператор будет перенесен на новую строку. Чтобы удалить добавленный принудительный разрыв строки, щелкните правой кнопкой мыши по математическому оператору в начале новой строки и выберите пункт меню Удалить принудительный разрыв. Форматирование уравнений По умолчанию уравнение внутри рамки горизонтально выровнено по центру, а вертикально выровнено по верхнему краю рамки уравнения. Чтобы изменить горизонтальное или вертикальное выравнивание, установите курсор внутри рамки уравнения (контуры рамки будут отображены как пунктирные линии) и используйте соответствующие значки на верхней панели инструментов. Чтобы увеличить или уменьшить размер шрифта в уравнении, щелкните мышью внутри рамки уравнения и используйте кнопки и на вкладке Главная верхней панели инструментов или выберите нужный размер шрифта из списка. Все элементы уравнения изменятся соответственно. По умолчанию буквы в уравнении форматируются курсивом. В случае необходимости можно изменить стиль шрифта (выделение полужирным, курсив, зачеркивание) или цвет для всего уравнения или его части. Подчеркивание можно применить только ко всему уравнению, а не к отдельным символам. Выделите нужную часть уравнения путем перетаскивания. Выделенная часть будет подсвечена голубым цветом. Затем используйте нужные кнопки на вкладке Главная верхней панели инструментов, чтобы отформатировать выделенный фрагмент. Например, можно убрать форматирование курсивом для обычных слов, которые не являются переменными или константами. Для изменения некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы изменить формат Дробей, можно щелкнуть правой кнопкой мыши по дроби и выбрать из контекстного меню пункт Изменить на диагональную/горизонтальную/вертикальную простую дробь (доступные опции отличаются в зависимости от типа выбранной дроби). Чтобы изменить положение Индексов относительно текста, можно щелкнуть правой кнопкой мыши по уравнению, содержащему индексы, и выбрать из контекстного меню пункт Индексы перед текстом/после текста. Чтобы изменить размер аргумента для уравнений из групп Индексы, Радикалы, Интегралы, Крупные операторы, Пределы и логарифмы, Операторы, а также для горизонтальных фигурных скобок и шаблонов с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по аргументу, который требуется изменить, и выбрать из контекстного меню пункт Увеличить/Уменьшить размер аргумента. Чтобы указать, надо ли отображать пустое поле для ввода степени в уравнении из группы Радикалы, можно щелкнуть правой кнопкой мыши по радикалу и выбрать из контекстного меню пункт Скрыть/Показать степень. Чтобы указать, надо ли отображать пустое поле для ввода предела в уравнении из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Скрыть/Показать верхний/нижний предел. Чтобы изменить положение пределов относительно знака интеграла или оператора в уравнениях из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Изменить положение пределов. Пределы могут отображаться справа от знака оператора (как верхние и нижние индексы) или непосредственно над и под знаком оператора. Чтобы изменить положение пределов относительно текста в уравнениях из группы Пределы и логарифмы и в шаблонах с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Предел над текстом/под текстом. Чтобы выбрать, какие из Скобок надо отображать, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Скрыть/Показать открывающую/закрывающую скобку. Чтобы управлять размером Скобок, можно щелкнуть правой кнопкой мыши по выражению в скобках. Пункт меню Растянуть скобки выбран по умолчанию, так что скобки могут увеличиваться в соответствии с размером выражения, заключенного в них, но вы можете снять выделение с этой опции, чтобы запретить растяжение скобок. Когда эта опция активирована, можно также использовать пункт меню Изменить размер скобок в соответствии с высотой аргумента. Чтобы изменить положение символа относительно текста для горизонтальных фигурных скобок или горизонтальной черты над/под уравнением из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по шаблону и и выбрать из контекстного меню пункт Символ/Черта над/под текстом. Чтобы выбрать, какие границы надо отображать для Уравнения в рамке из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Свойства границ, а затем - Скрыть/Показать верхнюю/нижнюю/левую/правую границу или Добавить/Скрыть горизонтальную/вертикальную/диагональную линию. Чтобы указать, надо ли отображать пустые поля для заполнения в Матрице, можно щелкнуть по ней правой кнопкой мыши и выбрать из контекстного меню пункт Скрыть/Показать поля для заполнения. Для выравнивания некоторых элементов уравнений можно использовать пункты контекстного меню: Чтобы выровнять уравнения в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по уравнению, выбрать из контекстного меню пункт Выравнивание, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять Матрицу по вертикали, можно щелкнуть правой кнопкой мыши по матрице, выбрать из контекстного меню пункт Выравнивание матрицы, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять по горизонтали элементы внутри отдельного столбца Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри столбца, выбрать из контекстного меню пункт Выравнивание столбца, а затем выбрать тип выравнивания: По левому краю, По центру или По правому краю. Удаление элементов уравнения Чтобы удалить часть уравнения, выделите фрагмент, который требуется удалить, путем перетаскивания или удерживая клавишу Shift и используя клавиши со стрелками, затем нажмите на клавиатуре клавишу Delete. Слот можно удалить только вместе с шаблоном, к которому он относится. Чтобы удалить всё уравнение, щелкните по границе рамки уравнения, (она будет отображена как сплошная линия) и нажмите на клавиатуре клавишу Delete. Для удаления некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы удалить Радикал, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить радикал. Чтобы удалить Нижний индекс и/или Верхний индекс, можно щелкнуть правой кнопкой мыши по содержащему их выражению и выбрать из контекстного меню пункт Удалить верхний индекс/нижний индекс. Если выражение содержит индексы, расположенные перед текстом, доступна опция Удалить индексы. Чтобы удалить Скобки, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Удалить вложенные знаки или Удалить вложенные знаки и разделители. Если выражение в Скобках содержит несколько аргументов, можно щелкнуть правой кнопкой мыши по аргументу, который требуется удалить, и выбрать из контекстного меню пункт Удалить аргумент. Если в Скобках заключено несколько уравнений (а именно, в Наборах условий), можно щелкнуть правой кнопкой мыши по уравнению, которое требуется удалить, и выбрать из контекстного меню пункт Удалить уравнение. Чтобы удалить Предел, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить предел. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака). Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец." + "body": "В редакторе электронных таблиц вы можете создавать уравнения, используя встроенные шаблоны, редактировать их, вставлять специальные символы (в том числе математические знаки, греческие буквы, диакритические знаки и т.д.). Добавление нового уравнения Чтобы вставить уравнение из коллекции, перейдите на вкладку Вставка верхней панели инструментов, нажмите на стрелку рядом со значком Уравнение на верхней панели инструментов, в открывшемся выпадающем списке выберите нужную категорию уравнений. В настоящее время доступны следующие категории: Символы, Дроби, Индексы, Радикалы, Интегралы, Крупные операторы, Скобки, Функции, Диакритические знаки, Пределы и логарифмы, Операторы, Матрицы, щелкните по определенному символу/уравнению в соответствующем наборе шаблонов. Выбранный символ или уравнение будут добавлены на рабочий лист. Верхний левый угол рамки уравнения будет совпадать с верхним левым углом выделенной в данный момент ячейки, но рамку уравнения можно свободно перемещать, изменять ее размер или поворачивать на листе. Для этого щелкните по границе рамки уравнения (она будет отображена как сплошная линия) и используйте соответствующие маркеры. Каждый шаблон уравнения представляет собой совокупность слотов. Слот - это позиция для каждого элемента, образующего уравнение. Пустой слот, также называемый полем для заполнения, имеет пунктирный контур . Необходимо заполнить все поля, указав нужные значения. Ввод значений Курсор определяет, где появится следующий символ, который вы введете. Чтобы точно установить курсор, щелкните внутри поля для заполнения и используйте клавиши со стрелками на клавиатуре для перемещения курсора на один символ влево/вправо. Когда курсор будет установлен в нужную позицию, можно заполнить поле: введите требуемое цифровое или буквенное значение с помощью клавиатуры, вставьте специальный символ, используя палитру Символы из меню Уравнение на вкладке Вставка верхней панели инструментов или вводя их с клавиатуры (см. описание функции Автозамена математическими символами), добавьте шаблон другого уравнения с палитры, чтобы создать сложное вложенное уравнение. Размер начального уравнения будет автоматически изменен в соответствии с содержимым. Размер элементов вложенного уравнения зависит от размера поля начального уравнения, но не может быть меньше, чем размер мелкого индекса. Для добавления некоторых новых элементов уравнений можно также использовать пункты контекстного меню: Чтобы добавить новый аргумент, идущий до или после имеющегося аргумента в Скобках, можно щелкнуть правой кнопкой мыши по существующему аргументу и выбрать из контекстного меню пункт Вставить аргумент перед/после. Чтобы добавить новое уравнение в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по пустому полю для заполнения или по введенному в него уравнению и выбрать из контекстного меню пункт Вставить уравнение перед/после. Чтобы добавить новую строку или новый столбец в Матрице, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри нее, выбрать из контекстного меню пункт Добавить, а затем - опцию Строку выше/ниже или Столбец слева/справа. Примечание: в настоящее время не поддерживается ввод уравнений в линейном формате, то есть в виде \\sqrt(4&x^3). При вводе значений математических выражений не требуется использовать клавишу Пробел, так как пробелы между символами и знаками действий устанавливаются автоматически. Если уравнение слишком длинное и не помещается на одной строке внутри рамки уравнения, перенос на другую строку в процессе ввода осуществляется автоматически. Можно также вставить перенос строки в строго определенном месте, щелкнув правой кнопкой мыши по математическому оператору и выбрав из контекстного меню пункт Вставить принудительный разрыв. Выбранный оператор будет перенесен на новую строку. Чтобы удалить добавленный принудительный разрыв строки, щелкните правой кнопкой мыши по математическому оператору в начале новой строки и выберите пункт меню Удалить принудительный разрыв. Форматирование уравнений По умолчанию уравнение внутри рамки горизонтально выровнено по центру, а вертикально выровнено по верхнему краю рамки уравнения. Чтобы изменить горизонтальное или вертикальное выравнивание, установите курсор внутри рамки уравнения (контуры рамки будут отображены как пунктирные линии) и используйте соответствующие значки на верхней панели инструментов. Чтобы увеличить или уменьшить размер шрифта в уравнении, щелкните мышью внутри рамки уравнения и используйте кнопки и на вкладке Главная верхней панели инструментов или выберите нужный размер шрифта из списка. Все элементы уравнения изменятся соответственно. По умолчанию буквы в уравнении форматируются курсивом. В случае необходимости можно изменить стиль шрифта (выделение полужирным, курсив, зачеркивание) или цвет для всего уравнения или его части. Подчеркивание можно применить только ко всему уравнению, а не к отдельным символам. Выделите нужную часть уравнения путем перетаскивания. Выделенная часть будет подсвечена голубым цветом. Затем используйте нужные кнопки на вкладке Главная верхней панели инструментов, чтобы отформатировать выделенный фрагмент. Например, можно убрать форматирование курсивом для обычных слов, которые не являются переменными или константами. Для изменения некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы изменить формат Дробей, можно щелкнуть правой кнопкой мыши по дроби и выбрать из контекстного меню пункт Изменить на диагональную/горизонтальную/вертикальную простую дробь (доступные опции отличаются в зависимости от типа выбранной дроби). Чтобы изменить положение Индексов относительно текста, можно щелкнуть правой кнопкой мыши по уравнению, содержащему индексы, и выбрать из контекстного меню пункт Индексы перед текстом/после текста. Чтобы изменить размер аргумента для уравнений из групп Индексы, Радикалы, Интегралы, Крупные операторы, Пределы и логарифмы, Операторы, а также для горизонтальных фигурных скобок и шаблонов с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по аргументу, который требуется изменить, и выбрать из контекстного меню пункт Увеличить/Уменьшить размер аргумента. Чтобы указать, надо ли отображать пустое поле для ввода степени в уравнении из группы Радикалы, можно щелкнуть правой кнопкой мыши по радикалу и выбрать из контекстного меню пункт Скрыть/Показать степень. Чтобы указать, надо ли отображать пустое поле для ввода предела в уравнении из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Скрыть/Показать верхний/нижний предел. Чтобы изменить положение пределов относительно знака интеграла или оператора в уравнениях из группы Интегралы или Крупные операторы, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Изменить положение пределов. Пределы могут отображаться справа от знака оператора (как верхние и нижние индексы) или непосредственно над и под знаком оператора. Чтобы изменить положение пределов относительно текста в уравнениях из группы Пределы и логарифмы и в шаблонах с группирующим знаком из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Предел над текстом/под текстом. Чтобы выбрать, какие из Скобок надо отображать, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Скрыть/Показать открывающую/закрывающую скобку. Чтобы управлять размером Скобок, можно щелкнуть правой кнопкой мыши по выражению в скобках. Пункт меню Растянуть скобки выбран по умолчанию, так что скобки могут увеличиваться в соответствии с размером выражения, заключенного в них, но вы можете снять выделение с этой опции, чтобы запретить растяжение скобок. Когда эта опция активирована, можно также использовать пункт меню Изменить размер скобок в соответствии с высотой аргумента. Чтобы изменить положение символа относительно текста для горизонтальных фигурных скобок или горизонтальной черты над/под уравнением из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по шаблону и и выбрать из контекстного меню пункт Символ/Черта над/под текстом. Чтобы выбрать, какие границы надо отображать для Уравнения в рамке из группы Диакритические знаки, можно щелкнуть правой кнопкой мыши по уравнению и выбрать из контекстного меню пункт Свойства границ, а затем - Скрыть/Показать верхнюю/нижнюю/левую/правую границу или Добавить/Скрыть горизонтальную/вертикальную/диагональную линию. Чтобы указать, надо ли отображать пустые поля для заполнения в Матрице, можно щелкнуть по ней правой кнопкой мыши и выбрать из контекстного меню пункт Скрыть/Показать поля для заполнения. Для выравнивания некоторых элементов уравнений можно использовать пункты контекстного меню: Чтобы выровнять уравнения в Наборах условий из группы Скобки, можно щелкнуть правой кнопкой мыши по уравнению, выбрать из контекстного меню пункт Выравнивание, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять Матрицу по вертикали, можно щелкнуть правой кнопкой мыши по матрице, выбрать из контекстного меню пункт Выравнивание матрицы, а затем выбрать тип выравнивания: По верхнему краю, По центру или По нижнему краю. Чтобы выровнять по горизонтали элементы внутри отдельного столбца Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри столбца, выбрать из контекстного меню пункт Выравнивание столбца, а затем выбрать тип выравнивания: По левому краю, По центру или По правому краю. Удаление элементов уравнения Чтобы удалить часть уравнения, выделите фрагмент, который требуется удалить, путем перетаскивания или удерживая клавишу Shift и используя клавиши со стрелками, затем нажмите на клавиатуре клавишу Delete. Слот можно удалить только вместе с шаблоном, к которому он относится. Чтобы удалить всё уравнение, щелкните по границе рамки уравнения, (она будет отображена как сплошная линия) и нажмите на клавиатуре клавишу Delete. Для удаления некоторых элементов уравнений можно также использовать пункты контекстного меню: Чтобы удалить Радикал, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить радикал. Чтобы удалить Нижний индекс и/или Верхний индекс, можно щелкнуть правой кнопкой мыши по содержащему их выражению и выбрать из контекстного меню пункт Удалить верхний индекс/нижний индекс. Если выражение содержит индексы, расположенные перед текстом, доступна опция Удалить индексы. Чтобы удалить Скобки, можно щелкнуть правой кнопкой мыши по выражению в скобках и выбрать из контекстного меню пункт Удалить вложенные знаки или Удалить вложенные знаки и разделители. Если выражение в Скобках содержит несколько аргументов, можно щелкнуть правой кнопкой мыши по аргументу, который требуется удалить, и выбрать из контекстного меню пункт Удалить аргумент. Если в Скобках заключено несколько уравнений (а именно, в Наборах условий), можно щелкнуть правой кнопкой мыши по уравнению, которое требуется удалить, и выбрать из контекстного меню пункт Удалить уравнение. Чтобы удалить Предел, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить предел. Чтобы удалить Диакритический знак, можно щелкнуть по нему правой кнопкой мыши и выбрать из контекстного меню пункт Удалить диакритический знак, Удалить символ или Удалить черту (доступные опции отличаются в зависимости от выбранного диакритического знака). Чтобы удалить строку или столбец Матрицы, можно щелкнуть правой кнопкой мыши по полю для заполнения внутри строки/столбца, который требуется удалить, выбрать из контекстного меню пункт Удалить, а затем - Удалить строку/столбец. Преобразование уравнений Если вы открываете существующий документ с уравнениями, которые были созданы с помощью старой версии редактора уравнений (например, в версиях, предшествующих MS Office 2007), эти уравнения необходимо преобразовать в формат Office Math ML, чтобы иметь возможность их редактировать. Чтобы преобразовать уравнение, дважды щелкните по нему. Откроется окно с предупреждением: Чтобы преобразовать только выбранное уравнение, нажмите кнопку Да в окне предупреждения. Чтобы преобразовать все уравнения в документе, поставьте галочку Применить ко всем уравнениям и нажмите кнопку Да. После преобразования уравнения вы сможете его редактировать." }, { "id": "UsageInstructions/InsertFunction.htm", @@ -2493,7 +2508,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete. Назначение макроса к изображению Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому изображению. После назначения макроса, изображение отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на изображение. Чтобы назначить макрос, Щелкните правой кнопкой мыши по изображению и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." + "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Обрезать, Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре. При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete. Назначение макроса к изображению Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому изображению. После назначения макроса, изображение отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на изображение. Чтобы назначить макрос, Щелкните правой кнопкой мыши по изображению и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." }, { "id": "UsageInstructions/InsertSparklines.htm", @@ -2513,12 +2528,12 @@ var indexes = { "id": "UsageInstructions/ManageSheets.htm", "title": "Управление листами", - "body": "По умолчанию новая созданная электронная таблица содержит один лист. Проще всего добавить новый лист, нажав на кнопку справа от кнопок Навигации по листам в левом нижнем углу. Есть другой способ добавления нового листа: щелкните правой кнопкой мыши по ярлычку листа, после которого требуется вставить новый лист, выберите из контекстного меню команду Вставить. Новый лист будет вставлен после выбранного. Для активации нужного листа используйте ярлычки листов, расположенные в левом нижнем углу каждой электронной таблицы. Примечание: если электронная таблица содержит много листов, для поиска нужного воспользуйтесь кнопками Навигации по листам, расположенными в левом нижнем углу. Для удаления ненужного листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется удалить, выберите из контекстного меню команду Удалить. Выбранный лист будет удален из текущей электронной таблицы. Для переименования существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется переименовать, выберите из контекстного меню команду Переименовать, в диалоговом окне введите Название листа и нажмите на кнопку OK. Имя выбранного листа будет изменено. Для копирования существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется скопировать, выберите из контекстного меню команду Копировать, выберите лист, перед которым требуется вставить скопированный, или используйте опцию Скопировать в конец, чтобы вставить скопированный лист после всех имеющихся, нажмите на кнопку OK, чтобы подтвердить выбор. Выбранный лист будет скопирован и вставлен в выбранное место. Для перемещения существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется переместить, выберите из контекстного меню команду Переместить, выберите лист, перед которым требуется вставить выбранный, или используйте опцию Переместить в конец, чтобы вставить выбранный лист после всех имеющихся, нажмите на кнопку OK, чтобы подтвердить выбор. Или просто перетащите нужный ярлычок листа и оставьте в новом месте. Выбранный лист будет перемещен. Если электронная таблица содержит много листов, то, чтобы упростить работу, можно скрыть некоторые из них, ненужные в данный момент. Для этого: щелкните правой кнопкой мыши по ярлычку листа, который требуется скрыть, выберите из контекстного меню команду Скрыть, Для отображения скрытого листа щелкните правой кнопкой мыши по любому ярлычку листа, откройте список Скрытый и выберите лист, который требуется отобразить. Чтобы легко различать листы, можно присвоить ярлычкам листов разные цвета. Для этого: щелкните правой кнопкой мыши по нужному ярлычку листа, выберите из контекстного меню пункт Цвет ярлычка, выберите любой цвет на доступных палитрах Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предварительного просмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к выбранному ярлычку и добавлен в палитру Пользовательский цвет. Вы можете работать с несколькими листами одновременно: выделите первый лист, который требуется включить в группу, нажмите и удерживайте клавишу Shift, чтобы выделить несколько смежных листов, которые требуется сгруппировать, или используйте клавишу Ctrl, чтобы выделить несколько несмежных листов, которые требуется сгруппировать, щелкните правой кнопкой мыши по ярлычку одного из выделенных листов, чтобы открыть контекстное меню, выберите нужный пункт меню: Вставить - чтобы вставить такое же количество новых пустых листов, которое содержится в выделенной группе, Удалить - чтобы удалить все выделенные листы одновременно (нельзя удалить все листы в рабочей книге, так как она должна содержать хотя бы один видимый лист), Переименовать - эту опцию можно применить только к каждому отдельно взятому листу, Копировать - чтобы создать копии всех выделенных листов одновременно и вставить их в выбранное место, Переместить - чтобы переместить все выделенные листы одновременно и вставить их в выбранное место, Скрыть - чтобы скрыть все выделенные листы одновременно (нельзя скрыть все листы в рабочей книге, так как она должна содержать хотя бы один видимый лист), Цвет ярлычка - чтобы присвоить один и тот же цвет всем ярлычкам выделенных листов одновременно, Выделить все листы - чтобы выделить все листы в текущей рабочей книге, Разгруппировать листы - чтобы разгруппировать выделенные листы. разгруппировать листы также можно, дважды щелкнув по листу, включенному в группу, или щелкнув по любому листу, не включенному в группу." + "body": "По умолчанию новая созданная электронная таблица содержит один лист. Проще всего добавить новый лист, нажав на кнопку справа от кнопок Навигации по листам в левом нижнем углу. Есть другой способ добавления нового листа: щелкните правой кнопкой мыши по ярлычку листа, после которого требуется вставить новый лист, выберите из контекстного меню команду Вставить. Новый лист будет вставлен после выбранного. Для активации нужного листа используйте ярлычки листов, расположенные в левом нижнем углу каждой электронной таблицы. Примечание: если электронная таблица содержит много листов, для поиска нужного воспользуйтесь кнопками Навигации по листам, расположенными в левом нижнем углу. Для удаления ненужного листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется удалить, выберите из контекстного меню команду Удалить. Выбранный лист будет удален из текущей электронной таблицы. Для переименования существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется переименовать, выберите из контекстного меню команду Переименовать, в диалоговом окне введите Название листа и нажмите на кнопку OK. Имя выбранного листа будет изменено. Для копирования существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется скопировать, выберите из контекстного меню команду Копировать, выберите лист, перед которым требуется вставить скопированный, или используйте опцию Скопировать в конец, чтобы вставить скопированный лист после всех имеющихся, нажмите на кнопку OK, чтобы подтвердить выбор. Выбранный лист будет скопирован и вставлен в выбранное место. Для перемещения существующего листа: щелкните правой кнопкой мыши по ярлычку листа, который требуется переместить, выберите из контекстного меню команду Переместить, выберите лист, перед которым требуется вставить выбранный, или используйте опцию Переместить в конец, чтобы вставить выбранный лист после всех имеющихся, нажмите на кнопку OK, чтобы подтвердить выбор. Вы также можете вручную Перетащить лист из одной книги в другую. Для этого выберите лист, который хотите переместить, и перетащите его на панель листов другой книги. Например, вы можете перетащить лист из книги онлайн-редактора в десктопный редактор: В этом случае лист из исходной электронной таблицы будет удален. Если электронная таблица содержит много листов, то, чтобы упростить работу, можно скрыть некоторые из них, ненужные в данный момент. Для этого: щелкните правой кнопкой мыши по ярлычку листа, который требуется скрыть, выберите из контекстного меню команду Скрыть, Для отображения скрытого листа щелкните правой кнопкой мыши по любому ярлычку листа, откройте список Скрытый и выберите лист, который требуется отобразить. Чтобы легко различать листы, можно присвоить ярлычкам листов разные цвета. Для этого: щелкните правой кнопкой мыши по нужному ярлычку листа, выберите из контекстного меню пункт Цвет ярлычка, выберите любой цвет на доступных палитрах Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предварительного просмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к выбранному ярлычку и добавлен в палитру Пользовательский цвет. Вы можете работать с несколькими листами одновременно: выделите первый лист, который требуется включить в группу, нажмите и удерживайте клавишу Shift, чтобы выделить несколько смежных листов, которые требуется сгруппировать, или используйте клавишу Ctrl, чтобы выделить несколько несмежных листов, которые требуется сгруппировать, щелкните правой кнопкой мыши по ярлычку одного из выделенных листов, чтобы открыть контекстное меню, выберите нужный пункт меню: Вставить - чтобы вставить такое же количество новых пустых листов, которое содержится в выделенной группе, Удалить - чтобы удалить все выделенные листы одновременно (нельзя удалить все листы в рабочей книге, так как она должна содержать хотя бы один видимый лист), Переименовать - эту опцию можно применить только к каждому отдельно взятому листу, Копировать - чтобы создать копии всех выделенных листов одновременно и вставить их в выбранное место, Переместить - чтобы переместить все выделенные листы одновременно и вставить их в выбранное место, Скрыть - чтобы скрыть все выделенные листы одновременно (нельзя скрыть все листы в рабочей книге, так как она должна содержать хотя бы один видимый лист), Цвет ярлычка - чтобы присвоить один и тот же цвет всем ярлычкам выделенных листов одновременно, Выделить все листы - чтобы выделить все листы в текущей рабочей книге, Разгруппировать листы - чтобы разгруппировать выделенные листы. разгруппировать листы также можно, дважды щелкнув по листу, включенному в группу, или щелкнув по любому листу, не включенному в группу." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Работа с объектами", - "body": "Можно изменять размер автофигур, изображений и диаграмм, вставленных на рабочий лист, перемещать, поворачивать их и располагать в определенном порядке. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Примечание: для изменения размера вставленной диаграммы или изображения можно также использовать правую боковую панель, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, щелкните по значку Параметры диаграммы или Параметры изображения справа. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Поворот объектов Чтобы вручную повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть фигуру или изображение на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по изображению или фигуре, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть фигуру или изображение на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Выравнивание объектов Чтобы выровнять два или более выбранных объектов относительно друг друга, удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю самого левого объекта, Выровнять по центру - чтобы выровнять объекты относительно друг друга по их центру, Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю самого правого объекта, Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю самого верхнего объекта, Выровнять по середине - чтобы выровнять объекты относительно друг друга по их середине, Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю самого нижнего объекта. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты выравнивания объектов. Примечание: параметры выравнивания неактивны, если выделено менее двух объектов. Распределение объектов Чтобы распределить три или более выбранных объектов по горизонтали или вертикали между двумя крайними выделенными объектами таким образом, чтобы между ними было равное расстояние, нажмите на значок Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом. Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты распределения объектов. Примечание: параметры распределения неактивны, если выделено менее трех объектов. Группировка объектов Чтобы манипулировать несколькими объектами одновременно, можно сгруппировать их. Удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Примечание: параметр Сгруппировать неактивен, если выделено менее двух объектов. Параметр Разгруппировать активен только при выделении ранее сгруппированных объектов. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект, так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект, так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект на один уровень назад по отношению к другим объектам. Можно также щелкнуть по выделенному объекту или объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать доступные варианты расположения объектов." + "body": "Можно изменять размер автофигур, изображений и диаграмм, вставленных на рабочий лист, перемещать, поворачивать их и располагать в определенном порядке. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Примечание: для изменения размера вставленной диаграммы или изображения можно также использовать правую боковую панель, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, щелкните по значку Параметры диаграммы или Параметры изображения справа. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Поворот объектов Чтобы вручную повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть фигуру или изображение на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по изображению или фигуре, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть фигуру или изображение на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Чтобы изменить форму автофигуры, вы также можете использовать опцию Изменить точки в контекстном меню. Изменить точки используется для редактирования формы или изменения кривизны автофигуры. Чтобы активировать редактируемые опорные точки фигуры, щелкните по фигуре правой кнопкой мыши и в контекстном меню выберите пункт Изменить точки. Черные квадраты, которые становятся активными, — это точки, где встречаются две линии, а красная линия очерчивает фигуру. Щелкните и перетащите квадрат, чтобы изменить положение точки и изменить контур фигуры. После сдвига опорной точки фигуры, появятся две синие линии с белыми квадратами на концах. Это кривые Безье, которые позволяют создавать кривую и изменять ее значение. Пока опорные точки активны, вы можете добавлять и удалять их: Чтобы добавить точку к фигуре, удерживайте Ctrl и щелкните место, где вы хотите добавить опорную точку. Чтобы удалить точку, удерживайте Ctrl и щелкните по ненужной точке. Выравнивание объектов Чтобы выровнять два или более выбранных объектов относительно друг друга, удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю самого левого объекта, Выровнять по центру - чтобы выровнять объекты относительно друг друга по их центру, Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю самого правого объекта, Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю самого верхнего объекта, Выровнять по середине - чтобы выровнять объекты относительно друг друга по их середине, Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю самого нижнего объекта. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты выравнивания объектов. Примечание: параметры выравнивания неактивны, если выделено менее двух объектов. Распределение объектов Чтобы распределить три или более выбранных объектов по горизонтали или вертикали между двумя крайними выделенными объектами таким образом, чтобы между ними было равное расстояние, нажмите на значок Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом. Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты распределения объектов. Примечание: параметры распределения неактивны, если выделено менее трех объектов. Группировка объектов Чтобы манипулировать несколькими объектами одновременно, можно сгруппировать их. Удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Примечание: параметр Сгруппировать неактивен, если выделено менее двух объектов. Параметр Разгруппировать активен только при выделении ранее сгруппированных объектов. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект, так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект, так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект на один уровень назад по отношению к другим объектам. Можно также щелкнуть по выделенному объекту или объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать доступные варианты расположения объектов." }, { "id": "UsageInstructions/MathAutoCorrect.htm", @@ -2535,11 +2550,31 @@ var indexes = "title": "Создание новой электронной таблицы или открытие существующей", "body": "Чтобы создать новую таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. В десктопном редакторе в главном окне программы выберите пункт меню Таблица в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в таблицу необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название таблицы, выберите формат сохранения (XLSX, Шаблон таблицы (XLTX), ODS, OTS, CSV, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующую таблицу В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужную таблицу в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, электронные таблицы также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть недавно отредактированную таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужную электронную таблицу из списка недавно измененных документов. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." }, + { + "id": "UsageInstructions/Password.htm", + "title": "Защита электронных таблиц с помощью пароля", + "body": "Вы можете защитить свои электронные таблицы при помощи пароля, который требуется вашим соавторам для входа в режим редактирования. Пароль можно изменить или удалить позже. Защитить электронную таблицу паролем можно двумя способами: с помощью вкладки Защита или вкладки Файл Вы не сможете восстановить свой пароль, если потеряете его или забудете. Пожалуйста, храните его в надежном месте. Установка пароля при помощи вкладки Защита перейдите на вкладку Защита и нажмите кнопку Шифровать. в открывшемся окне Установка пароля введите и подтвердите пароль, который вы будете использовать для доступа к этому файлу. нажмите ОК для подтверждения. кнопка Шифровать на верхней панели инструментов отображается со стрелкой, когда файл зашифрован. Нажмите на стрелку, если хотите изменить или удалить свой пароль. Смена пароля перейдите на вкладку Защита на верхней панели инструментов, нажмите кнопку Зашифровать и выберите пункт Изменить пароль в раскрывающемся списке, установите пароль в поле Пароль и повторите его в поле Повторите пароль ниже, затем нажмите ОК. Удаление пароля перейдите на вкладку Защита на верхней панели инструментов, нажмите кнопку Зашифровать и выберите пункт Удалить пароль в раскрывающемся списке. Установка пароля при помощи вкладки Файл перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Добавить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Смена пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Изменить пароль, введите пароль в поле Пароль и продублируйте его в поле Повторите пароль, затем нажмите ОК. Удаление пароля перейдите на вкладку Файл на верхней панели инструментов, выберите опцию Защитить, нажмите кнопку Удалить пароль." + }, { "id": "UsageInstructions/PivotTables.htm", "title": "Создание и редактирование сводных таблиц", "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Группировка и разгруппировка данных Данные в сводных таблицах можно сгруппировать в соответствии с индивидуальными требованиями. Группировка может быть выполнена по датам и основным числам. Группировка дат Чтобы сгруппировать даты, создайте сводную таблицу, содержащую необходимые даты. Щелкните правой кнопкой мыши по любой ячейке в сводной таблице с датой, в контекстном меню выберите параметр Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается первая дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать начальную точку. Заканчивая в - по умолчанию выбирается последняя дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать конечную точку. По - параметры Секунды, Минуты и Часы группируют данные в соответствии со временем, указанным в исходных данных. Параметр Месяцы исключает дни и оставляет только месяцы. Опция Кварталы работает при следующем условии: четыре месяца составляют квартал Кв1, Кв2 и т.д. опция Годы группирует даты по годам, указанным в исходных данных. Комбинируйте варианты, чтобы добиться желаемого результата. Количество дней - устанавливает необходимое значение для определения диапазона дат. По завершении нажмите ОК. Группировка чисел Чтобы сгруппировать числа, создайте сводную таблицу, включающую набор необходимых чисел. Щелкните правой кнопкой мыши любую ячейку в сводной таблице с номером, в контекстном меню выберите опцию Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается наименьшее число в исходных данных. Чтобы изменить его, введите в это поле нужное число. Отключите это поле, чтобы игнорировать наименьшее число. Заканчивая в - по умолчанию выбирается наибольшее число в исходных данных. Чтобы изменить его, введите в это поле нужный номер. Отключите это поле, чтобы игнорировать наибольшее число. По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д. По завершении нажмите ОК. Газгруппировка данных Чтобы разгруппировать ранее сгруппированные данные, щелкните правой кнопкой мыши любую ячейку в группе, выберите опцию Разгруппировать в контекстном меню. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация, сортировка и создание срезов в сводных таблицах Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Создание срезов Чтобы упростить фильтрацию данных и отображать только то, что необходимо, вы можете добавить срезы. Чтобы узнать больше о срезах, пожалуйста, обратитесь к руководству по созданию срезов. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." }, + { + "id": "UsageInstructions/ProtectSheet.htm", + "title": "Защита листа", + "body": "Опция Защитить лист позволяет защитить листы и контролировать изменения, внесенные другими пользователями в лист, чтобы предотвратить нежелательные изменения данных и ограничить возможности редактирования другими пользователями. Чтобы защитить лист: Перейдите на вкладку Защита и нажмите кнопку Защитить лист на верхней панели инструментов. или Щелкните правой кнопкой мыши по вкладке листа, который вы хотите защитить, и в списке выберите пункт Защитить В открывшемся окне Защитить лист введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этого листа. Пароль невозможно восстановить, если вы его потеряете или забудете. Пожалуйста, храните его в надежном месте. Установите флажки в списке Разрешить всем пользователям этого листа напротив тех операций, которые пользователи смогут выполнять. Операции Выбрать заблокированные ячейки и Выбрать разблокированные ячейки разрешены по умолчанию. Операции, которые может выполнять пользователь. Выделять заблокированные ячейки Выделять разблокированные ячейки Форматировать ячейки Форматировать столбцы Форматировать строки Вставлять столбцы Вставлять строки Вставлять гиперссылку Удалить столбцы Удалить строки Сортировать Использовать автофильтр Использовать сводную таблицу и сводную диаграмму Редактировать объекты Редактировать сценарии нажмите кнопку Защитить, чтобы включить защиту Кнопка Защитить лист остается выделенной, когда лист защищен. Чтобы снять защиту с листа: нажмите кнопку Защитить лист, или щелкните правой кнопкой мыши по вкладке защищенного листа и в списке выберите пункт Снять защиту. Введите пароль и нажмите ОК в окне Снять защиту с листа, если будет предложено." + }, + { + "id": "UsageInstructions/ProtectSpreadsheet.htm", + "title": "Защита электронной таблицы", + "body": "Редактор электронных таблиц предоставляет возможность защитить электронную таблицу, когда вы хотите ограничить доступ или возможности редактирования для других пользователей. Редактор электронных таблиц предлагает различные уровни защиты для управления доступом к файлу и возможностями редактирования внутри книги и листах. Используйте вкладку Защита чтобы настраивать доступные параметры защиты по своему усмотрению. Доступные варианты защиты: Шифрование - для управления доступом к файлу и предотвращения его открытия другими пользователями. Защита книги - для контроля над действиями пользователей с книгой и предотвращения нежелательных изменений в структуре книги. Защита листа - для контроля над действиями пользователей в листе и предотвращения нежелательных изменений данных. Разрешение редактировать диапазоны - для указания диапазона ячеек, с которыми пользователь может работать на защищенном листе. Использование флажков на вкладке Защита для быстрой блокировки или разблокировки содержимого защищенного листа. Примечание: эти опции не вступят в силу, пока вы не включите защиту листа. Ячейки, фигуры и текст внутри фигуры заблокированы на листе по умолчанию. Снимите соответствующий флажок, чтобы разблокировать их. Разблокированные объекты по-прежнему можно редактировать, когда лист защищен. Параметры Заблокированная фигура и Заблокировать текст становятся активными при выборе фигуры. Параметр Заблокированная фигура применяется как к фигурам, так и к другим объектам, таким как диаграммы, изображения и текстовые поля. Параметр Заблокировать текст блокирует текст внутри всех графических объектов, кроме диаграмм. Установите флажок напротив параметра Скрытые формулы, чтобы скрыть формулы в выбранном диапазоне или ячейке, когда лист защищен. Скрытая формула не будет отображаться в строке формул при нажатии на ячейку." + }, + { + "id": "UsageInstructions/ProtectWorkbook.htm", + "title": "Защита книги", + "body": "Опция Защитить книгу позволяет защитить структуру книги и ограничить действия пользователей с книгой, чтобы никто не мог добавлять, перемещать, удалять, скрывать или просматривать скрытые и переименовывать листы. Вы можете защитить книгу паролем или без него. Если вы не используете пароль, любой может снять защиту с книги. Чтобы защитить книгу: Перейдите на вкладку Защита и нажмите кнопку Защитить книгу на верхней панели инструментов. В открывшемся окне Защитить структуру книги введите и подтвердите пароль, если вы хотите установить пароль для снятия защиты с этой книги. Нажмите кнопку Защитить, чтобы включить защиту с паролем или без него. Пароль невозможно восстановить, если вы его потеряете или забудете. Пожалуйста, храните его в надежном месте. Кнопка Защитить книгу на верхней панели инструментов остается выделенной после того, как книга будет защищена. Чтобы снять защиту с книги: если книга защищена паролем, нажмите кнопку Защитить книгу на верхней панели инструментов, введите пароль во всплывающем окне Снять защиту книги и нажмите ОК. если книга не защищена паролем, просто нажмите кнопку Защитить книгу на верхней панели инструментов." + }, { "id": "UsageInstructions/RemoveDuplicates.htm", "title": "Удаление дубликатов", @@ -2548,7 +2583,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / печать / скачивание таблицы", - "body": "Сохранение По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении, щелкните по значку Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить электронную таблицу под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDF/A. Также можно выбрать вариант Шаблон таблицы XLTX или OTS. Скачивание Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Сохранение копии Чтобы в онлайн-версии сохранить копию электронной таблицы на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать таблицы без предварительной загрузки в виде файла .pdf. Откроется окно Параметры печати, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати, Вписать. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати. Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба: Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера. Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец. Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати. Настройка области печати Если требуется распечатать только выделенный диапазон ячеек вместо всего листа, можно использовать настройку Выделенный фрагмент в выпадающем списке Диапазон печати. Эта настройка не сохраняется при сохранении рабочей книги и подходит для однократного использования. Если какой-то диапазон ячеек требуется распечатывать неоднократно, можно задать постоянную область печати на рабочем листе. Область печати будет сохранена при сохранении рабочей книги и может использоваться при последующем открытии электронной таблицы. Можно также задать несколько постоянных областей печати на листе, в этом случае каждая из них будет выводиться на печать на отдельной странице. Чтобы задать область печати: выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Задать область печати. Созданная область печати сохраняется при сохранении рабочей книги. При последующем открытии файла на печать будет выводиться заданная область печати. При создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле \"Имя\" слева от строки формул и выбрать из списка имен Область_печати. Чтобы добавить ячейки в область печати: откройте нужный рабочий лист, на котором добавлена область печати, выделите нужный диапазон ячеек на рабочем листе, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Добавить в область печати. Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице. Чтобы удалить область печати: откройте нужный рабочий лист, на котором добавлена область печати, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Очистить область печати. Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист." + "body": "Сохранение По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении, щелкните по значку Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить электронную таблицу под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDF/A. Также можно выбрать вариант Шаблон таблицы XLTX или OTS. Скачивание Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Сохранение копии Чтобы в онлайн-версии сохранить копию электронной таблицы на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать таблицы без предварительной загрузки в виде файла .pdf. Откроется окно Предпросмотра, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати, Вписать. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати. Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба: Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера. Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец. Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. Параметры верхнего и нижнего колонтитулов - позволяет добавить некоторую дополнительную информацию к печатному листу, такую как дата и время, номер страницы, имя листа и т.д. Верхние и нижние колонтитулы будут отображаться в печатной версии электронной таблицы. После настройки параметров печати нажмите кнопку Печать, чтобы сохранить изменения и распечатать электронную таблицу, или кнопку Сохранить, чтобы сохранить изменения, внесенные в параметры печати. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати. Настройка области печати Если требуется распечатать только выделенный диапазон ячеек вместо всего листа, можно использовать настройку Выделенный фрагмент в выпадающем списке Диапазон печати. Эта настройка не сохраняется при сохранении рабочей книги и подходит для однократного использования. Если какой-то диапазон ячеек требуется распечатывать неоднократно, можно задать постоянную область печати на рабочем листе. Область печати будет сохранена при сохранении рабочей книги и может использоваться при последующем открытии электронной таблицы. Можно также задать несколько постоянных областей печати на листе, в этом случае каждая из них будет выводиться на печать на отдельной странице. Чтобы задать область печати: выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Задать область печати. Созданная область печати сохраняется при сохранении рабочей книги. При последующем открытии файла на печать будет выводиться заданная область печати. При создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле \"Имя\" слева от строки формул и выбрать из списка имен Область_печати. Чтобы добавить ячейки в область печати: откройте нужный рабочий лист, на котором добавлена область печати, выделите нужный диапазон ячеек на рабочем листе, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Добавить в область печати. Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице. Чтобы удалить область печати: откройте нужный рабочий лист, на котором добавлена область печати, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Очистить область печати. Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист." }, { "id": "UsageInstructions/ScaleToFit.htm", @@ -2558,7 +2593,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Управление предустановками представления листа", - "body": "Примечание: эта функция доступна только в платной версии, начиная с версии ONLYOFFICE Docs 6.1. Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Вид и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Вид верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." + "body": "Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Вид и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Вид верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." }, { "id": "UsageInstructions/Slicers.htm", @@ -2570,6 +2605,11 @@ var indexes = "title": "Сортировка и фильтрация данных", "body": "Сортировка данных Данные в электронной таблице можно быстро отсортировать, используя одну из доступных опций: По возрастанию используется для сортировки данных в порядке возрастания - от A до Я по алфавиту или от наименьшего значения к наибольшему для числовых данных. По убыванию используется для сортировки данных в порядке убывания - от Я до A по алфавиту или от наибольшего значения к наименьшему для числовых данных. Примечание: параметры сортировки доступны как на вкладке Главная, так и на вкладке Данные. Для сортировки данных: выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Сортировка по возрастанию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке возрастания, ИЛИ щелкните по значку Сортировка по убыванию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке убывания. Примечание: если вы выделите отдельный столбец/строку в диапазоне ячеек или часть строки/столбца, вам будет предложено выбрать, хотите ли вы расширить выделенный диапазон, чтобы включить смежные ячейки, или отсортировать только выделенные данные. Данные также можно сортировать, используя команды контекстного меню. Щелкните правой кнопкой мыши по выделенному диапазону ячеек, выберите в меню команду Сортировка, а затем выберите из подменю опцию По возрастанию или По убыванию. С помощью контекстного меню данные можно также отсортировать по цвету: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтрация данных Чтобы отобразить только те строки, которые соответствуют определенным критериям, и скрыть остальные, воспользуйтесь Фильтром. Примечание: параметры фильтрации доступны как на вкладке Главная, так и на вкладке Данные. Чтобы включить фильтр: Выделите диапазон ячеек, содержащих данные, которые требуется отфильтровать (можно выделить отдельную ячейку в диапазоне, чтобы отфильтровать весь диапазон), Щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. В первой ячейке каждого столбца выделенного диапазона ячеек появится кнопка со стрелкой . Это означает, что фильтр включен. Чтобы применить фильтр: Нажмите на кнопку со стрелкой . Откроется список команд фильтра: Примечание: можно изменить размер окна фильтра путем перетаскивания его правой границы вправо или влево, чтобы отображать данные максимально удобным образом. Настройте параметры фильтра. Можно действовать одним из трех следующих способов: выбрать данные, которые надо отображать, отфильтровать данные по определенным критериям или отфильтровать данные по цвету. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Количество уникальных значений в отфильтрованном диапазоне отображено справа от каждого значения в окне фильтра. Примечание: флажок {Пустые} соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В зависимости от данных, содержащихся в выбранном столбце, в правой части окна фильтра можно выбрать команду Числовой фильтр или Текстовый фильтр, а затем выбрать одну из опций в подменю: Для Числового фильтра доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Первые 10, Выше среднего, Ниже среднего, Пользовательский.... Для Текстового фильтра доступны следующие опции: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит..., Пользовательский.... После выбора одной из вышеуказанных опций (кроме опций Первые 10 и Выше/Ниже среднего), откроется окно Пользовательский фильтр. В верхнем выпадающем списке будет выбран соответствующий критерий. Введите нужное значение в поле справа. Для добавления еще одного критерия используйте переключатель И, если требуется, чтобы данные удовлетворяли обоим критериям, или выберите переключатель Или, если могут удовлетворяться один или оба критерия. Затем выберите из нижнего выпадающего списка второй критерий и введите нужное значение справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Пользовательский... из списка опций Числового/Текстового фильтра, первое условие не выбирается автоматически, вы можете выбрать его сами. При выборе опции Первые 10 из списка опций Числового фильтра, откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. При выборе опции Выше/Ниже среднего из списка опций Числового фильтра, фильтр будет применен сразу. Фильтрация данных по цвету Если в диапазоне ячеек, который требуется отфильтровать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей), можно использовать одну из следующих опций: Фильтр по цвету ячеек - чтобы отобразить только записи с определенным цветом фона ячеек и скрыть остальные, Фильтр по цвету шрифта - чтобы отобразить только записи с определенным цветом шрифта в ячейках и скрыть остальные. Когда вы выберете нужную опцию, откроется палитра, содержащая цвета, использованные в выделенном диапазоне ячеек. Выберите один из цветов, чтобы применить фильтр. В первой ячейке столбца появится кнопка Фильтр . Это означает, что фильтр применен. Количество отфильтрованых записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80). Примечание: когда фильтр применен, строки, отсеянные в результате фильтрации, нельзя изменить при автозаполнении, форматировании, удалении видимого содержимого. Такие действия влияют только на видимые строки, а строки, скрытые фильтром, остаются без изменений. При копировании и вставке отфильтрованных данных можно скопировать и вставить только видимые строки. Это не эквивалентно строкам, скрытым вручную, которые затрагиваются всеми аналогичными действиями. Сортировка отфильтрованных данных Можно задать порядок сортировки данных, для которых включен или применен фильтр. Нажмите на кнопку со стрелкой или кнопку Фильтр и выберите одну из опций в списке команд фильтра: Сортировка по возрастанию - позволяет сортировать данные в порядке возрастания, отобразив в верхней части столбца наименьшее значение, Сортировка по убыванию - позволяет сортировать данные в порядке убывания, отобразив в верхней части столбца наибольшее значение, Сортировка по цвету ячеек - позволяет выбрать один из цветов и отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сортировка по цвету шрифта - позволяет выбрать один из цветов и отобразить записи с таким же цветом шрифта в верхней части столбца. Последние две команды можно использовать, если в диапазоне ячеек, который требуется отсортировать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей). Направление сортировки будет обозначено с помощью стрелки в кнопках фильтра. если данные отсортированы по возрастанию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . если данные отсортированы по убыванию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . Данные можно также быстро отсортировать по цвету с помощью команд контекстного меню: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтр по содержимому выделенной ячейки Данные можно также быстро фильтровать по содержимому выделенной ячейки с помощью команд контекстного меню. Щелкните правой кнопкой мыши по ячейке, выберите в меню команду Фильтр, а затем выберите одну из доступных опций: Фильтр по значению выбранной ячейки - чтобы отобразить только записи с таким же значением, как и в выделенной ячейке. Фильтр по цвету ячейки - чтобы отобразить только записи с таким же цветом фона ячеек, как и у выделенной ячейки. Фильтр по цвету шрифта - чтобы отобразить только записи с таким же цветом шрифта, как и у выделенной ячейки. Форматирование по шаблону таблицы Чтобы облегчить работу с данными, в редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Для получения дополнительной информации о работе с форматированными таблицами, обратитесь к этой странице. Повторное применение фильтра Если отфильтрованные данные были изменены, можно обновить фильтр, чтобы отобразить актуальный результат: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Применить повторно. Можно также щелкнуть правой кнопкой мыши по ячейке в столбце, содержащем отфильтрованные данные, и выбрать из контекстного меню команду Применить повторно. Очистка фильтра Для очистки фильтра: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Очистить. Можно также поступить следующим образом: выделите диапазон ячеек, которые содержат отфильтрованные данные, щелкните по значку Очистить фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр останется включенным, но все примененные параметры фильтра будут удалены, а кнопки Фильтр в первых ячейках столбцов изменятся на кнопки со стрелкой . Удаление фильтра Для удаления фильтра: выделите диапазон ячеек, содержащих отфильтрованные данные, щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр будет отключен, а кнопки со стрелкой исчезнут из первых ячеек столбцов. Сортировка данных по нескольким столбцам/строкам Для сортировки данных по нескольким столбцам/строкам можно создать несколько уровней сортировки, используя функцию Настраиваемая сортировка. выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Настраиваемая сортировка , расположенному на вкладке Данные верхней панели инструментов, откроется окно Сортировка. По умолчанию включена сортировка по столбцам. Чтобы изменить ориентацию сортировки (то есть сортировать данные по строкам, а не по столбцам) нажмите кнопку Параметры наверху. Откроется окно Параметры сортировки: установите флажок Мои данные содержат заголовки, если это необходимо, выберите нужную Ориентацию: Сортировать сверху вниз, чтобы сортировать данные по столбцам, или Сортировать слева направо чтобы сортировать данные по строкам, нажмите кнопку OK, чтобы применить изменения и закрыть окно. задайте первый уровень сортировки в поле Сортировать по: в разделе Столбец / Строка выберите первый столбец / строку, который требуется отсортировать, в списке Сортировка выберите одну из следующих опций: Значения, Цвет ячейки или Цвет шрифта, в списке Порядок укажите нужный порядок сортировки. Доступные параметры различаются в зависимости от опции, выбранной в списке Сортировка: если выбрана опция Значения, выберите опцию По возрастанию / По убыванию, если диапазон ячеек содержит числовые значения, или опцию От А до Я / От Я до А, если диапазон ячеек содержит текстовые значения, если выбрана опция Цвет ячейки, выберите нужный цвет ячейки и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк, если выбрана опция Цвет шрифта, выберите нужный цвет шрифта и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк. добавьте следующий уровень сортировки, нажав кнопку Добавить уровень, выберите второй столбец / строку, который требуется отсортировать, и укажите другие параметры сортировки в поле Затем по, как описано выше. В случае необходимости добавьте другие уровни таким же способом. управляйте добавленными уровнями, используя кнопки в верхней части окна: Удалить уровень, Копировать уровень или измените порядок уровней, используя кнопки со стрелками Переместить уровень вверх / Переместить уровень вниз, нажмите кнопку OK, чтобы применить изменения и закрыть окно. Данные будут отсортированы в соответствии с заданными уровнями сортировки." }, + { + "id": "UsageInstructions/SupportSmartArt.htm", + "title": "Поддержка SmartArt в редакторе электронных таблиц ONLYOFFICE", + "body": "Графика SmartArt используется для создания визуального представления иерархической структуры при помощи выбора наиболее подходящего макета. Редактор электронных таблиц ONLYOFFICE поддерживает графические объекты SmartArt, добавленную с помощью сторонних редакторов. Вы можете открыть файл, содержащий SmartArt, и редактировать его как графический объект с помощью доступных инструментов. Если выделить графический объект SmartArt или его элемент, на правой боковой панели станут доступны следующие вкладки: Параметры фигуры - для редактирования фигур, используемых в макете. Вы можете изменять размер формы, редактировать заливку, контур, толщину, стиль обтекания, положение, линии и стрелки, текстовое поле и альтернативный текст. Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста в ячейках для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt. Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования: Порядок - упорядочить объекты, используя следующие параметры: Перенести на передний план, Перенести на задний план, Перенести вперед, Перенести назад , Сгруппировать и Разгруппировать. Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt. Назначить макрос - обеспечить быстрый и легкий доступ к макросу в электронной таблице. Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры. Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста: Выравнивание по вертикали - выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю. Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх. Гиперссылка - добавить гиперссылку к объекту SmartArt. Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца." + }, { "id": "UsageInstructions/UndoRedo.htm", "title": "Отмена / повтор действий", @@ -2583,6 +2623,6 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Просмотр сведений о файле", - "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о документе включают в себя ряд свойств файла, описывающих документ. Некоторые из этих свойств обновляются автоматически, а некоторые из них можно редактировать. Размещение - папка в модуле Документы, в которой хранится файл. Владелец - имя пользователя, который создал файл. Загружена - дата и время создания файла. Эти свойства доступны только в онлайн-версии. Название, Тема, Комментарий - эти свойства позволяют упростить классификацию документов. Вы можете задать нужный текст в полях свойств. Последнее изменение - дата и время последнего изменения файла. Автор последнего изменения - имя пользователя, сделавшего последнее изменение в электронной таблице, если к ней был предоставлен доступ, и ее могут редактировать несколько пользователей. Приложение - приложение, в котором была создана электронная таблица. Автор - имя человека, создавшего файл. В этом поле вы можете ввести нужное имя. Нажмите Enter, чтобы добавить новое поле, позволяющее указать еще одного автора. Если вы изменили свойства файла, нажмите кнопку Применить, чтобы применить изменения. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню." + "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о документе включают в себя ряд свойств файла, описывающих документ. Некоторые из этих свойств обновляются автоматически, а некоторые из них можно редактировать. Размещение - папка в модуле Документы, в которой хранится файл. Владелец - имя пользователя, который создал файл. Загружена - дата и время создания файла. Эти свойства доступны только в онлайн-версии. Название, Тема, Комментарий - эти свойства позволяют упростить классификацию документов. Вы можете задать нужный текст в полях свойств. Последнее изменение - дата и время последнего изменения файла. Автор последнего изменения - имя пользователя, сделавшего последнее изменение в электронной таблице, если к ней был предоставлен доступ, и ее могут редактировать несколько пользователей. Приложение - приложение, в котором была создана электронная таблица. Автор - имя человека, создавшего файл. В этом поле вы можете ввести нужное имя. Нажмите Enter, чтобы добавить новое поле, позволяющее указать еще одного автора. Если вы изменили свойства файла, нажмите кнопку Применить, чтобы применить изменения. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню. История версий В онлайн-версии вы можете просматривать историю версий для документов, сохраненных в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы просмотреть все внесенные в электронную таблицу изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этой таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий электронной таблицы также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее. Чтобы вернуться к текущей версии электронной таблицы, нажмите на ссылку Закрыть историю над списком версий." } ] \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/img/file-template.svg b/apps/spreadsheeteditor/main/resources/img/file-template.svg index 325f0a78f..a95551732 100644 --- a/apps/spreadsheeteditor/main/resources/img/file-template.svg +++ b/apps/spreadsheeteditor/main/resources/img/file-template.svg @@ -1,5 +1,5 @@ - + @@ -23,5 +23,5 @@ - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/img/recent-file.svg b/apps/spreadsheeteditor/main/resources/img/recent-file.svg index cdf3228e7..80e7954ca 100644 --- a/apps/spreadsheeteditor/main/resources/img/recent-file.svg +++ b/apps/spreadsheeteditor/main/resources/img/recent-file.svg @@ -1,7 +1,7 @@ - + - + diff --git a/apps/spreadsheeteditor/main/resources/less/leftmenu.less b/apps/spreadsheeteditor/main/resources/less/leftmenu.less index 822e4ab0b..9146e1ef1 100644 --- a/apps/spreadsheeteditor/main/resources/less/leftmenu.less +++ b/apps/spreadsheeteditor/main/resources/less/leftmenu.less @@ -39,8 +39,40 @@ height: 125px; cursor: pointer; - svg&:hover { - opacity:0.85; + .svg-format- { + &xlsx { + background: ~"url('@{common-image-const-path}/doc-formats/xlsx.svg') no-repeat center"; + } + &pdf { + background: ~"url('@{common-image-const-path}/doc-formats/pdf.svg') no-repeat center"; + } + &ods { + background: ~"url('@{common-image-const-path}/doc-formats/ods.svg') no-repeat center"; + } + &csv { + background: ~"url('@{common-image-const-path}/doc-formats/csv.svg') no-repeat center"; + } + &xltx { + background: ~"url('@{common-image-const-path}/doc-formats/xltx.svg') no-repeat center"; + } + &pdfa { + background: ~"url('@{common-image-const-path}/doc-formats/pdfa.svg') no-repeat center"; + } + &ots { + background: ~"url('@{common-image-const-path}/doc-formats/ots.svg') no-repeat center"; + } + &xlsm { + background: ~"url('@{common-image-const-path}/doc-formats/xlsm.svg') no-repeat center"; + } + } + + div { + display: block; + height: 100%; + width: 100%; + &:hover { + opacity: 0.85; + } } } @@ -49,6 +81,19 @@ width: 96px; height: 96px; cursor: pointer; + + .svg-format-blank { + background: ~"url(@{common-image-const-path}/doc-formats/blank.svg) no-repeat center" ; + } + .svg-file-template{ + background: ~"url(@{app-image-const-path}/file-template.svg) no-repeat center" ; + } + + div { + display: block; + height: 100%; + width: 100%; + } } #file-menu-panel { @@ -72,6 +117,7 @@ background-color: @highlight-button-pressed; > a { + color: @text-normal-pressed-ie; color: @text-normal-pressed; } } @@ -376,9 +422,12 @@ width: 25px; height: 25px; margin-top: 1px; - svg { + div { width: 100%; height: 100%; + .svg-file-recent { + background: ~"url(@{app-image-const-path}/recent-file.svg) no-repeat top"; + } } } @@ -696,3 +745,57 @@ height: 16px; width: 16px; } + +.search-panel { + #search-options { + label { + width: 100%; + } + } + #search-results { + padding-top: 6px; + .search-table { + width:100%; + height: 100%; + position: relative; + } + .header-item { + width:16%; + display: inline-block; + height: 18px; + text-align: start; + font-weight: normal; + padding-left: 4px; + &:not(:first-child) { + border-left: @scaled-one-px-value-ie solid @border-divider-ie; + border-left: @scaled-one-px-value solid @border-divider; + } + &:last-child { + width:36%; + } + } + .search-items { + height: calc(100% - 24px); + position: absolute; + top: 23px; + width: 100%; + overflow: hidden; + .item { + padding: 0; + display: flex; + div { + width: 16%; + padding-left: 4px; + height: 28px; + line-height: 28px; + white-space: nowrap; + overflow: hidden; + text-overflow: ellipsis; + &:last-child { + width: 36%; + } + } + } + } + } +} diff --git a/apps/spreadsheeteditor/main/resources/less/statusbar.less b/apps/spreadsheeteditor/main/resources/less/statusbar.less index 86e9f9842..aac5953a4 100644 --- a/apps/spreadsheeteditor/main/resources/less/statusbar.less +++ b/apps/spreadsheeteditor/main/resources/less/statusbar.less @@ -3,15 +3,13 @@ z-index: 500; #status-tabs-scroll { - width: 112px; + width: 66px; float: left; padding: 3px 12px 0 10px; height: 25px; } #status-zoom-box { - width: 160px; - //float: right; padding-top: 3px; position: absolute; @@ -161,7 +159,7 @@ position: absolute; overflow: hidden; height: 25px; - left: 112px; + left: 66px; right: 160px; //margin-right: 3px; } @@ -370,7 +368,7 @@ .status-label { .font-weight-bold(); color: @text-normal; - margin-top: 5px; + margin-top: 6px; width: 100%; text-align: center; } diff --git a/apps/spreadsheeteditor/mobile/locale/az.json b/apps/spreadsheeteditor/mobile/locale/az.json index 8f7b5f46e..5d19f4d0c 100644 --- a/apps/spreadsheeteditor/mobile/locale/az.json +++ b/apps/spreadsheeteditor/mobile/locale/az.json @@ -160,7 +160,8 @@ "textNoTextFound": "Text not found", "textOk": "Ok", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtSorting": "Sıralama", "txtSortSelected": "Seçilmiş sıralama", "txtYes": "Bəli", - "textOk": "Ok" + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Xəbərdarlıq", diff --git a/apps/spreadsheeteditor/mobile/locale/be.json b/apps/spreadsheeteditor/mobile/locale/be.json index 6fa9a4363..1e918cf09 100644 --- a/apps/spreadsheeteditor/mobile/locale/be.json +++ b/apps/spreadsheeteditor/mobile/locale/be.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -258,8 +259,8 @@ "textSheet": "Sheet", "textSheetName": "Sheet Name", "textUnhide": "Unhide", - "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?", - "textTabColor": "Tab Color" + "textTabColor": "Tab Color", + "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?" }, "View": { "Add": { @@ -277,16 +278,19 @@ "sCatMathematic": "Math and trigonometry", "sCatStatistical": "Statistical", "sCatTextAndData": "Text and data", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", "textBack": "Back", "textCancel": "Cancel", "textChart": "Chart", "textComment": "Comment", + "textDataTableHint": "Returns the data cells of the table or specified table columns", "textDisplay": "Display", "textEmptyImgUrl": "You need to specify the image URL.", "textExternalLink": "External Link", "textFilter": "Filter", "textFunction": "Function", "textGroups": "CATEGORIES", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", "textImage": "Image", "textImageURL": "Image URL", "textInsert": "Insert", @@ -307,6 +311,8 @@ "textShape": "Shape", "textSheet": "Sheet", "textSortAndFilter": "Sort and Filter", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns", "txtExpand": "Expand and sort", "txtExpandSort": "The data next to the selection will not be sorted. Do you want to expand the selection to include the adjacent data or continue with sorting the currently selected cells only?", "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", @@ -548,6 +554,7 @@ "textFormulaLanguage": "Formula Language", "textFormulas": "Formulas", "textHelp": "Help", + "textFeedback": "Feedback & Support", "textHideGridlines": "Hide Gridlines", "textHideHeadings": "Hide Headings", "textHighlightRes": "Highlight results", @@ -627,8 +634,7 @@ "txtSemicolon": "Semicolon", "txtSpace": "Space", "txtTab": "Tab", - "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
          Are you sure you want to continue?", - "textFeedback": "Feedback & Support" + "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
          Are you sure you want to continue?" } }, "LongActions": { diff --git a/apps/spreadsheeteditor/mobile/locale/bg.json b/apps/spreadsheeteditor/mobile/locale/bg.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/bg.json +++ b/apps/spreadsheeteditor/mobile/locale/bg.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/ca.json b/apps/spreadsheeteditor/mobile/locale/ca.json index fdff11845..0f6f183bc 100644 --- a/apps/spreadsheeteditor/mobile/locale/ca.json +++ b/apps/spreadsheeteditor/mobile/locale/ca.json @@ -11,8 +11,8 @@ "Common": { "Collaboration": { "notcriticalErrorTitle": "Advertiment", - "textAddComment": "Afegeix un comentari", - "textAddReply": "Afegeix una resposta", + "textAddComment": "Afegir comentari", + "textAddReply": "Afegir Resposta", "textBack": "Enrere", "textCancel": "Cancel·la", "textCollaboration": "Col·laboració", @@ -24,8 +24,8 @@ "textEditComment": "Edita el comentari", "textEditReply": "Edita la resposta", "textEditUser": "Usuaris que editen el fitxer:", - "textMessageDeleteComment": "Segur que vols suprimir aquest comentari?", - "textMessageDeleteReply": "Segur que vols suprimir aquesta resposta?", + "textMessageDeleteComment": "Voleu suprimir aquest comentari?", + "textMessageDeleteReply": "Voleu suprimir aquesta resposta?", "textNoComments": "Aquest document no conté comentaris", "textOk": "D'acord", "textReopen": "Torna a obrir", @@ -41,9 +41,9 @@ }, "ContextMenu": { "errorCopyCutPaste": "Les accions copia, talla i enganxa que utilitzen el menú contextual només s'executaran en el fitxer actual.", - "errorInvalidLink": "La referència d'enllaç no existeix. Corregeix l'enllaç o suprimeix-lo.", - "menuAddComment": "Afegeix un comentari", - "menuAddLink": "Afegeix un enllaç", + "errorInvalidLink": "La referència d'enllaç no existeix. Corregiu l'enllaç o suprimiu-lo.", + "menuAddComment": "Afegir comentari", + "menuAddLink": "Afegir Enllaç", "menuCancel": "Cancel·la", "menuCell": "Cel·la", "menuDelete": "Suprimeix", @@ -62,22 +62,22 @@ "notcriticalErrorTitle": "Advertiment", "textCopyCutPasteActions": "Accions de copia, talla i enganxa ", "textDoNotShowAgain": "No ho mostris més", - "warnMergeLostData": "Només les dades de la cel·la superior esquerra romandran a la cel·la combinada.
          Segur que vols continuar?" + "warnMergeLostData": "Només les dades de la cel·la superior esquerra romandran a la cel·la combinada.
          Voleu continuar?" }, "Controller": { "Main": { "criticalErrorTitle": "Error", - "errorAccessDeny": "No tens permís per realitzar aquesta acció.
          Contacta amb el teu administrador.", + "errorAccessDeny": "No teniu permís per realitzar aquesta acció.
          Contacteu amb l'administrador.", "errorOpensource": "Mitjançant la versió gratuïta de la comunitat, només podeu obrir documents en mode lectura. Per accedir als editors de web per a mòbils, cal una llicència comercial.", "errorProcessSaveResult": "No s'ha pogut desar.", "errorServerVersion": "S'ha actualitzat la versió de l'editor. Es tornarà a carregar la pàgina per aplicar els canvis.", "errorUpdateVersion": "S'ha canviat la versió del fitxer. La pàgina es tornarà a carregar.", - "leavePageText": "Tens canvis no desats en aquest document. Fes clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "leavePageText": "Teniu canvis no desats en aquest document. Feu clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", "notcriticalErrorTitle": "Advertiment", "SDK": { - "txtAccent": "Èmfasi", + "txtAccent": "Accent", "txtAll": "(Tots)", - "txtArt": "El teu text aquí", + "txtArt": "El vostre text aquí", "txtBlank": "(en blanc)", "txtByField": "%1 de %2", "txtClearFilter": "Suprimeix el filtre (Alt + C)", @@ -136,12 +136,12 @@ "txtYears": "Anys" }, "textAnonymous": "Anònim", - "textBuyNow": "Visita el lloc web", + "textBuyNow": "Visiteu el lloc web", "textClose": "Tanca", - "textContactUs": "Contacta amb vendes", - "textCustomLoader": "No tens els permisos per canviar el carregador. Contacta amb el nostre departament de vendes per obtenir un pressupost.", + "textContactUs": "Contacteu amb vendes", + "textCustomLoader": "No teniu els permisos per canviar el carregador. Contacteu amb el nostre departament de vendes per obtenir un pressupost.", "textGuest": "Convidat", - "textHasMacros": "El fitxer conté macros automàtiques.
          Les vols executar?", + "textHasMacros": "El fitxer conté macros automàtiques.
          Les voleu executar?", "textNo": "No", "textNoChoices": "No hi ha opcions per omplir la cel·la.
          Només es poden seleccionar valors de text de la columna per substituir-los.", "textNoLicenseTitle": "S'ha assolit el límit de llicència", @@ -154,83 +154,84 @@ "textYes": "Sí", "titleServerVersion": "S'ha actualitzat l'editor", "titleUpdateVersion": "S'ha canviat la versió", - "warnLicenseExceeded": "Has arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacta amb el vostre administrador per a més informació.", - "warnLicenseLimitedNoAccess": "La llicència ha caducat. No tens accés a la funció d'edició de documents. Contacta amb el teu administrador.", - "warnLicenseLimitedRenewed": "Cal renovar la llicència. Tens accés limitat a la funció d'edició de documents.
          Contacta amb el teu administrador per obtenir accés total.", - "warnLicenseUsersExceeded": "Has arribat al límit d'usuari per a %1 editors. Contacta amb el teu administrador per a més informació.", - "warnNoLicense": "Has arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacta amb l'equip de vendes %1 per a les condicions d'una actualització personal.", - "warnNoLicenseUsers": "Has arribat al límit d'usuaris per a %1 editors. Contacta amb l'equip de vendes de %1 per obtenir les condicions de millora personals dels teus serveis.", - "warnProcessRightsChange": "No tens permís per editar el fitxer." + "warnLicenseExceeded": "Heu arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacteu amb l'administrador per a més informació.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No teniu accés a la funció d'edició de documents. Contacteu amb l'administrador.", + "warnLicenseLimitedRenewed": "Cal renovar la llicència. Teniu accés limitat a la funció d'edició de documents.
          Contacteu amb l'administrador per obtenir accés total", + "warnLicenseUsersExceeded": "Heu arribat al límit d'usuaris per a %1 editors. Contacteu amb el vostre administrador per a més informació.", + "warnNoLicense": "Heu arribat al límit de connexions simultànies a %1 editors. Aquest document només s'obrirà en mode lectura. Contacteu amb l'equip de vendes %1 per a les condicions d'una actualització personal.", + "warnNoLicenseUsers": "Heu arribat al límit d'usuaris per a %1 editors. Contacteu amb l'equip de vendes de %1 per obtenir les condicions de millora personals dels vostres serveis.", + "warnProcessRightsChange": "No teniu permís per editar el fitxer.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { "convertationTimeoutText": "S'ha superat el temps de conversió.", - "criticalErrorExtText": "Prem «D'acord» per tornar a la llista de documents.", + "criticalErrorExtText": "Premeu «D'acord» per tornar a la llista de documents.", "criticalErrorTitle": "Error", "downloadErrorText": "S'ha produït un error en la baixada", - "errorAccessDeny": "No tens permís per realitzar aquesta acció.
          Contacta amb el teu administrador.", - "errorArgsRange": "Hi ha un error en la fórmula.
          l'interval d'arguments no és correcte.", - "errorAutoFilterChange": "Aquesta operació no està permesa, perquè intenta canviar les cel·les d'una taula del teu full de càlcul.", - "errorAutoFilterChangeFormatTable": "Aquesta operació no pot fer per a les cel·les seleccionades, perquè no pots moure una part de la taula.
          Selecciona un altre interval de dades perquè es desplaci tota la taula i torna-ho a provar.", - "errorAutoFilterDataRange": "Aquesta operació no es pot fer per a l'interval de cel·les seleccionat.
          Selecciona un interval de dades uniforme dins o fora de la taula i torna-ho a provar.", - "errorAutoFilterHiddenRange": "Aquesta operació no es pot fer perquè l'àrea conté cel·les filtrades.
          Mostra els elements filtrats i torna-ho a provar.", + "errorAccessDeny": "No teniu permís per realitzar aquesta acció.
          Contacteu amb l'administrador.", + "errorArgsRange": "Hi ha un error en la fórmula.
          L'interval d'arguments no és correcte.", + "errorAutoFilterChange": "Aquesta operació no està permesa, perquè intenta canviar les cel·les d'una taula del full de càlcul.", + "errorAutoFilterChangeFormatTable": "Aquesta operació no es pot fer per a les cel·les seleccionades, perquè no podeu moure una part de la taula.
          Seleccioneu un altre interval de dades perquè es desplaci tota la taula i torneu-ho a provar.", + "errorAutoFilterDataRange": "Aquesta operació no es pot fer per a l'interval de cel·les seleccionat.
          Seleccioneu un interval de dades uniforme dins o fora de la taula i torneu-ho a provar.", + "errorAutoFilterHiddenRange": "Aquesta operació no es pot fer perquè l'àrea conté cel·les filtrades.
          Mostreu els elements filtrats i torneu-ho a provar.", "errorBadImageUrl": "L'URL de la imatge no és correcte", - "errorCannotUseCommandProtectedSheet": "No podeu utilitzar aquesta ordre en un full protegit. Per utilitzar aquesta ordre, cal desprotegir el full.
          És possible que se us demani que introduïu una contrasenya.", - "errorChangeArray": "No pots canviar part d'una matriu.", - "errorChangeOnProtectedSheet": "La cel·la o el gràfic que intentes canviar es troba en un full protegit. Per fer un canvi, desprotegeix el full. És possible que et demani que introdueixis una contrasenya.", - "errorConnectToServer": "No es pot desar aquest document. Comprova la configuració de la vostra connexió o contacta amb el teu administrador.
          Quan facis clic al botó «D'acord», et demanarà que baixis el document.", - "errorCopyMultiselectArea": "Aquesta ordre no es pot utilitzar amb diverses seleccions.
          Selecciona un interval únic i torna-ho a provar.", + "errorCannotUseCommandProtectedSheet": "No podeu utilitzar aquesta ordre en un full protegit. Per utilitzar aquesta ordre, cal desprotegir el full.
          És possible que us demani que introduïu una contrasenya.", + "errorChangeArray": "No podeu canviar part d'una matriu.", + "errorChangeOnProtectedSheet": "La cel·la o el gràfic que intenteu canviar es troba en un full protegit. Per fer un canvi, desprotegiu el full. És possible que us demani que introduïu una contrasenya.", + "errorConnectToServer": "No es pot desar aquest document. Comproveu la configuració de la vostra connexió o contacteu amb l'administrador.
          Quan feu clic al botó «D'acord», us demanarà que baixeu el document.", + "errorCopyMultiselectArea": "Aquesta ordre no es pot utilitzar amb diverses seleccions.
          Seleccioneu un interval únic i torneu-ho a provar.", "errorCountArg": "Hi ha un error en la fórmula.
          El nombre d'arguments no és vàlid.", "errorCountArgExceed": "Hi ha un error en la fórmula.
          S'ha superat el nombre màxim d'arguments.", "errorCreateDefName": "No es poden editar els intervals de nom existents i no se'n poden crear de nous
          en aquest moment perquè algú els ha obert.", - "errorDatabaseConnection": "Error extern.
          Error de connexió amb la base de dades. Contacta amb el servei d'assistència tècnica.", + "errorDatabaseConnection": "Error extern.
          Error de connexió amb la base de dades. Contacteu amb el servei d'assistència tècnica.", "errorDataEncrypted": "Els canvis xifrats que s'han rebut no es poden desxifrar.", "errorDataRange": "L'interval de dades no és correcte.", - "errorDataValidate": "El valor que has introduït no és vàlid.
          Un usuari ha restringit els valors que es poden introduir en aquesta cel·la.", + "errorDataValidate": "El valor que heu introduït no és vàlid.
          Un usuari ha restringit els valors que es poden introduir en aquesta cel·la.", "errorDefaultMessage": "Codi d'error:%1", - "errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
          Utilitza l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer localment.", + "errorEditingDownloadas": "S'ha produït un error mentre es treballava amb el document.
          Utilitzeu l'opció \"Descarregar\" per desar la còpia de seguretat del fitxer en un disc local.", "errorFilePassProtect": "El fitxer està protegit amb contrasenya i no s'ha pogut obrir.", - "errorFileRequest": "Error extern.
          Sol·licitud de fitxer. Contacta amb el servei d'assistència tècnica.", - "errorFileSizeExceed": "La mida del fitxer supera el límit del teu servidor.
          Contacta amb el teu administrador per a més detalls.", - "errorFileVKey": "Error extern.
          La clau de seguretat no és correcta. Contacta amb el servei d'assistència tècnica.", + "errorFileRequest": "Error extern.
          Sol·licitud de fitxer. Contacteu amb el servei d'assistència tècnica.", + "errorFileSizeExceed": "La mida del fitxer supera el límit del vostre servidor.
          Contacteu amb l'administrador per a més detalls.", + "errorFileVKey": "Error extern.
          La clau de seguretat no és correcta. Contacteu amb el servei d'assistència tècnica.", "errorFillRange": "No s'ha pogut omplir l'interval de cel·les seleccionat.
          Totes les cel·les combinades han de tenir la mateixa mida.", "errorFormulaName": "Hi ha un error en la fórmula.
          El nom de la fórmula no és correcte.", "errorFormulaParsing": "Error intern en analitzar la fórmula.", - "errorFrmlMaxLength": "No pots afegir aquesta fórmula perquè la seva longitud supera el nombre de caràcters permesos.
          Edita-la i torna-ho a provar.", - "errorFrmlMaxReference": "No pots introduir aquesta fórmula perquè té massa valors,
          referències de cel·les, i/o noms.", - "errorFrmlMaxTextLength": "Els valors del text en les fórmules es limiten a 255 caràcters.
          Usa la funció CONCATENA o l'operador de concatenació(&)", - "errorFrmlWrongReferences": "La funció fa referència a un full que no existeix.
          Comprova les dades i torna-ho a provar.", - "errorInvalidRef": "Introdueix un nom correcte per a la selecció o una referència vàlida a la qual accedir.", + "errorFrmlMaxLength": "No podeu afegir aquesta fórmula perquè la seva longitud supera el nombre de caràcters permesos.
          Editeu-la i torneu-ho a provar.", + "errorFrmlMaxReference": "No podeu introduir aquesta fórmula perquè té massa valors, referències de cel·les,
          i/o noms.", + "errorFrmlMaxTextLength": "Els valors del text en les fórmules es limiten a 255 caràcters.
          Useu la funció CONCATENA o l'operador de concatenació(&)", + "errorFrmlWrongReferences": "La funció fa referència a un full que no existeix.
          Comproveu les dades i torneu-ho a provar.", + "errorInvalidRef": "Introduïu un nom correcte per a la selecció o una referència vàlida per anar-hi.", "errorKeyEncrypt": "Descriptor de claus desconegut", "errorKeyExpire": "El descriptor de claus ha caducat", - "errorLoadingFont": "No s'han carregat els tipus de lletra.
          Contacta amb l'administrador del Servidor de Documents.", + "errorLoadingFont": "No s'han carregat els tipus de lletra.
          Contacteu amb l'administrador del servidor de documents.", "errorLockedAll": "Aquesta operació no es pot fer perquè un altre usuari ha bloquejat el full.", - "errorLockedCellPivot": "No pots canviar les dades d'una taula dinàmica", + "errorLockedCellPivot": "No podeu canviar les dades d'una taula dinàmica", "errorLockedWorksheetRename": "En aquest moment no es pot canviar el nom del full de càlcul, perquè ja ho fa un altre usuari", "errorMaxPoints": "El nombre màxim de punts de la sèrie per gràfic és de 4096.", "errorMoveRange": "No es pot canviar una part d'una cel·la combinada", "errorMultiCellFormula": "No es permeten fórmules de matriu de múltiples cel·les a les taules.", "errorOpenWarning": "La longitud d'una de les fórmules del fitxer superava el nombre de caràcters permès i s'ha eliminat.", - "errorOperandExpected": "La sintaxi de la funció introduïda no és correcta. Comprova si has omès algun dels parèntesis - '(' o ')'.", - "errorPasteMaxRange": "L’àrea de copiar i enganxar no coincideixen. Selecciona una àrea de la mateixa mida o fes clic a la primera cel·la d'una fila per enganxar les cel·les copiades.", + "errorOperandExpected": "La sintaxi de la funció introduïda no és correcta. Comproveu si heu omès algun dels parèntesis - '(' o ')'.", + "errorPasteMaxRange": "L’àrea de copiar i enganxar no coincideixen. Seleccioneu una àrea de la mateixa mida o feu clic a la primera cel·la d'una fila per enganxar les cel·les copiades.", "errorPrintMaxPagesCount": "No es poden imprimir més de 1500 pàgines alhora amb la versió actual del programa.
          Aquesta restricció s'eliminarà en les pròximes versions.", - "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torna a carregar la pàgina.", - "errorSessionIdle": "Fa molt de temps que no s'edita el document. Torna a carregar la pàgina.", - "errorSessionToken": "S'ha interromput la connexió amb el servidor. Torna a carregar la pàgina.", - "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, posa les dades al full de càlcul en l'ordre següent:
          preu d'obertura, preu màxim, preu mínim, preu de tancament.", - "errorUnexpectedGuid": "Error extern.
          Guid inesperat. Contacta amb el servei d'assistència tècnica.", - "errorUpdateVersionOnDisconnect": "S'ha restaurat la connexió a internet i la versió del fitxer ha canviat.
          Abans de continuar treballant, has de baixar el fitxer o copiar-ne el contingut per assegurar-te que no es perdi res i, després, torna a carregar aquesta pàgina.", - "errorUserDrop": "Ara no es pot accedir al fitxer.", - "errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el teu pla", - "errorViewerDisconnect": "S'ha perdut la connexió. Encara pots veure el document,
          però no podràs baixar-lo fins que no es restableixi la connexió i es torni a carregar la pàgina.", + "errorSessionAbsolute": "La sessió d'edició del document ha caducat. Torneu a carregar la pàgina.", + "errorSessionIdle": "Fa molt de temps que no s'edita el document. Torneu a carregar la pàgina.", + "errorSessionToken": "S'ha interromput la connexió amb el servidor. Torneu a carregar la pàgina.", + "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, poseu les dades al full de càlcul en l'ordre següent:
          preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "errorUnexpectedGuid": "Error extern.
          Guid inesperat. Contacteu amb el servei d'assistència tècnica.", + "errorUpdateVersionOnDisconnect": "S'ha restaurat la connexió a internet i la versió del fitxer ha canviat.
          Abans de continuar treballant, heu de baixar el fitxer o copiar-ne el contingut per assegurar-vos que no es perdi res i, després, torneu a carregar aquesta pàgina.", + "errorUserDrop": "No es pot accedir al fitxer.", + "errorUsersExceed": "S'ha superat el nombre d’usuaris que permet el vostre pla", + "errorViewerDisconnect": "S'ha perdut la connexió. Encara podeu veure el document,
          però no el podreu baixar fins que es restableixi la connexió i es torni a carregar la pàgina.", "errorWrongBracketsCount": "Hi ha un error en la fórmula.
          El nombre de parèntesis no és correcte.", - "errorWrongOperator": "S'ha produït un error en la fórmula introduïda. L'operador que s'utilitza no és correcte.
          Corregeix l'error.", + "errorWrongOperator": "\nS'ha produït un error en la fórmula introduïda. S'utilitza un operador incorrecte.
          Corregiu l'error.", "notcriticalErrorTitle": "Advertiment", "openErrorText": "S'ha produït un error en obrir el fitxer", "pastInMergeAreaError": "No es pot canviar una part d'una cel·la combinada", "saveErrorText": "S'ha produït un error en desar el fitxer", - "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torna a carregar la pàgina.", - "textErrorPasswordIsNotCorrect": "La contrasenya que has introduït no és correcta.
          Verifica que la tecla Bloq Maj està desactivada i assegura't que fas servir les majúscules correctes.", + "scriptLoadError": "La connexió és massa lenta, alguns dels components no s'han pogut carregar. Torneu a carregar la pàgina.", + "textErrorPasswordIsNotCorrect": "La contrasenya que heu introduït no és correcta.
          Verifiqueu que la tecla Bloq Maj està desactivada i assegureu-vos que feu servir les majúscules correctes.", "unknownErrorText": "Error desconegut.", "uploadImageExtMessage": "Format d'imatge desconegut.", "uploadImageFileCountMessage": "No s'ha carregat cap imatge.", @@ -240,9 +241,9 @@ "advDRMPassword": "Contrasenya", "applyChangesTextText": "S'estant carregant les dades...", "applyChangesTitleText": "S'estan carregant les dades", - "confirmMoveCellRange": "L'interval de cel·les de destinació pot contenir dades. Vols continuar amb l'operació?", + "confirmMoveCellRange": "L'interval de cel·les de destinació pot contenir dades. Voleu continuar amb l'operació?", "confirmPutMergeRange": "Les dades d'origen contenen cel·les combinades.
          La combinació es desfarà abans que s'enganxin a la taula.", - "confirmReplaceFormulaInTable": "Les fórmules de la fila de capçalera s'eliminaran i es convertiran en text estàtic.
          Vols continuar?", + "confirmReplaceFormulaInTable": "Les fórmules de la fila de capçalera s'eliminaran i es convertiran en text estàtic.
          Voleu continuar?", "downloadTextText": "S'està baixant el document...", "downloadTitleText": "S'està baixant el document", "loadFontsTextText": "S'estan carregant les dades...", @@ -265,17 +266,17 @@ "saveTextText": "S'està desant el document...", "saveTitleText": "S'està desant el document", "textCancel": "Cancel·la", - "textErrorWrongPassword": "La contrasenya que has introduït no és correcta.", + "textErrorWrongPassword": "La contrasenya que heu introduït no és correcta.", "textLoadingDocument": "S'està carregant el document", "textNo": "No", "textOk": "D'acord", "textUnlockRange": "Desbloca l'interval", - "textUnlockRangeWarning": "Un interval que intentes canviar està protegit amb contrasenya.", + "textUnlockRangeWarning": "Un interval que intenteu canviar està protegit amb contrasenya.", "textYes": "Sí", "txtEditingMode": "Estableix el mode d'edició ...", "uploadImageTextText": "S'està carregant la imatge...", "uploadImageTitleText": "S'està carregant la imatge", - "waitText": "Espera..." + "waitText": "Espereu..." }, "Statusbar": { "notcriticalErrorTitle": "Advertiment", @@ -291,27 +292,27 @@ "textHide": "Amaga", "textMore": "Més", "textMove": "Desplaça", - "textMoveBefore": "Desplaceu abans del full", - "textMoveToEnd": "Aneu al final", + "textMoveBefore": "Desplaça abans del full", + "textMoveToEnd": "(Ves al final)", "textOk": "D'acord", "textRename": "Canvia el nom", "textRenameSheet": "Canvia el nom del full", "textSheet": "Full", "textSheetName": "Nom del full", "textUnhide": "Mostrar", - "textWarnDeleteSheet": "El full de càlcul pot tenir dades. Vols continuar amb l'operació?", + "textWarnDeleteSheet": "El full de càlcul pot tenir dades. Voleu continuar amb l'operació?", "textTabColor": "Tab Color" }, "Toolbar": { - "dlgLeaveMsgText": "Tens canvis no desats en aquest document. Fes clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Fes clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", - "dlgLeaveTitleText": "Estàs sortint de l'aplicació", + "dlgLeaveMsgText": "Teniu canvis no desats en aquest document. Feu clic a \"Queda't en aquesta pàgina\" per esperar al desament automàtic. Feu clic a \"Deixa aquesta pàgina\" per descartar tots els canvis no desats.", + "dlgLeaveTitleText": "Esteu sortint de l'aplicació", "leaveButtonText": "Surt d'aquesta pàgina", "stayButtonText": "Queda't en aquesta Pàgina" }, "View": { "Add": { "errorMaxRows": "ERROR! El nombre màxim de sèries de dades per gràfic és de 255.", - "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, posa les dades al full de càlcul en l'ordre següent:
          preu d'obertura, preu màxim, preu mínim, preu de tancament.", + "errorStockChart": "L'ordre de la fila no és correcte. Per construir un gràfic de valors, poseu les dades al full de càlcul en l'ordre següent:
          preu d'obertura, preu màxim, preu mínim, preu de tancament.", "notcriticalErrorTitle": "Advertiment", "sCatDateAndTime": "Data i hora", "sCatEngineering": "Enginyeria", @@ -322,18 +323,21 @@ "sCatMathematic": "Matemàtiques i trigonometria", "sCatStatistical": "Estadístiques", "sCatTextAndData": "Text i dades", - "textAddLink": "Afegeix un enllaç", + "textAddLink": "Afegir Enllaç", "textAddress": "Adreça", + "textAllTableHint": "Retorna el contingut sencer de la taula o de les columnes de la taula especificades, incloses les capçaleres de columna, les dades i les files totals", "textBack": "Enrere", "textCancel": "Cancel·la", "textChart": "Gràfic", "textComment": "Comentari", + "textDataTableHint": "Retorna les cel·les de dades de la taula o les columnes de la taula especificades", "textDisplay": "Visualització", "textEmptyImgUrl": "Cal especificar l'URL de la imatge.", "textExternalLink": "Enllaç extern", "textFilter": "Filtre", "textFunction": "Funció", "textGroups": "CATEGORIES", + "textHeadersTableHint": "Retorna les capçaleres de columna de la taula o de les columnes de la taula especificades", "textImage": "Imatge", "textImageURL": "URL de la imatge ", "textInsert": "Insereix", @@ -354,9 +358,11 @@ "textShape": "Forma", "textSheet": "Full", "textSortAndFilter": "Ordena i filtra", + "textThisRowHint": "Tria només aquesta fila de la columna especificada", + "textTotalsTableHint": "Retorna el total de files de la taula o de les columnes de la taula especificades", "txtExpand": "Amplia i ordena", - "txtExpandSort": "No s'ordenaran les dades que hi ha al costat de la selecció. ¿Vols ampliar la selecció per incloure les dades adjacents o bé vols continuar i ordenar només les cel·les seleccionades?", - "txtLockSort": "Les dades es troben al costat de la teva selecció, però no tens els permisos suficients per canviar aquestes cel·les.
          Vols continuar amb la selecció actual?", + "txtExpandSort": "No s'ordenaran les dades que hi ha al costat de la selecció. ¿Voleu ampliar la selecció per incloure les dades adjacents o bé voleu continuar i ordenar només les cel·les seleccionades?", + "txtLockSort": "Les dades es troben al costat de la vostra selecció, però no teniu els permisos suficients per canviar aquestes cel·les.
          Voleu continuar amb la selecció actual?", "txtNo": "No", "txtNotUrl": "Aquest camp hauria de ser un URL amb el format \"http://www.exemple.com\"", "txtSorting": "Ordenació", @@ -367,15 +373,15 @@ "notcriticalErrorTitle": "Advertiment", "textAccounting": "Comptabilitat", "textActualSize": "Mida real", - "textAddCustomColor": "Afegeix un color personalitzat", + "textAddCustomColor": "Afegir Color Personalitzat", "textAddress": "Adreça", - "textAlign": "Alineació", + "textAlign": "Alinear", "textAlignBottom": "Alineació Inferior", "textAlignCenter": "Alineació al centre", "textAlignLeft": "Alineació a l'esquerra", "textAlignMiddle": "Alineació al mig", - "textAlignRight": "Alineació a la dreta", - "textAlignTop": "Alineació a dalt", + "textAlignRight": "Alineació dreta", + "textAlignTop": "Alineació superior", "textAllBorders": "Totes les vores", "textAngleClockwise": "Angle en sentit horari", "textAngleCounterclockwise": "Angle en sentit antihorari", @@ -417,8 +423,8 @@ "textEditLink": "Edita l'enllaç", "textEffects": "Efectes", "textEmptyImgUrl": "Cal especificar l'URL de la imatge.", - "textEmptyItem": "{En blanc}", - "textErrorMsg": "Com a mínim has de triar un valor", + "textEmptyItem": "(En blanc) ", + "textErrorMsg": "Com a mínim heu de triar un valor", "textErrorTitle": "Advertiment", "textEuro": "Euro", "textExternalLink": "Enllaç extern", @@ -443,7 +449,7 @@ "textHyperlink": "Enllaç", "textImage": "Imatge", "textImageURL": "URL de la imatge ", - "textIn": "A", + "textIn": "In", "textInnerBottom": "Part inferior interna", "textInnerTop": "Part superior interna", "textInsideBorders": "Vores internes", @@ -546,13 +552,13 @@ "txtSortLow2High": "Ordena de menor a major" }, "Settings": { - "advCSVOptions": "Tria les opcions CSV", - "advDRMEnterPassword": "La teva contrasenya:", + "advCSVOptions": "Trieu les opcions CSV", + "advDRMEnterPassword": "La vostra contrasenya:", "advDRMOptions": "El fitxer està protegit", "advDRMPassword": "Contrasenya", "closeButtonText": "Tanca el fitxer", "notcriticalErrorTitle": "Advertiment", - "textAbout": "Quant a...", + "textAbout": "Quant a", "textAddress": "Adreça", "textApplication": "Aplicació", "textApplicationSettings": "Configuració de l'aplicació", @@ -563,9 +569,9 @@ "textByRows": "Per files", "textCancel": "Cancel·la", "textCentimeter": "Centímetre", - "textChooseCsvOptions": "Tria les opcions CSV", - "textChooseDelimeter": "Tria separador", - "textChooseEncoding": "Tria codificació", + "textChooseCsvOptions": "Trieu les opcions CSV", + "textChooseDelimeter": "Trieu separador", + "textChooseEncoding": "Tria la codificació", "textCollaboration": "Col·laboració", "textColorSchemes": "Combinacions de colors", "textComment": "Comentari", @@ -609,7 +615,7 @@ "textMatchCell": "Coincidir la cel·la", "textNoTextFound": "No s'ha trobat el text", "textOk": "D'acord", - "textOpenFile": "Introdueix una contrasenya per obrir el fitxer", + "textOpenFile": "Introduïu una contrasenya per obrir el fitxer", "textOrientation": "Orientació", "textOwner": "Propietari", "textPoint": "Punt", @@ -640,7 +646,7 @@ "textUploaded": "S'ha carregat", "textValues": "Valors", "textVersion": "Versió", - "textWorkbook": "Llibre de treball", + "textWorkbook": "Llibre de càlcul", "txtColon": "Dos punts", "txtComma": "Coma", "txtDelimiter": "Delimitador", @@ -648,7 +654,7 @@ "txtEncoding": "Codificació", "txtIncorrectPwd": "La contrasenya no és correcta", "txtOk": "D'acord", - "txtProtected": "Un cop hagis introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", + "txtProtected": "Un cop hàgiu introduït la contrasenya i obert el fitxer, es restablirà la contrasenya actual del fitxer", "txtScheme1": "Office", "txtScheme10": "Mediana", "txtScheme11": "Metro", @@ -674,7 +680,7 @@ "txtSemicolon": "Punt i coma", "txtSpace": "Espai", "txtTab": "Pestanya", - "warnDownloadAs": "Si continues i deses en aquest format, es perdran totes les característiques, excepte el text.
          Vols continuar?", + "warnDownloadAs": "Si continueu i deseu en aquest format, es perdran totes les característiques, excepte el text.
          Voleu continuar?", "textFeedback": "Feedback & Support" } } diff --git a/apps/spreadsheeteditor/mobile/locale/cs.json b/apps/spreadsheeteditor/mobile/locale/cs.json index 004a9057e..dbcaa591c 100644 --- a/apps/spreadsheeteditor/mobile/locale/cs.json +++ b/apps/spreadsheeteditor/mobile/locale/cs.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Došlo dosažení limitu %1 editorů v režimu spolupráce na úpravách. Ohledně podrobností se obraťte na svého správce.", "warnNoLicense": "Došlo k dosažení limitu souběžného připojení %1 editorů. Tento dokument bude otevřen pouze pro náhled. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", "warnNoLicenseUsers": "Došlo k dosažení limitu %1 editorů. Pro rozšíření funkcí kontaktujte %1 obchodní oddělení.", - "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu." + "warnProcessRightsChange": "Nemáte oprávnění pro úpravu tohoto dokumentu.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Text a data", "textAddLink": "Přidat odkaz", "textAddress": "Adresa", + "textAllTableHint": "Získá veškerý obsah tabulky, nebo definovaných sloupců tabulky tj. hlavičky, data a celkový počet řádků", "textBack": "Zpět", "textCancel": "Zrušit", "textChart": "Graf", "textComment": "Komentář", + "textDataTableHint": "Získá hodnotu buněk tabulky, nebo definovaných sloupců tabulky", "textDisplay": "Zobrazit", "textEmptyImgUrl": "Je třeba zadat URL adresu obrázku.", "textExternalLink": "Externí odkaz", "textFilter": "Filtrovat", "textFunction": "Funkce", "textGroups": "KATEGORIE", + "textHeadersTableHint": "Získá hlavičky v tabulce, nebo hlavičky definovaných sloupců tabulky", "textImage": "Obrázek", "textImageURL": "URL obrázku", "textInsert": "Vložit", @@ -354,6 +358,8 @@ "textShape": "Obrazec", "textSheet": "List", "textSortAndFilter": "Seřadit a filtrovat", + "textThisRowHint": "Zvolte pouze tento řádek zadaného sloupce", + "textTotalsTableHint": "Získá hodnotu celkového počtu řádků, nebo definovaných sloupců tabulky", "txtExpand": "Rozbalit a seřadit", "txtExpandSort": "Data vedle výběru nebudou seřazena. Chcete rozšířit výběr tak, aby zahrnoval sousední data, nebo pokračovat v seřazení pouze vybraných buněk?", "txtLockSort": "Poblíž Vašeho výběru existují data, nemáte však dostatečná oprávnění k úpravě těchto buněk.
          Chcete pokračovat s aktuálním výběrem?", diff --git a/apps/spreadsheeteditor/mobile/locale/da.json b/apps/spreadsheeteditor/mobile/locale/da.json index 3a43551a9..9b46909be 100644 --- a/apps/spreadsheeteditor/mobile/locale/da.json +++ b/apps/spreadsheeteditor/mobile/locale/da.json @@ -160,7 +160,8 @@ "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -299,8 +300,8 @@ "textSheet": "Sheet", "textSheetName": "Sheet Name", "textUnhide": "Unhide", - "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?", - "textTabColor": "Tab Color" + "textTabColor": "Tab Color", + "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?" }, "Toolbar": { "leaveButtonText": "Forlad denne side", @@ -350,7 +351,10 @@ "notcriticalErrorTitle": "Warning", "sCatStatistical": "Statistical", "sCatTextAndData": "Text and data", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", "textEmptyImgUrl": "You need to specify the image URL.", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", "textOk": "Ok", "textRequired": "Required", "textScreenTip": "Screen Tip", @@ -358,6 +362,8 @@ "textShape": "Shape", "textSheet": "Sheet", "textSortAndFilter": "Sort and Filter", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns", "txtExpandSort": "The data next to the selection will not be sorted. Do you want to expand the selection to include the adjacent data or continue with sorting the currently selected cells only?", "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", "txtSorting": "Sorting", @@ -643,6 +649,7 @@ "advDRMEnterPassword": "Your password, please:", "notcriticalErrorTitle": "Warning", "textDarkTheme": "Dark Theme", + "textFeedback": "Feedback & Support", "textNoTextFound": "Text not found", "textReplace": "Replace", "textReplaceAll": "Replace All", @@ -674,8 +681,7 @@ "txtScheme21": "Verve", "txtSemicolon": "Semicolon", "txtSpace": "Space", - "txtTab": "Tab", - "textFeedback": "Feedback & Support" + "txtTab": "Tab" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json index 04e9adcda..b10fd17d9 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Fehler", "errorAccessDeny": "Dieser Vorgang ist für Sie nicht verfügbar.
          Bitte wenden Sie sich an Administratoren.", + "errorOpensource": "Mit der kostenlosen Community-Version können Sie Dokumente nur schreibgeschützt öffnen. Für den Zugriff auf mobilen Web-Editoren ist eine kommerzielle Lizenz erforderlich.", "errorProcessSaveResult": "Fehler beim Speichern von Daten.", "errorServerVersion": "Version des Editors wurde aktualisiert. Die Seite wird neu geladen, um die Änderungen zu übernehmen.", "errorUpdateVersion": "Die Dateiversion wurde geändert. Die Seite wird neu geladen.", @@ -160,7 +161,7 @@ "warnNoLicense": "Sie haben die maximale Anzahl von gleichzeitigen Verbindungen in %1-Editoren erreicht. Die Bearbeitung ist jetzt in diesem Dokument nicht verfügbar. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "warnNoLicenseUsers": "Sie haben das Benutzerlimit für %1-Editoren erreicht. Bitte kontaktieren Sie unser Verkaufsteam, um persönliche Upgrade-Bedingungen zu erhalten.", "warnProcessRightsChange": "Sie können diese Datei nicht bearbeiten.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtNotUrl": "Dieser Bereich soll eine URL im Format \"http://www.example.com\" sein.", "txtSorting": "Sortierung", "txtSortSelected": "Ausgewählte sortieren", - "txtYes": "Ja" + "txtYes": "Ja", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warnung", diff --git a/apps/spreadsheeteditor/mobile/locale/el.json b/apps/spreadsheeteditor/mobile/locale/el.json index 09e506c8c..a6ed05544 100644 --- a/apps/spreadsheeteditor/mobile/locale/el.json +++ b/apps/spreadsheeteditor/mobile/locale/el.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
          Επικοινωνήστε με τον διαχειριστή σας για περισσότερες πληροφορίες.", "warnNoLicense": "Φτάσατε το όριο ταυτόχρονων συνδέσεων σε %1 συντάκτες. Το έγγραφο θα ανοίξει μόνο για ανάγνωση. Επικοινωνήστε με την ομάδα πωλήσεων %1 για τους όρους αναβάθμισης.", "warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για συντάκτες %1.
          Επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", - "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου." + "warnProcessRightsChange": "Δεν έχετε δικαίωμα επεξεργασίας του αρχείου.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -291,6 +292,8 @@ "textHide": "Απόκρυψη", "textMore": "Περισσότερα", "textMove": "Μετακίνηση", + "textMoveBefore": "Μετακίνηση πριν το φύλλο", + "textMoveToEnd": "(Μετακίνηση στο τέλος)", "textOk": "Εντάξει", "textRename": "Μετονομασία", "textRenameSheet": "Μετονομασία Φύλλου", @@ -298,8 +301,6 @@ "textSheetName": "Όνομα Φύλλου", "textUnhide": "Αναίρεση απόκρυψης", "textWarnDeleteSheet": "Το φύλλο εργασίας ίσως περιέχει δεδομένα. Να συνεχιστεί η λειτουργία;", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -361,7 +362,12 @@ "txtNotUrl": "Αυτό το πεδίο πρέπει να είναι μια διεύθυνση URL με τη μορφή «http://www.example.com»", "txtSorting": "Ταξινόμηση", "txtSortSelected": "Ταξινόμηση επιλεγμένων", - "txtYes": "Ναι" + "txtYes": "Ναι", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Προειδοποίηση", diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json index ae00341dc..7d19d74b2 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", "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.", "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file." + "warnProcessRightsChange": "You don't have permission to edit the file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Text and data", "textAddLink": "Add Link", "textAddress": "Address", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", "textBack": "Back", "textCancel": "Cancel", "textChart": "Chart", "textComment": "Comment", + "textDataTableHint": "Returns the data cells of the table or specified table columns", "textDisplay": "Display", "textEmptyImgUrl": "You need to specify the image URL.", "textExternalLink": "External Link", "textFilter": "Filter", "textFunction": "Function", "textGroups": "CATEGORIES", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", "textImage": "Image", "textImageURL": "Image URL", "textInsert": "Insert", @@ -354,6 +358,8 @@ "textShape": "Shape", "textSheet": "Sheet", "textSortAndFilter": "Sort and Filter", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns", "txtExpand": "Expand and sort", "txtExpandSort": "The data next to the selection will not be sorted. Do you want to expand the selection to include the adjacent data or continue with sorting the currently selected cells only?", "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", @@ -394,7 +400,8 @@ "textBottomBorder": "Bottom Border", "textBringToForeground": "Bring to Foreground", "textCell": "Cell", - "textCellStyles": "Cell Styles", + "del_textCellStyles": "Cell Styles", + "textCellStyle": "Cell Style", "textCenter": "Center", "textChart": "Chart", "textChartTitle": "Chart Title", @@ -675,7 +682,11 @@ "txtSemicolon": "Semicolon", "txtSpace": "Space", "txtTab": "Tab", - "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?", + "textLeftToRight": "Left To Right", + "textRightToLeft": "Right To Left", + "textDirection": "Direction", + "textRestartApplication": "Please restart the application for the changes to take effect" } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index 0aea36ee9..5bbd449fb 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -67,7 +67,7 @@ "Controller": { "Main": { "criticalErrorTitle": "Error", - "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
          Por favor, contacte con su administrador.", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
          Contacte con su administrador.", "errorOpensource": "Utilizando la versión gratuita Community, puede abrir documentos sólo para visualizarlos. Para acceder a los editores web móviles, se requiere una licencia comercial.", "errorProcessSaveResult": "Error al guardar", "errorServerVersion": "La versión del editor ha sido actualizada. La página será recargada para aplicar los cambios.", @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con su administrador para saber más.", "warnNoLicense": "Ha alcanzado el límite de conexiones simultáneas con %1 editores. Este documento se abrirá sólo para su visualización. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.", "warnNoLicenseUsers": "Ha alcanzado el límite de usuarios para %1 editores. Póngase en contacto con el equipo de ventas de %1 para conocer las condiciones de actualización personal.", - "warnProcessRightsChange": "No tiene permiso para editar el archivo." + "warnProcessRightsChange": "No tiene permiso para editar el archivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -168,7 +169,7 @@ "criticalErrorExtText": "Pulse \"OK\" para volver a la lista de documentos.", "criticalErrorTitle": "Error", "downloadErrorText": "Error al descargar.", - "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
          Por favor, contacte con su administrador.", + "errorAccessDeny": "Está intentando realizar una acción para la que no tiene derechos.
          Contacte con su administrador.", "errorArgsRange": "Un error en la fórmula.
          Rango de argumentos incorrecto.", "errorAutoFilterChange": "La operación no está permitida ya que está intentando desplazar las celdas de una tabla de la hoja de cálculo.", "errorAutoFilterChangeFormatTable": "La operación no se puede realizar para las celdas seleccionadas ya que no es posible mover una parte de una tabla.
          Seleccione otro rango de datos para que se desplace toda la tabla y vuelva a intentarlo.", @@ -291,6 +292,8 @@ "textHide": "Ocultar", "textMore": "Más", "textMove": "Mover", + "textMoveBefore": "Mover antes de la hoja", + "textMoveToEnd": "(Mover al final)", "textOk": "OK", "textRename": "Renombrar", "textRenameSheet": "Renombrar hoja", @@ -298,8 +301,6 @@ "textSheetName": "Nombre de hoja", "textUnhide": "Volver a mostrar", "textWarnDeleteSheet": "La hoja de cálculo puede tener datos. ¿Continuar con la operación?", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Texto y datos", "textAddLink": "Agregar enlace ", "textAddress": "Dirección", + "textAllTableHint": "Devuelve todo el contenido de la tabla o de las columnas de la tabla especificadas, incluyendo las cabeceras de las columnas, los datos y las filas totales", "textBack": "Atrás", "textCancel": "Cancelar", "textChart": "Gráfico", "textComment": "Comentario", + "textDataTableHint": "Devuelve las celdas de datos de la tabla o de las columnas de la tabla especificadas", "textDisplay": "Mostrar", "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", "textExternalLink": "Enlace externo", "textFilter": "Filtro", "textFunction": "Función", "textGroups": "CATEGORÍAS", + "textHeadersTableHint": "Devuelve las cabeceras de las columnas de la tabla o de las columnas de la tabla especificadas", "textImage": "Imagen", "textImageURL": "URL de imagen", "textInsert": "Insertar", @@ -354,6 +358,8 @@ "textShape": "Forma", "textSheet": "Hoja", "textSortAndFilter": "Ordenar y filtrar", + "textThisRowHint": "Elija solo esta fila de la columna especificada", + "textTotalsTableHint": "Devuelve el total de filas de la tabla o de las columnas de la tabla especificadas", "txtExpand": "Expandir y ordenar", "txtExpandSort": "Los datos al lado del rango seleccionado no serán ordenados. ¿Quiere Usted expandir el rango seleccionado para incluir datos de las celdas adyacentes o continuar la ordenación del rango seleccionado?", "txtLockSort": "Se encuentran datos junto a su selección, pero no tiene permisos suficientes para modificar esas celdas.
          ¿Desea continuar con la selección actual?", @@ -418,7 +424,7 @@ "textEffects": "Efectos", "textEmptyImgUrl": "Necesita especificar la URL de la imagen.", "textEmptyItem": "{Vacías}", - "textErrorMsg": "Usted debe elegir por lo menos un valor", + "textErrorMsg": "Debe elegir por lo menos un valor", "textErrorTitle": "Advertencia", "textEuro": "Euro", "textExternalLink": "Enlace externo", @@ -547,7 +553,7 @@ }, "Settings": { "advCSVOptions": "Elegir los parámetros de CSV", - "advDRMEnterPassword": "Su contraseña, por favor:", + "advDRMEnterPassword": "Su contraseña:", "advDRMOptions": "Archivo protegido", "advDRMPassword": "Contraseña", "closeButtonText": "Cerrar archivo", diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index 1c0585b8f..54100db8c 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Pour en savoir plus, contactez votre administrateur.", "warnNoLicense": "Vous avez dépassé le nombre maximal de connexions simultanées aux éditeurs %1. Ce document sera ouvert en lecture seule. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", "warnNoLicenseUsers": "Vous avez dépassé le nombre maximal d’utilisateurs des éditeurs %1. Contactez l’équipe des ventes %1 pour mettre à jour les termes de la licence.", - "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier." + "warnProcessRightsChange": "Vous n'avez pas la permission de modifier ce fichier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Texte et données", "textAddLink": "Ajouter un lien", "textAddress": "Adresse", + "textAllTableHint": "Renvoie le contenu complet du tableau ou des colonnes spécifiées du tableau, y compris les en-têtes de colonne, les données et le nombre total de lignes", "textBack": "Retour", "textCancel": "Annuler", "textChart": "Graphique", "textComment": "Commentaire", + "textDataTableHint": "Renvoie les cellules de données du tableau ou des colonnes spécifiées du tableau", "textDisplay": "Afficher", "textEmptyImgUrl": "Spécifiez l'URL de l'image", "textExternalLink": "Lien externe", "textFilter": "Filtre", "textFunction": "Fonction", "textGroups": "CATÉGORIES", + "textHeadersTableHint": "Renvoie les titres des colonnes du tableau ou les colonnes spécifiées du tableau.", "textImage": "Image", "textImageURL": "URL d'image", "textInsert": "Insérer", @@ -354,6 +358,8 @@ "textShape": "Forme", "textSheet": "Feuille", "textSortAndFilter": "Trier et filtrer", + "textThisRowHint": "Choisir uniquement cette ligne de la colonne spécifiée", + "textTotalsTableHint": "Renvoie le nombre total de lignes pour le tableau ou les colonnes spécifiées du tableau", "txtExpand": "Développer et trier", "txtExpandSort": "Les données situées à côté de la sélection ne seront pas triées. Souhaitez-vous développer la sélection pour inclure les données adjacentes ou souhaitez-vous continuer à trier iniquement les cellules sélectionnées ?", "txtLockSort": "Des données se trouvent à côté de votre sélection, mais vous n'avez pas les autorisations suffisantes pour modifier ces cellules.
          Voulez-vous continuer avec la sélection actuelle ?", @@ -417,7 +423,7 @@ "textEditLink": "Modifier le lien", "textEffects": "Effets", "textEmptyImgUrl": "Spécifiez l'URL de l'image", - "textEmptyItem": "{Blancs}", + "textEmptyItem": "{Vides}", "textErrorMsg": "Vous devez choisir au moins une valeur", "textErrorTitle": "Avertissement", "textEuro": "Euro", @@ -519,8 +525,8 @@ "textSheet": "Feuille", "textSize": "Taille", "textStyle": "Style", - "textTenMillions": "10000000", - "textTenThousands": "10000", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", "textText": "Texte", "textTextColor": "Couleur du texte", "textTextFormat": "Format du texte", diff --git a/apps/spreadsheeteditor/mobile/locale/gl.json b/apps/spreadsheeteditor/mobile/locale/gl.json index 51d55544e..59201a367 100644 --- a/apps/spreadsheeteditor/mobile/locale/gl.json +++ b/apps/spreadsheeteditor/mobile/locale/gl.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Alcanzou o límite de usuarios para os editores de %1. Por favor, contacte co se uadministrador para recibir máis información.", "warnNoLicense": "Alcanzou o límite de conexións simultáneas con %1 editores. Este documento abrirase para as úa visualización. Póñase en contacto co equipo de vendas de %1 para coñecer as condicións de actualización persoal.", "warnNoLicenseUsers": "Alcanzou o límite de usuarios para os editores de %1.
          Contacte co equipo de vendas de %1 para coñecer os termos de actualización persoal.", - "warnProcessRightsChange": "Non ten permiso para editar o ficheiro." + "warnProcessRightsChange": "Non ten permiso para editar o ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtNotUrl": "Este campo debe ser unha URL no formato \"http://www.example.com\"", "txtSorting": "Ordenación", "txtSortSelected": "Ordenar os obxectos seleccionados", - "txtYes": "Si" + "txtYes": "Si", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Aviso", diff --git a/apps/spreadsheeteditor/mobile/locale/hu.json b/apps/spreadsheeteditor/mobile/locale/hu.json index bb98c5695..41d532e27 100644 --- a/apps/spreadsheeteditor/mobile/locale/hu.json +++ b/apps/spreadsheeteditor/mobile/locale/hu.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "Hiba", "errorAccessDeny": "Olyan műveletet próbál végrehajtani, amelyhez nincs jogosultsága.
          Kérjük, forduljon a rendszergazdához.", + "errorOpensource": "Az ingyenes közösségi verzió használatával a dokumentumokat csak megtekintésre nyithatja meg. A mobil webszerkesztők eléréséhez kereskedelmi licenc szükséges.", "errorProcessSaveResult": "Sikertelen mentés.", "errorServerVersion": "A szerkesztő verziója frissült. Az oldal újratöltésre kerül a módosítások alkalmazásához.", "errorUpdateVersion": "A dokumentum verziója megváltozott. Az oldal újratöltődik.", @@ -160,7 +161,7 @@ "warnNoLicense": "Elérte a(z) %1 szerkesztővel való egyidejű kapcsolódási korlátot. Ez a dokumentum csak megtekintésre nyílik meg. Lépjen kapcsolatba a(z) %1 értékesítési csapattal a személyes frissítés feltételekért.", "warnNoLicenseUsers": "Elérte a(z) %1 szerkesztőhöz tartozó felhasználói korlátját. Vegye fel a kapcsolatot a(z) %1 értékesítési csapattal a személyes frissítési feltételekért.", "warnProcessRightsChange": "Nincs engedélye a fájl szerkesztésére.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -287,9 +288,12 @@ "textErrNotEmpty": "A munkalap neve nem lehet üres", "textErrorLastSheet": "A munkafüzetnek legalább egy látható munkalapnak kell lennie.", "textErrorRemoveSheet": "Nem törölhető a munkalap.", + "textHidden": "Rejtett", "textHide": "Elrejt", "textMore": "Több", "textMove": "Áthelyezés", + "textMoveBefore": "Áthelyez a munkalap elé", + "textMoveToEnd": "(Mozgat a végére)", "textOk": "OK", "textRename": "Átnevezés", "textRenameSheet": "Munkalap átnevezése", @@ -297,9 +301,6 @@ "textSheetName": "Munkalap neve", "textUnhide": "Megmutat", "textWarnDeleteSheet": "A munkalap lehet hogy tartalmaz adatok. Folytatja a műveletet?", - "textHidden": "Hidden", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Szöveg és adat", "textAddLink": "Link hozzáadása", "textAddress": "Cím", + "textAllTableHint": "A táblázat teljes tartalmát vagy a megadott táblázat oszlopait adja vissza, beleértve az oszlopfejléceket, az adatokat és az összes sort", "textBack": "Vissza", "textCancel": "Mégse", "textChart": "Diagram", "textComment": "Megjegyzés", + "textDataTableHint": "A táblázat adatcelláit vagy a megadott táblázatoszlopokat adja vissza", "textDisplay": "Megjelenít", "textEmptyImgUrl": "Meg kell adnia a kép URL-jét.", "textExternalLink": "Külső hivatkozás", "textFilter": "Szűrő", "textFunction": "Függvény", "textGroups": "KATEGÓRIÁK", + "textHeadersTableHint": "Visszaadja a táblázat vagy a megadott táblázatoszlopok oszlopfejléceit", "textImage": "Kép", "textImageURL": "Kép URL", "textInsert": "Beszúrás", @@ -354,6 +358,8 @@ "textShape": "Alakzat", "textSheet": "Munkalap", "textSortAndFilter": "Rendezés és szűrés", + "textThisRowHint": "A megadott oszlopnak csak ezt a sorát válassza ki", + "textTotalsTableHint": "A táblázat vagy a megadott táblázatoszlopok összes sorát adja vissza", "txtExpand": "Kibont és rendez", "txtExpandSort": "A kijelölt adatok mellett található adatok nem lesznek rendezve. Szeretné kibővíteni a kijelölést a szomszédos adatok felvételével, vagy csak a jelenleg kiválasztott cellákat rendezi?", "txtLockSort": "Adatok találhatók a kijelölés mellett, de nincs elegendő engedélye a cellák módosításához.
          Szeretné folytatni a jelenlegi kijelöléssel?", diff --git a/apps/spreadsheeteditor/mobile/locale/id.json b/apps/spreadsheeteditor/mobile/locale/id.json new file mode 100644 index 000000000..b08a58c1f --- /dev/null +++ b/apps/spreadsheeteditor/mobile/locale/id.json @@ -0,0 +1,687 @@ +{ + "About": { + "textAbout": "Tentang", + "textAddress": "Alamat", + "textBack": "Kembali", + "textEmail": "Email", + "textPoweredBy": "Didukung oleh", + "textTel": "Tel", + "textVersion": "Versi" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Peringatan", + "textAddComment": "Tambahkan Komentar", + "textAddReply": "Tambahkan Balasan", + "textBack": "Kembali", + "textCancel": "Batalkan", + "textCollaboration": "Kolaborasi", + "textComments": "Komentar", + "textDeleteComment": "Hapus Komentar", + "textDeleteReply": "Hapus Reply", + "textDone": "Selesai", + "textEdit": "Sunting", + "textEditComment": "Edit Komentar", + "textEditReply": "Edit Reply", + "textEditUser": "User yang sedang edit file:", + "textMessageDeleteComment": "Apakah Anda ingin menghapus komentar ini?", + "textMessageDeleteReply": "Apakah Anda ingin menghapus reply ini?", + "textNoComments": "Dokumen ini tidak memiliki komentar", + "textOk": "OK", + "textReopen": "Buka lagi", + "textResolve": "Selesaikan", + "textTryUndoRedo": "Fungsi Undo/Redo dinonaktifkan untuk mode Co-editing Cepat.", + "textUsers": "Pengguna" + }, + "ThemeColorPalette": { + "textCustomColors": "Custom Warna", + "textStandartColors": "Warna Standar", + "textThemeColors": "Warna Tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "Copy, cut, dan paste hanya akan dilakukan di file ini", + "errorInvalidLink": "Link referensi tidak ada. Silakan koreksi atau hapus link.", + "menuAddComment": "Tambahkan Komentar", + "menuAddLink": "Tambah tautan", + "menuCancel": "Batalkan", + "menuCell": "Sel", + "menuDelete": "Hapus", + "menuEdit": "Sunting", + "menuFreezePanes": "Freeze Panes", + "menuHide": "Sembunyikan", + "menuMerge": "Merge", + "menuMore": "Lainnya", + "menuOpenLink": "Buka Link", + "menuShow": "Tampilkan", + "menuUnfreezePanes": "Batal Bekukan Panel", + "menuUnmerge": "Unmerge", + "menuUnwrap": "Unwrap", + "menuViewComment": "Tampilkan Komentar", + "menuWrap": "Wrap", + "notcriticalErrorTitle": "Peringatan", + "textCopyCutPasteActions": "Salin, Potong dan Tempel", + "textDoNotShowAgain": "Jangan tampilkan lagi", + "warnMergeLostData": "Hanya data dari sel atas-kiri akan tetap berada di sel merging.
          Apakah Anda ingin melanjutkan?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Kesalahan", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
          Silakan hubungi admin Anda.", + "errorOpensource": "Menggunakan versi Komunitas gratis, Anda bisa membuka dokumen hanya untuk dilihat. Untuk mengakses editor web mobile, diperlukan lisensi komersial.", + "errorProcessSaveResult": "Penyimpanan gagal.", + "errorServerVersion": "Versi editor sudah di update. Halaman akan dimuat ulang untuk menerapkan perubahan.", + "errorUpdateVersion": "Versi file telah diubah. Halaman tidak akan dimuat ulang.", + "leavePageText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "notcriticalErrorTitle": "Peringatan", + "SDK": { + "txtAccent": "Aksen", + "txtAll": "(Semua)", + "txtArt": "Teks Anda di sini", + "txtBlank": "(kosong)", + "txtByField": "%1 dari %2", + "txtClearFilter": "Hapus Filter (Alt+C)", + "txtColLbls": "Label Kolom", + "txtColumn": "Kolom", + "txtConfidential": "Konfidensial", + "txtDate": "Tanggal", + "txtDays": "Hari", + "txtDiagramTitle": "Judul Grafik", + "txtFile": "File", + "txtGrandTotal": "Total keseluruhan", + "txtGroup": "Grup", + "txtHours": "jam", + "txtMinutes": "menit", + "txtMonths": "Bulan", + "txtMultiSelect": "Multi-Select (Alt+S)", + "txtOr": "%1 atau %2", + "txtPage": "Halaman", + "txtPageOf": "Halaman %1 dari %2", + "txtPages": "Halaman", + "txtPreparedBy": "Disiapkan oleh", + "txtPrintArea": "Print_Area", + "txtQuarter": "Qtr", + "txtQuarters": "Kuarter", + "txtRow": "Baris", + "txtRowLbls": "Label Baris", + "txtSeconds": "Detik", + "txtSeries": "Seri", + "txtStyle_Bad": "Buruk", + "txtStyle_Calculation": "Kalkulasi", + "txtStyle_Check_Cell": "Periksa Sel", + "txtStyle_Comma": "Koma", + "txtStyle_Currency": "Mata uang", + "txtStyle_Explanatory_Text": "Teks Penjelasan", + "txtStyle_Good": "Bagus", + "txtStyle_Heading_1": "Heading 1", + "txtStyle_Heading_2": "Heading 2", + "txtStyle_Heading_3": "Heading 3", + "txtStyle_Heading_4": "Heading 4", + "txtStyle_Input": "Input", + "txtStyle_Linked_Cell": "Sel Terhubung", + "txtStyle_Neutral": "Netral", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Catatan", + "txtStyle_Output": "Output", + "txtStyle_Percent": "Persen", + "txtStyle_Title": "Judul", + "txtStyle_Total": "Total", + "txtStyle_Warning_Text": "Teks Warning", + "txtTab": "Tab", + "txtTable": "Tabel", + "txtTime": "Waktu", + "txtValues": "Nilai", + "txtXAxis": "Sumbu X", + "txtYAxis": "Sumbu Y", + "txtYears": "Tahun" + }, + "textAnonymous": "Anonim", + "textBuyNow": "Kunjungi website", + "textClose": "Tutup", + "textContactUs": "Hubungi sales", + "textCustomLoader": "Maaf, Anda tidak diizinkan untuk mengganti loader. Silakan hubungi tim sales kami untuk mendapatkan harga.", + "textGuest": "Tamu", + "textHasMacros": "File berisi macros otomatis.
          Apakah Anda ingin menjalankan macros?", + "textNo": "Tidak", + "textNoChoices": "Tidak ada pilihan untuk mengisi sel.
          Hanya nilai teks dari kolom yang bisa dipilih untuk diganti.", + "textNoLicenseTitle": "Batas lisensi sudah tercapai", + "textNoTextFound": "Teks tidak ditemukan", + "textOk": "OK", + "textPaidFeature": "Fitur berbayar", + "textRemember": "Ingat pilihan saya", + "textReplaceSkipped": "Penggantian telah dilakukan. Ada {0} yang dilewatkan.", + "textReplaceSuccess": "Pencarian telah dilakukan. Ada {0} yang diganti {0}", + "textYes": "Ya", + "titleServerVersion": "Editor mengupdate", + "titleUpdateVersion": "Versi telah diubah", + "warnLicenseExceeded": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnLicenseLimitedNoAccess": "Lisensi kadaluwarsa. Anda tidak memiliki akses untuk editing dokumen secara keseluruhan. Silakan hubungi admin Anda.", + "warnLicenseLimitedRenewed": "Lisensi perlu diperbaharui. Anda memiliki akses terbatas untuk edit dokumen.
          Silakan hubungi admin Anda untuk mendapatkan akses penuh", + "warnLicenseUsersExceeded": "Anda sudah mencapai batas user untuk %1 editor. Hubungi admin Anda untuk mempelajari lebih lanjut.", + "warnNoLicense": "Anda sudah mencapai batas untuk koneksi bersamaan ke %1 editor. Dokumen ini akan dibuka untuk dilihat saja. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnNoLicenseUsers": "Anda sudah mencapai batas user untuk %1 editor. Hubungi %1 tim sales untuk syarat personal upgrade.", + "warnProcessRightsChange": "Anda tidak memiliki izin edit file ini.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "Waktu konversi habis.", + "criticalErrorExtText": "Tekan 'OK' untuk kembali ke list dokumen.", + "criticalErrorTitle": "Kesalahan", + "downloadErrorText": "Unduhan gagal.", + "errorAccessDeny": "Anda mencoba melakukan sesuatu yang tidak memiliki izin.
          Silakan hubungi admin Anda.", + "errorArgsRange": "Eror di formula.
          Rentang argumen salah.", + "errorAutoFilterChange": "Operasi tidak diizinkan karena mencoba memindahkan sel dari tabel di worksheet Anda.", + "errorAutoFilterChangeFormatTable": "Operasi tidak bisa dilakukan pada sel yang dipilih karena Anda tidak bisa memindahkan bagian dari tabel.
          Pilih rentang data lain agar seluruh tabel bergeser dan coba lagi.", + "errorAutoFilterDataRange": "Operasi tidak bisa dilakukan pada rentang sel yang dipilih.
          Pilih rentang data seragam di dalam atau di luar tabel dan coba lagi.", + "errorAutoFilterHiddenRange": "Operasi tidak bisa dilakukan karena ada sel yang difilter di area.
          Silakan tampilkan kembali elemet yang difilter dan coba lagi.", + "errorBadImageUrl": "URL Gambar salah", + "errorCannotUseCommandProtectedSheet": "Ada tidak bisa menggunakan perintah ini di sheet yang diproteksi. Untuk menggunakan perintah ini, batalkan proteksi sheet.
          Anda mungkin diminta untuk memasukkan password.", + "errorChangeArray": "Anda tidak bisa mengganti bagian dari array.", + "errorChangeOnProtectedSheet": "Sel atau grafik yang Anda coba untuk ganti berada di sheet yang diproteksi. Untuk melakukan perubahan, batalkan proteksi sheet. Anda mungkin diminta untuk mengisi password.", + "errorConnectToServer": "Tidak bisa menyimpan doc ini. Silakan periksa pengaturan koneksi atau hubungi admin Anda.
          Ketika klik tombol 'OK', Anda akan diminta untuk download dokumen.", + "errorCopyMultiselectArea": "Perintah ini tidak bisa digunakan dengan pilihan lebih dari satu.
          Pilih satu rentang dan coba lagi.", + "errorCountArg": "Eror di formula.
          Kesalahan di jumlah argumen.", + "errorCountArgExceed": "Eror di formula.
          Jumlah argumen maksimum sudah tercapai.", + "errorCreateDefName": "Rentang nama yang ada tidak bisa di edit dan tidak bisa membuat yang baru
          jika ada beberapa yang sedang diedit.", + "errorDatabaseConnection": "Eror eksternal.
          Koneksi database bermasalah. Silakan hubungi support.", + "errorDataEncrypted": "Perubahan enkripsi sudah diterima dan tidak bisa diuraikan.", + "errorDataRange": "Rentang data salah.", + "errorDataValidate": "Nilai yang dimasukkan tidak tepat.
          User memiliki batasan nilai yang bisa dimasukkan ke sel ini.", + "errorDefaultMessage": "Kode kesalahan: %1", + "errorEditingDownloadas": "Ada kesalahan saat bekerja dengan dokumen.
          Gunakan menu 'Download' untuk menyimpan file copy backup di lokal.", + "errorFilePassProtect": "Password file diproteksi dan tidak bisa dibuka.", + "errorFileRequest": "Error eksternal.
          Request File. Silakan hubungi support.", + "errorFileSizeExceed": "Ukuran file melampaui limit server Anda.
          Silakan, hubungi admin untuk detail.", + "errorFileVKey": "Error eksternal.
          Kode keamanan salah. Silakan hubungi support.", + "errorFillRange": "Tidak bisa mengisi rentang sel yang dipilih.
          Semua sel yang di merge harus memiliki ukuran yang sama.", + "errorFormulaName": "Eror di formula.
          Nama formula salah.", + "errorFormulaParsing": "Kesalahan internal saat menguraikan formula.", + "errorFrmlMaxLength": "Anda tidak bisa menambahkan formula ini karena panjangnya melebihi batas angka yang diizinkan.
          Silakan edit dan coba lagi.", + "errorFrmlMaxReference": "Anda tidak bisa memasukkan formula ini karena memiliki nilai terlalu banyak,
          referensi sel, dan/atau nama.", + "errorFrmlMaxTextLength": "Nilai teks dalam formula dibatasi 255 karakter.
          Gunakan fungsi PENGGABUNGAN atau operator penggabungan (&)", + "errorFrmlWrongReferences": "Fungsi yang menuju sheet tidak ada.
          Silakan periksa data kembali.", + "errorInvalidRef": "Masukkan nama yang tepat untuk pilihan atau referensi valid sebagai tujuan.", + "errorKeyEncrypt": "Deskriptor kunci tidak dikenal", + "errorKeyExpire": "Deskriptor kunci tidak berfungsi", + "errorLoadingFont": "Font tidak bisa dimuat.
          Silakan kontak admin Server Dokumen Anda.", + "errorLockedAll": "Operasi tidak bisa dilakukan karena sheet dikunci oleh user lain.", + "errorLockedCellPivot": "Anda tidak bisa mengubah data di dalam tabel pivot.", + "errorLockedWorksheetRename": "Nama sheet tidak bisa diubah sekarang karena sedang diganti oleh user lain", + "errorMaxPoints": "Jumlah titik maksimum dalam seri per grafik adalah 4096.", + "errorMoveRange": "Tidak bisa mengganti bagian dari sel yang digabungkan", + "errorMultiCellFormula": "Formula array multi sel tidak diizinkan di tabel.", + "errorOpenWarning": "Panjang salah satu formula di file melewati
          batas jumlah karakter yang diizinkan dan sudah dihapus.", + "errorOperandExpected": "Syntax fungsi yang dimasukkan tidak tepat. Silakan periksa lagi apakah Anda terlewat tanda kurung - '(' atau ')'.", + "errorPasteMaxRange": "Area copy dan paste tidak cocok. Silakan pilih area dengan ukuran yang sama atau klik sel pertama di baris untuk paste sel yang di copy.", + "errorPrintMaxPagesCount": "Mohon maaf karena tidak bisa print lebih dari 1500 halaman dalam sekali waktu dengan versi program sekarang.
          Hal ini akan bisa dilakukan di versi selanjutnya.", + "errorSessionAbsolute": "Waktu edit dokumen sudah selesai. Silakan muat ulang halaman.", + "errorSessionIdle": "Dokumen sudah lama tidak diedit. Silakan muat ulang halaman.", + "errorSessionToken": "Koneksi ke server terganggu. Silakan muat ulang halaman.", + "errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
          harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "errorUnexpectedGuid": "Error eksternal.
          Unexpected Guid. Silakan hubungi support.", + "errorUpdateVersionOnDisconnect": "Koneksi internet sudah kembali dan versi file sudah diganti.
          Sebelum Anda bisa melanjutkan kerja, Anda perlu download file atau copy konten untuk memastikan tidak ada yang hilang, dan muat ulang halaman ini.", + "errorUserDrop": "File tidak bisa diakses sekarang.", + "errorUsersExceed": "Jumlah pengguna telah melebihi jumlah yang diijinkan dalam paket harga.", + "errorViewerDisconnect": "Koneksi terputus. Anda tetap bisa melihat dokumen,
          tapi tidak bisa download atau print sampai koneksi terhubung dan halaman dimuat ulang.", + "errorWrongBracketsCount": "Eror di formula.
          Jumlah tanda kurung tidak tepat.", + "errorWrongOperator": "Eror ketika memasukkan formula. Penggunaan operator tidak tepat.
          Silakan perbaiki.", + "notcriticalErrorTitle": "Peringatan", + "openErrorText": "Eror ketika membuka file", + "pastInMergeAreaError": "Tidak bisa mengganti bagian dari sel yang digabungkan", + "saveErrorText": "Eror ketika menyimpan file.", + "scriptLoadError": "Koneksi terlalu lambat dan beberapa komponen tidak bisa dibuka Silakan muat ulang halaman.", + "textErrorPasswordIsNotCorrect": "Password yang Anda sediakan tidak tepat.
          Pastikan bahwa CAPS LOCK sudah mati dan pastikan sudah menggunakan huruf besar dengan tepat.", + "unknownErrorText": "Kesalahan tidak diketahui.", + "uploadImageExtMessage": "Format gambar tidak dikenal.", + "uploadImageFileCountMessage": "Tidak ada gambar yang diunggah.", + "uploadImageSizeMessage": "Melebihi ukuran maksimal file. Ukuran maksimum adalah 25 MB." + }, + "LongActions": { + "advDRMPassword": "Kata Sandi", + "applyChangesTextText": "Memuat data...", + "applyChangesTitleText": "Memuat Data", + "confirmMoveCellRange": "Rentang sel yang dituju bisa berisi data. Lanjutkan operasi?", + "confirmPutMergeRange": "Data sumber memiliki sel merge.
          Data ini akan di unmerge sebelum di paste ke tabel.", + "confirmReplaceFormulaInTable": "Formula di baris header akan dihilangkan dan dikonversi menjadi teks statis.
          Apakah Anda ingin melanjutkan?", + "downloadTextText": "Mengunduh dokumen...", + "downloadTitleText": "Mengunduh Dokumen", + "loadFontsTextText": "Memuat data...", + "loadFontsTitleText": "Memuat Data", + "loadFontTextText": "Memuat data...", + "loadFontTitleText": "Memuat Data", + "loadImagesTextText": "Memuat gambar...", + "loadImagesTitleText": "Memuat Gambar", + "loadImageTextText": "Memuat gambar...", + "loadImageTitleText": "Memuat Gambar", + "loadingDocumentTextText": "Memuat dokumen...", + "loadingDocumentTitleText": "Memuat dokumen", + "notcriticalErrorTitle": "Peringatan", + "openTextText": "Membuka Dokumen...", + "openTitleText": "Membuka Dokumen", + "printTextText": "Mencetak dokumen...", + "printTitleText": "Mencetak Dokumen", + "savePreparingText": "Bersiap untuk menyimpan", + "savePreparingTitle": "Bersiap untuk menyimpan. Silahkan menunggu...", + "saveTextText": "Menyimpan dokumen...", + "saveTitleText": "Menyimpan Dokumen", + "textCancel": "Batalkan", + "textErrorWrongPassword": "Password yang Anda sediakan tidak tepat.", + "textLoadingDocument": "Memuat dokumen", + "textNo": "Tidak", + "textOk": "OK", + "textUnlockRange": "Buka Kunci Rentang", + "textUnlockRangeWarning": "Rentang yang ingin Anda ubah dilindungi password", + "textYes": "Ya", + "txtEditingMode": "Mengatur mode editing...", + "uploadImageTextText": "Mengunggah gambar...", + "uploadImageTitleText": "Mengunggah Gambar", + "waitText": "Silahkan menunggu" + }, + "Statusbar": { + "notcriticalErrorTitle": "Peringatan", + "textCancel": "Batalkan", + "textDelete": "Hapus", + "textDuplicate": "Duplikat", + "textErrNameExists": "Worksheet dengan nama ini sudah ada.", + "textErrNameWrongChar": "Nama sheet tidak boleh menggunakan karakter: \\, /, *, ?, [, ], :", + "textErrNotEmpty": "Nama sheet tidak boleh kosong", + "textErrorLastSheet": "Workbook harus setidaknya memiliki satu worksheet yang terlihat.", + "textErrorRemoveSheet": "Tidak bisa menghapus worksheet.", + "textHidden": "Tersembunyi", + "textHide": "Sembunyikan", + "textMore": "Lainnya", + "textMove": "Pindah", + "textMoveBefore": "Pindahkan sebelum sheet", + "textMoveToEnd": "(Pindah ke akhir)", + "textOk": "OK", + "textRename": "Ganti nama", + "textRenameSheet": "Ganti Nama Sheet", + "textSheet": "Sheet", + "textSheetName": "Nama Sheet", + "textUnhide": "Tidak Disembunyikan", + "textWarnDeleteSheet": "Mungkin ada data di worksheet. Tetap jalankan operasi?", + "textTabColor": "Tab Color" + }, + "Toolbar": { + "dlgLeaveMsgText": "Ada perubahan yang belum disimpan dalam dokumen ini. Klik 'Tetap di Halaman Ini' untuk menunggu simpan otomatis. Klik ‘Tinggalkan Halaman Ini’ untuk membatalkan semua perubahan yang belum disimpan.", + "dlgLeaveTitleText": "Anda meninggalkan aplikasi", + "leaveButtonText": "Tinggalkan Halaman Ini", + "stayButtonText": "Tetap di halaman ini" + }, + "View": { + "Add": { + "errorMaxRows": "KESALAHAN! Jumlah seri data maksimum per grafik adalah 255.", + "errorStockChart": "Urutan baris salah. Untuk membuat diagram garis, masukkan data pada lembar kerja dengan urutan berikut ini:
          harga pembukaan, harga maksimal, harga minimal, harga penutupan.", + "notcriticalErrorTitle": "Peringatan", + "sCatDateAndTime": "Tanggal dan Jam", + "sCatEngineering": "Insinyur", + "sCatFinancial": "Finansial", + "sCatInformation": "Informasi", + "sCatLogical": "Logikal", + "sCatLookupAndReference": "Lookup dan Referensi", + "sCatMathematic": "Matematika dan trigonometri", + "sCatStatistical": "Statistikal", + "sCatTextAndData": "Teks dan data", + "textAddLink": "Tambah tautan", + "textAddress": "Alamat", + "textAllTableHint": "Kembalikan seluruh isi tabel atau kolom tabel tertentu termasuk header kolom, data dan total baris", + "textBack": "Kembali", + "textCancel": "Batalkan", + "textChart": "Bagan", + "textComment": "Komentar", + "textDataTableHint": "Kembalikan sel data dari tabel atau kolom tabel yang dihitung", + "textDisplay": "Tampilan", + "textEmptyImgUrl": "Anda perlu melengkapkan URL gambar.", + "textExternalLink": "Tautan eksternal", + "textFilter": "Filter", + "textFunction": "Fungsi", + "textGroups": "Kategori", + "textHeadersTableHint": "Kembalikan header kolom untuk tabel atau tabel kolom spesifik", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textInsert": "Sisipkan", + "textInsertImage": "Sisipkan Gambar", + "textInternalDataRange": "Rentang Data Internal", + "textInvalidRange": "KESALAHAN! Rentang sel tidak valid", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLinkType": "Tipe tautan", + "textOk": "OK", + "textOther": "Lainnya", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textRange": "Rentang", + "textRequired": "Dibutuhkan", + "textScreenTip": "Tip Layar", + "textSelectedRange": "Rentang yang dipilih", + "textShape": "Bentuk", + "textSheet": "Sheet", + "textSortAndFilter": "Sortir dan Filter", + "textThisRowHint": "Pilih hanya baris ini dari kolom yang ditentukan", + "textTotalsTableHint": "Kembalikan total baris dari tabel atau kolom tabel spesifik", + "txtExpand": "Perluas dan sortir", + "txtExpandSort": "Data di sebelah pilihan tidak akan disortasi. Apakah Anda ingin memperluas pilihan untuk menyertakan data yang berdekatan atau lanjut sortasi dengan hanya sel yang dipilih?", + "txtLockSort": "Ditemukan data di sebelah pilihan Anda, tapi, Anda tidak memiliki izin untuk mengubah sel tersebut.
          Apakah Anda ingin tetap lanjut dengan pilihan saat ini?", + "txtNo": "Tidak", + "txtNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "txtSorting": "Sorting", + "txtSortSelected": "Sortir dipilih", + "txtYes": "Ya" + }, + "Edit": { + "notcriticalErrorTitle": "Peringatan", + "textAccounting": "Akutansi", + "textActualSize": "Ukuran Sebenarnya", + "textAddCustomColor": "Tambah warna kustom", + "textAddress": "Alamat", + "textAlign": "Ratakan", + "textAlignBottom": "Rata Bawah", + "textAlignCenter": "Rata Tengah", + "textAlignLeft": "Rata Kiri", + "textAlignMiddle": "Rata di Tengah", + "textAlignRight": "Rata Kanan", + "textAlignTop": "Rata Atas", + "textAllBorders": "Semua Pembatas", + "textAngleClockwise": "Sudut Searah Jarum Jam", + "textAngleCounterclockwise": "Sudut Berlawanan Jarum Jam", + "textAuto": "Otomatis", + "textAutomatic": "Otomatis", + "textAxisCrosses": "Sumbu Berpotongan", + "textAxisOptions": "Opsi Sumbu", + "textAxisPosition": "Posisi Sumbu", + "textAxisTitle": "Nama Sumbu", + "textBack": "Kembali", + "textBetweenTickMarks": "Di Antara Tanda Centang", + "textBillions": "Miliar", + "textBorder": "Pembatas", + "textBorderStyle": "Gaya Pembatas", + "textBottom": "Bawah", + "textBottomBorder": "Batas Bawah", + "textBringToForeground": "Tampilkan di Halaman Muka", + "textCell": "Sel", + "textCellStyles": "Gaya Sel", + "textCenter": "Tengah", + "textChart": "Bagan", + "textChartTitle": "Judul Grafik", + "textClearFilter": "Bersihkan Filter", + "textColor": "Warna", + "textCross": "Silang", + "textCrossesValue": "Crosses Value", + "textCurrency": "Mata uang", + "textCustomColor": "Custom Warna", + "textDataLabels": "Label Data", + "textDate": "Tanggal", + "textDefault": "Rentang yang dipilih", + "textDeleteFilter": "Hapus Filter", + "textDesign": "Desain", + "textDiagonalDownBorder": "Pembatas Bawah Diagonal", + "textDiagonalUpBorder": "Pembatas Atas Diagonal", + "textDisplay": "Tampilan", + "textDisplayUnits": "Unit Tampilan", + "textDollar": "Dolar", + "textEditLink": "Edit Link", + "textEffects": "Efek", + "textEmptyImgUrl": "Anda perlu melengkapkan URL gambar.", + "textEmptyItem": "{Kosong}", + "textErrorMsg": "Anda harus memilih setidaknya satu nilai", + "textErrorTitle": "Peringatan", + "textEuro": "Euro", + "textExternalLink": "Tautan eksternal", + "textFill": "Isi", + "textFillColor": "Isi Warna", + "textFilterOptions": "Opsi Filter", + "textFit": "Fit Lebar", + "textFonts": "Font", + "textFormat": "Format", + "textFraction": "Pecahan", + "textFromLibrary": "Gambar dari Perpustakaan", + "textFromURL": "Gambar dari URL", + "textGeneral": "Umum", + "textGridlines": "Garis Grid", + "textHigh": "Tinggi", + "textHorizontal": "Horisontal", + "textHorizontalAxis": "Sumbu Horizontal", + "textHorizontalText": "Teks Horizontal", + "textHundredMil": "100 000 000", + "textHundreds": "Ratusan", + "textHundredThousands": "100 000", + "textHyperlink": "Hyperlink", + "textImage": "Gambar", + "textImageURL": "URL Gambar", + "textIn": "Dalam", + "textInnerBottom": "Dalam Bawah", + "textInnerTop": "Dalam Atas", + "textInsideBorders": "Pembatas Dalam", + "textInsideHorizontalBorder": "Pembatas Dalam Horizontal", + "textInsideVerticalBorder": "Pembatas Dalam Vertikal", + "textInteger": "Integer", + "textInternalDataRange": "Rentang Data Internal", + "textInvalidRange": "Rentang sel tidak valid", + "textJustified": "Rata Kiri-Kanan", + "textLabelOptions": "Opsi Label", + "textLabelPosition": "Posisi Label", + "textLayout": "Layout", + "textLeft": "Kiri", + "textLeftBorder": "Pembatas Kiri", + "textLeftOverlay": "Overlay Kiri", + "textLegend": "Keterangan", + "textLink": "Tautan", + "textLinkSettings": "Pengaturan Link", + "textLinkType": "Tipe tautan", + "textLow": "Rendah", + "textMajor": "Major", + "textMajorAndMinor": "Major dan Minor", + "textMajorType": "Tipe Major", + "textMaximumValue": "Nilai Maksimum", + "textMedium": "Medium", + "textMillions": "Juta", + "textMinimumValue": "Nilai Minimum", + "textMinor": "Minor", + "textMinorType": "Tipe Minor", + "textMoveBackward": "Pindah Kebelakang", + "textMoveForward": "Majukan", + "textNextToAxis": "Di Sebelah Sumbu", + "textNoBorder": "Tidak ada pembatas", + "textNone": "Tidak ada", + "textNoOverlay": "Tanpa Overlay", + "textNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "textNumber": "Angka", + "textOk": "OK", + "textOnTickMarks": "Di Tanda Centang", + "textOpacity": "Opasitas", + "textOut": "Luar", + "textOuterTop": "Terluar Atas", + "textOutsideBorders": "Pembatas Luar", + "textOverlay": "Overlay", + "textPercentage": "Persentase", + "textPictureFromLibrary": "Gambar dari Perpustakaan", + "textPictureFromURL": "Gambar dari URL", + "textPound": "Pound", + "textPt": "pt", + "textRange": "Rentang", + "textRemoveChart": "Hilangkan Grafik", + "textRemoveImage": "Hilangkan Gambar", + "textRemoveLink": "Hilangkan Link", + "textRemoveShape": "Hilangkan Bentuk", + "textReorder": "Reorder", + "textReplace": "Ganti", + "textReplaceImage": "Ganti Gambar", + "textRequired": "Dibutuhkan", + "textRight": "Kanan", + "textRightBorder": "Pembatas Kanan", + "textRightOverlay": "Overlay Kanan", + "textRotated": "Dirotasi", + "textRotateTextDown": "Rotasi Teks Kebawah", + "textRotateTextUp": "Rotasi Teks Keatas", + "textRouble": "Rubel", + "textScientific": "Saintifik", + "textScreenTip": "Tip Layar", + "textSelectAll": "Pilih semua", + "textSelectObjectToEdit": "Pilih objek untuk diedit", + "textSendToBackground": "Jalankan di Background", + "textSettings": "Pengaturan", + "textShape": "Bentuk", + "textSheet": "Sheet", + "textSize": "Ukuran", + "textStyle": "Model", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Teks", + "textTextColor": "Warna teks", + "textTextFormat": "Format Teks", + "textTextOrientation": "Arah Teks", + "textThick": "Tebal", + "textThin": "Tipis", + "textThousands": "Ribu", + "textTickOptions": "Opsi Tick", + "textTime": "Waktu", + "textTop": "Atas", + "textTopBorder": "Pembatas Atas", + "textTrillions": "Trilyun", + "textType": "Tipe", + "textValue": "Nilai", + "textValuesInReverseOrder": "Nilai dengan Urutan Terbalik", + "textVertical": "Vertikal", + "textVerticalAxis": "Sumbu Vertikal", + "textVerticalText": "Teks Vertikal", + "textWrapText": "Wrap Teks", + "textYen": "Yen", + "txtNotUrl": "Area ini harus dalam format URL “http://www.contoh.com”", + "txtSortHigh2Low": "Sortir Tertinggi ke Terendah", + "txtSortLow2High": "Sortir Terendah ke Tertinggi" + }, + "Settings": { + "advCSVOptions": "Pilih Opsi CSV", + "advDRMEnterPassword": "Tolong tulis password Anda:", + "advDRMOptions": "File yang Diproteksi", + "advDRMPassword": "Kata Sandi", + "closeButtonText": "Tutup File", + "notcriticalErrorTitle": "Peringatan", + "textAbout": "Tentang", + "textAddress": "Alamat", + "textApplication": "Aplikasi", + "textApplicationSettings": "Pengaturan Aplikasi", + "textAuthor": "Penyusun", + "textBack": "Kembali", + "textBottom": "Bawah", + "textByColumns": "Dari kolom", + "textByRows": "Dari baris", + "textCancel": "Batalkan", + "textCentimeter": "Sentimeter", + "textChooseCsvOptions": "Pilih Opsi CSV", + "textChooseDelimeter": "Pilih Delimiter", + "textChooseEncoding": "Pilih Encoding", + "textCollaboration": "Kolaborasi", + "textColorSchemes": "Skema Warna", + "textComment": "Komentar", + "textCommentingDisplay": "Komentar Langsung", + "textComments": "Komentar", + "textCreated": "Dibuat", + "textCustomSize": "Custom Ukuran", + "textDarkTheme": "Tema Gelap", + "textDelimeter": "Pembatas", + "textDisableAll": "Nonaktifkan Semua", + "textDisableAllMacrosWithNotification": "Nonaktifkan semua macros dengan notifikasi", + "textDisableAllMacrosWithoutNotification": "Nonaktifkan semua macros tanpa notifikasi", + "textDone": "Selesai", + "textDownload": "Unduh", + "textDownloadAs": "Unduh sebagai", + "textEmail": "Email", + "textEnableAll": "Aktifkan Semua", + "textEnableAllMacrosWithoutNotification": "Aktifkan semua macros tanpa notifikasi", + "textEncoding": "Enkoding", + "textExample": "Contoh", + "textFind": "Cari", + "textFindAndReplace": "Cari dan Ganti", + "textFindAndReplaceAll": "Temukan dan Ganti Semua", + "textFormat": "Format", + "textFormulaLanguage": "Bahasa Formula", + "textFormulas": "Formulas", + "textHelp": "Bantuan", + "textHideGridlines": "Sembunyikan Gridlines", + "textHideHeadings": "Sembunyikan Heading", + "textHighlightRes": "Sorot hasil", + "textInch": "Inci", + "textLandscape": "Landscape", + "textLastModified": "Terakhir Dimodifikasi", + "textLastModifiedBy": "Terakhir Dimodifikasi Oleh", + "textLeft": "Kiri", + "textLocation": "Lokasi", + "textLookIn": "Melihat Kedalam", + "textMacrosSettings": "Pengaturan Macros", + "textMargins": "Margin", + "textMatchCase": "Sesuakian Case", + "textMatchCell": "Sesuakian Sel", + "textNoTextFound": "Teks tidak ditemukan", + "textOk": "OK", + "textOpenFile": "Masukkan kata sandi untuk buka file", + "textOrientation": "Orientasi", + "textOwner": "Pemilik", + "textPoint": "Titik", + "textPortrait": "Portrait", + "textPoweredBy": "Didukung oleh", + "textPrint": "Cetak", + "textR1C1Style": "Referensi Style R1C1", + "textRegionalSettings": "Pengaturan Regional", + "textReplace": "Ganti", + "textReplaceAll": "Ganti Semua", + "textResolvedComments": "Selesaikan Komentar", + "textRight": "Kanan", + "textSearch": "Cari", + "textSearchBy": "Cari", + "textSearchIn": "Cari di", + "textSettings": "Pengaturan", + "textSheet": "Sheet", + "textShowNotification": "Tampilkan Notifikasi", + "textSpreadsheetFormats": "Format Spreadsheet", + "textSpreadsheetInfo": "Info Spreadsheet", + "textSpreadsheetSettings": "Pengaturan Spreadsheet", + "textSpreadsheetTitle": "Judul Spreadsheet", + "textSubject": "Subyek", + "textTel": "Tel", + "textTitle": "Judul", + "textTop": "Atas", + "textUnitOfMeasurement": "Satuan Ukuran", + "textUploaded": "Diunggah", + "textValues": "Nilai", + "textVersion": "Versi", + "textWorkbook": "Workbook", + "txtColon": "Titik dua", + "txtComma": "Koma", + "txtDelimiter": "Pembatas", + "txtDownloadCsv": "Download CSV", + "txtEncoding": "Enkoding", + "txtIncorrectPwd": "Password salah", + "txtOk": "OK", + "txtProtected": "Jika Anda memasukkan password dan membuka file, password file saat ini akan di reset.", + "txtScheme1": "Office", + "txtScheme10": "Median", + "txtScheme11": "Metro", + "txtScheme12": "Modul", + "txtScheme13": "Mewah", + "txtScheme14": "Jendela Oriel", + "txtScheme15": "Origin", + "txtScheme16": "Kertas", + "txtScheme17": "Titik balik matahari", + "txtScheme18": "Teknik", + "txtScheme19": "Trek", + "txtScheme2": "Grayscale", + "txtScheme20": "Urban", + "txtScheme21": "Semangat", + "txtScheme22": "Office Baru", + "txtScheme3": "Puncak", + "txtScheme4": "Aspek", + "txtScheme5": "Kewargaan", + "txtScheme6": "Himpunan", + "txtScheme7": "Margin Sisa", + "txtScheme8": "Alur", + "txtScheme9": "Cetakan", + "txtSemicolon": "Titik koma", + "txtSpace": "Spasi", + "txtTab": "Tab", + "warnDownloadAs": "Jika Anda lanjut simpan dengan format ini, semua fitur kecuali teks akan hilang.
          Apakah Anda ingin melanjutkan?", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json index abb1af184..01da539f0 100644 --- a/apps/spreadsheeteditor/mobile/locale/it.json +++ b/apps/spreadsheeteditor/mobile/locale/it.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il tuo amministratore per maggior informazioni.", "warnNoLicense": "Hai raggiunto il limite delle connessioni simultanee agli editor %1. Questo documento sarà aperto solo in modalità di visualizzazione. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", "warnNoLicenseUsers": "Hai raggiunto il limite degli utenti per gli editor %1. Ti preghiamo di contattare il team di vendite di %1 per i termini di aggiornamento personali.", - "warnProcessRightsChange": "Non hai il permesso di modificare il file." + "warnProcessRightsChange": "Non hai il permesso di modificare il file.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtNotUrl": "Questo campo deve essere un URL nel formato \"http://www.example.com\"", "txtSorting": "Ordinamento", "txtSortSelected": "Ordinare selezionato", - "txtYes": "Sì" + "txtYes": "Sì", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Avvertimento", diff --git a/apps/spreadsheeteditor/mobile/locale/ja.json b/apps/spreadsheeteditor/mobile/locale/ja.json index 10cc11ada..43ef972e3 100644 --- a/apps/spreadsheeteditor/mobile/locale/ja.json +++ b/apps/spreadsheeteditor/mobile/locale/ja.json @@ -76,7 +76,7 @@ "notcriticalErrorTitle": " 警告", "SDK": { "txtAccent": "アクセント", - "txtAll": "すべて", + "txtAll": "(すべて)", "txtArt": "テキストを入力…", "txtBlank": "(空白)", "txtByField": "%2分の%1", @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "%1エディターのユーザー制限に達しました。 詳細についてはアドミニストレータを連絡してください。", "warnNoLicense": "%1エディター 時接続数の制限に達しました。この文書が見るだけのために開かれる。個人的なアップグレード条件については、%1営業チームを連絡してください。", "warnNoLicenseUsers": "%1エディターのユーザー制限に達しました。 個人的なアップグレード条件については、%1営業チームを連絡してください。", - "warnProcessRightsChange": "ファイルを編集する権限がありません!" + "warnProcessRightsChange": "ファイルを編集する権限がありません!", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -291,6 +292,8 @@ "textHide": "隠す", "textMore": "もっと", "textMove": "移動", + "textMoveBefore": "シートの前へ移動", + "textMoveToEnd": "(末尾へ移動)", "textOk": "OK", "textRename": "名前の変更", "textRenameSheet": "このシートの名前を変更する", @@ -298,8 +301,6 @@ "textSheetName": "シートの名", "textUnhide": "表示する", "textWarnDeleteSheet": "ワークシートはデータがあるそうです。操作を続けてもよろしいですか?", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -324,16 +325,19 @@ "sCatTextAndData": "テキストとデータ", "textAddLink": "リンクを追加する", "textAddress": "アドレス", + "textAllTableHint": "テーブルのすべての値、または、指定したテーブル列と列番号、データおよび集計行を返す", "textBack": "戻る", "textCancel": "キャンセル", "textChart": "グラフ", "textComment": "コメント", + "textDataTableHint": "テーブルまたは指定したテーブル列のデータセルを返します", "textDisplay": "表示する", "textEmptyImgUrl": "イメージのURLを指定ことが必要です。", "textExternalLink": "外部リンク", "textFilter": "フィルター​​", "textFunction": "関数", "textGroups": "カテゴリー", + "textHeadersTableHint": "テーブルまたは指定されたテーブルカラムのカラムヘッダを返す", "textImage": "画像", "textImageURL": "画像のURL", "textInsert": "挿入", @@ -354,6 +358,8 @@ "textShape": "形", "textSheet": "シート", "textSortAndFilter": "並べ替えとフィルタ", + "textThisRowHint": "指定した列のこの行のみを選択する", + "textTotalsTableHint": "テーブルまたは指定したテーブル列の集計行を返す", "txtExpand": "展開と並べ替え", "txtExpandSort": "選択範囲の横のデータは並べ替えられません。 選択範囲を拡張して隣接するデータを含めるか、現在選択されているセルのみの並べ替えを続行しますか?", "txtLockSort": "選択の範囲の近くにデータが見つけられたけどこのセルを変更するに十分なアクセス許可がありません。
          選択の範囲を続行してもよろしいですか?", diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json index 713a60e37..f3d4db495 100644 --- a/apps/spreadsheeteditor/mobile/locale/ko.json +++ b/apps/spreadsheeteditor/mobile/locale/ko.json @@ -68,6 +68,7 @@ "Main": { "criticalErrorTitle": "오류", "errorAccessDeny": "권한이 없는 작업을 수행하려고 합니다.
          관리자에게 문의하십시오.", + "errorOpensource": "무료 커뮤니티 버전을 사용하는 경우 열린 파일만 볼 수 있습니다. 모바일 온라인 에디터 기능을 사용하기 위해서는 유료 라이선스가 필요합니다.", "errorProcessSaveResult": "저장이 실패했습니다.", "errorServerVersion": "편집기 버전이 업데이트되었습니다. 페이지가 다시로드되어 변경 사항이 적용됩니다.", "errorUpdateVersion": "파일 버전이 변경되었습니다. 페이지가 다시로드됩니다.", @@ -142,9 +143,14 @@ "textGuest": "게스트", "textHasMacros": "파일에 자동 매크로가 포함되어 있습니다.
          매크로를 실행 하시겠습니까?", "textNo": "아니오", + "textNoChoices": "셀을 채울 선택이 없습니다.
          열의 텍스트 값만 대체 할 수 있습니다.", "textNoLicenseTitle": "라이센스 수를 제한했습니다.", + "textNoTextFound": "텍스트를 찾을 수 없습니다", + "textOk": "확정", "textPaidFeature": "유료기능", "textRemember": "선택사항을 저장", + "textReplaceSkipped": "대체가 이루어졌습니다. {0} 건은 건너 뛰었습니다.", + "textReplaceSuccess": "검색이 완료되었습니다. {0} 횟수가 대체되었습니다. ", "textYes": "확인", "titleServerVersion": "편집기가 업데이트되었습니다", "titleUpdateVersion": "버전이 변경되었습니다.", @@ -155,12 +161,7 @@ "warnNoLicense": "% 1 편집 연결 수 제한에 도달했습니다. 이 문서는 보기 모드로 열립니다. 개인적인 업그레이드 사항은 % 1 영업팀에 연락하십시오.", "warnNoLicenseUsers": "ONLYOFFICE 편집자의이 버전은 동시 사용자에게 일정한 제한이 있습니다.
          더 필요한 것이 있으면 현재 라이센스를 업그레이드하거나 상용 라이센스를 구입하십시오.", "warnProcessRightsChange": "파일을 수정할 수 있는 권한이 없습니다.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", - "textNoChoices": "There are no choices for filling the cell.
          Only text values from the column can be selected for replacement.", - "textNoTextFound": "Text not found", - "textOk": "Ok", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -175,6 +176,7 @@ "errorAutoFilterDataRange": "지정된 범위의 셀에 대해 작업을 수행할 수 없습니다.
          테이블 또는 테이블 외부의 균일한 데이터 범위를 선택하고 다시 시도하십시오.", "errorAutoFilterHiddenRange": "작업을 수행할 수 없습니다. 그 이유는 선택한 영역에 숨겨진 셀이 있기 때문입니다.
          숨겨진 요소를 다시 표시하고 다시 시도하십시오.", "errorBadImageUrl": "이미지 URL이 잘못되었습니다.", + "errorCannotUseCommandProtectedSheet": "보호된 시트에서는 이 명령을 사용할 수 없습니다. 이 명령을 사용하려면 시트 보호를 해제하세요.
          비밀번호를 입력하라는 메시지가 표시될 수 있습니다.", "errorChangeArray": "배열의 일부를 변경할 수 없습니다.", "errorChangeOnProtectedSheet": "변경하려는 셀 또는 차트가 보호된 시트에 있습니다. 변경하려면 시트 보호를 해제하세요. 암호를 입력하라는 메시지가 표시될 수 있습니다.", "errorConnectToServer": "저장하지 못했습니다. 네트워크 설정을 확인하거나 관리자에게 문의하세요.
          이 문서는 \"확인\" 버튼을 누르면 다운로드할 수 있습니다.", @@ -233,8 +235,7 @@ "unknownErrorText": "알 수 없는 오류.", "uploadImageExtMessage": "알수 없는 이미지 형식입니다.", "uploadImageFileCountMessage": "이미지가 업로드되지 않았습니다.", - "uploadImageSizeMessage": "이미지 크기 제한을 초과했습니다.", - "errorCannotUseCommandProtectedSheet": "You cannot use this command on a protected sheet. To use this command, unprotect the sheet.
          You might be requested to enter a password." + "uploadImageSizeMessage": "이미지 크기 제한을 초과했습니다." }, "LongActions": { "advDRMPassword": "암호", @@ -287,8 +288,12 @@ "textErrNotEmpty": "시트 이름은 비워둘 수 없습니다.", "textErrorLastSheet": "통합 문서에는 표시되는 워크시트가 하나 이상 있어야 합니다.", "textErrorRemoveSheet": "워크 시트를 삭제할 수 없습니다.", + "textHidden": "숨김", "textHide": "숨기기", "textMore": "자세히", + "textMove": "이동", + "textMoveBefore": "시트 이전으로 이동", + "textMoveToEnd": "(끝으로 이동)", "textOk": "확인", "textRename": "이름 바꾸기", "textRenameSheet": "시트 이름 바꾸기", @@ -296,10 +301,6 @@ "textSheetName": "시트 이름", "textUnhide": "숨기기 해제", "textWarnDeleteSheet": "워크시트에 데이터가 포함될 수 있습니다. 진행 하시겠습니까?", - "textHidden": "Hidden", - "textMove": "Move", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -324,16 +325,19 @@ "sCatTextAndData": "텍스트 및 데이터", "textAddLink": "링크 추가", "textAddress": "주소", + "textAllTableHint": "열 머리글, 데이터 및 총 행을 포함하여 테이블 또는 지정된 테이블 열의 전체 내용을 반환합니다", "textBack": "뒤로", "textCancel": "취소", "textChart": "차트", "textComment": "코멘트", + "textDataTableHint": "테이블 또는 지정된 테이블 열의 데이터 셀을 반환합니다", "textDisplay": "표시", "textEmptyImgUrl": "이미지의 URL을 지정해야 합니다.", "textExternalLink": "외부 링크", "textFilter": "필터", "textFunction": "함수", "textGroups": "범주", + "textHeadersTableHint": "테이블 또는 지정된 테이블 열에 대한 열 머리글을 반환합니다", "textImage": "이미지", "textImageURL": "이미지 URL", "textInsert": "삽입", @@ -343,6 +347,7 @@ "textLink": "링크", "textLinkSettings": "링크 설정", "textLinkType": "링크 유형", + "textOk": "확정", "textOther": "기타", "textPictureFromLibrary": "그림 라이브러리에서", "textPictureFromURL": "URL로 부터 그림 가져오기", @@ -353,6 +358,8 @@ "textShape": "도형", "textSheet": "시트", "textSortAndFilter": "정렬 및 필터링", + "textThisRowHint": "지정된 열의 이 행만 선택", + "textTotalsTableHint": "테이블 또는 지정된 테이블 열의 총 행을 반환합니다", "txtExpand": "확장 및 정렬", "txtExpandSort": "선택 영역 옆의 데이터는 정렬되지 않습니다. 인접한 데이터를 포함하도록 선택 영역을 확장 하시겠습니까, 아니면 현재 선택된 셀만 정렬할까요?", "txtLockSort": "선택의 범위 근처에 데이터가 존재 하지만이 셀을 변경하려면 충분한 권한이 없습니다.
          선택의 범위를 계속 하시겠습니까?", @@ -360,8 +367,7 @@ "txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", "txtSorting": "정렬", "txtSortSelected": "정렬 선택", - "txtYes": "확인", - "textOk": "Ok" + "txtYes": "확인" }, "Edit": { "notcriticalErrorTitle": "경고", @@ -380,6 +386,7 @@ "textAngleClockwise": "시계 방향으로 회전", "textAngleCounterclockwise": "시계 반대 방향 회전", "textAuto": "자동", + "textAutomatic": "자동", "textAxisCrosses": "교차축", "textAxisOptions": "축 옵션", "textAxisPosition": "축 위치", @@ -480,6 +487,7 @@ "textNoOverlay": "오버레이 없음", "textNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", "textNumber": "숫자", + "textOk": "확정", "textOnTickMarks": "눈금 표시", "textOpacity": "투명도", "textOut": "바깥쪽", @@ -541,9 +549,7 @@ "textYen": "엔", "txtNotUrl": "이 필드는 \"http://www.example.com\"형식의 URL이어야합니다.", "txtSortHigh2Low": "가장 높은 것부터 가장 낮은 것부터 정렬", - "txtSortLow2High": "오름차순 정렬", - "textAutomatic": "Automatic", - "textOk": "Ok" + "txtSortLow2High": "오름차순 정렬" }, "Settings": { "advCSVOptions": "CSV 옵션 선택", @@ -573,6 +579,7 @@ "textComments": "Comments", "textCreated": "생성됨", "textCustomSize": "사용자 정의 크기", + "textDarkTheme": "다크 테마", "textDelimeter": "구분 기호", "textDisableAll": "모두 비활성화", "textDisableAllMacrosWithNotification": "모든 매크로를 비활성화로 알림", @@ -674,7 +681,6 @@ "txtSpace": "공간", "txtTab": "탭", "warnDownloadAs": "이 형식으로 저장을 계속하면 텍스트를 제외한 모든 기능이 손실됩니다. 계속 하시겠습니까?", - "textDarkTheme": "Dark Theme", "textFeedback": "Feedback & Support" } } diff --git a/apps/spreadsheeteditor/mobile/locale/lo.json b/apps/spreadsheeteditor/mobile/locale/lo.json index ba281b896..2ce86e35a 100644 --- a/apps/spreadsheeteditor/mobile/locale/lo.json +++ b/apps/spreadsheeteditor/mobile/locale/lo.json @@ -1,682 +1,686 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", - "textEmail": "Email", - "textPoweredBy": "Powered By", - "textTel": "Tel", - "textVersion": "Version" + "textAbout": "ກ່ຽວກັບ", + "textAddress": "ທີ່ຢູ່", + "textBack": "ກັບຄືນ", + "textEmail": "ອີເມລ", + "textPoweredBy": "ສ້າງໂດຍ", + "textTel": "ໂທ", + "textVersion": "ລຸ້ນ" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", - "textCollaboration": "Collaboration", - "textComments": "Comments", - "textDeleteComment": "Delete Comment", - "textDeleteReply": "Delete Reply", - "textDone": "Done", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textNoComments": "This document doesn't contain comments", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" + "notcriticalErrorTitle": "ເຕືອນ", + "textAddComment": "ເພີ່ມຄຳເຫັນ", + "textAddReply": "ເພີ່ມຄຳຕອບກັບ", + "textBack": "ກັບຄືນ", + "textCancel": "ຍົກເລີກ", + "textCollaboration": "ຮ່ວມກັນ", + "textComments": "ຄໍາເຫັນ", + "textDeleteComment": "ລົບຄໍາເຫັນ", + "textDeleteReply": "ລົບການຕອບກັບ", + "textDone": "ສໍາເລັດ", + "textEdit": "ແກ້ໄຂ", + "textEditComment": "ແກ້ໄຂຄໍາເຫັນ", + "textEditReply": "ແກ້ໄຂການຕອບກັບ", + "textEditUser": "ຜູ້ໃຊ້ທີ່ກໍາລັງແກ້ໄຂເອກະສານ:", + "textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", + "textMessageDeleteReply": "ທ່ານຕ້ອງການລົບແທ້ບໍ?", + "textNoComments": "ເອກະສານບໍ່ມີຄໍາເຫັນ", + "textOk": "ຕົກລົງ", + "textReopen": "ເປີດຄືນ", + "textResolve": "ແກ້ໄຂ", + "textTryUndoRedo": "ໜ້າທີ່ ກັບຄືນ ຫຼື ທວນຄືນ ຖືກປິດໃຊ້ງານ ສຳລັບໂໝດການແກ້ໄຂຮ່ວມກັນດ່ວນ.", + "textUsers": "ຜຸ້ໃຊ້" }, "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "textCustomColors": "ກຳນົດສີເອງ", + "textStandartColors": "ສີມາດຕະຖານ", + "textThemeColors": " ຮູບແບບສີ" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut, and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add Comment", - "menuAddLink": "Add Link", - "menuCancel": "Cancel", - "menuCell": "Cell", - "menuDelete": "Delete", - "menuEdit": "Edit", - "menuFreezePanes": "Freeze Panes", - "menuHide": "Hide", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuShow": "Show", - "menuUnfreezePanes": "Unfreeze Panes", - "menuUnmerge": "Unmerge", - "menuUnwrap": "Unwrap", - "menuViewComment": "View Comment", - "menuWrap": "Wrap", - "notcriticalErrorTitle": "Warning", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "warnMergeLostData": "The operation can destroy data in the selected cells. Continue?", - "errorInvalidLink": "The link reference does not exist. Please correct the link or delete it." + "errorCopyCutPaste": "ການດຳເນີນການສຳເນົາ, ຕັດ ແລະວາງໂດຍໃຊ້ເມນູການປະຕິບັດ ຈະຖືກດຳເນີນການພາຍໃນໄຟລ໌ປັດຈຸບັນເທົ່ານັ້ນ.", + "errorInvalidLink": "ບໍ່ມີການອ້າງອີງຈຸດເຊື່ອມຕໍ່. ກະລຸນາແກ້ໄຂ ຫຼື ລົບຈຸດເຊື່ອມຕໍ່.", + "menuAddComment": "ເພີ່ມຄຳເຫັນ", + "menuAddLink": "ເພີ່ມລິ້ງ", + "menuCancel": "ຍົກເລີກ", + "menuCell": "ແຊວ", + "menuDelete": "ລົບ", + "menuEdit": "ແກ້ໄຂ", + "menuFreezePanes": "ຕິກໃສ່ບໍລິເວນທີ່ຕ້ອງການໃຫ້ເຫັນແຈ້ງ", + "menuHide": "ເຊື່ອງໄວ້", + "menuMerge": "ປະສົມປະສານ", + "menuMore": "ຫຼາຍກວ່າ", + "menuOpenLink": "ເປີດລີ້ງ", + "menuShow": "ສະແດງ", + "menuUnfreezePanes": "ຍົກເລີກໝາຍຕາຕະລາງ", + "menuUnmerge": "ບໍ່ລວມເຂົ້າກັນ", + "menuUnwrap": "ຍົກເລີກ", + "menuViewComment": "ເບີ່ງຄໍາເຫັນ", + "menuWrap": "ຫໍ່", + "notcriticalErrorTitle": "ເຕືອນ", + "textCopyCutPasteActions": "ປະຕິບັດການ ສໍາເນົາ, ຕັດ ແລະ ວາງ", + "textDoNotShowAgain": "ບໍ່ສະແດງອີກ", + "warnMergeLostData": "ສະເພາະຂໍ້ມູນຈາກເຊວດ້ານຊ້າຍເທິງທີ່ຈະຢູ່ໃນເຊວຮ່ວມ.
          ທ່ານຕ້ອງການດຳເນີນການຕໍ່ບໍ່?" }, "Controller": { "Main": { - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
          Please, contact your admin.", - "errorProcessSaveResult": "Saving is failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
          ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorOpensource": "ການນໍາໃຊ້ສະບັບຟຣີ, ທ່ານສາມາດເປີດເອກະສານສໍາລັບການອ່ານເທົ່ານັ້ນ. ໃນການເຂົ້າເຖິງໂປຣແກຣມ, ຕ້ອງມີໃບອະນຸຍາດທາງການຄ້າ.", + "errorProcessSaveResult": "ບັນທຶກບໍ່ສໍາເລັດ", + "errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອນຳໃຊ້ການປ່ຽນແປງ.", + "errorUpdateVersion": "ເອກະສານໄດ້ຖືກປ່ຽນແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດ ໃໝ່.", + "leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້ໃນເອກະສານນີ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "notcriticalErrorTitle": "ເຕືອນ", "SDK": { - "txtAccent": "Accent", - "txtAll": "(All)", - "txtArt": "Your text here", - "txtBlank": "(blank)", - "txtByField": "%1 of %2", - "txtClearFilter": "Clear Filter (Alt+C)", - "txtColLbls": "Column Labels", - "txtColumn": "Column", - "txtConfidential": "Confidential", - "txtDate": "Date", - "txtDays": "Days", - "txtDiagramTitle": "Chart Title", - "txtFile": "File", - "txtGrandTotal": "Grand Total", - "txtGroup": "Group", - "txtHours": "Hours", - "txtMinutes": "Minutes", - "txtMonths": "Months", - "txtMultiSelect": "Multi-Select (Alt+S)", - "txtOr": "%1 or %2", - "txtPage": "Page", - "txtPageOf": "Page %1 of %2", - "txtPages": "Pages", - "txtPreparedBy": "Prepared by", - "txtPrintArea": "Print_Area", - "txtQuarter": "Qtr", - "txtQuarters": "Quarters", - "txtRow": "Row", - "txtRowLbls": "Row Labels", - "txtSeconds": "Seconds", - "txtSeries": "Series", - "txtStyle_Bad": "Bad", - "txtStyle_Calculation": "Calculation", - "txtStyle_Check_Cell": "Check Cell", - "txtStyle_Comma": "Comma", - "txtStyle_Currency": "Currency", - "txtStyle_Explanatory_Text": "Explanatory Text", - "txtStyle_Good": "Good", - "txtStyle_Heading_1": "Heading 1", - "txtStyle_Heading_2": "Heading 2", - "txtStyle_Heading_3": "Heading 3", - "txtStyle_Heading_4": "Heading 4", - "txtStyle_Input": "Input", - "txtStyle_Linked_Cell": "Linked Cell", - "txtStyle_Neutral": "Neutral", - "txtStyle_Normal": "Normal", - "txtStyle_Note": "Note", - "txtStyle_Output": "Output", - "txtStyle_Percent": "Percent", - "txtStyle_Title": "Title", - "txtStyle_Total": "Total", - "txtStyle_Warning_Text": "Warning Text", - "txtTab": "Tab", - "txtTable": "Table", - "txtTime": "Time", - "txtValues": "Values", - "txtXAxis": "X Axis", - "txtYAxis": "Y Axis", - "txtYears": "Years" + "txtAccent": "ສຳນຽງ", + "txtAll": "(ທັງໝົດ)", + "txtArt": "ເນື້ອຫາຂອງທ່ານຢູ່ນີ້", + "txtBlank": "(ວ່າງ)", + "txtByField": "%1 ຈາກ %2", + "txtClearFilter": "ລົບລ້າງການຄັດກອງ (Alt+C)", + "txtColLbls": "ຄຳນິຍາມຄໍລັ້ມ", + "txtColumn": "ຖັນ", + "txtConfidential": "ທີ່ເປັນຄວາມລັບ", + "txtDate": "ວັນທີ", + "txtDays": "ວັນ", + "txtDiagramTitle": "ໃສ່ຊື່ແຜນຮູບວາດ", + "txtFile": "ຟາຍ ", + "txtGrandTotal": "ຜົນລວມທັງໝົດ", + "txtGroup": "ກຸ່ມ", + "txtHours": "ຊົ່ວໂມງ", + "txtMinutes": "ນາທີ", + "txtMonths": "ເດືອນ", + "txtMultiSelect": "ເລືອກຫຼາຍລາຍການ (Alt+S)", + "txtOr": "%1 ຫຼື %2", + "txtPage": "ໜ້າ", + "txtPageOf": "ໜ້າ %1 ຈາກ​ %2", + "txtPages": "ໜ້າ", + "txtPreparedBy": "ກະກຽມໂດຍ", + "txtPrintArea": "ພື້ນທີ່ສຳລັບພິມ", + "txtQuarter": "ໄຕມາດ", + "txtQuarters": "ໄຕມາດ", + "txtRow": "ແຖວ", + "txtRowLbls": "ປ້າຍແຖວ", + "txtSeconds": "ວິນາທີ", + "txtSeries": "ຊຸດ", + "txtStyle_Bad": "ຕ່ຳ", + "txtStyle_Calculation": "ການຄຳນວນ", + "txtStyle_Check_Cell": "ກວດສອບເຊວ", + "txtStyle_Comma": "ຈຸດ", + "txtStyle_Currency": "ສະກຸນເງິນ", + "txtStyle_Explanatory_Text": "ອະທິບາຍເນື້ອໃນ", + "txtStyle_Good": "ດີ", + "txtStyle_Heading_1": " ຫົວເລື່ອງ 1", + "txtStyle_Heading_2": "ຫົວເລື່ອງ 2", + "txtStyle_Heading_3": "ຫົວເລື່ອງ 3", + "txtStyle_Heading_4": "ຫົວເລື່ອງ4", + "txtStyle_Input": "ການປ້ອນຂໍ້ມູນ", + "txtStyle_Linked_Cell": "ເຊື່ອມຕໍ່ເຊວ", + "txtStyle_Neutral": "ທາງກາງ", + "txtStyle_Normal": "ປົກກະຕິ", + "txtStyle_Note": "ບັນທຶກໄວ້", + "txtStyle_Output": "ຜົນໄດ້ຮັບ", + "txtStyle_Percent": "ເປີີເຊັນ", + "txtStyle_Title": "ຫົວຂໍ້", + "txtStyle_Total": "ຈຳນວນລວມ", + "txtStyle_Warning_Text": "ຂໍ້ຄວາມແຈ້ງເຕືອນ", + "txtTab": "ແທບ", + "txtTable": "ຕາຕະລາງ", + "txtTime": "ເວລາ", + "txtValues": "ຄ່າ", + "txtXAxis": "ແກນ X", + "txtYAxis": "ແກນ Y", + "txtYears": "ປີ" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
          Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.", - "warnLicenseLimitedRenewed": "License needs to be renewed. You have limited access to document editing functionality.
          Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file.", - "textNoChoices": "There are no choices for filling the cell.
          Only text values from the column can be selected for replacement.", - "textOk": "Ok", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "textAnonymous": "ບໍ່ລະບຸຊື່", + "textBuyNow": "ເຂົ້າໄປຍັງເວັບໄຊ", + "textClose": "ປິດ", + "textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", + "textCustomLoader": "ຂໍອະໄພ, ທ່ານບໍ່ມີສິດປ່ຽນຕົວໂຫຼດໄດ້. ກະລຸນາຕິດຕໍ່ຫາພະແນກການຂາຍຂອງພວກເຮົາເພື່ອໃຫ້ໄດ້ຮັບໃບສະເໜີລາຄາ.", + "textGuest": " ແຂກ", + "textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
          ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", + "textNo": "ບໍ່", + "textNoChoices": "ບໍ່ມີຕົວເລືອກໃຫ້ຕື່ມເຊວ.
          ມີແຕ່ຄ່າຂໍ້ຄວາມຈາກຖັນເທົ່ານັ້ນທີ່ສາມາດເລືອກມາເພື່ອປ່ຽນແທນໄດ້.", + "textNoLicenseTitle": "ຈໍານວນໃບອະນຸຍາດໄດ້ໃຊ້ຄົບແລ້ວ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textOk": "ຕົກລົງ", + "textPaidFeature": "ຄຸນສົມບັດທີ່ຈ່າຍ", + "textRemember": "ຈື່ຈໍາທາງເລືອກ", + "textReplaceSkipped": "ການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", + "textReplaceSuccess": "ການຄົ້ນຫາໄດ້ສຳເລັດແລ້ວ. ສິ່ງທີ່ເກີດຂື້ນໄດ້ປ່ຽນແທນແລ້ວ: {0}", + "textYes": "ແມ່ນແລ້ວ", + "titleServerVersion": "ອັບເດດການແກ້ໄຂ", + "titleUpdateVersion": "ປ່ຽນແປງລຸ້ນ", + "warnLicenseExceeded": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ຫາທາງແອດມີນຂອງທ່ານເພື່ອຮັບຂໍ້ມູນເພີ່ມ", + "warnLicenseLimitedNoAccess": "ໃບອະນຸຍາດໝົດອາຍຸແລ້ວ. ທ່ານບໍ່ສາມາດເຂົ້າເຖິງການດຳເນີນງານແກ້ໄຂເອກະສານ. ກະລຸນາ, ຕິດຕໍ່ແອດມີນຂອງທ່ານ.", + "warnLicenseLimitedRenewed": "ໃບອະນຸຍາດຕ້ອງໄດ້ຮັບການຕໍ່ອາຍຸ. ທ່ານຈະຖືກຈຳກັດສິດໃນການເຂົ້າເຖິ່ງການແກ້ໄຂເອກະສານ.
          ກະລຸນາຕິດຕໍ່ແອດມີນຂອງທ່ານເພື່ອຕໍ່ອາຍຸ", + "warnLicenseUsersExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ແກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ", + "warnNoLicense": "ທ່ານໄດ້ຖືກຈຳກັດສິດພຽງເທົ່ານີ້ສຳຫລັບການເຊື່່ອມພ້ອມກັນກັບເຄື່ອງມືແກ້ໄຂ %1 ແລ້ວເອກະສານນີ້ຈະເປີດໃຫ້ເບີ່ງເທົ່ານັ້ນ ຕິດຕໍ່ທີມຂາຍ %1 ສຳຫລັບເງື່ອນໄຂການອັບເກດສ່ວນບຸກຄົນ", + "warnNoLicenseUsers": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ% 1 ສຳ ລັບຂໍ້ ກຳນົດການຍົກລະດັບສິດ", + "warnProcessRightsChange": "ທ່ານບໍ່ມີສິດໃນການແກ້ໄຂໄຟລ໌ນີ້.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
          Please, contact your admin.", - "errorArgsRange": "An error in the formula.
          Incorrect arguments range.", - "errorAutoFilterChange": "The operation is not allowed as it is attempting to shift cells in a table on your worksheet.", - "errorAutoFilterChangeFormatTable": "The operation could not be done for the selected cells as you cannot move a part of a table.
          Select another data range so that the whole table is shifted and try again.", - "errorAutoFilterDataRange": "The operation could not be done for the selected range of cells.
          Select a uniform data range inside or outside the table and try again.", - "errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
          Please, unhide the filtered elements and try again.", - "errorBadImageUrl": "Image url is incorrect", - "errorChangeArray": "You cannot change part of an array.", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.
          When you click the 'OK' button, you will be prompted to download the document.", - "errorCopyMultiselectArea": "This command cannot be used with multiple selections.
          Select a single range and try again.", - "errorCountArg": "An error in the formula.
          Invalid number of arguments.", - "errorCountArgExceed": "An error in the formula.
          Maximum number of arguments exceeded.", - "errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
          at the moment as some of them are being edited.", - "errorDatabaseConnection": "External error.
          Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDataValidate": "The value you entered is not valid.
          A user has restricted values that can be entered into this cell.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
          Use the 'Download' option to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileRequest": "External error.
          File Request. Please, contact support.", - "errorFileSizeExceed": "The file size exceeds your server limitation.
          Please, contact your admin for details.", - "errorFileVKey": "External error.
          Incorrect security key. Please, contact support.", - "errorFillRange": "Could not fill the selected range of cells.
          All the merged cells need to be the same size.", - "errorFormulaName": "An error in the formula.
          Incorrect formula name.", - "errorFormulaParsing": "Internal error while the formula parsing.", - "errorFrmlMaxLength": "You cannot add this formula as its length exceeds the allowed number of characters.
          Please, edit it and try again.", - "errorFrmlMaxReference": "You cannot enter this formula because it has too many values,
          cell references, and/or names.", - "errorFrmlMaxTextLength": "Text values in formulas are limited to 255 characters.
          Use the CONCATENATE function or concatenation operator (&)", - "errorFrmlWrongReferences": "The function refers to a sheet that does not exist.
          Please, check the data and try again.", - "errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", - "errorLockedCellPivot": "You cannot change data inside a pivot table.", - "errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", - "errorMaxPoints": "The maximum number of points in series per chart is 4096.", - "errorMoveRange": "Cannot change a part of a merged cell", - "errorMultiCellFormula": "Multi-cell array formulas are not allowed in tables.", - "errorOpenWarning": "The length of one of the formulas in the file exceeded
          the allowed number of characters and it was removed.", - "errorOperandExpected": "The entered function syntax is not correct. Please, check if you missed one of the parentheses - '(' or ')'.", - "errorPasteMaxRange": "The copy and paste area does not match. Please, select an area of the same size or click the first cell in a row to paste the copied cells.", - "errorPrintMaxPagesCount": "Unfortunately, it’s not possible to print more than 1500 pages at once in the current version of the program.
          This restriction will be eliminated in upcoming releases.", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
          opening price, max price, min price, closing price.", - "errorUnexpectedGuid": "External error.
          Unexpected Guid. Please, contact support.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
          Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
          but you won't be able to download it until the connection is restored and the page is reloaded.", - "errorWrongBracketsCount": "An error in the formula.
          Wrong number of brackets.", - "errorWrongOperator": "An error in the entered formula. Wrong operator is used.
          Please correct the error.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "pastInMergeAreaError": "Cannot change a part of a merged cell", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
          Please contact your Document Server administrator.", - "errorChangeOnProtectedSheet": "The cell or chart you are trying to change is on a protected sheet. To make a change, unprotect the sheet. You might be requested to enter a password.", - "textErrorPasswordIsNotCorrect": "The password you supplied is not correct.
          Verify that the CAPS LOCK key is off and be sure to use the correct capitalization.", - "errorCannotUseCommandProtectedSheet": "You cannot use this command on a protected sheet. To use this command, unprotect the sheet.
          You might be requested to enter a password." + "convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", + "criticalErrorExtText": "ກົດ 'OK' ເພື່ອກັບຄືນໄປຫາລາຍການເອກະສານ.", + "criticalErrorTitle": "ຂໍ້ຜິດພາດ", + "downloadErrorText": "ດາວໂຫຼດບໍ່ສຳເລັດ.", + "errorAccessDeny": "ທ່ານກໍາລັງພະຍາຍາມດໍາເນີນການໃນໜ້າທີ່ທ່ານບໍ່ມີສິດສໍາລັບດໍາເນີນການ.
          ກະລຸນາ, ຕິດຕໍ່ແອດມີນລະບົບຂອງທ່ານ.", + "errorArgsRange": "ເກີດຄວາມຜິດພາດໃນສູດຄຳນວນ .
          ໄລຍະອາກິວເມັນບໍ່ຖືກຕ້ອງ.", + "errorAutoFilterChange": "ຄຳສັ່ງດັ່ງກ່າວບໍ່ຖືກອະນຸຍາດ ເນື່ອງຈາກມັນກຳລັງພະຍາຍາມປ່ຽນເຊລໃນຕາຕະລາງໃນແຜ່ນງານຂອງເຈົ້າ.", + "errorAutoFilterChangeFormatTable": "ການດຳເນີນການບໍ່ສາມາດເຮັດໄດ້ສຳລັບຕາລາງທີ່ເລືອກ ເນື່ອງຈາກທ່ານບໍ່ສາມາດຍ້າຍສ່ວນໃດນຶ່ງຂອງຕາຕາລາງໄດ້.
          ເລືອກໄລຍະຂໍ້ມູນອື່ນເພື່ອໃຫ້ຕາຕະລາງທັງໝົດຖືກປ່ຽນ ແລະລອງໃໝ່ອີກ.", + "errorAutoFilterDataRange": "ການດຳເນີນການດັ່ງກ່າວບໍ່ສາມາດເຮັດໄດ້ສຳລັບຊ່ວງຕາລາງທີ່ເລືອກ.
          ເລືອກຊ່ວງຂໍ້ມູນທີ່ເປັນເອກະພາບພາຍໃນ ຫຼື ນອກຕາຕະລາງ ແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "errorAutoFilterHiddenRange": "ບໍ່ສາມາດດຳເນີນການໄດ້ເນື່ອງຈາກພື້ນທີ່ດັ່ງກ່າວມີຕາລາງທີ່ຖືກຟີວເຕີ້.
          ກະລຸນາ, ຍົກເລີກຟີວເຕີ້.ແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", + "errorCannotUseCommandProtectedSheet": "ທ່ານບໍ່ສາມາດໃຊ້ຄໍາສັ່ງນີ້ຢູ່ໃນໜ້າທີ່ມີການປ້ອງກັນ. ເພື່ອໃຊ້ຄໍາສັ່ງນີ້, ຍົກເລີກການປົກປັກຮັກສາແຜ່ນ.
          ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", + "errorChangeArray": "ທ່ານບໍ່ສາມາດປ່ຽນສ່ວນ ໜຶ່ງ ຂອງອາເລໄດ້.", + "errorChangeOnProtectedSheet": "ຕາລາງ ຫຼື ແຜນກ້າບທີ່ທ່ານກຳລັງພະຍາຍາມປ່ຽນແປງແມ່ນຢູ່ໃນແຜ່ນທີ່ປ້ອງກັນໄວ້. ທ່ານອາດຈະຖືກຮ້ອງຂໍໃຫ້ໃສ່ລະຫັດຜ່ານ.", + "errorConnectToServer": "ບໍ່ສາມາດບັນທຶກເອກະສານນີ້ໄດ້. ກວດເບິ່ງການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຂອງທ່ານ ຫຼື ຕິດຕໍ່ຜູ້ແອດມີນຂອງທ່ານ.
          ເມື່ອທ່ານຄລິກປຸ່ມ 'ຕົກລົງ', ທ່ານຈະຖືກເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", + "errorCopyMultiselectArea": "ຄຳ ສັ່ງນີ້ບໍ່ສາມາດໃຊ້ກັບການເລືອກຫລາຍໆອັນໄດ້ -
          ເລືອກຊ່ວງດຽວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ", + "errorCountArg": "ເກີດຄວາມຜິດພາດໃນສູດຄຳນວນ.
          ຈຳນວນທີ່ຕ້ອງໃຊ້ໃນການພິຈາລະນາບໍ່ຖືກຕ້ອງ.", + "errorCountArgExceed": "ເກີດຄວາມຜິດພາດໃນສູດ.
          ທີ່ຕ້ອງໃຊ້ໃນການພິຈາລະນາມີຫຼາຍເກີນໄປ.", + "errorCreateDefName": "ຂອບເຂດທີ່ມີຊື່ບໍ່ສາມາດແກ້ໄຂໄດ້ ແລະ ລະບົບ ໃໝ່ ບໍ່ສາມາດສ້າງຂື້ນໄດ້ໃນເວລານີ້ເນື່ອງຈາກບາງສ່ວນກຳ ລັງຖືກດັດແກ້.", + "errorDatabaseConnection": "ຂໍ້ຜິດພາດຈາກທາງນອກ
          ຖານຂໍ້ມູນ ຂໍ້ຜິດພາດພາຍນອກ. ກະລຸນາ, ຕິດຕໍ່ການສະ ໜັບ ສະ ໜູນ.", + "errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", + "errorDataValidate": "ຄ່າທີ່ທ່ານປ້ອນບໍ່ຖືກຕ້ອງ.
          ຜູ້ໃຊ້ໄດ້ຈຳກັດຄ່າທີ່ສາມາດປ້ອນລົງໃນເຊວນີ້ໄດ້.", + "errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", + "errorEditingDownloadas": "ເກີດຄວາມຜິດພາດໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.
          ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດ' ເພື່ອບັນທຶກໄຟລ໌ສໍາຮອງໄວ້ໃນເຄື່ອງ.", + "errorFilePassProtect": "ໄຟລ໌ດັ່ງກ່າວຖືກປ້ອງກັນດ້ວຍລະຫັດຜ່ານ ແລະ ບໍ່ສາມາດເປີດໄດ້.", + "errorFileRequest": "ຄວາມຜິດພາດພາຍນອກ.
          ການຮ້ອງຂໍໄຟລ໌. ກະລຸນາ, ຕິດຕໍ່ຜູ້ຊ່ວຍເຫລື່ອ", + "errorFileSizeExceed": "ຂະໜາດໄຟລ໌ເກີນຂີດຈຳກັດເຊີບເວີຂອງທ່ານ.
          ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານສຳລັບລາຍລະອຽດ.", + "errorFileVKey": "ຂໍ້ຜິດພາດພາຍນອກ.
          ລະຫັດບໍ່ຖືກຕ້ອງ. ກະລຸນາ, ຕິດຕໍ່ຜູ້ຊ່ວຍເຫລື່ອ.", + "errorFillRange": "ບໍ່ສາມາດຕຶ່ມໃສ່ບ່ອນເຊວທີ່ເລືອໄວ້
          ເຊວທີ່ລວມເຂົ້າກັນທັງໝົດຕ້ອງມີຂະໜາດເທົ່າກັນ", + "errorFormulaName": "ຜິດພາດໃນການປ້ອນສູດເຂົ້າ ສູດບໍ່ຖືກຕ້ອງ
          ກະລຸນາແກ້ໄຂຂໍ້ຜິດພາດ.", + "errorFormulaParsing": "ເກີດຄວາມຜິດພາດພາຍໃນ ໃນຂະນະທີ່ກຳລັງວິເຄາະສູດຄຳນວນ.", + "errorFrmlMaxLength": "ທ່ານບໍ່ສາມາດເພີ່ມສູດນີ້ໄດ້ເນື່ອງຈາກຄວາມຍາວຂອງມັນເກີນຈຳນວນຕົວອັກສອນທີ່ອະນຸຍາດ.
          ກະລຸນາແກ້ໄຂແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "errorFrmlMaxReference": "ທ່ານບໍ່ສາມາດໃສ່ສູດນີ້ເພາະມັນມີຄ່າ,
          ເອກະສານອ້າງອີງຂອງເຊວ, ແລະ/ຫຼື ຊື່ຕ່າງໆຫລາຍເກີນໄປ.", + "errorFrmlMaxTextLength": "ຄ່າຂໍ້ຄວາມໃນສູດຄຳນວນຖືກຈຳກັດໄວ້ທີ່ 255 ຕົວອັກສອນ.
          ໃຊ້ຟັງຊັນ CONCATENATE ຫຼື ຕົວດຳເນີນການຕໍ່ກັນ (&)", + "errorFrmlWrongReferences": "ຟັງຊັນຫມາຍເຖິງໜ້າຕະລາງທີ່ບໍ່ມີຢູ່.
          ກະລຸນາກວດສອບຂໍ້ມູນແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "errorInvalidRef": "ປ້ອນຊື່ໃຫ້ຖືກຕ້ອງສໍາລັບການເລືອກ ຫຼື ການອ້າງອີງທີ່ຖືກຕ້ອງ.", + "errorKeyEncrypt": "ບໍ່ຮູ້ຄຳອະທິບາຍຫຼັກ", + "errorKeyExpire": "ລະຫັດໝົດອາຍຸ", + "errorLoadingFont": "ຟອນບໍ່ໄດ້ຖືກໂຫລດ.
          ກະລຸນາແອດມີນຂອງທ່ານ.", + "errorLockedAll": "ການປະຕິບັດງານບໍ່ສາມາດເຮັດໄດ້ຍ້ອນວ່າແຜ່ນໄດ້ຖືກລັອກໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", + "errorLockedCellPivot": "ທ່ານບໍ່ສາມາດປ່ຽນແປງຂໍ້ມູນທີ່ຢູ່ໃນຕາຕະລາງພິວອດໄດ້.", + "errorLockedWorksheetRename": "ບໍ່ສາມາດປ່ຽນຊື່ເອກະສານໄດ້ໃນເວລານີ້ຍ້ອນວ່າຖືກປ່ຽນຊື່ໂດຍຜູ້ໃຊ້ຄົນອື່ນ", + "errorMaxPoints": "ຈໍານວນສູງສຸດຕໍ່ຕາຕະລາງແມ່ນ 4096.", + "errorMoveRange": "ບໍ່ສາມາດເຊື່ອມຕາລາງຮ່ວມເຂົ້າກັນໄດ້", + "errorMultiCellFormula": "ບໍ່ອະນຸຍາດໃຫ້ມີສູດອາເລນຫຼາຍຫ້ອງໃນຕາຕະລາງເຊວ.", + "errorOpenWarning": "ຄວາມຍາວຂອງສູດໜຶ່ງໃນໄຟລ໌ເກີນ
          ຈຳນວນຕົວອັກສອນທີ່ອະນຸຍາດໃຫ້ ແລະ ມັນໄດ້ຖືກເອົາອອກ.", + "errorOperandExpected": "syntax ຂອງຟັງຊັນທີ່ປ້ອນບໍ່ຖືກຕ້ອງ. ກະລຸນາກວດເບິ່ງວ່າເຈົ້າພາດໜຶ່ງໃນວົງເລັບ - '(' ຫຼື ')'.", + "errorPasteMaxRange": "ພື້ນທີ່ສຳເນົາ ແລະ ທີວາງບໍ່ກົງກັນ. ກະລຸນາເລືອກພື້ນທີ່ທີ່ມີຂະໜາດດຽວກັນ ຫຼື ຄລິກທີ່ຕາລາງທຳອິດຕິດຕໍ່ກັນເພື່ອວາງເຊລທີ່ສຳເນົາໄວ້", + "errorPrintMaxPagesCount": "ຂໍອະໄພ, ບໍ່ສາມາດທີ່ຈະພິມຫລາຍອັກສອນຫລາຍກວ່າ 1500 ໃນໜ້າດ່ຽວໃນໂປຣແກຣມເວີຊັ່ນປະຈຸບັນ
          ຂໍ້ຈຳກັດນີ້ຈະຖືກຍົກເລີກໃນເວີຊັ່ນຕໍ່ໄປ.", + "errorSessionAbsolute": "ຊ່ວງເວລາການແກ້ໄຂເອກະສານໝົດອາຍຸແລ້ວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionIdle": "ເອກະສານບໍ່ໄດ້ຮັບການແກ້ໄຂສໍາລັບການຂ້ອນຂ້າງຍາວ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorSessionToken": "ການເຊື່ອມຕໍ່ກັບເຊີບເວີບໍ່ສະຖຽນ. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "errorStockChart": "ລຳດັບແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງເກັບຂໍ້ຮູບກ້າບ, ວາງຂໍ້ມູນໃສ່ແຜ່ນງານຕາມລໍາດັບຕໍ່ໄປນີ້:
          ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ.", + "errorUnexpectedGuid": "ຂໍ້ຜິດພາດພາຍນອກ.
          ຄຳແນະນຳທີ່ບໍ່ຄາດຄິດ. ກະລຸນາ, ຕິດຕໍ່ຜູ້ຊ່ວຍເຫລື່ອ.", + "errorUpdateVersionOnDisconnect": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຫາກໍຖືກກູ້ຄືນມາ, ແລະ ຟາຍເອກະສານໄດ້ມີການປ່ຽນແປງແລ້ວ.
          ກ່ອນທີ່ທ່ານຈະດຳເນີນການຕໍ່ໄປ, ທ່ານຕ້ອງໄດ້ດາວໂຫຼດຟາຍ ຫຼື ສຳເນົາເນື້ອຫາ ເພື່ອປ້ອງການການສູນເສຍ, ແລະ ທຳການໂຫຼດໜ້າຄືນອີກຄັ້ງ.", + "errorUserDrop": "ບໍ່ສາມາດເຂົ້າເຖິງເອກະສານໄດ້ໃນຂະນະນີ້.", + "errorUsersExceed": "ເກີນຈຳນວນຜູ້ຊົມໃຊ້ທີ່ແຜນການກຳນົດລາຄາອະນຸຍາດ", + "errorViewerDisconnect": "ການເຊື່ອມຕໍ່ຫາຍໄປ. ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້,
          ແຕ່ທ່ານຈະບໍ່ສາມາດດາວນ໌ໂຫລດຫຼືພິມມັນຈົນກ່ວາການເຊື່ອມຕໍ່ໄດ້ຮັບການຟື້ນຟູແລະຫນ້າຈະຖືກໂຫຼດໃຫມ່.", + "errorWrongBracketsCount": "ເກີດຄວາມຜິດພາດໃນສູດຄຳນວນ.
          ຈຳນວນຂອງວົງເລັບບໍ່ຄົບຕາມເງື່ອນໄຂ.", + "errorWrongOperator": "ເກີດຄວາມຜິດພາດໃນສູດຄຳນວນທີ່ປ້ອນເຂົ້າ. ໃຊ້ຕົວປະຕິບັດການຜິດ.
          ກະລຸນາແກ້ໄຂຂໍ້ຜິດພາດ.", + "notcriticalErrorTitle": "ເຕືອນ", + "openErrorText": "ມີຂໍ້ຜິດພາດເກີດຂຶ້ນໃນຂະນະທີ່ເປີດໄຟລ໌", + "pastInMergeAreaError": "ບໍ່ສາມາດເຊື່ອມຕາລາງຮ່ວມເຂົ້າກັນໄດ້", + "saveErrorText": "ເກີດຄວາມຜິດພາດຂຶ້ນໃນຂະນະທີ່ບັນທຶກໄຟລ໌", + "scriptLoadError": "ການເຊື່ອມຕໍ່ຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາ, ໂຫຼດໜ້ານີ້ຄືນໃໝ່.", + "textErrorPasswordIsNotCorrect": "ລະຫັດຜ່ານທີ່ທ່ານລະບຸນັ້ນບໍ່ຖືກຕ້ອງ.
          ກວດສອບວ່າກະແຈ CAPS LOCK ປິດຢູ່ ແລະໃຫ້ແນ່ໃຈວ່າໃຊ້ຕົວພິມໃຫຍ່ທີ່ຖືກຕ້ອງ.", + "unknownErrorText": "ມີຂໍ້ຜິດພາດທີ່ບໍ່ຮູ້ສາເຫດ", + "uploadImageExtMessage": "ບໍ່ຮູ້ສາເຫດຂໍ້ຜິພາດຮູບແບບຂອງຮູບ", + "uploadImageFileCountMessage": "ບໍ່ມີຮູບພາບອັບໂຫລດ", + "uploadImageSizeMessage": "ຮູບພາບໃຫຍ່ເກີນໄປ. ຂະຫນາດສູງສຸດແມ່ນ 25 MB." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "confirmMoveCellRange": "The destination cells range can contain data. Continue the operation?", - "confirmPutMergeRange": "The source data contains merged cells.
          They will be unmerged before they are pasted into the table.", - "confirmReplaceFormulaInTable": "Formulas in the header row will be removed and converted to static text.
          Do you want to continue?", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "notcriticalErrorTitle": "Warning", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "textLoadingDocument": "Loading document", - "textNo": "No", - "textOk": "Ok", - "textYes": "Yes", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait...", - "advDRMPassword": "Password", - "textCancel": "Cancel", - "textErrorWrongPassword": "The password you supplied is not correct.", - "textUnlockRange": "Unlock Range", - "textUnlockRangeWarning": "A range you are trying to change is password protected." + "advDRMPassword": "ລະຫັດຜ່ານ", + "applyChangesTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "applyChangesTitleText": "ດາວໂຫຼດຂໍ້ມູນ", + "confirmMoveCellRange": "ຊ່ວງຕາລາງປາຍທາງສາມາດບັນຈຸຂໍ້ມູນໄດ້. ສືບຕໍ່ການດໍາເນີນການບໍ?", + "confirmPutMergeRange": "ຂໍ້ມູນຕົ້ນສະບັບປະກອບດ້ວຍເຊລທີ່ຖືກລວມເຂົ້າກັນ.
          ພວກມັນຈະຖືກແຍກອອກກ່ອນທີ່ຈະຖືກວາງໃສ່ໃນຕາຕະລາງ.", + "confirmReplaceFormulaInTable": "ສູດໃນຫົວແຖວຈະຖືກລຶບອອກ ແລະ ປ່ຽນເປັນຂໍ້ຄວາມໃນສູດ.
          ທ່ານຕ້ອງການສືບຕໍ່ບໍ?", + "downloadTextText": "ກຳລັງດາວໂຫຼດເອກະສານ...", + "downloadTitleText": "ດາວໂຫລດເອກະສານ", + "loadFontsTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontsTitleText": "ດາວໂຫຼດຂໍ້ມູນ", + "loadFontTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ...", + "loadFontTitleText": "ດາວໂຫຼດຂໍ້ມູນ", + "loadImagesTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImagesTitleText": "ກໍາລັງດາວໂຫຼດຮູບພາບ", + "loadImageTextText": "ກໍາລັງດາວໂຫຼດຮູບພາບ...", + "loadImageTitleText": "ກໍາລັງໂລດຮູບພາບ", + "loadingDocumentTextText": "ກໍາລັງດາວໂຫຼດເອກະສານ...", + "loadingDocumentTitleText": "ກຳລັງດາວໂຫຼດເອກະສານ", + "notcriticalErrorTitle": "ເຕືອນ", + "openTextText": "ກໍາລັງເປີດເອກະສານ...", + "openTitleText": "ກໍາລັງເປີດເອກະສານ", + "printTextText": "ກໍາລັງພິມເອກະສານ...", + "printTitleText": "ກໍາລັງພິມເອກະສານ", + "savePreparingText": "ກະກຽມບັນທືກ", + "savePreparingTitle": "ກຳລັງກະກຽມບັນທືກ, ກະລຸນາລໍຖ້າ...", + "saveTextText": "ກໍາລັງບັນທຶກເອກະສານ...", + "saveTitleText": "ບັນທືກເອກະສານ", + "textCancel": "ຍົກເລີກ", + "textErrorWrongPassword": "ລະຫັດຜ່ານທີ່ທ່ານໃຫ້ນັ້ນບໍ່ຖືກຕ້ອງ.", + "textLoadingDocument": "ກຳລັງດາວໂຫຼດເອກະສານ", + "textNo": "ບໍ່", + "textOk": "ຕົກລົງ", + "textUnlockRange": "ປົດລັອກໄລຍະ", + "textUnlockRangeWarning": "ການປ່ຽນແມ່ນຖືກເຂົ້າລະຫັດຜ່ານ.", + "textYes": "ແມ່ນແລ້ວ", + "txtEditingMode": "ຕັ້ງຄ່າຮູບແບບການແກ້ໄຂ...", + "uploadImageTextText": "ກໍາລັງອັບໂຫລດຮູບພາບ...", + "uploadImageTitleText": "ກໍາລັງອັບໂຫລດຮູບພາບ", + "waitText": "ກະລຸນາລໍຖ້າ..." }, "Statusbar": { - "notcriticalErrorTitle": "Warning", - "textCancel": "Cancel", - "textDelete": "Delete", - "textDuplicate": "Duplicate", - "textErrNameExists": "Worksheet with this name already exists.", - "textErrNameWrongChar": "A sheet name cannot contains characters: \\, /, *, ?, [, ], :", - "textErrNotEmpty": "Sheet name must not be empty", - "textErrorLastSheet": "The workbook must have at least one visible worksheet.", - "textErrorRemoveSheet": "Can't delete the worksheet.", - "textHide": "Hide", - "textMore": "More", - "textRename": "Rename", - "textRenameSheet": "Rename Sheet", - "textSheet": "Sheet", - "textSheetName": "Sheet Name", - "textUnhide": "Unhide", - "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?", - "textOk": "Ok", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward", - "textHidden": "Hidden", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", + "notcriticalErrorTitle": "ເຕືອນ", + "textCancel": "ຍົກເລີກ", + "textDelete": "ລົບ", + "textDuplicate": "ສຳເນົາ", + "textErrNameExists": "ຊື່ແຜ່ນນີ້ມີຢູ່ແລ້ວ.", + "textErrNameWrongChar": "ຊື່ຊີດບໍ່ສາມາດມີຕົວອັກສອນອັກຄະລະໄດ້: \\, /, *, ?, [, ], :", + "textErrNotEmpty": "ຊື່ເເຜ່ນ ບໍ່ໃຫ້ປະວ່າງ", + "textErrorLastSheet": "ປຶ້ມວຽກຕ້ອງມີຢ່າງໜ້ອຍໜຶ່ງແຜ່ນວຽກທີ່ເຫັນໄດ້.", + "textErrorRemoveSheet": "ບໍ່ສາມາດລຶບແຜ່ນວຽກໄດ້", + "textHidden": "ເຊື່ອງ", + "textHide": "ເຊື່ອງໄວ້", + "textMore": "ຫຼາຍກວ່າ", + "textMove": "ຍ້າຍ", + "textMoveBefore": "ເຄື່ອນຍ້າຍກ່ອນແຜ່ນງານ", + "textMoveToEnd": "(ເລື່ອນໄປຈົນສຸດ)", + "textOk": "ຕົກລົງ", + "textRename": "ປ່ຽນຊື່", + "textRenameSheet": "ປ້່ຽນຊື່ແຜ່ນຫຼັກ", + "textSheet": "ແຜ່ນງານ", + "textSheetName": "ຊື່ແຜ່ນເຈ້ຍ", + "textUnhide": "ເປີດເຜີຍ", + "textWarnDeleteSheet": "ແຜ່ນວຽກອາດມີຂໍ້ມູນ. ດໍາເນີນການດໍາເນີນງານບໍ?", "textTabColor": "Tab Color" }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this Page" + "dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກໄວ້ໃນເອກະສານນີ້. ຄລິກທີ່ 'ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທຶກອັດຕະໂນມັດ. ຄລິກ 'ອອກຈາກໜ້ານີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໄວ້ທັງໝົດ.", + "dlgLeaveTitleText": "ເຈົ້າອອກຈາກລະບົບ", + "leaveButtonText": "ອອກຈາກໜ້ານີ້", + "stayButtonText": "ຢູ່ໃນໜ້ານີ້" }, "View": { "Add": { - "errorMaxRows": "ERROR! The maximum number of data series per chart is 255.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
          opening price, max price, min price, closing price.", - "notcriticalErrorTitle": "Warning", - "sCatDateAndTime": "Date and time", - "sCatEngineering": "Engineering", - "sCatFinancial": "Financial", - "sCatInformation": "Information", - "sCatLogical": "Logical", - "sCatLookupAndReference": "Lookup and Reference", - "sCatMathematic": "Math and trigonometry", - "sCatStatistical": "Statistical", - "sCatTextAndData": "Text and data", - "textAddLink": "Add Link", - "textAddress": "Address", - "textBack": "Back", - "textCancel": "Cancel", - "textChart": "Chart", - "textComment": "Comment", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", - "textFilter": "Filter", - "textFunction": "Function", - "textGroups": "CATEGORIES", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertImage": "Insert Image", - "textInternalDataRange": "Internal Data Range", - "textInvalidRange": "ERROR! Invalid cells range", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkType": "Link Type", - "textOther": "Other", - "textPictureFromLibrary": "Picture from library", - "textPictureFromURL": "Picture from URL", - "textRange": "Range", - "textRequired": "Required", - "textScreenTip": "Screen Tip", - "textShape": "Shape", - "textSheet": "Sheet", - "textSortAndFilter": "Sort and Filter", - "txtExpand": "Expand and sort", - "txtExpandSort": "The data next to the selection will not be sorted. Do you want to expand the selection to include the adjacent data or continue with sorting the currently selected cells only?", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "txtSorting": "Sorting", - "txtSortSelected": "Sort selected", - "textSelectedRange": "Selected Range", - "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", - "txtNo": "No", - "txtYes": "Yes", - "textOk": "Ok" + "errorMaxRows": "ຜິດພາດ!, ຈຳນວນຊູດຂໍ້ມູນສູງສຸດຕໍ່ຜັງແມ່ນ 255", + "errorStockChart": "ລຳດັບແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງເກັບຂໍ້ຮູບກ້າບ, ວາງຂໍ້ມູນໃສ່ແຜ່ນງານຕາມລໍາດັບຕໍ່ໄປນີ້:
          ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ.", + "notcriticalErrorTitle": "ເຕືອນ", + "sCatDateAndTime": "ວັນທີ ແລະ ເວລາ", + "sCatEngineering": "ວິສະວະກຳ", + "sCatFinancial": "ການເງິນ", + "sCatInformation": "ຂໍ້ມູນ", + "sCatLogical": "ມີເຫດຜົນ", + "sCatLookupAndReference": "ຄົ້ນຫາ ແລະ ອ້າງອີງ", + "sCatMathematic": "ແບບຈັບຄູ່ ແລະ ແບບບັງຄັບ", + "sCatStatistical": "ທາງສະຖິຕິ", + "sCatTextAndData": "ເນື້ອຫາ ແລະ ຂໍ້ມູນ", + "textAddLink": "ເພີ່ມລິ້ງ", + "textAddress": "ທີ່ຢູ່", + "textAllTableHint": "ສົ່ງຄືນເນື້ອຫາທັງໝົດຂອງຕາຕະລາງ ຫຼື ຖັນຕາຕະລາງທີ່ລະບຸໄວ້ ລວມທັງສ່ວນຫົວຖັນ, ຂໍ້ມູນ ແລະແຖວທັງໝົດ", + "textBack": "ກັບຄືນ", + "textCancel": "ຍົກເລີກ", + "textChart": "ແຜນຮູບວາດ", + "textComment": "ຄໍາເຫັນ", + "textDataTableHint": "ສົ່ງຄືນຕາລາງຂໍ້ມູນຂອງຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", + "textDisplay": "ສະແດງຜົນ", + "textEmptyImgUrl": "ທ່ານຈໍາເປັນຕ້ອງລະບຸ URL ຮູບພາບ.", + "textExternalLink": "ລິງພາຍນອກ", + "textFilter": "ກັ່ນຕອງ", + "textFunction": "ໜ້າທີ່ ", + "textGroups": "ໝວດໝູ່", + "textHeadersTableHint": "ສົ່ງຄືນສ່ວນຫົວຖັນສຳລັບຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textInsert": "ເພີ່ມ", + "textInsertImage": "ເພີ່ມຮູບພາບ", + "textInternalDataRange": "ຂໍ້ມູນພາຍໃນ", + "textInvalidRange": "ຜິດພາດ,ເຊວບໍ່ຖືກຕ້ອງ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLinkType": "ປະເພດລີ້ງ", + "textOk": "ຕົກລົງ", + "textOther": "ອື່ນໆ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", + "textRange": "ຊ່ວງ", + "textRequired": "ຕ້ອງການ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textSelectedRange": "ຊ່ວງທີ່ເລືອກ", + "textShape": "ຮູບຮ່າງ", + "textSheet": "ແຜ່ນງານ", + "textSortAndFilter": "ລຽງລຳດັບ ແລະ ກອງ", + "textThisRowHint": "ເລືອກສະເພາະຄໍລຳທີ່ລະບຸ", + "textTotalsTableHint": "ສົ່ງຄືນແຖວທັງໝົດສຳລັບຕາຕະລາງ ຫຼືຖັນຕາຕະລາງທີ່ລະບຸ", + "txtExpand": "ຂະຫຍາຍ ແລະ ຈັດລຽງ", + "txtExpandSort": "ຂໍ້ມູນຖັດຈາກສີ່ງທີ່ເລືອກຈະບໍ່ຖືກຈັດລຽງລຳດັບ. ທ່ານຕ້ອງການຂະຫຍາຍສ່ວນທີ່ເລືອກເພື່ອກວມເອົາຂໍ້ມູນທີ່ຢູ່ຕິດກັນ ຫຼື ດຳເນີນການຈັດລຽງເຊລທີ່ເລືອກໃນປະຈຸບັນເທົ່ານັ້ນຫຼືບໍ່?", + "txtLockSort": "ພົບຂໍ້ມູນຢູ່ຖັດຈາກການເລືອກຂອງທ່ານ, ແຕ່ທ່ານບໍ່ມີສິດພຽງພໍເພື່ອປ່ຽນຕາລາງເຫຼົ່ານັ້ນ.
          ທ່ານຕ້ອງການສືບຕໍ່ກັບການເລືອກປັດຈຸບັນບໍ?", + "txtNo": "ບໍ່", + "txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "txtSorting": "ການລຽງລຳດັບ", + "txtSortSelected": "ຈັດລຽງທີ່ເລືອກ", + "txtYes": "ແມ່ນແລ້ວ" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textAccounting": "Accounting", - "textActualSize": "Actual Size", - "textAddCustomColor": "Add Custom Color", - "textAddress": "Address", - "textAlign": "Align", - "textAlignBottom": "Align Bottom", - "textAlignCenter": "Align Center", - "textAlignLeft": "Align Left", - "textAlignMiddle": "Align Middle", - "textAlignRight": "Align Right", - "textAlignTop": "Align Top", - "textAllBorders": "All Borders", - "textAngleClockwise": "Angle Clockwise", - "textAngleCounterclockwise": "Angle Counterclockwise", - "textAuto": "Auto", - "textAxisCrosses": "Axis Crosses", - "textAxisOptions": "Axis Options", - "textAxisPosition": "Axis Position", - "textAxisTitle": "Axis Title", - "textBack": "Back", - "textBetweenTickMarks": "Between Tick Marks", - "textBillions": "Billions", - "textBorder": "Border", - "textBorderStyle": "Border Style", - "textBottom": "Bottom", - "textBottomBorder": "Bottom Border", - "textBringToForeground": "Bring to Foreground", - "textCell": "Cell", - "textCellStyles": "Cell Styles", - "textCenter": "Center", - "textChart": "Chart", - "textChartTitle": "Chart Title", - "textClearFilter": "Clear Filter", - "textColor": "Color", - "textCross": "Cross", - "textCrossesValue": "Crosses Value", - "textCurrency": "Currency", - "textCustomColor": "Custom Color", - "textDataLabels": "Data Labels", - "textDate": "Date", - "textDefault": "Selected range", - "textDeleteFilter": "Delete Filter", - "textDesign": "Design", - "textDiagonalDownBorder": "Diagonal Down Border", - "textDiagonalUpBorder": "Diagonal Up Border", - "textDisplay": "Display", - "textDisplayUnits": "Display Units", - "textDollar": "Dollar", - "textEditLink": "Edit Link", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify the image URL.", - "textEmptyItem": "{Blanks}", - "textErrorMsg": "You must choose at least one value", - "textErrorTitle": "Warning", - "textEuro": "Euro", - "textExternalLink": "External Link", - "textFill": "Fill", - "textFillColor": "Fill Color", - "textFilterOptions": "Filter Options", - "textFit": "Fit Width", - "textFonts": "Fonts", - "textFormat": "Format", - "textFraction": "Fraction", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textGeneral": "General", - "textGridlines": "Gridlines", - "textHigh": "High", - "textHorizontal": "Horizontal", - "textHorizontalAxis": "Horizontal Axis", - "textHorizontalText": "Horizontal Text", + "notcriticalErrorTitle": "ເຕືອນ", + "textAccounting": "ການບັນຊີ", + "textActualSize": "ຂະໜາດແທ້ຈິງ", + "textAddCustomColor": "ເພີ່ມສີທີ່ກຳນົດເອງ", + "textAddress": "ທີ່ຢູ່", + "textAlign": "ຈັດແນວ", + "textAlignBottom": "ຈັດຕ່ຳແໜ່ງທາງດ້ານລຸ່ມ", + "textAlignCenter": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", + "textAlignLeft": "ຈັດຕຳແໜ່ງຕິດຊ້າຍ", + "textAlignMiddle": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", + "textAlignRight": "ຈັດຕຳແໜ່ງຕິດຂວາ", + "textAlignTop": "ຈັດຕຳແໜ່ງດ້ານເທິງ", + "textAllBorders": "ຂອບທັງໝົດ", + "textAngleClockwise": "ມຸມຕາມເຂັມໂມງ", + "textAngleCounterclockwise": "ມຸມທວນເຂັມໂມງ", + "textAuto": "ອັດຕະໂນມັດ", + "textAutomatic": "ອັດຕະໂນມັດ", + "textAxisCrosses": "ແກນກາງ", + "textAxisOptions": "ຕົວເລືອກແກນ", + "textAxisPosition": "ຕົວເລືອກແກນ", + "textAxisTitle": "ແກນຫົວຂໍ້", + "textBack": "ກັບຄືນ", + "textBetweenTickMarks": "ລະຫ່ວາງເຄື່ອງໝາຍຖືກ", + "textBillions": "ຕື້", + "textBorder": "ຂອບເຂດ", + "textBorderStyle": "ຮູບແບບເສັ້ນຂອບ", + "textBottom": "ລຸ່ມສຸດ", + "textBottomBorder": "ເສັ້ນຂອບດ້ານລູ່ມ", + "textBringToForeground": "ເອົາໄປໄວ້ທາງໜ້າ", + "textCell": "ແຊວ", + "textCellStyles": "ລັກສະນະ ແຊວ", + "textCenter": "ທາງກາງ", + "textChart": "ແຜນຮູບວາດ", + "textChartTitle": "ໃສ່ຊື່ແຜນຮູບວາດ", + "textClearFilter": "ລົບລ້າງການຄັດກອງ", + "textColor": "ສີ", + "textCross": "ຂ້າມ", + "textCrossesValue": "ຂ້າມມູນຄ່າ", + "textCurrency": "ສະກຸນເງິນ", + "textCustomColor": "ປະເພດ ຂອງສີ", + "textDataLabels": "ປ້າຍຊື່ຂໍ້ມູນ", + "textDate": "ວັນທີ", + "textDefault": "ຊ່ວງທີ່ເລືອກ", + "textDeleteFilter": "ລົບຕົວຕອງ", + "textDesign": "ອອກແບບ", + "textDiagonalDownBorder": "ເສັ້ນຂອບຂວາງດ້ານລຸ່ມ", + "textDiagonalUpBorder": "ເສັ້ນຂອບຂວາງດ້ານເທຶງ", + "textDisplay": "ສະແດງຜົນ", + "textDisplayUnits": "ໜ່ວຍສະແດງຜົນ", + "textDollar": "ດອນລາ", + "textEditLink": "ແກ້ໄຂ ລີ້ງ", + "textEffects": "ຜົນ", + "textEmptyImgUrl": "ທ່ານຈໍາເປັນຕ້ອງລະບຸ URL ຮູບພາບ.", + "textEmptyItem": "{ຊ່ອງວ່າງ}", + "textErrorMsg": "ທ່ານຕ້ອງເລືອກຢ່າງ ໜ້ອຍ ໜຶ່ງຄ່າ", + "textErrorTitle": "ເຕືອນ", + "textEuro": "ສະກຸນເງິນຢູໂຣ", + "textExternalLink": "ລິງພາຍນອກ", + "textFill": "ຕື່ມ", + "textFillColor": "ຕື່ມສີ", + "textFilterOptions": "ທາງເລືອກການກັ່ນຕອງ", + "textFit": "ຄວາມກວ້າງພໍດີ", + "textFonts": "ຕົວອັກສອນ", + "textFormat": "ປະເພດ", + "textFraction": "ເສດສ່ວນ", + "textFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textFromURL": "ຮູບພາບຈາກ URL", + "textGeneral": "ທົ່ວໄປ", + "textGridlines": "ເສັ້ນຕາຕະລາງ", + "textHigh": "ສູງ", + "textHorizontal": "ແນວນອນ", + "textHorizontalAxis": "ແກນລວງນອນ", + "textHorizontalText": "ຂໍ້ຄວາມແນວນອນ", "textHundredMil": "100 000 000", - "textHundreds": "Hundreds", + "textHundreds": "ຈຳນວນໜື່ງຮ້ອຍ", "textHundredThousands": "100 000", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textIn": "In", - "textInnerBottom": "Inner Bottom", - "textInnerTop": "Inner Top", - "textInsideBorders": "Inside Borders", - "textInsideHorizontalBorder": "Inside Horizontal Border", - "textInsideVerticalBorder": "Inside Vertical Border", - "textInteger": "Integer", - "textInternalDataRange": "Internal Data Range", - "textInvalidRange": "Invalid cells range", - "textJustified": "Justified", - "textLabelOptions": "Label Options", - "textLabelPosition": "Label Position", - "textLayout": "Layout", - "textLeft": "Left", - "textLeftBorder": "Left Border", - "textLeftOverlay": "Left Overlay", - "textLegend": "Legend", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkType": "Link Type", - "textLow": "Low", - "textMajor": "Major", - "textMajorAndMinor": "Major And Minor", - "textMajorType": "Major Type", - "textMaximumValue": "Maximum Value", - "textMedium": "Medium", - "textMillions": "Millions", - "textMinimumValue": "Minimum Value", - "textMinor": "Minor", - "textMinorType": "Minor Type", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textNextToAxis": "Next to Axis", - "textNoBorder": "No Border", - "textNone": "None", - "textNoOverlay": "No Overlay", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textNumber": "Number", - "textOnTickMarks": "On Tick Marks", - "textOpacity": "Opacity", - "textOut": "Out", - "textOuterTop": "Outer Top", - "textOutsideBorders": "Outside Borders", - "textOverlay": "Overlay", - "textPercentage": "Percentage", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPound": "Pound", + "textHyperlink": "ົໄຮເປີລີ້ງ", + "textImage": "ຮູບພາບ", + "textImageURL": "URL ຮູບພາບ", + "textIn": "ຂ້າງໃນ", + "textInnerBottom": "ດ້ານລຸ່ມພາຍໃນ", + "textInnerTop": "ດ້ານເທິງ ພາຍໃນ", + "textInsideBorders": "ພາຍໃນພື້ນທີ່", + "textInsideHorizontalBorder": "ພາຍໃນເສັ້ນຂອບລວງນອນ", + "textInsideVerticalBorder": "ພາຍໃນເສັ້ນຂອບລວງຕັ້ງ", + "textInteger": "ຕົວເລກເຕັມ", + "textInternalDataRange": "ຂໍ້ມູນພາຍໃນ", + "textInvalidRange": "ເຊວບໍ່ຖືກຕ້ອງ", + "textJustified": "ຖືກຕ້ອງ", + "textLabelOptions": "ຕົວເລືອກປ້າຍກຳກັບ", + "textLabelPosition": " ປ້າຍກຳກັບຕຳ ແໜ່ງ", + "textLayout": "ແຜນຜັງ", + "textLeft": "ຊ້າຍ", + "textLeftBorder": "ເສັ້ນຂອບດ້ານຊ້າຍ ", + "textLeftOverlay": "ຊ້ອນທັບດ້ານຊ້າຍ", + "textLegend": "ຄວາມໝາຍ", + "textLink": "ລີ້ງ", + "textLinkSettings": "ການຕັ້ງຄ່າລີ້ງ", + "textLinkType": "ປະເພດລີ້ງ", + "textLow": "ຕໍາ", + "textMajor": "ສຳຄັນ", + "textMajorAndMinor": "ສຳຄັນແລະບໍ່ສຳຄັນ", + "textMajorType": "ປະເພດສຳຄັນ", + "textMaximumValue": "ຄ່າການສູງສຸດ", + "textMedium": "ເຄີ່ງກາງ", + "textMillions": "ໜື່ງລ້ານ", + "textMinimumValue": "ຄ່າຕ່ຳສຸດ", + "textMinor": "ນ້ອຍ", + "textMinorType": "ປະເພດນ້ອຍ", + "textMoveBackward": "ຍ້າຍໄປທາງຫຼັງ", + "textMoveForward": "ຍ້າຍໄປດ້ານໜ້າ", + "textNextToAxis": "ຖັດຈາກແກນ", + "textNoBorder": "ໍບໍ່ມີຂອບ", + "textNone": "ບໍ່ມີ", + "textNoOverlay": "ບໍ່ມີການຊ້ອນກັນ", + "textNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "textNumber": "ຕົວເລກ", + "textOk": "ຕົກລົງ", + "textOnTickMarks": "ໃນເຄື່ອງໝາຍຖືກ", + "textOpacity": "ຄວາມເຂັ້ມ", + "textOut": "ອອກ", + "textOuterTop": "ທາງເທີງດ້ານນອກ", + "textOutsideBorders": "ເສັ້ນຂອບນອກ", + "textOverlay": "ການຊ້ອນກັນ", + "textPercentage": "ເປີເຊັນ", + "textPictureFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", + "textPictureFromURL": "ຮູບພາບຈາກ URL", + "textPound": "ຕີ", "textPt": "pt", - "textRange": "Range", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textReorder": "Reorder", - "textReplace": "Replace", - "textReplaceImage": "Replace Image", - "textRequired": "Required", - "textRight": "Right", - "textRightBorder": "Right Border", - "textRightOverlay": "Right Overlay", - "textRotated": "Rotated", - "textRotateTextDown": "Rotate Text Down", - "textRotateTextUp": "Rotate Text Up", - "textRouble": "Rouble", - "textScientific": "Scientific", - "textScreenTip": "Screen Tip", - "textSelectAll": "Select All", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textSettings": "Settings", - "textShape": "Shape", - "textSheet": "Sheet", - "textSize": "Size", - "textStyle": "Style", + "textRange": "ຊ່ວງ", + "textRemoveChart": "ລົບແຜນວາດ", + "textRemoveImage": "ລົບຮູບ", + "textRemoveLink": "ລົບລີ້ງ", + "textRemoveShape": "ລົບຮ່າງ", + "textReorder": "ຈັດລຽງລໍາດັບຄືນ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceImage": "ປ່ຽນແທນຮູບ", + "textRequired": "ຕ້ອງການ", + "textRight": "ຂວາ", + "textRightBorder": "ຂອບດ້ານຂວາ", + "textRightOverlay": "ພາບຊ້ອນທັບດ້ານຂວາ", + "textRotated": "ການໝຸນ", + "textRotateTextDown": "ປິ່ນຫົວຂໍ້ຄວາມລົງ", + "textRotateTextUp": "ປິ່ນຫົວຂໍ້ຄວາມຂື້ນ", + "textRouble": "ເງິນລູເບີນ ຂອງລັດເຊຍ", + "textScientific": "ວິທະຍາສາດ", + "textScreenTip": "ຄຳແນະນຳໃນໜ້າຈໍ", + "textSelectAll": "ເລືອກທັງໝົດ", + "textSelectObjectToEdit": "ເລືອກຈຸດທີ່ຕ້ອງການເພື່ອແກ້ໄຂ", + "textSendToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", + "textSettings": "ການຕັ້ງຄ່າ", + "textShape": "ຮູບຮ່າງ", + "textSheet": "ແຜ່ນງານ", + "textSize": "ຂະໜາດ", + "textStyle": "ແບບ", "textTenMillions": "10 000 000", "textTenThousands": "10 000", - "textText": "Text", - "textTextColor": "Text Color", - "textTextFormat": "Text Format", - "textTextOrientation": "Text Orientation", - "textThick": "Thick", - "textThin": "Thin", - "textThousands": "Thousands", - "textTickOptions": "Tick Options", - "textTime": "Time", - "textTop": "Top", - "textTopBorder": "Top Border", - "textTrillions": "Trillions", - "textType": "Type", - "textValue": "Value", - "textValuesInReverseOrder": "Values in Reverse Order", - "textVertical": "Vertical", - "textVerticalAxis": "Vertical Axis", - "textVerticalText": "Vertical Text", - "textWrapText": "Wrap Text", - "textYen": "Yen", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "txtSortHigh2Low": "Sort Highest to Lowest", - "txtSortLow2High": "Sort Lowest to Highest", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textText": "ຂໍ້ຄວາມ", + "textTextColor": "ສີຂໍ້ຄວາມ", + "textTextFormat": "ຮູບແບບເນື້ອຫາ", + "textTextOrientation": "ທິດທາງຂໍ້ຄວາມ", + "textThick": "ໜາ", + "textThin": "ບາງ", + "textThousands": "ຫຼາຍພັນ", + "textTickOptions": "ຕົວເລືອກຄວາມໜາ", + "textTime": "ເວລາ", + "textTop": "ເບື້ອງເທີງ", + "textTopBorder": "ຂອບເບື້ອງເທິງ", + "textTrillions": "ພັນຕື້", + "textType": "ພິມ", + "textValue": "ຄ່າ", + "textValuesInReverseOrder": "ຄ່າໃນລຳດັບຢ້ອນກັບ ", + "textVertical": "ລວງຕັ້ງ", + "textVerticalAxis": "ແກນລວງຕັ້ງ", + "textVerticalText": "ຂໍ້ຄວາມລວງຕັ້ງ", + "textWrapText": "ຕັດຂໍ້ຄວາມ", + "textYen": "ເງິນເຢັນ", + "txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "txtSortHigh2Low": "ລຽງລຳດັບຈາກສູງສຸດໄປຫາຕ່ຳສຸດ", + "txtSortLow2High": "ລຽງລຳດັບແຕ່ຕ່ຳສຸດໄປຫາສູງສຸດ" }, "Settings": { - "advCSVOptions": "Choose CSV options", - "advDRMEnterPassword": "Your password, please:", - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "notcriticalErrorTitle": "Warning", - "textAbout": "About", - "textAddress": "Address", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textBottom": "Bottom", - "textByColumns": "By columns", - "textByRows": "By rows", - "textCancel": "Cancel", - "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textCommentingDisplay": "Commenting Display", - "textComments": "Comments", - "textCreated": "Created", - "textCustomSize": "Custom Size", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with a notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without a notification", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As", - "textEmail": "Email", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without a notification", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textFormat": "Format", - "textFormulaLanguage": "Formula Language", - "textFormulas": "Formulas", - "textHelp": "Help", - "textHideGridlines": "Hide Gridlines", - "textHideHeadings": "Hide Headings", - "textHighlightRes": "Highlight results", - "textInch": "Inch", - "textLandscape": "Landscape", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLeft": "Left", - "textLocation": "Location", - "textLookIn": "Look In", - "textMacrosSettings": "Macros Settings", - "textMargins": "Margins", - "textMatchCase": "Match Case", - "textMatchCell": "Match Cell", - "textNoTextFound": "Text not found", - "textOpenFile": "Enter a password to open the file", - "textOrientation": "Orientation", - "textOwner": "Owner", - "textPoint": "Point", - "textPortrait": "Portrait", - "textPoweredBy": "Powered By", - "textPrint": "Print", - "textR1C1Style": "R1C1 Reference Style", - "textRegionalSettings": "Regional Settings", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textResolvedComments": "Resolved Comments", - "textRight": "Right", - "textSearch": "Search", - "textSearchBy": "Search", - "textSearchIn": "Search In", - "textSettings": "Settings", - "textSheet": "Sheet", - "textShowNotification": "Show Notification", - "textSpreadsheetFormats": "Spreadsheet Formats", - "textSpreadsheetInfo": "Spreadsheet Info", - "textSpreadsheetSettings": "Spreadsheet Settings", - "textSpreadsheetTitle": "Spreadsheet Title", - "textSubject": "Subject", - "textTel": "Tel", - "textTitle": "Title", - "textTop": "Top", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "textValues": "Values", - "textVersion": "Version", - "textWorkbook": "Workbook", - "txtDelimiter": "Delimiter", - "txtEncoding": "Encoding", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "txtScheme1": "Office", - "txtScheme10": "Median", - "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", + "advCSVOptions": "ເລືອກຕົວເລືອກຂອງ CSV", + "advDRMEnterPassword": "ກະລຸນາໃສ່ລະຫັດຜ່ານຂອງທ່ານ", + "advDRMOptions": "ຟຮາຍມີການປົກປ້ອງ", + "advDRMPassword": "ລະຫັດຜ່ານ", + "closeButtonText": "ປິດຟຮາຍເອກະສານ", + "notcriticalErrorTitle": "ເຕືອນ", + "textAbout": "ກ່ຽວກັບ", + "textAddress": "ທີ່ຢູ່", + "textApplication": "ແອັບ", + "textApplicationSettings": "ການຕັ້ງຄ່າແອັບ", + "textAuthor": "ຜູ້ຂຽນ", + "textBack": "ກັບຄືນ", + "textBottom": "ລຸ່ມສຸດ", + "textByColumns": "ໂດຍ ຄໍລັມ", + "textByRows": "ໂດຍ ແຖວ", + "textCancel": "ຍົກເລີກ", + "textCentimeter": "ເຊັນຕິເມັດ", + "textChooseCsvOptions": "ເລືອກຕົວເລືອກຂອງ CSV", + "textChooseDelimeter": "ເລືອກຕົວຂັ້ນ", + "textChooseEncoding": "ເລືອກການເຂົ້າລະຫັດ", + "textCollaboration": "ຮ່ວມກັນ", + "textColorSchemes": "ໂທນສີ", + "textComment": "ຄໍາເຫັນ", + "textCommentingDisplay": "ການສະແດງຄວາມຄິດເຫັນ", + "textComments": "ຄໍາເຫັນ", + "textCreated": "ສ້າງ", + "textCustomSize": "ກຳນົດຂະໜາດ", + "textDarkTheme": "ຮູບແບບສີສັນມືດ", + "textDelimeter": "ຂອບເຂດຈຳກັດ", + "textDisableAll": "ປິດທັງໝົດ", + "textDisableAllMacrosWithNotification": "ປິດທຸກ ມາກໂຄ ດ້ວຍ ການແຈ້ງເຕືອນ", + "textDisableAllMacrosWithoutNotification": "ປິດທຸກ ມາກໂຄ ໂດຍບໍ່ແຈ້ງເຕືອນ", + "textDone": "ສໍາເລັດ", + "textDownload": "ດາວໂຫຼດ", + "textDownloadAs": "ດາວໂຫລດເປັນ", + "textEmail": "ອີເມລ", + "textEnableAll": "ເປີດທັງໝົດ", + "textEnableAllMacrosWithoutNotification": "ເປີດທຸກມາກໂຄໂດຍບໍ່ແຈ້ງເຕືອນ", + "textEncoding": "ການເຂົ້າລະຫັດ", + "textExample": "ຕົວຢ່າງ", + "textFind": "ຊອກ", + "textFindAndReplace": "ຄົ້ນຫາແລະປ່ຽນແທນ", + "textFindAndReplaceAll": "ຄົ້ນຫາ ແລະ ປ່ຽນແທນທັງໝົດ", + "textFormat": "ປະເພດ", + "textFormulaLanguage": "ຕຳລາພາສາ", + "textFormulas": "ສູດ", + "textHelp": "ຊວ່ຍ", + "textHideGridlines": "ເຊື່ອງຕາຕະລາງໄວ້", + "textHideHeadings": "ເຊື່ອງຫົວຂໍ້ໄວ້", + "textHighlightRes": "ໄຮໄລ້ ຜົນລັບ", + "textInch": "ນີ້ວ", + "textLandscape": "ພູມສັນຖານ", + "textLastModified": "ການແກ້ໄຂຄັ້ງລ້າສຸດ", + "textLastModifiedBy": "ແກ້ໄຂຄັ້ງລ້າສຸດໂດຍ", + "textLeft": "ຊ້າຍ", + "textLocation": "ສະຖານທີ", + "textLookIn": "ເບິ່ງເຂົ້າໄປທາງໃນ", + "textMacrosSettings": "ການຕັ້ງຄ່າທົ່ວໄປ", + "textMargins": "ຂອບ", + "textMatchCase": "ກໍລະນີຈັບຄູ່ກັນ", + "textMatchCell": "ແຊວຈັບຄູ່ກັນ", + "textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", + "textOk": "ຕົກລົງ", + "textOpenFile": "ໃສ່ລະຫັດຜ່ານເພື່ອເປີດໄຟລ໌", + "textOrientation": "ການຈັດວາງ", + "textOwner": "ເຈົ້າຂອງ", + "textPoint": "ຈຸດ", + "textPortrait": "ລວງຕັ້ງ", + "textPoweredBy": "ສ້າງໂດຍ", + "textPrint": "ພິມ", + "textR1C1Style": "ຮູບແບບການອ້າງອີງ R1C1", + "textRegionalSettings": "ການຕັ້ງຄ່າຂອບເຂດ", + "textReplace": "ປ່ຽນແທນ", + "textReplaceAll": "ປ່ຽນແທນທັງໝົດ", + "textResolvedComments": "ແກ້ໄຂຄໍາເຫັນ", + "textRight": "ຂວາ", + "textSearch": "ຄົ້ນຫາ", + "textSearchBy": "ຄົ້ນຫາ", + "textSearchIn": "ຊອກຫາໃນ", + "textSettings": "ການຕັ້ງຄ່າ", + "textSheet": "ແຜ່ນງານ", + "textShowNotification": "ສະແດງການແຈ້ງເຕືອນ", + "textSpreadsheetFormats": "ຮູບແບບຕາຕະລາງ", + "textSpreadsheetInfo": "ຂໍ້ມູນກ່ຽວກັບຕາຕະລາງ", + "textSpreadsheetSettings": "ການຕັ້ງຄ່າຕາຕະລາງ", + "textSpreadsheetTitle": "ຫົວຂໍ້ຕາຕະລາງ", + "textSubject": "ເລື່ອງ", + "textTel": "ໂທ", + "textTitle": "ຫົວຂໍ້", + "textTop": "ເບື້ອງເທີງ", + "textUnitOfMeasurement": "ຫົວຫນ່ວຍວັດແທກ", + "textUploaded": "ອັບໂຫລດສຳເລັດ", + "textValues": "ຄ່າ", + "textVersion": "ລຸ້ນ", + "textWorkbook": "ປື້ມເຮັດວຽກ", + "txtColon": "ຈ້ຳສອງເມັດ", + "txtComma": "ຈຸດ", + "txtDelimiter": "ຂອບເຂດຈຳກັດ", + "txtDownloadCsv": "ດາວໂຫລດ CSV", + "txtEncoding": "ການເຂົ້າລະຫັດ", + "txtIncorrectPwd": "ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ", + "txtOk": "ຕົກລົງ", + "txtProtected": "ຖ້າເຈົ້ານໍາໃຊ້ລະຫັດເພື່ອເປີດເອກະສານ, ລະຫັດປັດຈຸບັນຈະຖືກແກ້ໄຂ", + "txtScheme1": "ຫ້ອງການ", + "txtScheme10": "ເສັ້ນແບ່ງກາງ", + "txtScheme11": "ລົດໄຟຟ້າ", + "txtScheme12": "ໂມດູນ", + "txtScheme13": "ຮູບພາບທີ່ມີລັກສະນະສະເເດງຄວາມຮັ່ງມີ ", + "txtScheme14": "ໂອຣິເອລ", + "txtScheme15": "ເດີມ", + "txtScheme16": "ເຈ້ຍ", + "txtScheme17": "ເສັ້ນໝູນອ້ອມດວງຕາເວັນ", + "txtScheme18": "ເຕັກນິກ", + "txtScheme19": "ຍ່າງ", + "txtScheme2": "ໂທນສີເທົາ", + "txtScheme20": "ໃນເມືອງ", "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "txtSpace": "Space", - "txtTab": "Tab", - "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
          Are you sure you want to continue?", - "textOk": "Ok", - "textChooseCsvOptions": "Choose CSV Options", - "textChooseDelimeter": "Choose Delimeter", - "textChooseEncoding": "Choose Encoding", - "textDelimeter": "Delimiter", - "textEncoding": "Encoding", - "txtColon": "Colon", - "txtComma": "Comma", - "txtDownloadCsv": "Download CSV", - "txtOk": "Ok", - "txtSemicolon": "Semicolon", - "textExample": "Example", - "textDarkTheme": "Dark Theme", + "txtScheme22": "ຫ້ອງການໃໝ່", + "txtScheme3": "ເອເພັກສ", + "txtScheme4": "ມຸມມອງ", + "txtScheme5": "ພົນລະເມືອງ", + "txtScheme6": "ສຳມະໂນ", + "txtScheme7": "ຄວາມເທົ່າທຽມກັນ", + "txtScheme8": "ຂະບວນການ", + "txtScheme9": "ໂຮງຫລໍ່", + "txtSemicolon": "ຈ້ຳຈຸດ", + "txtSpace": "ຍະຫວ່າງ", + "txtTab": "ແທບ", + "warnDownloadAs": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ທຸກລັກສະນະ ຍົກເວັ້ນຂໍ້ຄວາມຈະຫາຍໄປ.
          ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດໍາເນີນຕໍ່?", "textFeedback": "Feedback & Support" } } diff --git a/apps/spreadsheeteditor/mobile/locale/lv.json b/apps/spreadsheeteditor/mobile/locale/lv.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/lv.json +++ b/apps/spreadsheeteditor/mobile/locale/lv.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/nb.json b/apps/spreadsheeteditor/mobile/locale/nb.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/nb.json +++ b/apps/spreadsheeteditor/mobile/locale/nb.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/nl.json b/apps/spreadsheeteditor/mobile/locale/nl.json index 5ec9656cc..1f22b933b 100644 --- a/apps/spreadsheeteditor/mobile/locale/nl.json +++ b/apps/spreadsheeteditor/mobile/locale/nl.json @@ -160,7 +160,8 @@ "textNoTextFound": "Text not found", "textOk": "Ok", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}" + "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtSorting": "Sorteren", "txtSortSelected": "Geselecteerde sorteren", "txtYes": "Ja", - "textOk": "Ok" + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Waarschuwing", diff --git a/apps/spreadsheeteditor/mobile/locale/pl.json b/apps/spreadsheeteditor/mobile/locale/pl.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/pl.json +++ b/apps/spreadsheeteditor/mobile/locale/pl.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/pt-PT.json b/apps/spreadsheeteditor/mobile/locale/pt-PT.json new file mode 100644 index 000000000..4584ecc84 --- /dev/null +++ b/apps/spreadsheeteditor/mobile/locale/pt-PT.json @@ -0,0 +1,687 @@ +{ + "About": { + "textAbout": "Acerca", + "textAddress": "Endereço", + "textBack": "Recuar", + "textEmail": "E-mail", + "textPoweredBy": "Disponibilizado por", + "textTel": "Tel", + "textVersion": "Versão" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "Aviso", + "textAddComment": "Adicionar comentário", + "textAddReply": "Adicionar resposta", + "textBack": "Recuar", + "textCancel": "Cancelar", + "textCollaboration": "Colaboração", + "textComments": "Comentários", + "textDeleteComment": "Eliminar comentário", + "textDeleteReply": "Eliminar resposta", + "textDone": "Realizado", + "textEdit": "Editar", + "textEditComment": "Editar comentário", + "textEditReply": "Editar resposta", + "textEditUser": "Utilizadores que estão a editar o ficheiro:", + "textMessageDeleteComment": "Tem a certeza de que deseja eliminar este comentário?", + "textMessageDeleteReply": "Tem a certeza de que deseja eliminar esta resposta?", + "textNoComments": "Este documento não contém comentários", + "textOk": "Ok", + "textReopen": "Reabrir", + "textResolve": "Resolver", + "textTryUndoRedo": "As funções Desfazer/Refazer estão desativadas no modo de co-edição rápida.", + "textUsers": "Utilizadores" + }, + "ThemeColorPalette": { + "textCustomColors": "Cores personalizadas", + "textStandartColors": "Cores padrão", + "textThemeColors": "Cores do tema" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "As ações de copiar, cortar e colar enquanto utiliza o menu de contexto serão apenas efetuadas no ficheiro atual.", + "errorInvalidLink": "A referência da ligação não existe. Deve corrigir ou eliminar a ligação.", + "menuAddComment": "Adicionar comentário", + "menuAddLink": "Adicionar ligação", + "menuCancel": "Cancelar", + "menuCell": "Célula", + "menuDelete": "Eliminar", + "menuEdit": "Editar", + "menuFreezePanes": "Congelar painéis", + "menuHide": "Ocultar", + "menuMerge": "Mesclar", + "menuMore": "Mais", + "menuOpenLink": "Abrir ligação", + "menuShow": "Mostrar", + "menuUnfreezePanes": "Libertar painéis", + "menuUnmerge": "Desunir", + "menuUnwrap": "Não moldar", + "menuViewComment": "Ver comentário", + "menuWrap": "Moldar", + "notcriticalErrorTitle": "Aviso", + "textCopyCutPasteActions": "Ações copiar, cortar e colar", + "textDoNotShowAgain": "Não mostrar novamente", + "warnMergeLostData": "Apenas os dados da célula superior esquerda permanecerá na célula mesclada.
          Você tem certeza de que deseja continuar? " + }, + "Controller": { + "Main": { + "criticalErrorTitle": "Erro", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
          Por favor, contacte o seu administrador.", + "errorOpensource": "Utilizando a versão comunitária gratuita, pode abrir documentos apenas para visualização. Para aceder aos editores da web móvel, é necessária uma licença comercial.", + "errorProcessSaveResult": "Falha ao guardar.", + "errorServerVersion": "A versão do editor foi atualizada. A página será carregada de novo para aplicar as alterações.", + "errorUpdateVersion": "A versão do arquivo foi alterada. A página será recarregada.", + "leavePageText": "Tem alterações não guardadas neste documento. Clique em 'Ficar nesta página' para aguardar pelo guardar automaticamente. Clique em 'Deixar esta página' para se desfazer de todas as alterações não guardadas.", + "notcriticalErrorTitle": "Aviso", + "SDK": { + "txtAccent": "Destaque", + "txtAll": "(Tudo)", + "txtArt": "O seu texto aqui", + "txtBlank": "(vazio)", + "txtByField": "%1 de %2", + "txtClearFilter": "Limpar filtro (Alt+C)", + "txtColLbls": "Etiquetas da coluna", + "txtColumn": "Coluna", + "txtConfidential": "Confidencial", + "txtDate": "Data", + "txtDays": "Dias", + "txtDiagramTitle": "Título do gráfico", + "txtFile": "Ficheiro", + "txtGrandTotal": "Total Geral", + "txtGroup": "Grupo", + "txtHours": "Horas", + "txtMinutes": "Minutos", + "txtMonths": "Meses", + "txtMultiSelect": "Selecionar-Múltiplo (Alt+S)", + "txtOr": "%1 ou %2", + "txtPage": "Página", + "txtPageOf": "Página %1 de %2", + "txtPages": "Páginas", + "txtPreparedBy": "Elaborado por", + "txtPrintArea": "Área_de_Impressão", + "txtQuarter": "Quart.", + "txtQuarters": "Quartos", + "txtRow": "Linha", + "txtRowLbls": "Etiquetas das Linhas", + "txtSeconds": "Segundos", + "txtSeries": "Série", + "txtStyle_Bad": "Mau", + "txtStyle_Calculation": "Cálculos", + "txtStyle_Check_Cell": "Verifique a célula", + "txtStyle_Comma": "Vírgula", + "txtStyle_Currency": "Moeda", + "txtStyle_Explanatory_Text": "Texto explicativo", + "txtStyle_Good": "Bom", + "txtStyle_Heading_1": "Título 1", + "txtStyle_Heading_2": "Título 2", + "txtStyle_Heading_3": "Título 3", + "txtStyle_Heading_4": "Título 4", + "txtStyle_Input": "Introdução", + "txtStyle_Linked_Cell": "Célula vinculada", + "txtStyle_Neutral": "Neutro", + "txtStyle_Normal": "Normal", + "txtStyle_Note": "Nota", + "txtStyle_Output": "Saída", + "txtStyle_Percent": "Percentagem", + "txtStyle_Title": "Título", + "txtStyle_Total": "Total", + "txtStyle_Warning_Text": "Texto de aviso", + "txtTab": "Tab", + "txtTable": "Tabela", + "txtTime": "Hora", + "txtValues": "Valores", + "txtXAxis": "Eixo X", + "txtYAxis": "Eixo Y", + "txtYears": "Anos" + }, + "textAnonymous": "Anónimo", + "textBuyNow": "Visitar website", + "textClose": "Fechar", + "textContactUs": "Contacte a equipa comercial", + "textCustomLoader": "Desculpe, não tem o direito de mudar o carregador. Por favor, contacte o nosso departamento de vendas para obter um orçamento.", + "textGuest": "Convidado", + "textHasMacros": "O ficheiro contém macros automáticas.
          Deseja executar as macros?", + "textNo": "Não", + "textNoChoices": "Não há escolhas para preencher a célula.
          Apenas os valores de texto da coluna podem ser selecionados para substituição.", + "textNoLicenseTitle": "Limite de licença atingido", + "textNoTextFound": "Texto não encontrado", + "textOk": "Ok", + "textPaidFeature": "Funcionalidade paga", + "textRemember": "Memorizar a minha escolha", + "textReplaceSkipped": "A substituição foi realizada. {0} ocorrências foram ignoradas.", + "textReplaceSuccess": "A pesquisa foi realizada. Ocorrências substituídas: {0}", + "textYes": "Sim", + "titleServerVersion": "Editor atualizado", + "titleUpdateVersion": "Versão alterada", + "warnLicenseExceeded": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte o seu administrador para obter mais informações.", + "warnLicenseLimitedNoAccess": "La llicència ha caducat. No tens accés a la funció d'edició de documents. Contacta amb el teu administrador.", + "warnLicenseLimitedRenewed": "A licença precisa ed ser renovada. Tem acesso limitado à funcionalidade de edição de documentos, .
          Por favor contacte o seu administrador para ter acesso total", + "warnLicenseUsersExceeded": "Atingiu o limite de %1 editores. Contacte o seu administrador para obter detalhes.", + "warnNoLicense": "Atingiu o limite de ligações simultâneas a %1 editores. Este documento será aberto apenas para visualização. Contacte a %1 equipa de vendas para consultar os termos de atualização para si.", + "warnNoLicenseUsers": "Atingiu o limite de %1 editores. Contacte a equipa comercial %1 para obter mais informações.", + "warnProcessRightsChange": "Não tem autorização para editar este ficheiro.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "Tempo limite de conversão excedido.", + "criticalErrorExtText": "Clique em \"OK\" para voltar para a lista de documentos.", + "criticalErrorTitle": "Erro", + "downloadErrorText": "Falha ao descarregar.", + "errorAccessDeny": "Está a tentar realizar uma ação para a qual não tem autorização.
          Por favor, contacte o seu administrador.", + "errorArgsRange": "Erro na fórmula.
          Intervalo incorreto de argumentos.", + "errorAutoFilterChange": "A operação não é permitida porque está a tentar deslocar células numa tabela da sua folha de cálculo.", + "errorAutoFilterChangeFormatTable": "A operação não pôde ser feita para as células selecionadas, uma vez que não se pode mover uma parte de uma tabela.
          Selecione outro intervalo de dados para que toda a tabela seja deslocada e tentar novamente.", + "errorAutoFilterDataRange": "Não foi possível fazer a operação para o intervalo selecionado de células.
          Selecione um intervalo de dados uniforme dentro ou fora da tabela e tente novamente.", + "errorAutoFilterHiddenRange": "A operação não pode ser realizada porque a área contém células filtradas.
          Por favor, escolha mostrar os elementos filtrados e tente novamente.", + "errorBadImageUrl": "URL de imagem está incorreta", + "errorCannotUseCommandProtectedSheet": "Não se pode utilizar este comando numa folha protegida. Para utilizar este comando, desproteja a folha.
          Poderá ser-lhe solicitado que introduza uma palavra-passe.", + "errorChangeArray": "Não se pode alterar parte de uma matriz.", + "errorChangeOnProtectedSheet": "A célula ou gráfico que está a tentar mudar está numa folha protegida.
          Para fazer uma mudança, desbloqueia a folha. Poderá ser-lhe solicitado que introduza uma palavra-passe.", + "errorConnectToServer": "Não é possível guardar este documento. Verifique as definições de ligação ou entre em contato com o administrador.
          Ao clicar no botão 'OK', será solicitado a descarregar o documento.", + "errorCopyMultiselectArea": "Este comando não pode ser utilizado com várias seleções.
          Selecionar uma única gama e tentar novamente.", + "errorCountArg": "Erro na fórmula.
          Número de argumentos inválido.", + "errorCountArgExceed": "Erro na fórmula.
          O número máximo de argumentos foi excedido.", + "errorCreateDefName": "Os intervalos nomeados existentes não podem ser editados e os novos também não
          podem ser editados porque alguns deles estão a ser editados.", + "errorDatabaseConnection": "Erro externo.
          Erro de ligação à base de dados. Contacte o suporte.", + "errorDataEncrypted": "Foram recebidas alterações cifradas que não puderam ser decifradas.", + "errorDataRange": "Intervalo de dados incorreto.", + "errorDataValidate": "O valor introduzido não é válido.
          Um utilizador restringiu os valores que podem ser utilizados neste campo.", + "errorDefaultMessage": "Código de erro: %1", + "errorEditingDownloadas": "Ocorreu um erro durante o trabalho com o documento.
          Use a opção 'Descarregar' para guardar a cópia de segurança do ficheiro localmente.", + "errorFilePassProtect": "Este ficheiro está protegido por uma palavra-passe e não foi possível abri-lo. ", + "errorFileRequest": "Erro externo.
          Pedido de ficheiro. Por favor, contacte o suporte.", + "errorFileSizeExceed": "O tamanho do ficheiro excede a limitação máxima do seu servidor.
          Por favor, contacte o seu administrador para obter mais informações.", + "errorFileVKey": "Erro externo.
          Chave de segurança incorreta. Por favor, contacte o suporte.", + "errorFillRange": "Não foi possível preencher o intervalo selecionado de células.
          Todas as células mescladas precisam ser do mesmo tamanho.", + "errorFormulaName": "Erro na fórmula.
          Nome da fórmula incorreto.", + "errorFormulaParsing": "Erro interno durante a análise da fórmula.", + "errorFrmlMaxLength": "Não pode adicionar esta fórmula uma vez que o seu comprimento excede o número permitido de caracteres.
          Por favor, edite-a e tente novamente.", + "errorFrmlMaxReference": "Não se pode introduzir esta fórmula porque tem demasiados valores,
          referências de células, e/ou nomes.", + "errorFrmlMaxTextLength": "Os valores de texto em fórmulas estão limitados a 255 caracteres.
          Utilize a função CONCATENATE ou um operador de concatenação (&)", + "errorFrmlWrongReferences": "A função refere-se a uma folha que não existe.
          Por favor, verifique os dados e tente novamente.", + "errorInvalidRef": "Introduza um nome correcto para a seleção ou uma referência válida para onde ir", + "errorKeyEncrypt": "Descritor de chave desconhecido", + "errorKeyExpire": "Descritor de chave expirado", + "errorLoadingFont": "Tipos de letra não carregados.
          Por favor contacte o administrador do servidor de documentos.", + "errorLockedAll": "Não foi possível efetuar a ação porque a folha está bloqueada por outro utilizador.", + "errorLockedCellPivot": "Não pode alterar dados dentro de uma tabela dinâmica.", + "errorLockedWorksheetRename": "Não foi possível alterar o nome da folha porque o nome está a ser alterado por outro utilizador.", + "errorMaxPoints": "O número máximo de pontos em série, por gráfico, é 4096.", + "errorMoveRange": "Não pode alterar parte de uma célula unida", + "errorMultiCellFormula": "Intervalo de fórmulas multi-célula não são permitidas em tabelas.", + "errorOpenWarning": "O comprimento de uma das fórmulas do ficheiro excedeu
          o número permitido de caracteres e foi removido.", + "errorOperandExpected": "A sintaxe da função introduzida não está correta. Por favor, verifique se esqueceu um dos parênteses - '(' ou ')'.", + "errorPasteMaxRange": "A área do copiar e do colar não corresponde. Por favor, selecione uma área do mesmo tamanho ou clique na primeira célula de uma linha para colar as células copiadas.", + "errorPrintMaxPagesCount": "Infelizmente, não é possível imprimir mais de 1500 páginas de uma vez na versão atual do programa.
          Esta restrição será eliminada nos próximos lançamentos.", + "errorSessionAbsolute": "A sessão de edição de documentos expirou. Por favor, volte a carregar a página.", + "errorSessionIdle": "Há muito tempo que o documento não é editado. Por favor, volte a carregar a página.", + "errorSessionToken": "A ligação ao servidor foi interrompida. Por favor, volte a carregar a página.", + "errorStockChart": "Ordem das linhas incorreta. Para construir um gráfico de cotações, introduza os dados na folha com a seguinte ordem:
          preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "errorUnexpectedGuid": "Erro externo.
          Guid Inesperado. Por favor, contacte o suporte.", + "errorUpdateVersionOnDisconnect": "A ligação à Internet foi restaurada e a versão do ficheiro alterada.
          Antes de continuar o seu trabalho, descarregue o ficheiro ou copie o seu conteúdo para ter a certeza de que não perde os seus elementos e recarregue a página.", + "errorUserDrop": "O arquivo não pode ser acessado agora.", + "errorUsersExceed": "O número de usuários permitidos pelo plano de preços foi excedido", + "errorViewerDisconnect": "Ligação perdida. Ainda pode ver o documento mas não será
          possível descarregar ou imprimir o documento se a ligação não for restaurada e a página recarregada.", + "errorWrongBracketsCount": "Erro na fórmula.
          Número errado de parenteses.", + "errorWrongOperator": "Existe um erro na fórmula. Utilizou um operador inválido.
          Por favor corrija o erro.", + "notcriticalErrorTitle": "Aviso", + "openErrorText": "Ocorreu um erro ao abrir o ficheiro", + "pastInMergeAreaError": "Não pode alterar parte de uma célula unida", + "saveErrorText": "Ocorreu um erro ao guardar o ficheiro", + "scriptLoadError": "A ligação está demasiado lenta, não foi possível carregar alguns dos componentes. Por favor, recarregue a página. ", + "textErrorPasswordIsNotCorrect": "A palavra-passe que introduziu não está correta.
          Verifique se a tecla CAPS LOCK está desligada e não se esqueça de utilizar a capitalização correta.", + "unknownErrorText": "Erro desconhecido.", + "uploadImageExtMessage": "Formato de imagem desconhecido.", + "uploadImageFileCountMessage": "Nenhuma imagem carregada.", + "uploadImageSizeMessage": "A imagem é demasiado grande. O tamanho máximo é de 25 MB." + }, + "LongActions": { + "advDRMPassword": "Senha", + "applyChangesTextText": "Carregando dados...", + "applyChangesTitleText": "Carregando dados", + "confirmMoveCellRange": "O intervalo de células de destino pode conter dados. Continuar a operação?", + "confirmPutMergeRange": "Os dados de origem contêm células fundidas.
          A união de células será anulada antes de serem coladas na tabela.", + "confirmReplaceFormulaInTable": "As fórmulas na linha de cabeçalho serão removidas e convertidas para texto estático.
          Deseja continuar?", + "downloadTextText": "A descarregar documento...", + "downloadTitleText": "A descarregar documento", + "loadFontsTextText": "Carregando dados...", + "loadFontsTitleText": "Carregando dados", + "loadFontTextText": "Carregando dados...", + "loadFontTitleText": "Carregando dados", + "loadImagesTextText": "Carregando imagens...", + "loadImagesTitleText": "Carregando imagens", + "loadImageTextText": "Carregando imagem...", + "loadImageTitleText": "Carregando imagem", + "loadingDocumentTextText": "Carregando documento...", + "loadingDocumentTitleText": "Carregando documento", + "notcriticalErrorTitle": "Aviso", + "openTextText": "Abrindo documento...", + "openTitleText": "Abrindo documento", + "printTextText": "Imprimindo documento...", + "printTitleText": "Imprimindo documento", + "savePreparingText": "Preparando para salvar", + "savePreparingTitle": "A preparar para guardar. Por favor aguarde...", + "saveTextText": "Salvando documento...", + "saveTitleText": "Salvando documento", + "textCancel": "Cancelar", + "textErrorWrongPassword": "A palavra-passe que introduziu não está correta.", + "textLoadingDocument": "Carregando documento", + "textNo": "Não", + "textOk": "Ok", + "textUnlockRange": "Desbloquear Intervalo", + "textUnlockRangeWarning": "O intervalo que está a tentar alterar está protegido por uma palavra-passe.", + "textYes": "Sim", + "txtEditingMode": "Definir modo de edição...", + "uploadImageTextText": "Carregando imagem...", + "uploadImageTitleText": "Carregando imagem", + "waitText": "Por favor aguarde..." + }, + "Statusbar": { + "notcriticalErrorTitle": "Aviso", + "textCancel": "Cancelar", + "textDelete": "Eliminar", + "textDuplicate": "Duplicar", + "textErrNameExists": "Já existe uma folha de cálculo com este nome.", + "textErrNameWrongChar": "O nome da folha não pode conter os caracteres: \\, /, *, ?, [, ], :", + "textErrNotEmpty": "O nome da folha não pode estar vazio", + "textErrorLastSheet": "O livro deve ter pelo menos uma folha de cálculo visível.", + "textErrorRemoveSheet": "Não é possível eliminar a folha de trabalho.", + "textHidden": "Oculto", + "textHide": "Ocultar", + "textMore": "Mais", + "textMove": "Mover", + "textMoveBefore": "Mover antes da folha", + "textMoveToEnd": "(Mover para fim)", + "textOk": "Ok", + "textRename": "Renomear", + "textRenameSheet": "Mudar nome da folha", + "textSheet": "Folha", + "textSheetName": "Nome da folha", + "textUnhide": "Mostrar", + "textWarnDeleteSheet": "A ficha de trabalho talvez tenha dados. Proceder à operação?", + "textTabColor": "Tab Color" + }, + "Toolbar": { + "dlgLeaveMsgText": "Tem alterações não guardadas neste documento. Clique em 'Ficar nesta página' para aguardar pelo guardar automaticamente. Clique em 'Deixar esta página' para se desfazer de todas as alterações não guardadas.", + "dlgLeaveTitleText": "Saiu da aplicação", + "leaveButtonText": "Sair da página", + "stayButtonText": "Ficar na página" + }, + "View": { + "Add": { + "errorMaxRows": "ERRO! O número máximo de série de dados, por gráfico, é 255.", + "errorStockChart": "Ordem das linhas incorreta. Para construir um gráfico de cotações, introduza os dados na folha com a seguinte ordem:
          preço de abertura, preço máximo, preço mínimo, preço de fecho.", + "notcriticalErrorTitle": "Aviso", + "sCatDateAndTime": "Data e hora", + "sCatEngineering": "Engenharia", + "sCatFinancial": "Financeiras", + "sCatInformation": "Informação", + "sCatLogical": "Lógica", + "sCatLookupAndReference": "Procura e referência", + "sCatMathematic": "Matemática e trigonometria", + "sCatStatistical": "Estatísticas", + "sCatTextAndData": "Texto e Dados", + "textAddLink": "Adicionar ligação", + "textAddress": "Endereço", + "textAllTableHint": "Retorna todo o conteúdo da tabela ou colunas especificadas da tabela, incluindo os cabeçalhos de coluna, dados e linhas totais", + "textBack": "Recuar", + "textCancel": "Cancelar", + "textChart": "Gráfico", + "textComment": "Comentário", + "textDataTableHint": "Devolve as células de dados da tabela ou as colunas da tabela especificadas", + "textDisplay": "Exibição", + "textEmptyImgUrl": "É necessário especificar o URL da imagem.", + "textExternalLink": "Ligação externa", + "textFilter": "Filtro", + "textFunction": "Função", + "textGroups": "Categorias", + "textHeadersTableHint": "Devolve os cabeçalhos das colunas para a tabela ou colunas de tabela especificadas", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textInsert": "Inserir", + "textInsertImage": "Inserir imagem", + "textInternalDataRange": "Intervalo de dados interno", + "textInvalidRange": "ERRO! Intervalo de células inválido", + "textLink": "Ligação", + "textLinkSettings": "Definições da ligação", + "textLinkType": "Tipo de ligação", + "textOk": "Ok", + "textOther": "Outro", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textRange": "Intervalo", + "textRequired": "Necessário", + "textScreenTip": "Dica no ecrã", + "textSelectedRange": "Intervalo selecionado", + "textShape": "Forma", + "textSheet": "Folha", + "textSortAndFilter": "Classificar e Filtrar", + "textThisRowHint": "Escolher apenas esta linha de uma coluna específica", + "textTotalsTableHint": "Devolve o total de linhas para a tabela ou coluna da tabela especificada", + "txtExpand": "Expandir e Ordenar", + "txtExpandSort": "Os dados adjacentes à seleção não serão classificados. Deseja expandir a seleção para incluir os dados adjacentes ou continuar com a ordenação apenas das células atualmente selecionadas?", + "txtLockSort": "Os dados foram encontrados ao lado da sua seleção, mas não tem permissões suficientes para alterar essas células.
          Deseja continuar com a seleção atual?", + "txtNo": "Não", + "txtNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "txtSorting": "A Ordenar", + "txtSortSelected": "Ordenar o que está selecionado", + "txtYes": "Sim" + }, + "Edit": { + "notcriticalErrorTitle": "Aviso", + "textAccounting": "Contabilidade", + "textActualSize": "Tamanho real", + "textAddCustomColor": "Adicionar cor personalizada", + "textAddress": "Endereço", + "textAlign": "Alinhar", + "textAlignBottom": "Alinhar em baixo", + "textAlignCenter": "Alinhar ao centro", + "textAlignLeft": "Alinhar à esquerda", + "textAlignMiddle": "Alinhar ao meio", + "textAlignRight": "Alinhar à direita", + "textAlignTop": "Alinhar em cima", + "textAllBorders": "Todos os contornos", + "textAngleClockwise": "Ângulo no sentido horário", + "textAngleCounterclockwise": "Ângulo no sentido antihorário", + "textAuto": "Automático", + "textAutomatic": "Automático", + "textAxisCrosses": "Eixos cruzam", + "textAxisOptions": "Opções dos eixos", + "textAxisPosition": "Posição dos eixos", + "textAxisTitle": "Título dos eixos", + "textBack": "Recuar", + "textBetweenTickMarks": "Entre marcas", + "textBillions": "Milhar de milhões", + "textBorder": "Contorno", + "textBorderStyle": "Estilo do contorno", + "textBottom": "Baixo", + "textBottomBorder": "Contorno inferior", + "textBringToForeground": "Trazer para primeiro plano", + "textCell": "Célula", + "textCellStyles": "Estilos de células", + "textCenter": "Centro", + "textChart": "Gráfico", + "textChartTitle": "Título do gráfico", + "textClearFilter": "Limpar filtro", + "textColor": "Cor", + "textCross": "Cruz", + "textCrossesValue": "Valor das cruzes", + "textCurrency": "Moeda", + "textCustomColor": "Cor personalizada", + "textDataLabels": "Etiquetas de dados", + "textDate": "Data", + "textDefault": "Intervalo selecionado", + "textDeleteFilter": "Eliminar filtro", + "textDesign": "Design", + "textDiagonalDownBorder": "Borda inferior diagonal", + "textDiagonalUpBorder": "Borda superior diagonal", + "textDisplay": "Exibição", + "textDisplayUnits": "Mostrar unidades", + "textDollar": "Dólar", + "textEditLink": "Editar ligação", + "textEffects": "Efeitos", + "textEmptyImgUrl": "É necessário especificar o URL da imagem.", + "textEmptyItem": "{Vazio}", + "textErrorMsg": "Você deve escolher no mínimo um valor", + "textErrorTitle": "Aviso", + "textEuro": "Euro", + "textExternalLink": "Ligação externa", + "textFill": "Preencher", + "textFillColor": "Cor de preenchimento", + "textFilterOptions": "Opções de filtro", + "textFit": "Ajustar à largura", + "textFonts": "Tipos de letra", + "textFormat": "Formato", + "textFraction": "Fração", + "textFromLibrary": "Imagem da biblioteca", + "textFromURL": "Imagem de um URL", + "textGeneral": "Geral", + "textGridlines": "Linhas da grelha", + "textHigh": "Alto", + "textHorizontal": "Horizontal", + "textHorizontalAxis": "Eixo horizontal", + "textHorizontalText": "Texto horizontal", + "textHundredMil": "100 000 000", + "textHundreds": "Centenas", + "textHundredThousands": "100 000", + "textHyperlink": "Hiperligação", + "textImage": "Imagem", + "textImageURL": "URL da imagem", + "textIn": "Em", + "textInnerBottom": "Parte inferior interna", + "textInnerTop": "Parte superior interna", + "textInsideBorders": "Bordas interiores", + "textInsideHorizontalBorder": "Contorno horizontal interior", + "textInsideVerticalBorder": "Contorno vertical interior", + "textInteger": "Inteiro", + "textInternalDataRange": "Intervalo de dados interno", + "textInvalidRange": "Intervalo de células inválido", + "textJustified": "Justificado", + "textLabelOptions": "Opções de etiqueta", + "textLabelPosition": "Posição da etiqueta", + "textLayout": "Disposição", + "textLeft": "Esquerda", + "textLeftBorder": "Contorno esquerdo", + "textLeftOverlay": "Sobreposição esquerda", + "textLegend": "Legenda", + "textLink": "Ligação", + "textLinkSettings": "Definições da ligação", + "textLinkType": "Tipo de ligação", + "textLow": "Baixo", + "textMajor": "Maior", + "textMajorAndMinor": "Maior e Menor", + "textMajorType": "Tipo principal", + "textMaximumValue": "Valor máximo", + "textMedium": "Médio", + "textMillions": "Milhões", + "textMinimumValue": "Valor mínimo", + "textMinor": "Menor", + "textMinorType": "Tipo menor", + "textMoveBackward": "Mover para trás", + "textMoveForward": "Mover para frente", + "textNextToAxis": "Próximo ao eixo", + "textNoBorder": "Sem contorno", + "textNone": "Nenhum", + "textNoOverlay": "Sem sobreposição", + "textNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "textNumber": "Número", + "textOk": "Ok", + "textOnTickMarks": "Nas marcas de escala", + "textOpacity": "Opacidade", + "textOut": "Fora", + "textOuterTop": "Fora do topo", + "textOutsideBorders": "Bordas externas", + "textOverlay": "Sobreposição", + "textPercentage": "Percentagem", + "textPictureFromLibrary": "Imagem da biblioteca", + "textPictureFromURL": "Imagem de um URL", + "textPound": "Libra", + "textPt": "pt", + "textRange": "Intervalo", + "textRemoveChart": "Remover gráfico", + "textRemoveImage": "Remover imagem", + "textRemoveLink": "Remover ligação", + "textRemoveShape": "Remover forma", + "textReorder": "Reordenar", + "textReplace": "Substituir", + "textReplaceImage": "Substituir imagem", + "textRequired": "Necessário", + "textRight": "Direita", + "textRightBorder": "Contorno direito", + "textRightOverlay": "Sobreposição direita", + "textRotated": "Rodado", + "textRotateTextDown": "Rodar texto para baixo", + "textRotateTextUp": "Rodar texto para cima", + "textRouble": "Rublo", + "textScientific": "Científico", + "textScreenTip": "Dica no ecrã", + "textSelectAll": "Selecionar tudo", + "textSelectObjectToEdit": "Selecionar objeto para editar", + "textSendToBackground": "Enviar para plano de fundo", + "textSettings": "Configurações", + "textShape": "Forma", + "textSheet": "Folha", + "textSize": "Tamanho", + "textStyle": "Estilo", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "Texto", + "textTextColor": "Cor do texto", + "textTextFormat": "Formato do texto", + "textTextOrientation": "Orientação do texto", + "textThick": "Espesso", + "textThin": "Fino", + "textThousands": "Milhares", + "textTickOptions": "Opções de escala", + "textTime": "Hora", + "textTop": "Parte superior", + "textTopBorder": "Contorno superior", + "textTrillions": "Trilhões", + "textType": "Tipo", + "textValue": "Valor", + "textValuesInReverseOrder": "Valores na ordem reversa", + "textVertical": "Vertical", + "textVerticalAxis": "Eixo vertical", + "textVerticalText": "Texto vertical", + "textWrapText": "Moldar texto", + "textYen": "Iene", + "txtNotUrl": "Este campo deve ser um URL no formato \"http://www.exemplo.com\"", + "txtSortHigh2Low": "Ordenar do Maior para o Menor", + "txtSortLow2High": "Ordenar do Menor para o Maior" + }, + "Settings": { + "advCSVOptions": "Escolher opções CSV", + "advDRMEnterPassword": "A sua palavra-passe, por favor:", + "advDRMOptions": "Ficheiro protegido", + "advDRMPassword": "Senha", + "closeButtonText": "Fechar ficheiro", + "notcriticalErrorTitle": "Aviso", + "textAbout": "Acerca", + "textAddress": "Endereço", + "textApplication": "Aplicação", + "textApplicationSettings": "Definições da aplicação", + "textAuthor": "Autor", + "textBack": "Recuar", + "textBottom": "Baixo", + "textByColumns": "Por colunas", + "textByRows": "Por linhas", + "textCancel": "Cancelar", + "textCentimeter": "Centímetro", + "textChooseCsvOptions": "Escolher opções CSV", + "textChooseDelimeter": "Escolher delimitador", + "textChooseEncoding": "Escolha a codificação", + "textCollaboration": "Colaboração", + "textColorSchemes": "Esquemas de cor", + "textComment": "Comentário", + "textCommentingDisplay": "Exibição de comentários", + "textComments": "Comentários", + "textCreated": "Criado", + "textCustomSize": "Tamanho personalizado", + "textDarkTheme": "Tema Escuro", + "textDelimeter": "Delimitador", + "textDisableAll": "Desativar tudo", + "textDisableAllMacrosWithNotification": "Desativar todas as macros com notificação", + "textDisableAllMacrosWithoutNotification": "Desativar todas as macros sem notificação", + "textDone": "Realizado", + "textDownload": "Descarregar", + "textDownloadAs": "Descarregar como", + "textEmail": "E-mail", + "textEnableAll": "Ativar tudo", + "textEnableAllMacrosWithoutNotification": "Ativar todas as macros sem notificação", + "textEncoding": "Codificação", + "textExample": "Exemplo", + "textFind": "Localizar", + "textFindAndReplace": "Localizar e substituir", + "textFindAndReplaceAll": "Localizar e substituir tudo", + "textFormat": "Formato", + "textFormulaLanguage": "Idioma das fórmulas", + "textFormulas": "Fórmulas", + "textHelp": "Ajuda", + "textHideGridlines": "Ocultar linhas da grelha", + "textHideHeadings": "Ocultar títulos", + "textHighlightRes": "Destacar resultados", + "textInch": "Polegada", + "textLandscape": "Paisagem", + "textLastModified": "Última modificação", + "textLastModifiedBy": "Última modificação por", + "textLeft": "Esquerda", + "textLocation": "Localização", + "textLookIn": "Olhar em", + "textMacrosSettings": "Definições de macros", + "textMargins": "Margens", + "textMatchCase": "Diferenciar maiúsculas/minúsculas", + "textMatchCell": "Corresponder à Célula", + "textNoTextFound": "Texto não encontrado", + "textOk": "Ok", + "textOpenFile": "Introduza a palavra-passe para abrir o ficheiro", + "textOrientation": "Orientação", + "textOwner": "Proprietário", + "textPoint": "Ponto", + "textPortrait": "Retrato", + "textPoweredBy": "Disponibilizado por", + "textPrint": "Imprimir", + "textR1C1Style": "Estilo L1C1", + "textRegionalSettings": "Definições regionais", + "textReplace": "Substituir", + "textReplaceAll": "Substituir tudo", + "textResolvedComments": "Comentários resolvidos", + "textRight": "Direita", + "textSearch": "Pesquisar", + "textSearchBy": "Pesquisar", + "textSearchIn": "Pesquisar em", + "textSettings": "Configurações", + "textSheet": "Folha", + "textShowNotification": "Mostrar notificação", + "textSpreadsheetFormats": "Formatos da folha de cálculo", + "textSpreadsheetInfo": "Informação da folha de cálculo", + "textSpreadsheetSettings": "Definições da folha de cálculo", + "textSpreadsheetTitle": "Título da folha de cálculo", + "textSubject": "Assunto", + "textTel": "Tel", + "textTitle": "Título", + "textTop": "Parte superior", + "textUnitOfMeasurement": "Unidade de medida", + "textUploaded": "Carregado", + "textValues": "Valores", + "textVersion": "Versão", + "textWorkbook": "Livro de trabalho", + "txtColon": "Dois pontos", + "txtComma": "Vírgula", + "txtDelimiter": "Delimitador", + "txtDownloadCsv": "Transferir CSV", + "txtEncoding": "Codificação", + "txtIncorrectPwd": "A Palavra-passe está incorreta", + "txtOk": "Ok", + "txtProtected": "Assim que introduzir a palavra-passe e abrir o ficheiro, a palavra-passe atual será reposta", + "txtScheme1": "Office", + "txtScheme10": "Mediana", + "txtScheme11": "Metro", + "txtScheme12": "Módulo", + "txtScheme13": "Opulento", + "txtScheme14": "Balcão envidraçado", + "txtScheme15": "Origem", + "txtScheme16": "Papel", + "txtScheme17": "Solstício", + "txtScheme18": "Técnica", + "txtScheme19": "Viagem", + "txtScheme2": "Escala de cinza", + "txtScheme20": "Urbano", + "txtScheme21": "Verve", + "txtScheme22": "Novo Escritório", + "txtScheme3": "Ápice", + "txtScheme4": "Aspeto", + "txtScheme5": "Cívico", + "txtScheme6": "Concurso", + "txtScheme7": "Equidade", + "txtScheme8": "Fluxo", + "txtScheme9": "Fundição", + "txtSemicolon": "Ponto e vírgula", + "txtSpace": "Espaço", + "txtTab": "Tab", + "warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos exceto o texto serão perdidos.
          Você tem certeza que quer continuar?", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json index 06e223936..eb35c9190 100644 --- a/apps/spreadsheeteditor/mobile/locale/pt.json +++ b/apps/spreadsheeteditor/mobile/locale/pt.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Você atingiu o limite de usuários para editores %1. Entre em contato com seu administrador para saber mais.", "warnNoLicense": "Você atingiu o limite de conexões simultâneas para% 1 editores. Este documento será aberto apenas para visualização. Contate a equipe de vendas% 1 para termos de atualização pessoal.", "warnNoLicenseUsers": "Você atingiu o limite de usuários para editores %1.
          Entre em contato com a equipe de vendas da %1 para obter os termos de atualização pessoais.", - "warnProcessRightsChange": "Você não tem permissão para editar o arquivo." + "warnProcessRightsChange": "Você não tem permissão para editar o arquivo.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -291,6 +292,8 @@ "textHide": "Ocultar", "textMore": "Mais", "textMove": "Mover", + "textMoveBefore": "Mover antes da folha", + "textMoveToEnd": "(Mover para o final)", "textOk": "OK", "textRename": "Renomear", "textRenameSheet": "Renomear Folha", @@ -298,8 +301,6 @@ "textSheetName": "Nome da folha", "textUnhide": "Reexibir", "textWarnDeleteSheet": "A folha de trabalho talvez tenha dados. Proceder à operação?", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", "textTabColor": "Tab Color" }, "Toolbar": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Texto e Dados", "textAddLink": "Adicionar Link", "textAddress": "Endereço", + "textAllTableHint": "Retorna todo o conteúdo da tabela ou colunas especificadas da tabela, incluindo cabeçalhos de coluna, dados e linhas totais", "textBack": "Voltar", "textCancel": "Cancelar", "textChart": "Gráfico", "textComment": "Comente", + "textDataTableHint": "Retorna as células de dados da tabela ou colunas de tabela especificadas", "textDisplay": "Exibir", "textEmptyImgUrl": "Você precisa especificar o URL da imagem.", "textExternalLink": "Link externo", "textFilter": "Filtro", "textFunction": "Função", "textGroups": "Categorias", + "textHeadersTableHint": "Devolve os cabeçalhos das colunas para a tabela ou colunas de tabela especificadas", "textImage": "Imagem", "textImageURL": "URL da imagem", "textInsert": "Inserir", @@ -354,6 +358,8 @@ "textShape": "Forma", "textSheet": "Folha", "textSortAndFilter": "Classificar e Filtrar", + "textThisRowHint": "Escolha apenas esta linha da coluna especificada", + "textTotalsTableHint": "Devolve o total de linhas para a tabela ou colunas de tabela especificadas", "txtExpand": "Expandir e classificar", "txtExpandSort": "Os dados próximos à seleção não serão classificados. Você quer expandir a seleção para incluir os dados adjacentes ou continuar com classificando apenas as células selecionadas atualmente?", "txtLockSort": "Os dados são encontrados ao lado de sua seleção, mas você não tem permissão suficiente para alterar essas células.
          Você deseja continuar com a seleção atual?", diff --git a/apps/spreadsheeteditor/mobile/locale/ro.json b/apps/spreadsheeteditor/mobile/locale/ro.json index 03a01251e..5c0132acb 100644 --- a/apps/spreadsheeteditor/mobile/locale/ro.json +++ b/apps/spreadsheeteditor/mobile/locale/ro.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Ați atins numărul maxim de utilizatori ai %1 editoare. Pentru detalii, contactați administratorul dvs.", "warnNoLicense": "Ați atins numărul maxim de conexiuni simultane la %1 de editoare. Documentul este disponibil numai pentru vizualizare. Contactați %1 Departamentul de Vânzări pentru acordarea condițiilor personale de actualizare.", "warnNoLicenseUsers": "Ați atins numărul maxim de utilizatori ai %1 editoare. Contactați Grup Vânzări %1 pentru acordarea condițiilor personale de licențiere.", - "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier." + "warnProcessRightsChange": "Nu aveți permisiunea de editare pentru fișier.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Text și date", "textAddLink": "Adăugare link", "textAddress": "Adresă", + "textAllTableHint": "Returnează tot conţinutul unui tabel sau coloanele selectate într-un tabel inclusiv anteturi de coloane, rânduri de date și rânduri de totaluri ", "textBack": "Înapoi", "textCancel": "Anulează", "textChart": "Diagramă", "textComment": "Comentariu", + "textDataTableHint": "Returnează celule de date dintr-un tabel sau colonele selectate într-un tabel", "textDisplay": "Afișare", "textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", "textExternalLink": "Link extern", "textFilter": "Filtrare", "textFunction": "Funcție", "textGroups": "CATEGORII", + "textHeadersTableHint": "Returnează titlurile coloanelor din tabel sau coloanele selectate într-un tabel ", "textImage": "Imagine", "textImageURL": "URL-ul imaginii", "textInsert": "Inserare", @@ -354,6 +358,8 @@ "textShape": "Forma", "textSheet": "Foaie", "textSortAndFilter": "Sortare și filtrare", + "textThisRowHint": "Numai acest rând din coloana selectată", + "textTotalsTableHint": "Returnează rândurile de totaluri dintr-un tabel sau coloanele selectate într-un tabel", "txtExpand": "Extindere și sortare", "txtExpandSort": "Datele lângă selecție vor fi sortate. Doriți să extindeți selecția pentru a include datele adiacente sau doriți să continuați cu selecția curentă?", "txtLockSort": "Alături de celulele selectate au fost găsite datele dar nu aveți permisiuni suficente ca să le modificați
          Doriți să continuați cu selecția curentă?", diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json index 4666e8a9c..fb89bb9cb 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "Вы достигли лимита на количество пользователей редакторов %1. Свяжитесь с администратором, чтобы узнать больше.", "warnNoLicense": "Вы достигли лимита на одновременные подключения к редакторам %1. Этот документ будет открыт на просмотр. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", "warnNoLicenseUsers": "Вы достигли лимита на количество пользователей редакторов %1. Напишите в отдел продаж %1, чтобы обсудить индивидуальные условия обновления.", - "warnProcessRightsChange": "У вас нет прав на редактирование этого файла." + "warnProcessRightsChange": "У вас нет прав на редактирование этого файла.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "Текст и данные", "textAddLink": "Добавить ссылку", "textAddress": "Адрес", + "textAllTableHint": "Возвращает все содержимое таблицы или указанные столбцы таблицы, включая заголовки столбцов, данные и строки итогов", "textBack": "Назад", "textCancel": "Отмена", "textChart": "Диаграмма", "textComment": "Комментарий", + "textDataTableHint": "Возвращает ячейки данных из таблицы или указанных столбцов таблицы", "textDisplay": "Отображать", "textEmptyImgUrl": "Необходимо указать URL рисунка.", "textExternalLink": "Внешняя ссылка", "textFilter": "Фильтр", "textFunction": "Функция", "textGroups": "КАТЕГОРИИ", + "textHeadersTableHint": "Возвращает заголовки столбцов из таблицы или указанных столбцов таблицы", "textImage": "Рисунок", "textImageURL": "URL рисунка", "textInsert": "Вставить", @@ -354,6 +358,8 @@ "textShape": "Фигура", "textSheet": "Лист", "textSortAndFilter": "Сортировка и фильтрация", + "textThisRowHint": "Выбрать только эту строку указанного столбца", + "textTotalsTableHint": "Возвращает строки итогов из таблицы или указанных столбцов таблицы", "txtExpand": "Расширить и сортировать", "txtExpandSort": "Данные рядом с выделенным диапазоном не будут отсортированы. Вы хотите расширить выделенный диапазон, чтобы включить данные из смежных ячеек, или продолжить сортировку только выделенного диапазона?", "txtLockSort": "Обнаружены данные рядом с выделенным диапазоном, но у вас недостаточно прав для изменения этих ячеек.
          Вы хотите продолжить работу с выделенным диапазоном?", @@ -674,7 +680,7 @@ "txtSemicolon": "Точка с запятой", "txtSpace": "Пробел", "txtTab": "Табуляция", - "warnDownloadAs": "Если вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
          Вы действительно хотите продолжить?", + "warnDownloadAs": "Если Вы продолжите сохранение в этот формат, вcя функциональность, кроме текста, будет потеряна.
          Вы действительно хотите продолжить?", "textFeedback": "Feedback & Support" } } diff --git a/apps/spreadsheeteditor/mobile/locale/sk.json b/apps/spreadsheeteditor/mobile/locale/sk.json index ba281b896..506d23b78 100644 --- a/apps/spreadsheeteditor/mobile/locale/sk.json +++ b/apps/spreadsheeteditor/mobile/locale/sk.json @@ -1,682 +1,686 @@ { "About": { - "textAbout": "About", - "textAddress": "Address", - "textBack": "Back", + "textAbout": "O aplikácii", + "textAddress": "Adresa", + "textBack": "Späť", "textEmail": "Email", - "textPoweredBy": "Powered By", + "textPoweredBy": "Poháňaný ", "textTel": "Tel", - "textVersion": "Version" + "textVersion": "Verzia" }, "Common": { "Collaboration": { - "notcriticalErrorTitle": "Warning", - "textAddComment": "Add Comment", - "textAddReply": "Add Reply", - "textBack": "Back", - "textCancel": "Cancel", - "textCollaboration": "Collaboration", - "textComments": "Comments", - "textDeleteComment": "Delete Comment", - "textDeleteReply": "Delete Reply", - "textDone": "Done", - "textEdit": "Edit", - "textEditComment": "Edit Comment", - "textEditReply": "Edit Reply", - "textEditUser": "Users who are editing the file:", - "textMessageDeleteComment": "Do you really want to delete this comment?", - "textMessageDeleteReply": "Do you really want to delete this reply?", - "textNoComments": "This document doesn't contain comments", - "textReopen": "Reopen", - "textResolve": "Resolve", - "textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", - "textUsers": "Users", - "textOk": "Ok" + "notcriticalErrorTitle": "Upozornenie", + "textAddComment": "Pridať komentár", + "textAddReply": "Pridať odpoveď", + "textBack": "Späť", + "textCancel": "Zrušiť", + "textCollaboration": "Spolupráca", + "textComments": "Komentáre", + "textDeleteComment": "Vymazať komentár", + "textDeleteReply": "Vymazať odpoveď", + "textDone": "Hotovo", + "textEdit": "Upraviť", + "textEditComment": "Upraviť komentár", + "textEditReply": "Upraviť odpoveď", + "textEditUser": "Používatelia, ktorí súbor práve upravujú:", + "textMessageDeleteComment": "Naozaj chcete zmazať tento komentár?", + "textMessageDeleteReply": "Naozaj chcete zmazať túto odpoveď?", + "textNoComments": "Tento dokument neobsahuje komentáre", + "textOk": "OK", + "textReopen": "Znovu otvoriť", + "textResolve": "Vyriešiť", + "textTryUndoRedo": "Funkcia Späť/Znova sú vypnuté pre rýchli režim spolupráce. ", + "textUsers": "Používatelia" }, "ThemeColorPalette": { - "textCustomColors": "Custom Colors", - "textStandartColors": "Standard Colors", - "textThemeColors": "Theme Colors" + "textCustomColors": "Vlastné farby", + "textStandartColors": "Štandardné farby", + "textThemeColors": "Farebné témy" } }, "ContextMenu": { - "errorCopyCutPaste": "Copy, cut, and paste actions using the context menu will be performed within the current file only.", - "menuAddComment": "Add Comment", - "menuAddLink": "Add Link", - "menuCancel": "Cancel", - "menuCell": "Cell", - "menuDelete": "Delete", - "menuEdit": "Edit", - "menuFreezePanes": "Freeze Panes", - "menuHide": "Hide", - "menuMerge": "Merge", - "menuMore": "More", - "menuOpenLink": "Open Link", - "menuShow": "Show", - "menuUnfreezePanes": "Unfreeze Panes", - "menuUnmerge": "Unmerge", - "menuUnwrap": "Unwrap", - "menuViewComment": "View Comment", - "menuWrap": "Wrap", - "notcriticalErrorTitle": "Warning", - "textCopyCutPasteActions": "Copy, Cut and Paste Actions", - "textDoNotShowAgain": "Don't show again", - "warnMergeLostData": "The operation can destroy data in the selected cells. Continue?", - "errorInvalidLink": "The link reference does not exist. Please correct the link or delete it." + "errorCopyCutPaste": "Akcie kopírovania, vystrihnutia a prilepenia pomocou kontextovej ponuky sa vykonajú iba v rámci aktuálneho súboru.", + "errorInvalidLink": "Prepojenie na odkaz neexistuje. Opravte prosím odkaz alebo ho odstráňte.", + "menuAddComment": "Pridať komentár", + "menuAddLink": "Pridať odkaz", + "menuCancel": "Zrušiť", + "menuCell": "Bunka", + "menuDelete": "Odstrániť", + "menuEdit": "Upraviť", + "menuFreezePanes": "Ukotviť priečky", + "menuHide": "Skryť", + "menuMerge": "Zlúčiť", + "menuMore": "Viac", + "menuOpenLink": "Otvoriť odkaz", + "menuShow": "Zobraziť", + "menuUnfreezePanes": "Zrušiť ukotvenie priečky", + "menuUnmerge": "Zrušiť zlúčenie", + "menuUnwrap": "Rozbaliť", + "menuViewComment": "Pozrieť komentár", + "menuWrap": "Obtekanie", + "notcriticalErrorTitle": "Upozornenie", + "textCopyCutPasteActions": "Kopírovať, vystrihnúť a prilepiť", + "textDoNotShowAgain": "Nezobrazovať znova", + "warnMergeLostData": "Iba údaje z ľavej hornej bunky zostanú v zlúčenej bunke.
          Ste si istý, že chcete pokračovať?" }, "Controller": { "Main": { - "criticalErrorTitle": "Error", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
          Please, contact your admin.", - "errorProcessSaveResult": "Saving is failed.", - "errorServerVersion": "The editor version has been updated. The page will be reloaded to apply the changes.", - "errorUpdateVersion": "The file version has been changed. The page will be reloaded.", - "leavePageText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "notcriticalErrorTitle": "Warning", + "criticalErrorTitle": "Chyba", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
          Kontaktujte svojho správcu.", + "errorOpensource": "Pomocou bezplatnej komunitnej verzie môžete otvárať dokumenty len na prezeranie. Na prístup k editorom mobilného webu je potrebná komerčná licencia.", + "errorProcessSaveResult": "Uloženie zlyhalo.", + "errorServerVersion": "Verzia editora bola aktualizovaná. Stránka sa opätovne načíta, aby sa vykonali zmeny.", + "errorUpdateVersion": "Verzia súboru bola zmenená. Stránka sa znova načíta.", + "leavePageText": "V tomto dokumente máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "notcriticalErrorTitle": "Upozornenie", "SDK": { - "txtAccent": "Accent", - "txtAll": "(All)", - "txtArt": "Your text here", - "txtBlank": "(blank)", - "txtByField": "%1 of %2", - "txtClearFilter": "Clear Filter (Alt+C)", - "txtColLbls": "Column Labels", - "txtColumn": "Column", - "txtConfidential": "Confidential", - "txtDate": "Date", - "txtDays": "Days", - "txtDiagramTitle": "Chart Title", - "txtFile": "File", - "txtGrandTotal": "Grand Total", - "txtGroup": "Group", - "txtHours": "Hours", - "txtMinutes": "Minutes", - "txtMonths": "Months", - "txtMultiSelect": "Multi-Select (Alt+S)", - "txtOr": "%1 or %2", - "txtPage": "Page", - "txtPageOf": "Page %1 of %2", - "txtPages": "Pages", - "txtPreparedBy": "Prepared by", - "txtPrintArea": "Print_Area", - "txtQuarter": "Qtr", - "txtQuarters": "Quarters", - "txtRow": "Row", - "txtRowLbls": "Row Labels", - "txtSeconds": "Seconds", - "txtSeries": "Series", - "txtStyle_Bad": "Bad", - "txtStyle_Calculation": "Calculation", - "txtStyle_Check_Cell": "Check Cell", - "txtStyle_Comma": "Comma", - "txtStyle_Currency": "Currency", - "txtStyle_Explanatory_Text": "Explanatory Text", - "txtStyle_Good": "Good", - "txtStyle_Heading_1": "Heading 1", - "txtStyle_Heading_2": "Heading 2", - "txtStyle_Heading_3": "Heading 3", - "txtStyle_Heading_4": "Heading 4", - "txtStyle_Input": "Input", - "txtStyle_Linked_Cell": "Linked Cell", - "txtStyle_Neutral": "Neutral", - "txtStyle_Normal": "Normal", - "txtStyle_Note": "Note", - "txtStyle_Output": "Output", - "txtStyle_Percent": "Percent", - "txtStyle_Title": "Title", - "txtStyle_Total": "Total", - "txtStyle_Warning_Text": "Warning Text", - "txtTab": "Tab", - "txtTable": "Table", - "txtTime": "Time", - "txtValues": "Values", - "txtXAxis": "X Axis", - "txtYAxis": "Y Axis", - "txtYears": "Years" + "txtAccent": "Akcent", + "txtAll": "(všetko)", + "txtArt": "Tu napíšte svoj text", + "txtBlank": "(prázdne)", + "txtByField": "%1 z %2", + "txtClearFilter": "Vyčistiť filter (Alt+C)", + "txtColLbls": "Značky stĺpcov", + "txtColumn": "Stĺpec", + "txtConfidential": "Dôverné", + "txtDate": "Dátum", + "txtDays": "dni", + "txtDiagramTitle": "Názov grafu", + "txtFile": "Súbor", + "txtGrandTotal": "Celkový súčet", + "txtGroup": "Skupina", + "txtHours": "Hodiny", + "txtMinutes": "Minúty", + "txtMonths": "Mesiace", + "txtMultiSelect": "Viacnásobný výber (Alt+S)", + "txtOr": "%1 alebo %2", + "txtPage": "Stránka", + "txtPageOf": "Stránka %1 z %2", + "txtPages": "Strany", + "txtPreparedBy": "Pripravil(a)", + "txtPrintArea": "Oblasť_tlače", + "txtQuarter": "Štvrtina", + "txtQuarters": "Štvrtiny", + "txtRow": "Riadok", + "txtRowLbls": "Štítky riadku", + "txtSeconds": "Sekundy", + "txtSeries": "Rady", + "txtStyle_Bad": "Zlý/chybný", + "txtStyle_Calculation": "Kalkulácia", + "txtStyle_Check_Cell": "Skontrolovať bunku", + "txtStyle_Comma": "Čiarka", + "txtStyle_Currency": "Mena", + "txtStyle_Explanatory_Text": "Vysvetľujúci text", + "txtStyle_Good": "Dobrý", + "txtStyle_Heading_1": "Nadpis 1", + "txtStyle_Heading_2": "Nadpis 2", + "txtStyle_Heading_3": "Nadpis 3", + "txtStyle_Heading_4": "Nadpis 4", + "txtStyle_Input": "Vstup/vstupná jednotka", + "txtStyle_Linked_Cell": "Spojená bunka", + "txtStyle_Neutral": "Neutrálny", + "txtStyle_Normal": "Normálny", + "txtStyle_Note": "Poznámka", + "txtStyle_Output": "Výstup", + "txtStyle_Percent": "Percento", + "txtStyle_Title": "Názov", + "txtStyle_Total": "Celkovo", + "txtStyle_Warning_Text": "Varovný text", + "txtTab": "Tabulátor", + "txtTable": "Tabuľka", + "txtTime": "Čas", + "txtValues": "Hodnoty", + "txtXAxis": "Os X", + "txtYAxis": "Os Y", + "txtYears": "Roky" }, - "textAnonymous": "Anonymous", - "textBuyNow": "Visit website", - "textClose": "Close", - "textContactUs": "Contact sales", - "textCustomLoader": "Sorry, you are not entitled to change the loader. Please, contact our sales department to get a quote.", - "textGuest": "Guest", - "textHasMacros": "The file contains automatic macros.
          Do you want to run macros?", - "textNo": "No", - "textNoLicenseTitle": "License limit reached", - "textPaidFeature": "Paid feature", - "textRemember": "Remember my choice", - "textYes": "Yes", - "titleServerVersion": "Editor updated", - "titleUpdateVersion": "Version changed", - "warnLicenseExceeded": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only. Contact your administrator to learn more.", - "warnLicenseLimitedNoAccess": "License expired. You have no access to document editing functionality. Please, contact your admin.", - "warnLicenseLimitedRenewed": "License needs to be renewed. You have limited access to document editing functionality.
          Please contact your administrator to get full access", - "warnLicenseUsersExceeded": "You've reached the user limit for %1 editors. Contact your administrator to learn more.", - "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.", - "warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", - "warnProcessRightsChange": "You don't have permission to edit the file.", - "textNoChoices": "There are no choices for filling the cell.
          Only text values from the column can be selected for replacement.", - "textOk": "Ok", - "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", - "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", - "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "textAnonymous": "Anonymný", + "textBuyNow": "Navštíviť webovú stránku", + "textClose": "Zatvoriť", + "textContactUs": "Kontaktujte predajcu", + "textCustomLoader": "Ľutujeme, nemáte nárok na výmenu zavádzača. Pre získanie cenovej ponuky kontaktujte prosím naše obchodné oddelenie.", + "textGuest": "Návštevník", + "textHasMacros": "Súbor obsahuje automatické makrá.
          Naozaj chcete makra spustiť?", + "textNo": "Nie", + "textNoChoices": "Neexistujú žiadne možnosti na vyplnenie bunky.
          Len hodnoty textu zo stĺpca môžu byť vybrané na výmenu.", + "textNoLicenseTitle": "Bol dosiahnutý limit licencie", + "textNoTextFound": "Text nebol nájdený", + "textOk": "OK", + "textPaidFeature": "Platená funkcia", + "textRemember": "Zapamätaj si moju voľbu", + "textReplaceSkipped": "Nahradenie bolo uskutočnené. {0} výskytov bolo preskočených.", + "textReplaceSuccess": "Vyhľadávanie bolo uskutočnené. Nahradené udalosti: {0}", + "textYes": "Áno", + "titleServerVersion": "Editor bol aktualizovaný", + "titleUpdateVersion": "Verzia bola zmenená", + "warnLicenseExceeded": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Ak sa chcete dozvedieť viac, kontaktujte svojho správcu.", + "warnLicenseLimitedNoAccess": "Platnosť licencie vypršala. Nemáte prístup k funkciám úpravy dokumentov. Prosím, kontaktujte svojho administrátora.", + "warnLicenseLimitedRenewed": "Licenciu je potrebné obnoviť. Máte obmedzený prístup k funkciám úpravy dokumentov.
          Ak chcete získať úplný prístup, kontaktujte svojho správcu", + "warnLicenseUsersExceeded": "Dosiahli ste limit %1 editora v režime spolupráce na úpravách. Ohľadne podrobnosti sa obráťte na svojho správcu. ", + "warnNoLicense": "Dosiahli ste limit pre simultánne pripojenia k %1 editorom. Tento dokument sa otvorí iba na prezeranie. Kontaktujte predajný tím %1 pre osobné podmienky inovácie.", + "warnNoLicenseUsers": "Dosiahli ste limit %1 editora. Pre rozšírenie funkcií kontaktujte %1 obchodné oddelenie.", + "warnProcessRightsChange": "Nemáte povolenie na úpravu súboru.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { - "convertationTimeoutText": "Conversion timeout exceeded.", - "criticalErrorExtText": "Press 'OK' to go back to the document list.", - "criticalErrorTitle": "Error", - "downloadErrorText": "Download failed.", - "errorAccessDeny": "You are trying to perform an action you do not have rights for.
          Please, contact your admin.", - "errorArgsRange": "An error in the formula.
          Incorrect arguments range.", - "errorAutoFilterChange": "The operation is not allowed as it is attempting to shift cells in a table on your worksheet.", - "errorAutoFilterChangeFormatTable": "The operation could not be done for the selected cells as you cannot move a part of a table.
          Select another data range so that the whole table is shifted and try again.", - "errorAutoFilterDataRange": "The operation could not be done for the selected range of cells.
          Select a uniform data range inside or outside the table and try again.", - "errorAutoFilterHiddenRange": "The operation cannot be performed because the area contains filtered cells.
          Please, unhide the filtered elements and try again.", - "errorBadImageUrl": "Image url is incorrect", - "errorChangeArray": "You cannot change part of an array.", - "errorConnectToServer": "Can't save this doc. Check your connection settings or contact your admin.
          When you click the 'OK' button, you will be prompted to download the document.", - "errorCopyMultiselectArea": "This command cannot be used with multiple selections.
          Select a single range and try again.", - "errorCountArg": "An error in the formula.
          Invalid number of arguments.", - "errorCountArgExceed": "An error in the formula.
          Maximum number of arguments exceeded.", - "errorCreateDefName": "The existing named ranges cannot be edited and the new ones cannot be created
          at the moment as some of them are being edited.", - "errorDatabaseConnection": "External error.
          Database connection error. Please, contact support.", - "errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", - "errorDataRange": "Incorrect data range.", - "errorDataValidate": "The value you entered is not valid.
          A user has restricted values that can be entered into this cell.", - "errorDefaultMessage": "Error code: %1", - "errorEditingDownloadas": "An error occurred during the work with the document.
          Use the 'Download' option to save the file backup copy locally.", - "errorFilePassProtect": "The file is password protected and could not be opened.", - "errorFileRequest": "External error.
          File Request. Please, contact support.", - "errorFileSizeExceed": "The file size exceeds your server limitation.
          Please, contact your admin for details.", - "errorFileVKey": "External error.
          Incorrect security key. Please, contact support.", - "errorFillRange": "Could not fill the selected range of cells.
          All the merged cells need to be the same size.", - "errorFormulaName": "An error in the formula.
          Incorrect formula name.", - "errorFormulaParsing": "Internal error while the formula parsing.", - "errorFrmlMaxLength": "You cannot add this formula as its length exceeds the allowed number of characters.
          Please, edit it and try again.", - "errorFrmlMaxReference": "You cannot enter this formula because it has too many values,
          cell references, and/or names.", - "errorFrmlMaxTextLength": "Text values in formulas are limited to 255 characters.
          Use the CONCATENATE function or concatenation operator (&)", - "errorFrmlWrongReferences": "The function refers to a sheet that does not exist.
          Please, check the data and try again.", - "errorInvalidRef": "Enter a correct name for the selection or a valid reference to go to.", - "errorKeyEncrypt": "Unknown key descriptor", - "errorKeyExpire": "Key descriptor expired", - "errorLockedAll": "The operation could not be done as the sheet has been locked by another user.", - "errorLockedCellPivot": "You cannot change data inside a pivot table.", - "errorLockedWorksheetRename": "The sheet cannot be renamed at the moment as it is being renamed by another user", - "errorMaxPoints": "The maximum number of points in series per chart is 4096.", - "errorMoveRange": "Cannot change a part of a merged cell", - "errorMultiCellFormula": "Multi-cell array formulas are not allowed in tables.", - "errorOpenWarning": "The length of one of the formulas in the file exceeded
          the allowed number of characters and it was removed.", - "errorOperandExpected": "The entered function syntax is not correct. Please, check if you missed one of the parentheses - '(' or ')'.", - "errorPasteMaxRange": "The copy and paste area does not match. Please, select an area of the same size or click the first cell in a row to paste the copied cells.", - "errorPrintMaxPagesCount": "Unfortunately, it’s not possible to print more than 1500 pages at once in the current version of the program.
          This restriction will be eliminated in upcoming releases.", - "errorSessionAbsolute": "The document editing session has expired. Please, reload the page.", - "errorSessionIdle": "The document has not been edited for quite a long time. Please, reload the page.", - "errorSessionToken": "The connection to the server has been interrupted. Please, reload the page.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
          opening price, max price, min price, closing price.", - "errorUnexpectedGuid": "External error.
          Unexpected Guid. Please, contact support.", - "errorUpdateVersionOnDisconnect": "Internet connection has been restored, and the file version has been changed.
          Before you can continue working, you need to download the file or copy its content to make sure nothing is lost, and then reload this page.", - "errorUserDrop": "The file cannot be accessed right now.", - "errorUsersExceed": "The number of users allowed by the pricing plan was exceeded", - "errorViewerDisconnect": "Connection is lost. You can still view the document,
          but you won't be able to download it until the connection is restored and the page is reloaded.", - "errorWrongBracketsCount": "An error in the formula.
          Wrong number of brackets.", - "errorWrongOperator": "An error in the entered formula. Wrong operator is used.
          Please correct the error.", - "notcriticalErrorTitle": "Warning", - "openErrorText": "An error has occurred while opening the file", - "pastInMergeAreaError": "Cannot change a part of a merged cell", - "saveErrorText": "An error has occurred while saving the file", - "scriptLoadError": "The connection is too slow, some of the components could not be loaded. Please, reload the page.", - "unknownErrorText": "Unknown error.", - "uploadImageExtMessage": "Unknown image format.", - "uploadImageFileCountMessage": "No images uploaded.", - "uploadImageSizeMessage": "The image is too big. The maximum size is 25 MB.", - "errorLoadingFont": "Fonts are not loaded.
          Please contact your Document Server administrator.", - "errorChangeOnProtectedSheet": "The cell or chart you are trying to change is on a protected sheet. To make a change, unprotect the sheet. You might be requested to enter a password.", - "textErrorPasswordIsNotCorrect": "The password you supplied is not correct.
          Verify that the CAPS LOCK key is off and be sure to use the correct capitalization.", - "errorCannotUseCommandProtectedSheet": "You cannot use this command on a protected sheet. To use this command, unprotect the sheet.
          You might be requested to enter a password." + "convertationTimeoutText": "Prekročený čas konverzie.", + "criticalErrorExtText": "Stlačením tlačidla „OK“ sa vrátite do zoznamu dokumentov.", + "criticalErrorTitle": "Chyba", + "downloadErrorText": "Sťahovanie zlyhalo.", + "errorAccessDeny": "Pokúšate sa vykonať akciu, na ktorú nemáte práva.
          Kontaktujte svojho správcu.", + "errorArgsRange": "Chyba vo vzorci.
          Nesprávny rozsah argumentov.", + "errorAutoFilterChange": "Operácia nie je povolená, pretože sa pokúša posunúť bunky v tabuľke na pracovnom hárku.", + "errorAutoFilterChangeFormatTable": "Operáciu nebolo možné vykonať pre vybraté bunky, pretože nemôžete presunúť časť tabuľky.
          Vyberte iný rozsah údajov, aby sa posunula celá tabuľka, a skúste to znova.", + "errorAutoFilterDataRange": "Operáciu nebolo možné vykonať pre vybratý rozsah buniek.
          Vyberte jednotný rozsah údajov v tabuľke alebo mimo nej a skúste to znova.", + "errorAutoFilterHiddenRange": "Operáciu nemožno vykonať, pretože oblasť obsahuje filtrované bunky.
          Odkryte filtrované prvky a skúste to znova.", + "errorBadImageUrl": "Adresa URL obrázku je nesprávna", + "errorCannotUseCommandProtectedSheet": "Tento príkaz nemožno použiť na zabezpečený list. Pre použitie príkazu, zrušte zabezpečenie listu.
          Môže byť vyžadované heslo. ", + "errorChangeArray": "Nie je možné meniť časť poľa.", + "errorChangeOnProtectedSheet": "Bunka alebo graf, ktorý sa pokúšate zmeniť, je na chránenom hárku. Ak chcete vykonať zmenu, zrušte ochranu listu. Môžete byť požiadaní o zadanie hesla.", + "errorConnectToServer": "Tento dokument nie je možné uložiť. Skontrolujte nastavenia pripojenia alebo kontaktujte svojho správcu.
          Keď kliknete na tlačidlo 'OK', zobrazí sa výzva na stiahnutie dokumentu.", + "errorCopyMultiselectArea": "Tento príkaz sa nedá použiť s viacerými výbermi.
          Vyberte jeden rozsah a skúste to znova.", + "errorCountArg": "Chyba vo vzorci.
          Neplatný počet argumentov.", + "errorCountArgExceed": "Chyba vo vzorci.
          Bol prekročený maximálny počet argumentov.", + "errorCreateDefName": "Existujúce pomenované rozsahy nemožno upraviť a nové nemôžu byť momentálne vytvorené
          , keďže niektoré z nich sú práve editované.", + "errorDatabaseConnection": "Externá chyba.
          Chyba spojenia databázy. Obráťte sa prosím na podporu.", + "errorDataEncrypted": "Boli prijaté zašifrované zmeny, nemožno ich dekódovať.", + "errorDataRange": "Nesprávny rozsah údajov.", + "errorDataValidate": "Hodnota, ktorú ste zadali, nie je platná.
          Používateľ má obmedzené hodnoty, ktoré je možné zadať do tejto bunky.", + "errorDefaultMessage": "Kód chyby: %1", + "errorEditingDownloadas": "Počas práce s dokumentom sa vyskytla chyba.
          Na lokálne uloženie záložnej kópie súboru použite možnosť „Stiahnuť“.", + "errorFilePassProtect": "Súbor je chránený heslom a nebolo možné ho otvoriť.", + "errorFileRequest": "Externá chyba.
          Požiadavka na súbor. Prosím, kontaktujte podporu.", + "errorFileSizeExceed": "Veľkosť súboru presahuje obmedzenie vášho servera.
          Podrobnosti vám poskytne správca.", + "errorFileVKey": "Externá chyba.
          Nesprávny bezpečnostný kľúč. Prosím, kontaktujte podporu.", + "errorFillRange": "Nepodarilo sa vyplniť vybraný rozsah buniek.
          Všetky zlúčené bunky musia mať rovnakú veľkosť.", + "errorFormulaName": "Chyba vo vzorci.
          Nesprávny názov vzorca.", + "errorFormulaParsing": "Interná chyba pri analýze vzorca.", + "errorFrmlMaxLength": "Tento vzorec nemôžete pridať, pretože jeho dĺžka presahuje povolený počet znakov.
          Upravte ho a skúste to znova.", + "errorFrmlMaxReference": "Vzorec nemôžete vložiť, pretože má priveľa hodnôt,
          odkazov na bunky, a/alebo názvov.", + "errorFrmlMaxTextLength": "Textové hodnoty vo vzorcoch sú obmedzené na 255 znakov.
          Použite funkciu CONCATENATE alebo operátor zreťazenia (&)", + "errorFrmlWrongReferences": "Funkcia odkazuje na hárok, ktorý neexistuje.
          Skontrolujte údaje a skúste to znova.", + "errorInvalidRef": "Zadajte správny názov pre výber alebo platný odkaz, na ktorý chcete prejsť.", + "errorKeyEncrypt": "Neznámy kľúč deskriptoru", + "errorKeyExpire": "Kľúč deskriptora vypršal", + "errorLoadingFont": "Fonty sa nenahrali.
          Kontaktujte prosím svojho administrátora Servera dokumentov.", + "errorLockedAll": "Operáciu nemožno vykonať, pretože list bol zamknutý iným používateľom.", + "errorLockedCellPivot": "Nemôžete meniť údaje v kontingenčnej tabuľke.", + "errorLockedWorksheetRename": "List nemôže byť momentálne premenovaný, pretože je premenovaný iným používateľom", + "errorMaxPoints": "Maximálny počet bodov v sérii na jeden graf je 4096.", + "errorMoveRange": "Nie je možné zmeniť časť zlúčenej bunky", + "errorMultiCellFormula": "V tabuľkách nie sú dovolené vzorce pre pole s viacerými bunkami", + "errorOpenWarning": "Dĺžka jedného zo vzorcov v súbore prekročila
          povolený počet znakov a bola odstránená.", + "errorOperandExpected": "Zadaná syntax funkcie nie je správna. Skontrolujte, či ste vynechali jednu zo zátvoriek - '(' alebo ')'.", + "errorPasteMaxRange": "Oblasť kopírovania a prilepenia sa nezhoduje. Vyberte oblasť rovnakej veľkosti alebo kliknite na prvú bunku v riadku a prilepte skopírované bunky.", + "errorPrintMaxPagesCount": "Žiaľ, v aktuálnej verzii programu nie je možné vytlačiť naraz viac ako 1 500 strán.
          Toto obmedzenie bude v nadchádzajúcich vydaniach odstránené.", + "errorSessionAbsolute": "Platnosť relácie úpravy dokumentu vypršala. Prosím, načítajte stránku znova.", + "errorSessionIdle": "Dokument nebol dlhší čas upravovaný. Prosím, načítajte stránku znova.", + "errorSessionToken": "Spojenie so serverom bolo prerušené. Prosím, načítajte stránku znova.", + "errorStockChart": "Nesprávne poradie riadkov. Ak chcete zostaviť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
          otváracia cena, maximálna cena, minimálna cena, záverečná cena.", + "errorUnexpectedGuid": "Externá chyba.
          Neočakávaný sprievodca. Prosím, kontaktujte podporu.", + "errorUpdateVersionOnDisconnect": "Internetové pripojenie bolo obnovené a verzia súboru bola zmenená.
          Predtým, než budete pokračovať v práci, potrebujete si stiahnuť súbor alebo kópiu jeho obsahu, aby sa nič nestratilo. Potom znovu načítajte stránku.", + "errorUserDrop": "K súboru nie je možné práve teraz získať prístup.", + "errorUsersExceed": "Počet používateľov povolených cenovým plánom bol prekročený", + "errorViewerDisconnect": "Spojenie je stratené. Dokument si stále môžete prezerať,
          ale nebudete si ho môcť stiahnuť ani vytlačiť, kým sa neobnoví pripojenie a stránka sa znova nenačíta.", + "errorWrongBracketsCount": "Chyba vo vzorci.
          Nesprávny počet zátvoriek.", + "errorWrongOperator": "Chyba v zadanom vzorci. Používa sa nesprávny operátor.
          Prosím, opravte chybu.", + "notcriticalErrorTitle": "Upozornenie", + "openErrorText": "Pri otváraní súboru sa vyskytla chyba", + "pastInMergeAreaError": "Nie je možné zmeniť časť zlúčenej bunky", + "saveErrorText": "Pri ukladaní súboru sa vyskytla chyba", + "scriptLoadError": "Pripojenie je príliš pomalé, niektoré komponenty sa nepodarilo načítať. Prosím, načítajte stránku znova.", + "textErrorPasswordIsNotCorrect": "Zadané heslo nie je správne.
          Skontrolujte, že máte vypnutý CAPS LOCK a správnu veľkosť písmen.", + "unknownErrorText": "Neznáma chyba.", + "uploadImageExtMessage": "Neznámy formát obrázka.", + "uploadImageFileCountMessage": "Neboli načítané žiadne obrázky.", + "uploadImageSizeMessage": "Obrázok je príliš veľký. Maximálna veľkosť je 25 MB." }, "LongActions": { - "applyChangesTextText": "Loading data...", - "applyChangesTitleText": "Loading Data", - "confirmMoveCellRange": "The destination cells range can contain data. Continue the operation?", - "confirmPutMergeRange": "The source data contains merged cells.
          They will be unmerged before they are pasted into the table.", - "confirmReplaceFormulaInTable": "Formulas in the header row will be removed and converted to static text.
          Do you want to continue?", - "downloadTextText": "Downloading document...", - "downloadTitleText": "Downloading Document", - "loadFontsTextText": "Loading data...", - "loadFontsTitleText": "Loading Data", - "loadFontTextText": "Loading data...", - "loadFontTitleText": "Loading Data", - "loadImagesTextText": "Loading images...", - "loadImagesTitleText": "Loading Images", - "loadImageTextText": "Loading image...", - "loadImageTitleText": "Loading Image", - "loadingDocumentTextText": "Loading document...", - "loadingDocumentTitleText": "Loading document", - "notcriticalErrorTitle": "Warning", - "openTextText": "Opening document...", - "openTitleText": "Opening Document", - "printTextText": "Printing document...", - "printTitleText": "Printing Document", - "savePreparingText": "Preparing to save", - "savePreparingTitle": "Preparing to save. Please wait...", - "saveTextText": "Saving document...", - "saveTitleText": "Saving Document", - "textLoadingDocument": "Loading document", - "textNo": "No", - "textOk": "Ok", - "textYes": "Yes", - "txtEditingMode": "Set editing mode...", - "uploadImageTextText": "Uploading image...", - "uploadImageTitleText": "Uploading Image", - "waitText": "Please, wait...", - "advDRMPassword": "Password", - "textCancel": "Cancel", - "textErrorWrongPassword": "The password you supplied is not correct.", - "textUnlockRange": "Unlock Range", - "textUnlockRangeWarning": "A range you are trying to change is password protected." + "advDRMPassword": "Heslo", + "applyChangesTextText": "Načítavanie dát...", + "applyChangesTitleText": "Načítavanie dát", + "confirmMoveCellRange": "Rozsah cieľových buniek môže obsahovať údaje. Pokračovať v operácii?", + "confirmPutMergeRange": "Zdrojové údaje obsahujú zlúčené bunky.
          Pred vložením do tabuľky sa ich zlúčenie zruší.", + "confirmReplaceFormulaInTable": "Vzorce v riadku hlavičky budú odstránené a skonvertované na statický text.
          Chcete pokračovať?", + "downloadTextText": "Sťahovanie dokumentu...", + "downloadTitleText": "Sťahovanie dokumentu", + "loadFontsTextText": "Načítavanie dát...", + "loadFontsTitleText": "Načítavanie dát", + "loadFontTextText": "Načítavanie dát...", + "loadFontTitleText": "Načítavanie dát", + "loadImagesTextText": "Načítavanie obrázkov...", + "loadImagesTitleText": "Načítanie obrázkov", + "loadImageTextText": "Načítanie obrázku...", + "loadImageTitleText": "Načítavanie obrázku", + "loadingDocumentTextText": "Načítavanie dokumentu ...", + "loadingDocumentTitleText": "Načítavanie dokumentu", + "notcriticalErrorTitle": "Upozornenie", + "openTextText": "Otváranie dokumentu...", + "openTitleText": "Otváranie dokumentu", + "printTextText": "Tlač dokumentu...", + "printTitleText": "Tlač dokumentu", + "savePreparingText": "Príprava na uloženie", + "savePreparingTitle": "Príprava na uloženie. Prosím čakajte...", + "saveTextText": "Ukladanie dokumentu...", + "saveTitleText": "Ukladanie dokumentu", + "textCancel": "Zrušiť", + "textErrorWrongPassword": "Zadané heslo nie je správne.", + "textLoadingDocument": "Načítavanie dokumentu", + "textNo": "Nie", + "textOk": "OK", + "textUnlockRange": "Odomknúť rozsah", + "textUnlockRangeWarning": "Oblasť, ktorú sa pokúšate upraviť je zabezpečená heslom.", + "textYes": "Áno", + "txtEditingMode": "Nastaviť režim úprav...", + "uploadImageTextText": "Nahrávanie obrázku...", + "uploadImageTitleText": "Nahrávanie obrázku", + "waitText": "Prosím čakajte..." }, "Statusbar": { - "notcriticalErrorTitle": "Warning", - "textCancel": "Cancel", - "textDelete": "Delete", - "textDuplicate": "Duplicate", - "textErrNameExists": "Worksheet with this name already exists.", - "textErrNameWrongChar": "A sheet name cannot contains characters: \\, /, *, ?, [, ], :", - "textErrNotEmpty": "Sheet name must not be empty", - "textErrorLastSheet": "The workbook must have at least one visible worksheet.", - "textErrorRemoveSheet": "Can't delete the worksheet.", - "textHide": "Hide", - "textMore": "More", - "textRename": "Rename", - "textRenameSheet": "Rename Sheet", - "textSheet": "Sheet", - "textSheetName": "Sheet Name", - "textUnhide": "Unhide", - "textWarnDeleteSheet": "The worksheet maybe has data. Proceed operation?", - "textOk": "Ok", - "textMove": "Move", - "textMoveBack": "Move back", - "textMoveForward": "Move forward", - "textHidden": "Hidden", - "textMoveBefore": "Move before sheet", - "textMoveToEnd": "(Move to end)", + "notcriticalErrorTitle": "Upozornenie", + "textCancel": "Zrušiť", + "textDelete": "Odstrániť", + "textDuplicate": "Duplikát", + "textErrNameExists": "Pracovný hárok s týmto názvom už existuje.", + "textErrNameWrongChar": "Názov hárku nemôže obsahovať znaky: \\, /, *, ?, [,], :", + "textErrNotEmpty": "Názov listu nesmie byť prázdny", + "textErrorLastSheet": "Zošit musí mať aspoň jeden viditeľný pracovný hárok.", + "textErrorRemoveSheet": "Pracovný list sa nedá odstrániť.", + "textHidden": "Skrytý", + "textHide": "Skryť", + "textMore": "Viac", + "textMove": "Premiestniť", + "textMoveBefore": "Presunúť pred list", + "textMoveToEnd": "(Presunúť na koniec)", + "textOk": "OK", + "textRename": "Premenovať", + "textRenameSheet": "Premenovať list", + "textSheet": "List", + "textSheetName": "Názov listu", + "textUnhide": "Odkryť", + "textWarnDeleteSheet": "Pracovný hárok môže obsahovať údaje. Pokračovať v operácii?", "textTabColor": "Tab Color" }, "Toolbar": { - "dlgLeaveMsgText": "You have unsaved changes in this document. Click 'Stay on this Page' to wait for autosave. Click 'Leave this Page' to discard all the unsaved changes.", - "dlgLeaveTitleText": "You leave the application", - "leaveButtonText": "Leave this Page", - "stayButtonText": "Stay on this Page" + "dlgLeaveMsgText": "V tomto dokumente máte neuložené zmeny. Kliknite na „Zostať na tejto stránke“ a počkajte na automatické uloženie. Kliknutím na „Opustiť túto stránku“ zahodíte všetky neuložené zmeny.", + "dlgLeaveTitleText": "Opúšťate aplikáciu", + "leaveButtonText": "Opustiť túto stránku", + "stayButtonText": "Zostať na tejto stránke" }, "View": { "Add": { - "errorMaxRows": "ERROR! The maximum number of data series per chart is 255.", - "errorStockChart": "Incorrect row order. To build a stock chart, place the data on the sheet in the following order:
          opening price, max price, min price, closing price.", - "notcriticalErrorTitle": "Warning", - "sCatDateAndTime": "Date and time", - "sCatEngineering": "Engineering", - "sCatFinancial": "Financial", - "sCatInformation": "Information", - "sCatLogical": "Logical", - "sCatLookupAndReference": "Lookup and Reference", - "sCatMathematic": "Math and trigonometry", - "sCatStatistical": "Statistical", - "sCatTextAndData": "Text and data", - "textAddLink": "Add Link", - "textAddress": "Address", - "textBack": "Back", - "textCancel": "Cancel", - "textChart": "Chart", - "textComment": "Comment", - "textDisplay": "Display", - "textEmptyImgUrl": "You need to specify the image URL.", - "textExternalLink": "External Link", + "errorMaxRows": "CHYBA! Maximálny počet dátových radov na graf je 255.", + "errorStockChart": "Nesprávne poradie riadkov. Ak chcete zostaviť burzový graf, umiestnite údaje na hárok v nasledujúcom poradí:
          otváracia cena, maximálna cena, minimálna cena, záverečná cena.", + "notcriticalErrorTitle": "Upozornenie", + "sCatDateAndTime": "Dátum a čas", + "sCatEngineering": "Inžinierstvo", + "sCatFinancial": "Finančné", + "sCatInformation": "Informácia", + "sCatLogical": "Logické", + "sCatLookupAndReference": "Vyhľadávanie a referencie", + "sCatMathematic": "Matematika a trigonometria", + "sCatStatistical": "Štatistické", + "sCatTextAndData": "Text a dáta", + "textAddLink": "Pridať odkaz", + "textAddress": "Adresa", + "textBack": "Späť", + "textCancel": "Zrušiť", + "textChart": "Graf", + "textComment": "Komentár", + "textDisplay": "Zobraziť", + "textEmptyImgUrl": "Musíte zadať adresu URL obrázka.", + "textExternalLink": "Externý odkaz", "textFilter": "Filter", - "textFunction": "Function", - "textGroups": "CATEGORIES", - "textImage": "Image", - "textImageURL": "Image URL", - "textInsert": "Insert", - "textInsertImage": "Insert Image", - "textInternalDataRange": "Internal Data Range", - "textInvalidRange": "ERROR! Invalid cells range", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkType": "Link Type", - "textOther": "Other", - "textPictureFromLibrary": "Picture from library", - "textPictureFromURL": "Picture from URL", - "textRange": "Range", - "textRequired": "Required", - "textScreenTip": "Screen Tip", - "textShape": "Shape", - "textSheet": "Sheet", - "textSortAndFilter": "Sort and Filter", - "txtExpand": "Expand and sort", - "txtExpandSort": "The data next to the selection will not be sorted. Do you want to expand the selection to include the adjacent data or continue with sorting the currently selected cells only?", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "txtSorting": "Sorting", - "txtSortSelected": "Sort selected", - "textSelectedRange": "Selected Range", - "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", - "txtNo": "No", - "txtYes": "Yes", - "textOk": "Ok" + "textFunction": "Funkcia", + "textGroups": "Kategórie", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textInsert": "Vložiť", + "textInsertImage": "Vložiť obrázok", + "textInternalDataRange": "Interný rozsah údajov", + "textInvalidRange": "CHYBA! Neplatný rozsah buniek", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLinkType": "Typ odkazu", + "textOk": "OK", + "textOther": "Iné", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", + "textRange": "Rozsah", + "textRequired": "Nevyhnutné", + "textScreenTip": "Nápoveda", + "textSelectedRange": "Vybraný rozsah", + "textShape": "Tvar", + "textSheet": "List", + "textSortAndFilter": "Zoradiť a filtrovať", + "txtExpand": "Rozbaliť a zoradiť", + "txtExpandSort": "Údaje vedľa výberu nebudú zoradené. Chcete rozšíriť výber tak, aby zahŕňal priľahlé údaje, alebo pokračovať v triedení len vybraných buniek?", + "txtLockSort": "Blízko vášho výberu existujú dáta, nemáte však dostatočné oprávnenia k úprave týchto buniek.
          Chcete pokračovať s aktuálnym výberom? ", + "txtNo": "Nie", + "txtNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", + "txtSorting": "Zoraďovanie", + "txtSortSelected": "Zoradiť vybrané", + "txtYes": "Áno", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { - "notcriticalErrorTitle": "Warning", - "textAccounting": "Accounting", - "textActualSize": "Actual Size", - "textAddCustomColor": "Add Custom Color", - "textAddress": "Address", - "textAlign": "Align", - "textAlignBottom": "Align Bottom", - "textAlignCenter": "Align Center", - "textAlignLeft": "Align Left", - "textAlignMiddle": "Align Middle", - "textAlignRight": "Align Right", - "textAlignTop": "Align Top", - "textAllBorders": "All Borders", - "textAngleClockwise": "Angle Clockwise", - "textAngleCounterclockwise": "Angle Counterclockwise", - "textAuto": "Auto", - "textAxisCrosses": "Axis Crosses", - "textAxisOptions": "Axis Options", - "textAxisPosition": "Axis Position", - "textAxisTitle": "Axis Title", - "textBack": "Back", - "textBetweenTickMarks": "Between Tick Marks", - "textBillions": "Billions", - "textBorder": "Border", - "textBorderStyle": "Border Style", - "textBottom": "Bottom", - "textBottomBorder": "Bottom Border", - "textBringToForeground": "Bring to Foreground", - "textCell": "Cell", - "textCellStyles": "Cell Styles", - "textCenter": "Center", - "textChart": "Chart", - "textChartTitle": "Chart Title", - "textClearFilter": "Clear Filter", - "textColor": "Color", - "textCross": "Cross", - "textCrossesValue": "Crosses Value", - "textCurrency": "Currency", - "textCustomColor": "Custom Color", - "textDataLabels": "Data Labels", - "textDate": "Date", - "textDefault": "Selected range", - "textDeleteFilter": "Delete Filter", - "textDesign": "Design", - "textDiagonalDownBorder": "Diagonal Down Border", - "textDiagonalUpBorder": "Diagonal Up Border", - "textDisplay": "Display", - "textDisplayUnits": "Display Units", - "textDollar": "Dollar", - "textEditLink": "Edit Link", - "textEffects": "Effects", - "textEmptyImgUrl": "You need to specify the image URL.", - "textEmptyItem": "{Blanks}", - "textErrorMsg": "You must choose at least one value", - "textErrorTitle": "Warning", + "notcriticalErrorTitle": "Upozornenie", + "textAccounting": "Účtovníctvo", + "textActualSize": "Predvolená veľkosť", + "textAddCustomColor": "Pridať vlastnú farbu", + "textAddress": "Adresa", + "textAlign": "Zarovnať", + "textAlignBottom": "Zarovnať dole", + "textAlignCenter": "Zarovnať na stred", + "textAlignLeft": "Zarovnať doľava", + "textAlignMiddle": "Zarovnať na stred", + "textAlignRight": "Zarovnať doprava", + "textAlignTop": "Zarovnať nahor", + "textAllBorders": "Všetky orámovania", + "textAngleClockwise": "Otočiť v smere hodinových ručičiek", + "textAngleCounterclockwise": "Otočiť proti smeru hodinových ručičiek", + "textAuto": "Automaticky", + "textAutomatic": "Automaticky", + "textAxisCrosses": "Kríženie os", + "textAxisOptions": "Možnosti osi", + "textAxisPosition": "Umiestnenie osi", + "textAxisTitle": "Názov osi", + "textBack": "Späť", + "textBetweenTickMarks": "Medzi značkami rozsahu", + "textBillions": "Miliardy", + "textBorder": "Orámovanie", + "textBorderStyle": "Štýl orámovania", + "textBottom": "Dole", + "textBottomBorder": "Spodné orámovanie", + "textBringToForeground": "Premiestniť do popredia", + "textCell": "Bunka", + "textCellStyles": "Štýly bunky", + "textCenter": "Stred", + "textChart": "Graf", + "textChartTitle": "Názov grafu", + "textClearFilter": "Vyčistiť filter", + "textColor": "Farba", + "textCross": "Pretínať", + "textCrossesValue": "Prekračuje hodnotu", + "textCurrency": "Mena", + "textCustomColor": "Vlastná farba", + "textDataLabels": "Popisky dát", + "textDate": "Dátum", + "textDefault": "Vybraný rozsah", + "textDeleteFilter": "Vymazať filter", + "textDesign": "Dizajn/náčrt", + "textDiagonalDownBorder": "Orámovanie diagonálne nadol", + "textDiagonalUpBorder": "Orámovanie diagonálne nahor", + "textDisplay": "Zobraziť", + "textDisplayUnits": "Zobrazovacie jednotky", + "textDollar": "Dolár", + "textEditLink": "Upraviť odkaz", + "textEffects": "Efekty", + "textEmptyImgUrl": "Musíte zadať adresu URL obrázka.", + "textEmptyItem": "{Prázdne}", + "textErrorMsg": "Musíte vybrať aspoň jednu hodnotu", + "textErrorTitle": "Upozornenie", "textEuro": "Euro", - "textExternalLink": "External Link", - "textFill": "Fill", - "textFillColor": "Fill Color", - "textFilterOptions": "Filter Options", - "textFit": "Fit Width", - "textFonts": "Fonts", - "textFormat": "Format", - "textFraction": "Fraction", - "textFromLibrary": "Picture from Library", - "textFromURL": "Picture from URL", - "textGeneral": "General", - "textGridlines": "Gridlines", - "textHigh": "High", - "textHorizontal": "Horizontal", - "textHorizontalAxis": "Horizontal Axis", - "textHorizontalText": "Horizontal Text", + "textExternalLink": "Externý odkaz", + "textFill": "Vyplniť", + "textFillColor": "Farba výplne", + "textFilterOptions": "Predvoľby filtra", + "textFit": "Prispôsobiť šírku", + "textFonts": "Písma", + "textFormat": "Formát", + "textFraction": "Zlomok", + "textFromLibrary": "Obrázok z Knižnice", + "textFromURL": "Obrázok z URL adresy", + "textGeneral": "Všeobecné", + "textGridlines": "Mriežky", + "textHigh": "Vysoký", + "textHorizontal": "Vodorovný", + "textHorizontalAxis": "Vodorovná os", + "textHorizontalText": "Horizontálny Text", "textHundredMil": "100 000 000", - "textHundreds": "Hundreds", + "textHundreds": "Stovky", "textHundredThousands": "100 000", - "textHyperlink": "Hyperlink", - "textImage": "Image", - "textImageURL": "Image URL", - "textIn": "In", - "textInnerBottom": "Inner Bottom", - "textInnerTop": "Inner Top", - "textInsideBorders": "Inside Borders", - "textInsideHorizontalBorder": "Inside Horizontal Border", - "textInsideVerticalBorder": "Inside Vertical Border", - "textInteger": "Integer", - "textInternalDataRange": "Internal Data Range", - "textInvalidRange": "Invalid cells range", - "textJustified": "Justified", - "textLabelOptions": "Label Options", - "textLabelPosition": "Label Position", - "textLayout": "Layout", - "textLeft": "Left", - "textLeftBorder": "Left Border", - "textLeftOverlay": "Left Overlay", - "textLegend": "Legend", - "textLink": "Link", - "textLinkSettings": "Link Settings", - "textLinkType": "Link Type", - "textLow": "Low", - "textMajor": "Major", - "textMajorAndMinor": "Major And Minor", - "textMajorType": "Major Type", - "textMaximumValue": "Maximum Value", - "textMedium": "Medium", - "textMillions": "Millions", - "textMinimumValue": "Minimum Value", - "textMinor": "Minor", - "textMinorType": "Minor Type", - "textMoveBackward": "Move Backward", - "textMoveForward": "Move Forward", - "textNextToAxis": "Next to Axis", - "textNoBorder": "No Border", - "textNone": "None", - "textNoOverlay": "No Overlay", - "textNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "textNumber": "Number", - "textOnTickMarks": "On Tick Marks", - "textOpacity": "Opacity", - "textOut": "Out", - "textOuterTop": "Outer Top", - "textOutsideBorders": "Outside Borders", - "textOverlay": "Overlay", - "textPercentage": "Percentage", - "textPictureFromLibrary": "Picture from Library", - "textPictureFromURL": "Picture from URL", - "textPound": "Pound", + "textHyperlink": "Hypertextový odkaz", + "textImage": "Obrázok", + "textImageURL": "URL obrázka", + "textIn": "Dnu", + "textInnerBottom": "Vnútri dole", + "textInnerTop": "Vnútri hore", + "textInsideBorders": "Vnútorné orámovanie", + "textInsideHorizontalBorder": "Vnútorné horizontálne orámovanie", + "textInsideVerticalBorder": "Vnútorné vertikálne orámovanie", + "textInteger": "Celé číslo", + "textInternalDataRange": "Interný rozsah údajov", + "textInvalidRange": "Neplatný rozsah buniek", + "textJustified": "Odôvodnený", + "textLabelOptions": "Možnosti menoviek", + "textLabelPosition": "Umiestnenie menoviek", + "textLayout": "Rozloženie", + "textLeft": "Vľavo", + "textLeftBorder": "Ľavé orámovanie", + "textLeftOverlay": "Ľavé prekrytie", + "textLegend": "Legenda", + "textLink": "Odkaz", + "textLinkSettings": "Nastavenia odkazu", + "textLinkType": "Typ odkazu", + "textLow": "Nízky", + "textMajor": "Hlavný", + "textMajorAndMinor": "Hlavný a vedľajší", + "textMajorType": "Hlavná značka", + "textMaximumValue": "Maximálna hodnota", + "textMedium": "Stredný", + "textMillions": "Milióny", + "textMinimumValue": "Minimálna hodnota", + "textMinor": "Vedľajší", + "textMinorType": "Vedľajšia značka", + "textMoveBackward": "Posunúť späť", + "textMoveForward": "Posunúť vpred", + "textNextToAxis": "Vedľa osi", + "textNoBorder": "Bez orámovania", + "textNone": "Žiadne", + "textNoOverlay": "Žiadne prekrytie", + "textNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", + "textNumber": "Číslo", + "textOk": "OK", + "textOnTickMarks": "Na značkách", + "textOpacity": "Priehľadnosť", + "textOut": "Von", + "textOuterTop": "Mimo hore", + "textOutsideBorders": "Vonkajšie orámovanie", + "textOverlay": "Prekrytie", + "textPercentage": "Percentuálny podiel", + "textPictureFromLibrary": "Obrázok z Knižnice", + "textPictureFromURL": "Obrázok z URL adresy", + "textPound": "Libra (britská mena)", "textPt": "pt", - "textRange": "Range", - "textRemoveChart": "Remove Chart", - "textRemoveImage": "Remove Image", - "textRemoveLink": "Remove Link", - "textRemoveShape": "Remove Shape", - "textReorder": "Reorder", - "textReplace": "Replace", - "textReplaceImage": "Replace Image", - "textRequired": "Required", - "textRight": "Right", - "textRightBorder": "Right Border", - "textRightOverlay": "Right Overlay", - "textRotated": "Rotated", - "textRotateTextDown": "Rotate Text Down", - "textRotateTextUp": "Rotate Text Up", - "textRouble": "Rouble", - "textScientific": "Scientific", - "textScreenTip": "Screen Tip", - "textSelectAll": "Select All", - "textSelectObjectToEdit": "Select object to edit", - "textSendToBackground": "Send to Background", - "textSettings": "Settings", - "textShape": "Shape", - "textSheet": "Sheet", - "textSize": "Size", - "textStyle": "Style", + "textRange": "Rozsah", + "textRemoveChart": "Odstrániť graf", + "textRemoveImage": "Odstrániť obrázok", + "textRemoveLink": "Odstrániť odkaz", + "textRemoveShape": "Odstrániť tvar", + "textReorder": "Znovu usporiadať/zmena poradia", + "textReplace": "Nahradiť", + "textReplaceImage": "Nahradiť obrázok", + "textRequired": "Nevyhnutné", + "textRight": "Vpravo", + "textRightBorder": "Pravé orámovanie", + "textRightOverlay": "Pravé prekrytie", + "textRotated": "Otočený", + "textRotateTextDown": "Otočiť text nadol", + "textRotateTextUp": "Otočiť text nahor", + "textRouble": "Rubeľ", + "textScientific": "Vedecký", + "textScreenTip": "Nápoveda", + "textSelectAll": "Vybrať všetko", + "textSelectObjectToEdit": "Vyberte objekt, ktorý chcete upraviť", + "textSendToBackground": "Presunúť do pozadia", + "textSettings": "Nastavenia", + "textShape": "Tvar", + "textSheet": "List", + "textSize": "Veľkosť", + "textStyle": "Štýl", "textTenMillions": "10 000 000", "textTenThousands": "10 000", "textText": "Text", - "textTextColor": "Text Color", - "textTextFormat": "Text Format", - "textTextOrientation": "Text Orientation", - "textThick": "Thick", - "textThin": "Thin", - "textThousands": "Thousands", - "textTickOptions": "Tick Options", - "textTime": "Time", - "textTop": "Top", - "textTopBorder": "Top Border", - "textTrillions": "Trillions", - "textType": "Type", - "textValue": "Value", - "textValuesInReverseOrder": "Values in Reverse Order", - "textVertical": "Vertical", - "textVerticalAxis": "Vertical Axis", - "textVerticalText": "Vertical Text", - "textWrapText": "Wrap Text", - "textYen": "Yen", - "txtNotUrl": "This field should be a URL in the format \"http://www.example.com\"", - "txtSortHigh2Low": "Sort Highest to Lowest", - "txtSortLow2High": "Sort Lowest to Highest", - "textAutomatic": "Automatic", - "textOk": "Ok" + "textTextColor": "Farba textu", + "textTextFormat": "Formát textu", + "textTextOrientation": "Orientácia textu", + "textThick": "Hrubý/tučný", + "textThin": "Tenký", + "textThousands": "Tisíce", + "textTickOptions": "Možnosti značiek", + "textTime": "Čas", + "textTop": "Hore", + "textTopBorder": "Horné orámovanie", + "textTrillions": "Bilióny", + "textType": "Typ", + "textValue": "Hodnota", + "textValuesInReverseOrder": "Hodnoty v opačnom poradí", + "textVertical": "Zvislý", + "textVerticalAxis": "Vertikálna os", + "textVerticalText": "Vertikálny text", + "textWrapText": "Obtekanie textu", + "textYen": "yen/menová jednotka Japonska", + "txtNotUrl": "Toto pole by malo byť vo formáte \"http://www.example.com\"", + "txtSortHigh2Low": "Zoradiť od najvyššieho po najnižšie", + "txtSortLow2High": "Zoradiť od najnižšieho po najvyššie" }, "Settings": { - "advCSVOptions": "Choose CSV options", - "advDRMEnterPassword": "Your password, please:", - "advDRMOptions": "Protected File", - "advDRMPassword": "Password", - "closeButtonText": "Close File", - "notcriticalErrorTitle": "Warning", - "textAbout": "About", - "textAddress": "Address", - "textApplication": "Application", - "textApplicationSettings": "Application Settings", - "textAuthor": "Author", - "textBack": "Back", - "textBottom": "Bottom", - "textByColumns": "By columns", - "textByRows": "By rows", - "textCancel": "Cancel", + "advCSVOptions": "Vybrať možnosti CSV", + "advDRMEnterPassword": "Vaše heslo:", + "advDRMOptions": "Chránený súbor", + "advDRMPassword": "Heslo", + "closeButtonText": "Zatvoriť súbor", + "notcriticalErrorTitle": "Upozornenie", + "textAbout": "O aplikácii", + "textAddress": "Adresa", + "textApplication": "Aplikácia", + "textApplicationSettings": "Nastavenia aplikácie", + "textAuthor": "Autor", + "textBack": "Späť", + "textBottom": "Dole", + "textByColumns": "Podľa stĺpcov", + "textByRows": "Podľa riadkov", + "textCancel": "Zrušiť", "textCentimeter": "Centimeter", - "textCollaboration": "Collaboration", - "textColorSchemes": "Color Schemes", - "textComment": "Comment", - "textCommentingDisplay": "Commenting Display", - "textComments": "Comments", - "textCreated": "Created", - "textCustomSize": "Custom Size", - "textDisableAll": "Disable All", - "textDisableAllMacrosWithNotification": "Disable all macros with a notification", - "textDisableAllMacrosWithoutNotification": "Disable all macros without a notification", - "textDone": "Done", - "textDownload": "Download", - "textDownloadAs": "Download As", + "textChooseCsvOptions": "Vybrať možnosti CSV", + "textChooseDelimeter": "Vyberte Oddeľovač", + "textChooseEncoding": "Vyberte kódovanie", + "textCollaboration": "Spolupráca", + "textColorSchemes": "Farebné schémy", + "textComment": "Komentár", + "textCommentingDisplay": "Zobrazenie komentárov", + "textComments": "Komentáre", + "textCreated": "Vytvorené", + "textCustomSize": "Vlastná veľkosť", + "textDarkTheme": "Tmavá téma", + "textDelimeter": "Oddeľovač", + "textDisableAll": "Vypnúť všetko", + "textDisableAllMacrosWithNotification": "Zablokovať všetky makrá s upozornením", + "textDisableAllMacrosWithoutNotification": "Zablokovať všetky makrá bez upozornenia", + "textDone": "Hotovo", + "textDownload": "Stiahnuť", + "textDownloadAs": "Stiahnuť ako", "textEmail": "Email", - "textEnableAll": "Enable All", - "textEnableAllMacrosWithoutNotification": "Enable all macros without a notification", - "textFind": "Find", - "textFindAndReplace": "Find and Replace", - "textFindAndReplaceAll": "Find and Replace All", - "textFormat": "Format", - "textFormulaLanguage": "Formula Language", - "textFormulas": "Formulas", - "textHelp": "Help", - "textHideGridlines": "Hide Gridlines", - "textHideHeadings": "Hide Headings", - "textHighlightRes": "Highlight results", - "textInch": "Inch", - "textLandscape": "Landscape", - "textLastModified": "Last Modified", - "textLastModifiedBy": "Last Modified By", - "textLeft": "Left", - "textLocation": "Location", - "textLookIn": "Look In", - "textMacrosSettings": "Macros Settings", - "textMargins": "Margins", - "textMatchCase": "Match Case", - "textMatchCell": "Match Cell", - "textNoTextFound": "Text not found", - "textOpenFile": "Enter a password to open the file", - "textOrientation": "Orientation", - "textOwner": "Owner", - "textPoint": "Point", - "textPortrait": "Portrait", - "textPoweredBy": "Powered By", - "textPrint": "Print", - "textR1C1Style": "R1C1 Reference Style", - "textRegionalSettings": "Regional Settings", - "textReplace": "Replace", - "textReplaceAll": "Replace All", - "textResolvedComments": "Resolved Comments", - "textRight": "Right", - "textSearch": "Search", - "textSearchBy": "Search", - "textSearchIn": "Search In", - "textSettings": "Settings", - "textSheet": "Sheet", - "textShowNotification": "Show Notification", - "textSpreadsheetFormats": "Spreadsheet Formats", - "textSpreadsheetInfo": "Spreadsheet Info", - "textSpreadsheetSettings": "Spreadsheet Settings", - "textSpreadsheetTitle": "Spreadsheet Title", - "textSubject": "Subject", + "textEnableAll": "Povoliť všetko", + "textEnableAllMacrosWithoutNotification": "Povoliť všetky makrá bez oznámenia", + "textEncoding": "Kódovanie", + "textExample": "Ukážka", + "textFind": "Nájsť", + "textFindAndReplace": "Nájsť a nahradiť", + "textFindAndReplaceAll": "Hľadať a nahradiť všetko", + "textFormat": "Formát", + "textFormulaLanguage": "Jazyk vzorcov", + "textFormulas": "Vzorce", + "textHelp": "Pomoc", + "textHideGridlines": "Skryť mriežku", + "textHideHeadings": "Skryť záhlavia", + "textHighlightRes": "Zvýrazniť výsledky", + "textInch": "Palec (miera 2,54 cm)", + "textLandscape": "Na šírku", + "textLastModified": "Naposledy upravené", + "textLastModifiedBy": "Naposledy upravil(a) ", + "textLeft": "Vľavo", + "textLocation": "Umiestnenie", + "textLookIn": "Hľadať v", + "textMacrosSettings": "Nastavenia makier", + "textMargins": "Okraje", + "textMatchCase": "Zhodný prípad", + "textMatchCell": "Prispôsobiť bunku", + "textNoTextFound": "Text nebol nájdený", + "textOk": "OK", + "textOpenFile": "Zadajte heslo na otvorenie súboru", + "textOrientation": "Orientácia", + "textOwner": "Majiteľ", + "textPoint": "Bod", + "textPortrait": "Na výšku", + "textPoweredBy": "Poháňaný ", + "textPrint": "Tlačiť", + "textR1C1Style": "Štýl referencie R1C1", + "textRegionalSettings": "Miestne nastavenia", + "textReplace": "Nahradiť", + "textReplaceAll": "Nahradiť všetko", + "textResolvedComments": "Vyriešené komentáre", + "textRight": "Vpravo", + "textSearch": "Hľadať", + "textSearchBy": "Hľadať", + "textSearchIn": "Hľadať v", + "textSettings": "Nastavenia", + "textSheet": "List", + "textShowNotification": "Ukázať oznámenie", + "textSpreadsheetFormats": "Formáty zošita", + "textSpreadsheetInfo": "Informácie tabuľky", + "textSpreadsheetSettings": "Nastavenie listu", + "textSpreadsheetTitle": "Názov zošitu", + "textSubject": "Predmet", "textTel": "Tel", - "textTitle": "Title", - "textTop": "Top", - "textUnitOfMeasurement": "Unit Of Measurement", - "textUploaded": "Uploaded", - "textValues": "Values", - "textVersion": "Version", - "textWorkbook": "Workbook", - "txtDelimiter": "Delimiter", - "txtEncoding": "Encoding", - "txtIncorrectPwd": "Password is incorrect", - "txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", - "txtScheme1": "Office", - "txtScheme10": "Median", + "textTitle": "Názov", + "textTop": "Hore", + "textUnitOfMeasurement": "Jednotka merania", + "textUploaded": "Nahratý", + "textValues": "Hodnoty", + "textVersion": "Verzia", + "textWorkbook": "Zošit", + "txtColon": "Dvojbodka ", + "txtComma": "Čiarka", + "txtDelimiter": "Oddeľovač", + "txtDownloadCsv": "Stiahnuť SCV", + "txtEncoding": "Kódovanie", + "txtIncorrectPwd": "Heslo je chybné ", + "txtOk": "OK", + "txtProtected": "Akonáhle vložíte heslo a otvoríte súbor, terajšie heslo sa zresetuje.", + "txtScheme1": "Kancelária", + "txtScheme10": "Medián", "txtScheme11": "Metro", - "txtScheme12": "Module", - "txtScheme13": "Opulent", - "txtScheme14": "Oriel", - "txtScheme15": "Origin", - "txtScheme16": "Paper", - "txtScheme17": "Solstice", - "txtScheme18": "Technic", - "txtScheme19": "Trek", - "txtScheme2": "Grayscale", - "txtScheme20": "Urban", - "txtScheme21": "Verve", - "txtScheme22": "New Office", - "txtScheme3": "Apex", - "txtScheme4": "Aspect", - "txtScheme5": "Civic", - "txtScheme6": "Concourse", - "txtScheme7": "Equity", - "txtScheme8": "Flow", - "txtScheme9": "Foundry", - "txtSpace": "Space", - "txtTab": "Tab", - "warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
          Are you sure you want to continue?", - "textOk": "Ok", - "textChooseCsvOptions": "Choose CSV Options", - "textChooseDelimeter": "Choose Delimeter", - "textChooseEncoding": "Choose Encoding", - "textDelimeter": "Delimiter", - "textEncoding": "Encoding", - "txtColon": "Colon", - "txtComma": "Comma", - "txtDownloadCsv": "Download CSV", - "txtOk": "Ok", - "txtSemicolon": "Semicolon", - "textExample": "Example", - "textDarkTheme": "Dark Theme", + "txtScheme12": "Modul", + "txtScheme13": "Opulentný", + "txtScheme14": "Výklenok", + "txtScheme15": "Pôvod", + "txtScheme16": "Papier", + "txtScheme17": "Slnovrat", + "txtScheme18": "Technika", + "txtScheme19": "Cestovanie", + "txtScheme2": "Odtiene sivej", + "txtScheme20": "Mestský", + "txtScheme21": "Elán", + "txtScheme22": "Nová kancelária", + "txtScheme3": "Vrchol", + "txtScheme4": "Aspekt", + "txtScheme5": "Občiansky", + "txtScheme6": "Hala", + "txtScheme7": "Spravodlivosť", + "txtScheme8": "Tok", + "txtScheme9": "Zlieváreň", + "txtSemicolon": "Bodkočiarka", + "txtSpace": "Priestor", + "txtTab": "Tabulátor", + "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ť?", "textFeedback": "Feedback & Support" } } diff --git a/apps/spreadsheeteditor/mobile/locale/sl.json b/apps/spreadsheeteditor/mobile/locale/sl.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/sl.json +++ b/apps/spreadsheeteditor/mobile/locale/sl.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/tr.json b/apps/spreadsheeteditor/mobile/locale/tr.json index 9222fe53a..a6cfc960b 100644 --- a/apps/spreadsheeteditor/mobile/locale/tr.json +++ b/apps/spreadsheeteditor/mobile/locale/tr.json @@ -160,7 +160,8 @@ "warnNoLicense": "%1 düzenleyiciye eşzamanlı bağlantı sınırına ulaştınız. Bu belge yalnızca görüntüleme için açılacaktır. Kişisel yükseltme koşulları için %1 satış ekibiyle iletişime geçin.", "warnNoLicenseUsers": "%1 düzenleyici için kullanıcı sınırına ulaştınız. Kişisel yükseltme koşulları için %1 satış ekibiyle iletişime geçin.", "warnProcessRightsChange": "Dosyayı düzenleme izniniz yok.", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -361,7 +362,12 @@ "txtNotUrl": "Bu alan, \"http://www.example.com\" biçiminde bir URL olmalıdır.", "txtSorting": "Sıralama", "txtSortSelected": "Seçili olanları sırala", - "txtYes": "Evet" + "txtYes": "Evet", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textThisRowHint": "Choose only this row of the specified column", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Uyarı", diff --git a/apps/spreadsheeteditor/mobile/locale/uk.json b/apps/spreadsheeteditor/mobile/locale/uk.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/uk.json +++ b/apps/spreadsheeteditor/mobile/locale/uk.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/vi.json b/apps/spreadsheeteditor/mobile/locale/vi.json index ba281b896..47b59e13d 100644 --- a/apps/spreadsheeteditor/mobile/locale/vi.json +++ b/apps/spreadsheeteditor/mobile/locale/vi.json @@ -160,7 +160,8 @@ "textReplaceSuccess": "The search has been done. Occurrences replaced: {0}", "textReplaceSkipped": "The replacement has been made. {0} occurrences were skipped.", "textNoTextFound": "Text not found", - "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required." + "errorOpensource": "Using the free Community version, you can open documents for viewing only. To access mobile web editors, a commercial license is required.", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -363,7 +364,12 @@ "txtLockSort": "Data is found next to your selection, but you do not have sufficient permissions to change those cells.
          Do you wish to continue with the current selection?", "txtNo": "No", "txtYes": "Yes", - "textOk": "Ok" + "textOk": "Ok", + "textThisRowHint": "Choose only this row of the specified column", + "textAllTableHint": "Returns the entire contents of the table or specified table columns including column headers, data and total rows", + "textDataTableHint": "Returns the data cells of the table or specified table columns", + "textHeadersTableHint": "Returns the column headers for the table or specified table columns", + "textTotalsTableHint": "Returns the total rows for the table or specified table columns" }, "Edit": { "notcriticalErrorTitle": "Warning", diff --git a/apps/spreadsheeteditor/mobile/locale/zh-TW.json b/apps/spreadsheeteditor/mobile/locale/zh-TW.json new file mode 100644 index 000000000..671b26601 --- /dev/null +++ b/apps/spreadsheeteditor/mobile/locale/zh-TW.json @@ -0,0 +1,687 @@ +{ + "About": { + "textAbout": "關於", + "textAddress": "地址", + "textBack": "返回", + "textEmail": "電子郵件", + "textPoweredBy": "於支援", + "textTel": "電話", + "textVersion": "版本" + }, + "Common": { + "Collaboration": { + "notcriticalErrorTitle": "警告", + "textAddComment": "新增註解", + "textAddReply": "加入回覆", + "textBack": "返回", + "textCancel": "取消", + "textCollaboration": "協作", + "textComments": "評論", + "textDeleteComment": "刪除評論", + "textDeleteReply": "刪除回覆", + "textDone": "已完成", + "textEdit": "編輯", + "textEditComment": "編輯評論", + "textEditReply": "編輯回覆", + "textEditUser": "正在編輯文件的用戶:", + "textMessageDeleteComment": "確定要刪除評論嗎?", + "textMessageDeleteReply": "確定要刪除回覆嗎?", + "textNoComments": "此文件未包含回應訊息", + "textOk": "確定", + "textReopen": "重開", + "textResolve": "解決", + "textTryUndoRedo": "在快速共同編輯模式下,撤消/重做功能被禁用。", + "textUsers": "使用者" + }, + "ThemeColorPalette": { + "textCustomColors": "自訂顏色", + "textStandartColors": "標準顏色", + "textThemeColors": "主題顏色" + } + }, + "ContextMenu": { + "errorCopyCutPaste": "使用右鍵選單動作的複製、剪下和貼上的動作將只在目前的檔案中執行。", + "errorInvalidLink": "連結引用不存在。請更正連結或將其刪除。", + "menuAddComment": "新增註解", + "menuAddLink": "新增連結", + "menuCancel": "取消", + "menuCell": "單元格", + "menuDelete": "刪除", + "menuEdit": "編輯", + "menuFreezePanes": "凍結窗格", + "menuHide": "隱藏", + "menuMerge": "合併", + "menuMore": "更多", + "menuOpenLink": "打開連結", + "menuShow": "顯示", + "menuUnfreezePanes": "取消凍結窗格", + "menuUnmerge": "取消合併", + "menuUnwrap": "攤開", + "menuViewComment": "查看評論", + "menuWrap": "包覆", + "notcriticalErrorTitle": "警告", + "textCopyCutPasteActions": "複製, 剪下, 與貼上之動作", + "textDoNotShowAgain": "不再顯示", + "warnMergeLostData": "只有左上角單元格中的數據會保留。
          繼續嗎?" + }, + "Controller": { + "Main": { + "criticalErrorTitle": "錯誤", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
          請聯繫您的管理員。", + "errorOpensource": "在使用免費社群版本時,您只能瀏覽開啟的文件。欲使用移動版本的編輯功能,您需要付費的憑證。", + "errorProcessSaveResult": "保存失敗。", + "errorServerVersion": "編輯器版本已更新。該頁面將被重新加載以應用更改。", + "errorUpdateVersion": "文件版本已更改。該頁面將重新加載。", + "leavePageText": "您在此文件中有未儲存的變更。點擊\"留在此頁面\"以等待自動儲存。點擊\"離開此頁面\"以放棄所有未儲存的變更。", + "notcriticalErrorTitle": "警告", + "SDK": { + "txtAccent": "強調", + "txtAll": "(所有)", + "txtArt": "在這輸入文字", + "txtBlank": "(空白)", + "txtByField": "第%1個,共%2個", + "txtClearFilter": "清除過濾器(Alt + C)", + "txtColLbls": "列標籤", + "txtColumn": "欄", + "txtConfidential": "機密", + "txtDate": "日期", + "txtDays": "日", + "txtDiagramTitle": "圖表標題", + "txtFile": "檔案", + "txtGrandTotal": "累計", + "txtGroup": "群組", + "txtHours": "小時", + "txtMinutes": "分鐘", + "txtMonths": "月", + "txtMultiSelect": "多選(Alt + S)", + "txtOr": "1%或2%", + "txtPage": "頁面", + "txtPageOf": "第%1頁,共%2頁", + "txtPages": "頁", + "txtPreparedBy": "編制", + "txtPrintArea": "列印區域", + "txtQuarter": "季度", + "txtQuarters": "季度", + "txtRow": "行", + "txtRowLbls": "行標籤", + "txtSeconds": "秒數", + "txtSeries": "系列", + "txtStyle_Bad": "壞", + "txtStyle_Calculation": "計算", + "txtStyle_Check_Cell": "檢查單元格", + "txtStyle_Comma": "逗號", + "txtStyle_Currency": "貨幣", + "txtStyle_Explanatory_Text": "解釋性文字", + "txtStyle_Good": "好", + "txtStyle_Heading_1": "標題 1", + "txtStyle_Heading_2": "標題 2", + "txtStyle_Heading_3": "標題 3", + "txtStyle_Heading_4": "標題 4", + "txtStyle_Input": "輸入", + "txtStyle_Linked_Cell": "已連接的單元格", + "txtStyle_Neutral": "中立", + "txtStyle_Normal": "標準", + "txtStyle_Note": "備註", + "txtStyle_Output": "輸出量", + "txtStyle_Percent": "百分", + "txtStyle_Title": "標題", + "txtStyle_Total": "總計", + "txtStyle_Warning_Text": "警告文字", + "txtTab": "標籤", + "txtTable": "表格", + "txtTime": "時間", + "txtValues": "值", + "txtXAxis": "X軸", + "txtYAxis": "Y軸", + "txtYears": "年" + }, + "textAnonymous": "匿名", + "textBuyNow": "訪問網站", + "textClose": "關閉", + "textContactUs": "聯絡銷售人員", + "textCustomLoader": "很抱歉,您無權變更載入程序。 請聯繫我們的業務部門取得報價。", + "textGuest": "來賓", + "textHasMacros": "此檔案包含自動巨集程式。
          是否要運行這些巨集?", + "textNo": "沒有", + "textNoChoices": "無法選擇要填充單元格的內容。
          只能選擇列中的文本值進行替換。", + "textNoLicenseTitle": "達到許可限制", + "textNoTextFound": "找不到文字", + "textOk": "確定", + "textPaidFeature": "付費功能", + "textRemember": "記住我的選擇", + "textReplaceSkipped": "替換已完成。 {0}個事件被跳過。", + "textReplaceSuccess": "搜索已完成。發生的事件已替換:{0}", + "textYes": "是", + "titleServerVersion": "編輯器已更新", + "titleUpdateVersion": "版本已更改", + "warnLicenseExceeded": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。請聯繫您的管理員以了解更多資訊。", + "warnLicenseLimitedNoAccess": "憑證已過期。您無法使用文件編輯功能。請聯絡您的帳號管理員", + "warnLicenseLimitedRenewed": "憑證需要續約。您目前只有文件編輯的部份功能。
          欲使用完整功能,請聯絡您的帳號管理員。", + "warnLicenseUsersExceeded": "您已達到 %1 個編輯器的使用者限制。請聯繫您的管理員以了解更多資訊。", + "warnNoLicense": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。有關個人升級條款,請聯繫 %1 業務團隊。", + "warnNoLicenseUsers": "您已達到%1個編輯器的用戶限制。與%1銷售團隊聯繫以了解個人升級條款。", + "warnProcessRightsChange": "您沒有編輯此文件的權限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" + } + }, + "Error": { + "convertationTimeoutText": "轉換逾時。", + "criticalErrorExtText": "點擊\"好\"回到文件列表。", + "criticalErrorTitle": "錯誤", + "downloadErrorText": "下載失敗", + "errorAccessDeny": "您正在嘗試執行您無權執行的動作。
          請聯繫您的管理員。", + "errorArgsRange": "公式中有錯誤。
          不正確的引數範圍。", + "errorAutoFilterChange": "不允許該動作,因為它試圖移動您的工作表上表格中的儲存格。", + "errorAutoFilterChangeFormatTable": "無法對所選儲存格執行該動作,因為無法移動表格的一部分。
          請選擇另一個資料範圍以便移動整個表格並重試。", + "errorAutoFilterDataRange": "無法對選定的儲存格區域執行該動作。
          請選擇工作表內部或外部的統一資料範圍並重試。", + "errorAutoFilterHiddenRange": "無法執行該動作,因為該區域包含過濾的儲存格。
          請取消隱藏過濾的元素並重試。", + "errorBadImageUrl": "不正確的圖像 URL", + "errorCannotUseCommandProtectedSheet": "您無法在受保護的工作表使用這個指令,若要使用這個指令,請取消保護該工作表。
          您可能需要輸入密碼。", + "errorChangeArray": "您不能更改數組的一部分。", + "errorChangeOnProtectedSheet": "您嘗試變更的儲存格或圖表位於受保護的工作表上。 要進行變更,請取消工作表的保護。您將可能會被要求您輸入密碼。", + "errorConnectToServer": "您已達到同時連接到 %1 編輯器的限制。此文件將只提供檢視。請聯繫您的管理員以了解更多資訊。", + "errorCopyMultiselectArea": "此命令不能用於多個選擇。
          選擇單個範圍,然後重試。", + "errorCountArg": "公式中有錯誤。
          無效的引數數字。", + "errorCountArgExceed": "公式中有錯誤。
          超過最大的引數數字。", + "errorCreateDefName": "由於其中一些正在被編輯,因此目前無法編輯現有命名範圍,也無法創建新的命名範圍。", + "errorDatabaseConnection": "外部錯誤
          資料庫連結錯誤, 請聯絡技術支援。", + "errorDataEncrypted": "已收到加密的更改,無法解密。", + "errorDataRange": "不正確的資料範圍", + "errorDataValidate": "您輸入的值無效。
          用戶具有可以在此單元格中輸入的限制值。", + "errorDefaultMessage": "錯誤編號:%1", + "errorEditingDownloadas": "處理文件檔時發生錯誤。
          請使用\"下載\"來儲存一份備份檔案到本機端。", + "errorFilePassProtect": "此文件使用密碼保護功能,無法開啟。", + "errorFileRequest": "外部錯誤。
          檔案請求。請聯絡支援。", + "errorFileSizeExceed": "檔案大小已超過了您的伺服器限制。
          請聯繫您的管理員了解詳情。", + "errorFileVKey": "外部錯誤。
          錯誤的安全金鑰。請聯絡支援。", + "errorFillRange": "無法填充所選的單元格範圍。
          所有合併的單元格必須具有相同的大小。", + "errorFormulaName": "公式中有錯誤。
          錯誤的公式名稱。", + "errorFormulaParsing": "公式分析時出現內部錯誤。", + "errorFrmlMaxLength": "您無法添加此公式,因為它的長度超過了允許的字符數。
          請編輯它,然後重試。", + "errorFrmlMaxReference": "您無法輸入此公式,因為它具有太多的值,
          單元格引用和/或名稱。", + "errorFrmlMaxTextLength": "在公式中的文字數值有255字元的限制。
          使用 CONCATENATE 函數或序連運算子(&)", + "errorFrmlWrongReferences": "該函數引用了一個不存在的工作表。
          請檢查內容並重試。", + "errorInvalidRef": "輸入正確的選擇名稱或有效參考。", + "errorKeyEncrypt": "未知密鑰描述符", + "errorKeyExpire": "密鑰描述符已過期", + "errorLoadingFont": "字體未載入。
          請聯絡文件服務(Document Server)管理員。", + "errorLockedAll": "該工作表已被另一位用戶鎖定,因此無法完成該操作。", + "errorLockedCellPivot": "您不能在數據透視表中更改數據。", + "errorLockedWorksheetRename": "該工作表目前無法重命名,因為它正在被其他用戶重命名", + "errorMaxPoints": "每個圖表的最大串聯點數為4096。", + "errorMoveRange": "無法改變合併儲存格內的一部分", + "errorMultiCellFormula": "表中不允許使用多單元格數組公式。", + "errorOpenWarning": "文件中的一個公式長度超過了
          允許的字元數並已被移除。", + "errorOperandExpected": "輸入的函數語法不正確。請檢查您是否遺漏了任何括號之一 - '(' 或 ')'。", + "errorPasteMaxRange": "複製和貼上的區域不匹配。 請選擇一個相同大小的區域或點擊一行中的第一個儲存格以貼上已複製的儲存格。", + "errorPrintMaxPagesCount": "不幸的是,在目前版本的程式中一次不可列印超過 1500 頁。
          在即將發布的版本中將會取消此限制。", + "errorSessionAbsolute": "該文件編輯時效已欲期。請重新載入此頁面。", + "errorSessionIdle": "無 該文件已經有一段時間沒有進行編輯了。 請重新載入頁面。", + "errorSessionToken": "主機連線被中斷,請重新載入此頁面。", + "errorStockChart": "行序錯誤。要建立股票圖表,請將數據按照以下順序工作表:
          開盤價、最高價、最低價、收盤價。 ", + "errorUnexpectedGuid": "外部錯誤。
          未預期的導向。請聯絡支援。", + "errorUpdateVersionOnDisconnect": "網路連接已恢復,文件版本已更改。
          在繼續工作之前,您需要下載文件或複制其內容以確保沒有丟失,然後重新加載此頁面。", + "errorUserDrop": "目前無法存取該文件。", + "errorUsersExceed": "超出了定價計劃所允許的用戶數量", + "errorViewerDisconnect": "網路連線失敗。您可以繼續瀏覽這份文件,
          在連線恢復前以及頁面重新加載之前,您無法下載或列印此文件。", + "errorWrongBracketsCount": "公式中有錯誤。
          括號數字錯誤。", + "errorWrongOperator": "輸入的公式中有錯誤。使用了錯誤的運算符。
          請更正錯誤。", + "notcriticalErrorTitle": "警告", + "openErrorText": "開啟文件時發生錯誤", + "pastInMergeAreaError": "無法改變合併儲存格內的一部分", + "saveErrorText": "存檔時發生錯誤", + "scriptLoadError": "連線速度過慢,某些組件無法加載。 請重新載入頁面。", + "textErrorPasswordIsNotCorrect": "密碼錯誤。
          核實蓋帽封鎖鍵關閉並且是肯定使用正確資本化。", + "unknownErrorText": "未知錯誤。", + "uploadImageExtMessage": "圖片格式未知。", + "uploadImageFileCountMessage": "沒有上傳圖片。", + "uploadImageSizeMessage": "圖像超出最大大小限制。最大大小為25MB。" + }, + "LongActions": { + "advDRMPassword": "密碼", + "applyChangesTextText": "加載數據中...", + "applyChangesTitleText": "加載數據中", + "confirmMoveCellRange": "目標儲存格的範圍可以包含資料。繼續動作?", + "confirmPutMergeRange": "資料來源包含合併的單元格。
          它們在貼上到表格之前將被取消合併。", + "confirmReplaceFormulaInTable": "標題行中的公式將被刪除並轉換為靜態文本。
          是否繼續?", + "downloadTextText": "文件下載中...", + "downloadTitleText": "文件下載中", + "loadFontsTextText": "加載數據中...", + "loadFontsTitleText": "加載數據中", + "loadFontTextText": "加載數據中...", + "loadFontTitleText": "加載數據中", + "loadImagesTextText": "正在載入圖片...", + "loadImagesTitleText": "正在載入圖片", + "loadImageTextText": "正在載入圖片...", + "loadImageTitleText": "正在載入圖片", + "loadingDocumentTextText": "正在載入文件...", + "loadingDocumentTitleText": "載入文件", + "notcriticalErrorTitle": "警告", + "openTextText": "開啟文件中...", + "openTitleText": "開啟文件中", + "printTextText": "列印文件中...", + "printTitleText": "列印文件", + "savePreparingText": "準備保存", + "savePreparingTitle": "正在準備保存。請耐心等待...", + "saveTextText": "儲存文件...", + "saveTitleText": "儲存文件", + "textCancel": "取消", + "textErrorWrongPassword": "密碼錯誤", + "textLoadingDocument": "載入文件", + "textNo": "沒有", + "textOk": "確定", + "textUnlockRange": "範圍解鎖", + "textUnlockRangeWarning": "試圖改變的範圍受密碼保護。", + "textYes": "是", + "txtEditingMode": "設定編輯模式...", + "uploadImageTextText": "正在上傳圖片...", + "uploadImageTitleText": "上載圖片", + "waitText": "請耐心等待..." + }, + "Statusbar": { + "notcriticalErrorTitle": "警告", + "textCancel": "取消", + "textDelete": "刪除", + "textDuplicate": "重複複製", + "textErrNameExists": "具有此名稱的工作表已存在。", + "textErrNameWrongChar": "工作表名稱不能包含以下字符:\\,/,*,?,[,] 、:", + "textErrNotEmpty": "表格名稱不能為空", + "textErrorLastSheet": "工作簿必須至少有一個可見的工作表。", + "textErrorRemoveSheet": "無法刪除工作表。", + "textHidden": "隱長", + "textHide": "隱藏", + "textMore": "更多", + "textMove": "移動", + "textMoveBefore": "在工作表前移動", + "textMoveToEnd": "(移至結尾)", + "textOk": "確定", + "textRename": "重新命名", + "textRenameSheet": "重命名工作表", + "textSheet": "表格", + "textSheetName": "表格名稱", + "textUnhide": "取消隱藏", + "textWarnDeleteSheet": "工作表內可能有資料。 進行動作?", + "textTabColor": "Tab Color" + }, + "Toolbar": { + "dlgLeaveMsgText": "您在此文件中有未儲存的變更。點擊\"留在此頁面\"以等待自動儲存。點擊\"離開此頁面\"以放棄所有未儲存的變更。", + "dlgLeaveTitleText": "您離開應用程式。", + "leaveButtonText": "離開這個頁面", + "stayButtonText": "保持此頁上" + }, + "View": { + "Add": { + "errorMaxRows": "錯誤!每個圖表的最大數據系列數為255。", + "errorStockChart": "行序錯誤。要建立股票圖表,請將數據按照以下順序工作表:
          開盤價、最高價、最低價、收盤價。 ", + "notcriticalErrorTitle": "警告", + "sCatDateAndTime": "日期和時間", + "sCatEngineering": "工程", + "sCatFinancial": "金融", + "sCatInformation": "資訊", + "sCatLogical": "合邏輯", + "sCatLookupAndReference": "查找和參考", + "sCatMathematic": "數學和三角學", + "sCatStatistical": "統計", + "sCatTextAndData": "文字和數據", + "textAddLink": "新增連結", + "textAddress": "地址", + "textAllTableHint": "回傳表格或指定表格列的全部內容包括列標題,資料和總行術", + "textBack": "返回", + "textCancel": "取消", + "textChart": "圖表", + "textComment": "評論", + "textDataTableHint": "回傳表格儲存格,或指定的表格儲存格", + "textDisplay": "顯示", + "textEmptyImgUrl": "您需要指定影像的 URL。", + "textExternalLink": "外部連結", + "textFilter": "篩選條件", + "textFunction": "功能", + "textGroups": "分類", + "textHeadersTableHint": "回傳表格列標題,或指定的表格列標題", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textInsert": "插入", + "textInsertImage": "插入圖片", + "textInternalDataRange": "內部數據範圍", + "textInvalidRange": "錯誤!無效的單元格範圍", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLinkType": "鏈接類型", + "textOk": "確定", + "textOther": "其它", + "textPictureFromLibrary": "圖片來自圖書館", + "textPictureFromURL": "網址圖片", + "textRange": "範圍", + "textRequired": "需要", + "textScreenTip": "屏幕提示", + "textSelectedRange": "選擇範圍", + "textShape": "形狀", + "textSheet": "表格", + "textSortAndFilter": "排序和過濾", + "textThisRowHint": "在選定的列裡選擇這行", + "textTotalsTableHint": "回傳表格或指定表格列的總行數", + "txtExpand": "展開和排序", + "txtExpandSort": "選擇項旁邊的數據將不會排序。您是否要擴展選擇範圍以包括相鄰數據,還是僅對當前選定的單元格進行排序?", + "txtLockSort": "您選材的比鄰有數據,可您更改權限不足。
          是否繼續當前選材?", + "txtNo": "沒有", + "txtNotUrl": "此字段應為格式為\"http://www.example.com\"的URL。", + "txtSorting": "排序", + "txtSortSelected": "排序已選擇項目", + "txtYes": "是" + }, + "Edit": { + "notcriticalErrorTitle": "警告", + "textAccounting": "會計", + "textActualSize": "實際大小", + "textAddCustomColor": "新增客制化顏色", + "textAddress": "地址", + "textAlign": "對齊", + "textAlignBottom": "靠下對齊", + "textAlignCenter": "置中對齊", + "textAlignLeft": "靠左對齊", + "textAlignMiddle": "至中對齊", + "textAlignRight": "靠右對齊", + "textAlignTop": "靠上對齊", + "textAllBorders": "所有邊界", + "textAngleClockwise": "順時針旋轉角度", + "textAngleCounterclockwise": "逆時針旋轉角度", + "textAuto": "自動", + "textAutomatic": "自動", + "textAxisCrosses": "軸十字", + "textAxisOptions": "軸選項", + "textAxisPosition": "軸位置", + "textAxisTitle": "軸標題", + "textBack": "返回", + "textBetweenTickMarks": "勾線之間", + "textBillions": "十億", + "textBorder": "邊框", + "textBorderStyle": "邊框風格", + "textBottom": "底部", + "textBottomBorder": "底部邊框", + "textBringToForeground": "移到前景", + "textCell": "單元格", + "textCellStyles": "單元格樣式", + "textCenter": "中心", + "textChart": "圖表", + "textChartTitle": "圖表標題", + "textClearFilter": "清空篩選條件", + "textColor": "顏色", + "textCross": "交叉", + "textCrossesValue": "交叉值", + "textCurrency": "貨幣", + "textCustomColor": "自訂顏色", + "textDataLabels": "數據標籤", + "textDate": "日期", + "textDefault": "選擇範圍", + "textDeleteFilter": "刪除過濾器", + "textDesign": "設計", + "textDiagonalDownBorder": "對角向下邊界", + "textDiagonalUpBorder": "對角上邊界", + "textDisplay": "顯示", + "textDisplayUnits": "顯示單位", + "textDollar": "美元", + "textEditLink": "編輯連結", + "textEffects": "效果", + "textEmptyImgUrl": "您需要指定影像的 URL。", + "textEmptyItem": "{空白}", + "textErrorMsg": "您必須選擇至少一個值", + "textErrorTitle": "警告", + "textEuro": "歐元", + "textExternalLink": "外部連結", + "textFill": "填入", + "textFillColor": "填色", + "textFilterOptions": "過濾器選項", + "textFit": "適合寬度", + "textFonts": "字型", + "textFormat": "格式", + "textFraction": "分數", + "textFromLibrary": "圖片來自圖書館", + "textFromURL": "網址圖片", + "textGeneral": "一般", + "textGridlines": "網格線", + "textHigh": "高", + "textHorizontal": "水平的", + "textHorizontalAxis": "橫軸", + "textHorizontalText": "橫軸上的文字", + "textHundredMil": "100 000 000", + "textHundreds": "幾百個", + "textHundredThousands": "100 000", + "textHyperlink": "超連結", + "textImage": "圖像", + "textImageURL": "圖像 URL", + "textIn": "在", + "textInnerBottom": "內底", + "textInnerTop": "內頂", + "textInsideBorders": "內部邊界", + "textInsideHorizontalBorder": "內部水平邊框", + "textInsideVerticalBorder": "內部垂直邊框", + "textInteger": "整數", + "textInternalDataRange": "內部數據範圍", + "textInvalidRange": "無效的單元格範圍", + "textJustified": "合理的", + "textLabelOptions": "標籤選項", + "textLabelPosition": "標籤位置", + "textLayout": "佈局", + "textLeft": "左", + "textLeftBorder": "左邊框", + "textLeftOverlay": "左側覆蓋", + "textLegend": "傳說", + "textLink": "連結", + "textLinkSettings": "連結設定", + "textLinkType": "鏈接類型", + "textLow": "低", + "textMajor": "重大", + "textMajorAndMinor": "主要和次要", + "textMajorType": "主要類型", + "textMaximumValue": "最大值", + "textMedium": "中", + "textMillions": "百萬", + "textMinimumValue": "最低值", + "textMinor": "次要", + "textMinorType": "次要類", + "textMoveBackward": "向後移動", + "textMoveForward": "向前移動", + "textNextToAxis": "軸旁", + "textNoBorder": "無邊界", + "textNone": "無", + "textNoOverlay": "無覆蓋", + "textNotUrl": "此字段應為格式為\"http://www.example.com\"的URL。", + "textNumber": "數字", + "textOk": "確定", + "textOnTickMarks": "在勾標上", + "textOpacity": "透明度", + "textOut": "外", + "textOuterTop": "外上", + "textOutsideBorders": "境外", + "textOverlay": "覆蓋", + "textPercentage": "百分比", + "textPictureFromLibrary": "圖片來自圖書館", + "textPictureFromURL": "網址圖片", + "textPound": "英鎊", + "textPt": "pt", + "textRange": "範圍", + "textRemoveChart": "刪除圖表", + "textRemoveImage": "移除圖片", + "textRemoveLink": "刪除連結", + "textRemoveShape": "去除形狀", + "textReorder": "重新排序", + "textReplace": "取代", + "textReplaceImage": "替換圖片", + "textRequired": "需要", + "textRight": "右", + "textRightBorder": "右邊界", + "textRightOverlay": "右側覆蓋", + "textRotated": "已旋轉", + "textRotateTextDown": "向下旋轉文字", + "textRotateTextUp": "向上旋轉文字", + "textRouble": "盧布", + "textScientific": "科學的", + "textScreenTip": "屏幕提示", + "textSelectAll": "全選", + "textSelectObjectToEdit": "選擇要編輯的物件", + "textSendToBackground": "傳送到背景", + "textSettings": "設定", + "textShape": "形狀", + "textSheet": "表格", + "textSize": "大小", + "textStyle": "樣式", + "textTenMillions": "10 000 000", + "textTenThousands": "10 000", + "textText": "文字", + "textTextColor": "文字顏色", + "textTextFormat": "文字格式", + "textTextOrientation": "文字方向", + "textThick": "粗", + "textThin": "細", + "textThousands": "千", + "textTickOptions": "勾號選項", + "textTime": "時間", + "textTop": "上方", + "textTopBorder": "上邊框", + "textTrillions": "兆", + "textType": "類型", + "textValue": "值", + "textValuesInReverseOrder": "值倒序", + "textVertical": "垂直", + "textVerticalAxis": "垂直軸", + "textVerticalText": "垂直文字", + "textWrapText": "包覆文字", + "textYen": "日圓", + "txtNotUrl": "此字段應為格式為\"http://www.example.com\"的URL。", + "txtSortHigh2Low": "最高到最低排序", + "txtSortLow2High": "從最低到最高排序" + }, + "Settings": { + "advCSVOptions": "選擇CSV選項", + "advDRMEnterPassword": "請輸入您的密碼:", + "advDRMOptions": "受保護的文件", + "advDRMPassword": "密碼", + "closeButtonText": "關閉檔案", + "notcriticalErrorTitle": "警告", + "textAbout": "關於", + "textAddress": "地址", + "textApplication": "應用程式", + "textApplicationSettings": "應用程式設定", + "textAuthor": "作者", + "textBack": "返回", + "textBottom": "底部", + "textByColumns": "按列", + "textByRows": "按行", + "textCancel": "取消", + "textCentimeter": "公分", + "textChooseCsvOptions": "選擇CSV選項", + "textChooseDelimeter": "選擇分隔符號", + "textChooseEncoding": "選擇編碼方式", + "textCollaboration": "協作", + "textColorSchemes": "色盤", + "textComment": "評論", + "textCommentingDisplay": "評論顯示", + "textComments": "評論", + "textCreated": "已建立", + "textCustomSize": "自訂大小", + "textDarkTheme": "暗色主題", + "textDelimeter": "分隔符號", + "textDisableAll": "全部停用", + "textDisableAllMacrosWithNotification": "以提示停用全部巨集", + "textDisableAllMacrosWithoutNotification": "不用提示停用全部巨集", + "textDone": "已完成", + "textDownload": "下載", + "textDownloadAs": "下載成", + "textEmail": "電子郵件", + "textEnableAll": "全部啟用", + "textEnableAllMacrosWithoutNotification": "不用提示啟用全部巨集", + "textEncoding": "編碼", + "textExample": "例", + "textFind": "尋找", + "textFindAndReplace": "尋找與取代", + "textFindAndReplaceAll": "尋找與全部取代", + "textFormat": "格式", + "textFormulaLanguage": "公式語言", + "textFormulas": "公式", + "textHelp": "輔助說明", + "textHideGridlines": "隱藏網格線", + "textHideHeadings": "隱藏標題", + "textHighlightRes": "強調結果", + "textInch": "吋", + "textLandscape": "景觀", + "textLastModified": "上一次更改", + "textLastModifiedBy": "最後修改者", + "textLeft": "左", + "textLocation": "位置", + "textLookIn": "探望", + "textMacrosSettings": "巨集設定", + "textMargins": "邊界", + "textMatchCase": "相符", + "textMatchCell": "匹配單元", + "textNoTextFound": "找不到文字", + "textOk": "確定", + "textOpenFile": "輸入檔案密碼", + "textOrientation": "方向", + "textOwner": "擁有者", + "textPoint": "點", + "textPortrait": "肖像", + "textPoweredBy": "於支援", + "textPrint": "打印", + "textR1C1Style": "R1C1參考樣式", + "textRegionalSettings": "區域設置", + "textReplace": "取代", + "textReplaceAll": "全部替換", + "textResolvedComments": "已解決的評論", + "textRight": "右", + "textSearch": "搜尋", + "textSearchBy": "搜尋", + "textSearchIn": "搜尋", + "textSettings": "設定", + "textSheet": "表格", + "textShowNotification": "顯示通知", + "textSpreadsheetFormats": "電子表格格式", + "textSpreadsheetInfo": "試算表資訊", + "textSpreadsheetSettings": "試算表設定", + "textSpreadsheetTitle": "試算表標題", + "textSubject": "主旨", + "textTel": "電話", + "textTitle": "標題", + "textTop": "上方", + "textUnitOfMeasurement": "測量單位", + "textUploaded": "\n已上傳", + "textValues": "值", + "textVersion": "版本", + "textWorkbook": "工作簿", + "txtColon": "冒號", + "txtComma": "逗號", + "txtDelimiter": "分隔符號", + "txtDownloadCsv": "下載CSV", + "txtEncoding": "編碼", + "txtIncorrectPwd": "密碼錯誤", + "txtOk": "確定", + "txtProtected": "輸入密碼並打開文件後,該文件的當前密碼將被重置", + "txtScheme1": "辦公室", + "txtScheme10": "中位數", + "txtScheme11": " 地鐵", + "txtScheme12": "模組", + "txtScheme13": "豐富的", + "txtScheme14": "凸窗", + "txtScheme15": "起源", + "txtScheme16": "紙", + "txtScheme17": "冬至", + "txtScheme18": "技術", + "txtScheme19": "跋涉", + "txtScheme2": "灰階", + "txtScheme20": "市區", + "txtScheme21": "感染力", + "txtScheme22": "新的Office", + "txtScheme3": "頂尖", + "txtScheme4": "方面", + "txtScheme5": "思域", + "txtScheme6": "大堂", + "txtScheme7": "產權", + "txtScheme8": "流程", + "txtScheme9": "鑄造廠", + "txtSemicolon": "分號", + "txtSpace": "空間", + "txtTab": "標籤", + "warnDownloadAs": "如果繼續以這種格式保存,則除文本外的所有功能都將丟失。
          確定要繼續嗎?", + "textFeedback": "Feedback & Support" + } + } +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json index 6a509da22..3bfffc346 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.json @@ -79,7 +79,7 @@ "txtAll": "(全部)", "txtArt": "你的文本在此", "txtBlank": "(空白)", - "txtByField": "%2的%1 ", + "txtByField": "%1/%2", "txtClearFilter": "清除筛选器(Alt+C)", "txtColLbls": "列标签", "txtColumn": "列", @@ -120,7 +120,7 @@ "txtStyle_Input": "输入", "txtStyle_Linked_Cell": "关联的单元格", "txtStyle_Neutral": "中性", - "txtStyle_Normal": "正常", + "txtStyle_Normal": "常规", "txtStyle_Note": "附注", "txtStyle_Output": "输出", "txtStyle_Percent": "百分之", @@ -160,7 +160,8 @@ "warnLicenseUsersExceeded": "你触发了 %1 编辑器的同时在线数限制。可联系管理员来了解更多信息。", "warnNoLicense": "你已经触发了 %1 编辑器的同时在线数限制. 该文档打开后,你将只能查看。请联系 %1 的销售团队,获取个人升级条款。", "warnNoLicenseUsers": "你触发了 %1 编辑器的同时在线数限制。请与 %1 的销售团队联系,以获取个人升级条款。", - "warnProcessRightsChange": "你没有编辑文件的权限。" + "warnProcessRightsChange": "你没有编辑文件的权限。", + "textRequestMacros": "A macro makes a request to URL. Do you want to allow the request to the %1?" } }, "Error": { @@ -324,16 +325,19 @@ "sCatTextAndData": "文字和数据", "textAddLink": "添加链接", "textAddress": "地址", + "textAllTableHint": "返回表格或指定表格列的全部内容,包括列标题、数据和总行数", "textBack": "返回", "textCancel": "取消", "textChart": "图表", "textComment": "评论", + "textDataTableHint": "返回表格或指定表格列的数据单元格", "textDisplay": "展示", "textEmptyImgUrl": "你需要指定图片的网页。", "textExternalLink": "外部链接", "textFilter": "过滤", "textFunction": "功能", "textGroups": "分类", + "textHeadersTableHint": "返回表格或指定表格列的列头", "textImage": "图片", "textImageURL": "图片地址", "textInsert": "插入", @@ -354,6 +358,8 @@ "textShape": "形状", "textSheet": "表格", "textSortAndFilter": "排序和过滤", + "textThisRowHint": "仅选择指定列的这一行", + "textTotalsTableHint": "返回表格或指定表格列的总行数", "txtExpand": "展开和排序", "txtExpandSort": "选定区域旁的数据将不参加排序。您要扩展选定区域以包括相邻数据还是继续排序当前选定的单元格?", "txtLockSort": "在选定区域旁找到数据,但您没有足够的权限来更改那些单元格。
          是否以当前选定区域继续?", @@ -373,7 +379,7 @@ "textAlignBottom": "底部对齐", "textAlignCenter": "居中对齐", "textAlignLeft": "左对齐", - "textAlignMiddle": "居中对齐", + "textAlignMiddle": "垂直居中", "textAlignRight": "右对齐", "textAlignTop": "顶端对齐", "textAllBorders": "所有边框", diff --git a/apps/spreadsheeteditor/mobile/src/app.js b/apps/spreadsheeteditor/mobile/src/app.js index 923799f29..7763b36a8 100644 --- a/apps/spreadsheeteditor/mobile/src/app.js +++ b/apps/spreadsheeteditor/mobile/src/app.js @@ -15,10 +15,17 @@ window.jQuery = jQuery; window.$ = jQuery; // Import Framework7 Styles -import 'framework7/framework7-bundle.css'; + +const htmlElem = document.querySelector('html'); +const direction = LocalStorage.getItem('mode-direction'); + +direction === 'rtl' ? htmlElem.setAttribute('dir', 'rtl') : htmlElem.setAttribute('dir', 'ltr'); + +import(`framework7/framework7-bundle${direction === 'rtl' ? '-rtl' : ''}.css`); // Import App Custom Styles -import './less/app.less'; + +import('./less/app.less'); import '../../../../../sdkjs/cell/css/main-mobile.css' // Import App Component @@ -28,6 +35,7 @@ import i18n from './lib/i18n.js'; import { Provider } from 'mobx-react'; import { stores } from './store/mainStore'; +import { LocalStorage } from '../../../common/mobile/utils/LocalStorage'; // Init F7 React Plugin Framework7.use(Framework7React); diff --git a/apps/spreadsheeteditor/mobile/src/controller/CellEditor.jsx b/apps/spreadsheeteditor/mobile/src/controller/CellEditor.jsx index d78b7fa7d..4d3e89c39 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/CellEditor.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/CellEditor.jsx @@ -3,8 +3,10 @@ import React, { useEffect, useState } from 'react'; import CellEditorView from '../view/CellEditor'; import { f7 } from 'framework7-react'; import { Device } from '../../../../common/mobile/utils/device'; +import { useTranslation } from 'react-i18next'; +import {observer, inject} from "mobx-react"; -const CellEditor = props => { +const CellEditor = inject("storeFunctions")(observer(props => { useEffect(() => { Common.Notifications.on('engineCreated', api => { api.asc_registerCallback('asc_onSelectionNameChanged', onApiCellSelection.bind(this)); @@ -13,9 +15,11 @@ const CellEditor = props => { }); }, []); + const { t } = useTranslation(); const [cellName, setCellName] = useState(''); const [stateFunctions, setFunctionshDisabled] = useState(null); const [stateFuncArr, setFuncArr] = useState(''); + const [stateHintArr, setHintArr] = useState(''); const onApiCellSelection = info => { setCellName(typeof(info)=='string' ? info : info.asc_getName()); @@ -36,18 +40,74 @@ const CellEditor = props => { } const onFormulaCompleteMenu = funcArr => { - setFuncArr(funcArr); + const api = Common.EditorApi.get(); + const storeFunctions = props.storeFunctions; + const functions = storeFunctions.functions; if(funcArr) { + funcArr.sort(function (a, b) { + let atype = a.asc_getType(), + btype = b.asc_getType(); + if (atype===btype && (atype === Asc.c_oAscPopUpSelectorType.TableColumnName)) + return 0; + if (atype === Asc.c_oAscPopUpSelectorType.TableThisRow) return -1; + if (btype === Asc.c_oAscPopUpSelectorType.TableThisRow) return 1; + if ((atype === Asc.c_oAscPopUpSelectorType.TableColumnName || btype === Asc.c_oAscPopUpSelectorType.TableColumnName) && atype !== btype) + return atype === Asc.c_oAscPopUpSelectorType.TableColumnName ? -1 : 1; + let aname = a.asc_getName(true).toLocaleUpperCase(), + bname = b.asc_getName(true).toLocaleUpperCase(); + if (aname < bname) return -1; + if (aname > bname) return 1; + + return 0; + }); + + let hintArr = funcArr.map(item => { + let type = item.asc_getType(), + name = item.asc_getName(true), + origName = api.asc_getFormulaNameByLocale(name), + args = functions[origName]?.args || '', + caption = name, + descr = ''; + + switch (type) { + case Asc.c_oAscPopUpSelectorType.Func: + descr = functions && functions[origName] ? functions[origName].descr : ''; + break; + case Asc.c_oAscPopUpSelectorType.TableThisRow: + descr = t('View.Add.textThisRowHint'); + break; + case Asc.c_oAscPopUpSelectorType.TableAll: + descr = t('View.Add.textAllTableHint'); + break; + case Asc.c_oAscPopUpSelectorType.TableData: + descr = t('View.Add.textDataTableHint'); + break; + case Asc.c_oAscPopUpSelectorType.TableHeaders: + descr = t('View.Add.textHeadersTableHint'); + break; + case Asc.c_oAscPopUpSelectorType.TableTotals: + descr = t('View.Add.textTotalsTableHint'); + break; + } + + return {name, type, descr, caption, args}; + }); + + setHintArr(hintArr); + setFuncArr(funcArr); + f7.popover.open('#idx-functions-list', '#idx-list-target'); } else { f7.popover.close('#idx-functions-list'); + setFuncArr(''); } } const insertFormula = (name, type) => { const api = Common.EditorApi.get(); api.asc_insertInCell(name, type, false); + f7.popover.close('#idx-functions-list'); } return ( @@ -56,9 +116,10 @@ const CellEditor = props => { stateFunctions={stateFunctions} onClickToOpenAddOptions={props.onClickToOpenAddOptions} funcArr={stateFuncArr} + hintArr={stateHintArr} insertFormula={insertFormula} /> ) -}; +})); export default CellEditor; \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx b/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx index d21cff870..8deb76aa2 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/ContextMenu.jsx @@ -14,6 +14,7 @@ import EditorUIController from '../lib/patch'; canComments: stores.storeAppOptions.canComments, canViewComments: stores.storeAppOptions.canViewComments, canCoAuthoring: stores.storeAppOptions.canCoAuthoring, + isRestrictedEdit: stores.storeAppOptions.isRestrictedEdit, users: stores.users, isDisconnected: stores.users.isDisconnected, storeSheets: stores.sheets, @@ -215,12 +216,12 @@ class ContextMenu extends ContextMenuController { const { t } = this.props; const _t = t("ContextMenu", { returnObjects: true }); - const { isEdit, isDisconnected } = this.props; + const { isEdit, isRestrictedEdit, isDisconnected } = this.props; if (isEdit && EditorUIController.ContextMenu) { return EditorUIController.ContextMenu.mapMenuItems(this); } else { - const {canViewComments} = this.props; + const {canViewComments, canCoAuthoring, canComments} = this.props; const api = Common.EditorApi.get(); const cellinfo = api.asc_getCellInfo(); @@ -262,6 +263,13 @@ class ContextMenu extends ContextMenuController { event: 'viewcomment' }); } + + if (iscellmenu && !api.isCellEdited && isRestrictedEdit && canCoAuthoring && canComments && hasComments && hasComments.length<1) { + itemsText.push({ + caption: _t.menuAddComment, + event: 'addcomment' + }); + } } return itemsIcon.concat(itemsText); diff --git a/apps/spreadsheeteditor/mobile/src/controller/Encoding.jsx b/apps/spreadsheeteditor/mobile/src/controller/Encoding.jsx index 9052a5bb9..0220e9def 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Encoding.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Encoding.jsx @@ -8,11 +8,7 @@ class EncodingController extends Component { constructor(props) { super(props); - const { t } = this.props; - const _t = t("View.Settings", { returnObjects: true }); - this.valuesDelimeter = [4, 2, 3, 1, 5]; - this.namesDelimeter = [_t.txtComma, _t.txtSemicolon, _t.txtColon, _t.txtTab, _t.txtSpace]; this.onSaveFormat = this.onSaveFormat.bind(this); this.closeModal = this.closeModal.bind(this); this.state = { @@ -31,6 +27,9 @@ class EncodingController extends Component { } initEncoding(type, advOptions, mode, formatOptions) { + const { t } = this.props; + const _t = t("View.Settings", { returnObjects: true }); + if(type === Asc.c_oAscAdvancedOptionsID.CSV) { Common.Notifications.trigger('preloader:close'); Common.Notifications.trigger('preloader:endAction', Asc.c_oAscAsyncActionType['BlockInteraction'], -256, true); @@ -39,6 +38,7 @@ class EncodingController extends Component { this.advOptions = advOptions; this.formatOptions = formatOptions; this.encodeData = []; + this.namesDelimeter = [_t.txtComma, _t.txtSemicolon, _t.txtColon, _t.txtTab, _t.txtSpace]; const recommendedSettings = this.advOptions.asc_getRecommendedSettings(); diff --git a/apps/spreadsheeteditor/mobile/src/controller/Error.jsx b/apps/spreadsheeteditor/mobile/src/controller/Error.jsx index 1b991fc32..5a836adef 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Error.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Error.jsx @@ -222,6 +222,7 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu case Asc.c_oAscError.ID.DataValidate: errData && errData.asc_getErrorTitle() && (config.title = Common.Utils.String.htmlEncode(errData.asc_getErrorTitle())); + config.buttons = ['OK', 'Cancel']; config.msg = errData && errData.asc_getError() ? Common.Utils.String.htmlEncode(errData.asc_getError()) : _t.errorDataValidate; break; @@ -350,8 +351,9 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu Common.Gateway.reportWarning(id, config.msg); config.title = config.title || _t.notcriticalErrorTitle; - config.callback = (btn) => { - if (id == Asc.c_oAscError.ID.DataValidate) { + config.buttons = config.buttons || ['OK']; + config.callback = (_, btn) => { + if (id == Asc.c_oAscError.ID.DataValidate && btn.target.textContent !== 'OK') { api.asc_closeCellEditor(true); } storeAppOptions.changeEditingRights(false); @@ -362,12 +364,12 @@ const ErrorController = inject('storeAppOptions')(({storeAppOptions, LoadingDocu cssClass: 'error-dialog', title : config.title, text : config.msg, - buttons: [ + buttons: config.buttons.map( button => ( { - text: 'OK', - onClick: () => config.callback + text:button, + onClick: (_, btn) => config.callback(_, btn) } - ] + )) }).open(); Common.component.Analytics.trackEvent('Internal Error', id.toString()); diff --git a/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx b/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx index fb7e66519..933429efb 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/LongActions.jsx @@ -26,12 +26,17 @@ const LongActionsController = inject('storeAppOptions')(({storeAppOptions}) => { }; useEffect( () => { - Common.Notifications.on('engineCreated', (api) => { + const on_engine_created = api => { api.asc_registerCallback('asc_onStartAction', onLongActionBegin); api.asc_registerCallback('asc_onEndAction', onLongActionEnd); api.asc_registerCallback('asc_onOpenDocumentProgress', onOpenDocument); api.asc_registerCallback('asc_onConfirmAction', onConfirmAction); - }); + }; + + const api = Common.EditorApi.get(); + if(!api) Common.Notifications.on('engineCreated', on_engine_created); + else on_engine_created(api); + Common.Notifications.on('preloader:endAction', onLongActionEnd); Common.Notifications.on('preloader:beginAction', onLongActionBegin); Common.Notifications.on('preloader:close', closePreloader); @@ -45,6 +50,7 @@ const LongActionsController = inject('storeAppOptions')(({storeAppOptions}) => { api.asc_unregisterCallback('asc_onConfirmAction', onConfirmAction); } + Common.Notifications.off('engineCreated', on_engine_created); Common.Notifications.off('preloader:endAction', onLongActionEnd); Common.Notifications.off('preloader:beginAction', onLongActionBegin); Common.Notifications.off('preloader:close', closePreloader); diff --git a/apps/spreadsheeteditor/mobile/src/controller/Main.jsx b/apps/spreadsheeteditor/mobile/src/controller/Main.jsx index 2a7548f21..de031d0e1 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Main.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Main.jsx @@ -56,6 +56,7 @@ class MainController extends Component { 'DeleteRows', 'Sort', 'AutoFilter', 'PivotTables', 'Objects', 'Scenarios']; this.defaultTitleText = __APP_TITLE_TEXT__; + this.stackMacrosRequests = []; const { t } = this.props; this._t = t('Controller.Main', {returnObjects:true}); @@ -91,7 +92,8 @@ class MainController extends Component { }; const loadConfig = data => { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); EditorUIController.isSupportEditFeature(); @@ -137,6 +139,9 @@ class MainController extends Component { value = parseInt(value); } this.props.storeApplicationSettings.changeMacrosSettings(value); + + value = localStorage.getItem("sse-mobile-allow-macros-request"); + this.props.storeApplicationSettings.changeMacrosRequest((value !== null) ? parseInt(value) : 0); }; const loadDocument = data => { @@ -148,8 +153,8 @@ class MainController extends Component { if ( data.doc ) { this.permissions = Object.assign(this.permissions, data.doc.permissions); - let _permissions = Object.assign({}, data.doc.permissions), - _user = new Asc.asc_CUserInfo(); + const _options = Object.assign({}, data.doc.options, this.editorConfig.actionLink || {}); + let _user = new Asc.asc_CUserInfo(); const _userOptions = this.props.storeAppOptions.user; _user.put_Id(_userOptions.id); @@ -162,15 +167,20 @@ class MainController extends Component { docInfo.put_Title(data.doc.title); docInfo.put_Format(data.doc.fileType); docInfo.put_VKey(data.doc.vkey); - docInfo.put_Options(data.doc.options); + docInfo.put_Options(_options); docInfo.put_UserInfo(_user); docInfo.put_CallbackUrl(this.editorConfig.callbackUrl); docInfo.put_Token(data.doc.token); - docInfo.put_Permissions(_permissions); + docInfo.put_Permissions(data.doc.permissions); docInfo.put_EncryptedInfo(this.editorConfig.encryptionKeys); docInfo.put_Lang(this.editorConfig.lang); docInfo.put_Mode(this.editorConfig.mode); + let coEditMode = !(this.editorConfig.coEditing && typeof this.editorConfig.coEditing == 'object') ? 'fast' : // fast by default + this.editorConfig.mode === 'view' && this.editorConfig.coEditing.change!==false ? 'fast' : // if can change mode in viewer - set fast for using live viewer + this.editorConfig.coEditing.mode || 'fast'; + docInfo.put_CoEditingMode(coEditMode); + const appOptions = this.props.storeAppOptions; let enable = !appOptions.customization || (appOptions.customization.macros !== false); docInfo.asc_putIsEnabledMacroses(!!enable); @@ -180,6 +190,7 @@ class MainController extends Component { this.api.asc_registerCallback('asc_onGetEditorPermissions', onEditorPermissions); this.api.asc_registerCallback('asc_onLicenseChanged', this.onLicenseChanged.bind(this)); + this.api.asc_registerCallback('asc_onMacrosPermissionRequest', this.onMacrosPermissionRequest.bind(this)); this.api.asc_registerCallback('asc_onRunAutostartMacroses', this.onRunAutostartMacroses.bind(this)); this.api.asc_setDocInfo(docInfo); this.api.asc_getEditorPermissions(this.editorConfig.licenseUrl, this.editorConfig.customerId); @@ -448,9 +459,9 @@ class MainController extends Component { boxSdk.append(dropdownListTarget); } - let coord = this.api.asc_getActiveCellCoord(), + let coord = this.api.asc_getActiveCellCoord(validation), offset = {left: 0, top: 0}, - showPoint = [coord.asc_getX() + offset.left, (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; + showPoint = [coord.asc_getX() + offset.left + (validation ? coord.asc_getWidth() : 0), (coord.asc_getY() < 0 ? 0 : coord.asc_getY()) + coord.asc_getHeight() + offset.top]; dropdownListTarget.css({left: `${showPoint[0]}px`, top: `${showPoint[1]}px`}); } @@ -616,6 +627,9 @@ class MainController extends Component { || licType === Asc.c_oLicenseResult.SuccessLimit && (appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0)) this._state.licenseType = licType; + if (licType !== undefined && appOptions.canLiveView && (licType===Asc.c_oLicenseResult.ConnectionsLive || licType===Asc.c_oLicenseResult.ConnectionsLiveOS)) + this._state.licenseType = licType; + if (this._isDocReady && this._state.licenseType) this.applyLicense(); } @@ -647,7 +661,13 @@ class MainController extends Component { return; } - if (this._state.licenseType) { + if (appOptions.config.mode === 'view') { + if (appOptions.canLiveView && (this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLive || this._state.licenseType===Asc.c_oLicenseResult.ConnectionsLiveOS)) { + appOptions.canLiveView = false; + this.api.asc_SetFastCollaborative(false); + } + Common.Notifications.trigger('toolbar:activatecontrols'); + } else if (this._state.licenseType) { let license = this._state.licenseType; let buttons = [{text: 'OK'}]; if ((appOptions.trialMode & Asc.c_oLicenseMode.Limited) !== 0 && @@ -735,7 +755,8 @@ class MainController extends Component { if (value === 1) { this.api.asc_runAutostartMacroses(); } else if (value === 0) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.create({ title: _t.notcriticalErrorTitle, text: _t.textHasMacros, @@ -773,6 +794,70 @@ class MainController extends Component { } } + onMacrosPermissionRequest (url, callback) { + if (url && callback) { + this.stackMacrosRequests.push({url: url, callback: callback}); + if (this.stackMacrosRequests.length>1) { + return; + } + } else if (this.stackMacrosRequests.length>0) { + url = this.stackMacrosRequests[0].url; + callback = this.stackMacrosRequests[0].callback; + } else + return; + + const value = this.props.storeApplicationSettings.macrosRequest; + if (value>0) { + callback && callback(value === 1); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + } else { + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); + f7.dialog.create({ + title: _t.notcriticalErrorTitle, + text: _t.textRequestMacros.replace('%1', url), + cssClass: 'dlg-macros-request', + content: `
          + + ${_t.textRemember} +
          `, + buttons: [{ + text: _t.textYes, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(1); + LocalStorage.setItem("sse-mobile-allow-macros-request", 1); + } + setTimeout(() => { + if (callback) callback(true); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + }}, + { + text: _t.textNo, + onClick: () => { + const dontshow = $$('input[name="checkbox-show-macros"]').prop('checked'); + if (dontshow) { + this.props.storeApplicationSettings.changeMacrosRequest(2); + LocalStorage.setItem("sse-mobile-allow-macros-request", 2); + } + setTimeout(() => { + if (callback) callback(false); + this.stackMacrosRequests.shift(); + this.onMacrosPermissionRequest(); + }, 1); + } + }] + }).open(); + } + } + onDownloadUrl (url, fileType) { if (this._state.isFromGatewayDownloadAs) { Common.Gateway.downloadAs(url, fileType); @@ -782,7 +867,8 @@ class MainController extends Component { } onBeforeUnload () { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); LocalStorage.save(); @@ -804,7 +890,8 @@ class MainController extends Component { } onUpdateVersion (callback) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); this.needToUpdateVersion = true; Common.Notifications.trigger('preloader:endAction', Asc.c_oAscAsyncActionType['BlockInteraction'], this.LoadingDocument); @@ -823,7 +910,8 @@ class MainController extends Component { onServerVersion (buildVersion) { if (this.changeServerVersion) return true; - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); if (About.appVersion() !== buildVersion && !About.compareVersions()) { this.changeServerVersion = true; @@ -909,7 +997,8 @@ class MainController extends Component { this.api.asc_OnSaveEnd(data.result); if (data && data.result === false) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.alert( (!data.message) ? _t.errorProcessSaveResult : data.message, _t.criticalErrorTitle @@ -926,7 +1015,8 @@ class MainController extends Component { Common.Notifications.trigger('api:disconnect'); if (!old_rights) { - const _t = this._t; + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); f7.dialog.alert( (!data.message) ? _t.warnProcessRightsChange : data.message, _t.notcriticalErrorTitle, @@ -938,7 +1028,9 @@ class MainController extends Component { onDownloadAs () { if ( this.props.storeAppOptions.canDownload) { - Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this._t.errorAccessDeny); + const { t } = this.props; + const _t = t('Controller.Main', {returnObjects:true}); + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, _t.errorAccessDeny); return; } this._state.isFromGatewayDownloadAs = true; diff --git a/apps/spreadsheeteditor/mobile/src/controller/Search.jsx b/apps/spreadsheeteditor/mobile/src/controller/Search.jsx index c4d33a82c..cb2fa3dde 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/Search.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/Search.jsx @@ -123,9 +123,9 @@ class SESearchView extends SearchView { } onSearchbarShow(isshowed, bar) { - super.onSearchbarShow(isshowed, bar); - + // super.onSearchbarShow(isshowed, bar); const api = Common.EditorApi.get(); + if ( isshowed && this.state.searchQuery.length ) { const checkboxMarkResults = f7.toggle.get('.toggle-mark-results'); api.asc_selectSearchingResults(checkboxMarkResults.checked); diff --git a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx index 30fc9aeb1..1db802bf4 100644 --- a/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx +++ b/apps/spreadsheeteditor/mobile/src/controller/settings/ApplicationSettings.jsx @@ -88,6 +88,10 @@ class ApplicationSettingsController extends Component { Common.Notifications.trigger('changeRegSettings'); } + changeDirection(value) { + LocalStorage.setItem('mode-direction', value); + } + render() { return ( ) } diff --git a/apps/spreadsheeteditor/mobile/src/index_dev.html b/apps/spreadsheeteditor/mobile/src/index_dev.html index 0dc3711ca..b9b13f4c9 100644 --- a/apps/spreadsheeteditor/mobile/src/index_dev.html +++ b/apps/spreadsheeteditor/mobile/src/index_dev.html @@ -2,15 +2,7 @@ - - + diff --git a/apps/spreadsheeteditor/mobile/src/less/app.less b/apps/spreadsheeteditor/mobile/src/less/app.less index 0565ce531..8dc8c6a6e 100644 --- a/apps/spreadsheeteditor/mobile/src/less/app.less +++ b/apps/spreadsheeteditor/mobile/src/less/app.less @@ -3,6 +3,7 @@ @import '../../../../common/mobile/resources/less/_mixins.less'; @import '../../../../common/mobile/resources/less/colors-table.less'; @import '../../../../common/mobile/resources/less/colors-table-dark.less'; +@import './app.rtl.less'; // @themeColor: #40865c; @brandColor: var(--brand-cell); @@ -167,10 +168,16 @@ } .sheet-filter, .popover-filter { - ul li:first-child .list-button{ - color: @text-normal; - &::after { - background: @background-menu-divider; + .list { + ul li:first-child .list-button{ + color: @text-normal; + &::after { + background: @background-menu-divider; + } + } + + .item-inner { + color: @text-normal; } } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/less/app.rtl.less b/apps/spreadsheeteditor/mobile/src/less/app.rtl.less new file mode 100644 index 000000000..5103b8a76 --- /dev/null +++ b/apps/spreadsheeteditor/mobile/src/less/app.rtl.less @@ -0,0 +1,2 @@ +@import '../../../../common/mobile/resources/less/common.rtl.less'; +@import '../../../../common/mobile/resources/less/icons.rtl.less'; diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-common.less b/apps/spreadsheeteditor/mobile/src/less/icons-common.less index 392f464ef..b81569a9e 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-common.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-common.less @@ -78,9 +78,9 @@ } } -// Formats - i.icon { + // Formats + &.icon-format-xlsx { width: 22px; height: 22px; @@ -106,4 +106,37 @@ i.icon { height: 22px; .encoded-svg-background(''); } + + // Text orientation + + &.icon-text-orientation-horizontal { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } + &.icon-text-orientation-anglecount { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } + &.icon-text-orientation-angleclock { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } + &.icon-text-orientation-vertical { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } + &.icon-text-orientation-rotateup { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } + &.icon-text-orientation-rotatedown { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } } diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-ios.less b/apps/spreadsheeteditor/mobile/src/less/icons-ios.less index 16071201f..90d210542 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-ios.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-ios.less @@ -182,6 +182,11 @@ height: 28px; .encoded-svg-mask(''); } + &.icon-cell-style { + width: 24px; + height: 24px; + .encoded-svg-mask(''); + } // Presets of table borders @@ -376,37 +381,6 @@ height: 24px; .encoded-svg-mask(''); } - // Text orientation - &.icon-text-orientation-horizontal { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-anglecount { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-angleclock { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-vertical { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-rotateup { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-rotatedown { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } } .tab-link-active { diff --git a/apps/spreadsheeteditor/mobile/src/less/icons-material.less b/apps/spreadsheeteditor/mobile/src/less/icons-material.less index 39773e019..d69f5fd41 100644 --- a/apps/spreadsheeteditor/mobile/src/less/icons-material.less +++ b/apps/spreadsheeteditor/mobile/src/less/icons-material.less @@ -329,37 +329,6 @@ height: 24px; .encoded-svg-background(''); } - // Text orientation - &.icon-text-orientation-horizontal { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-anglecount { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-angleclock { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-vertical { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-rotateup { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } - &.icon-text-orientation-rotatedown { - width: 24px; - height: 24px; - .encoded-svg-mask(''); - } &.icon-plus { width: 22px; height: 22px; diff --git a/apps/spreadsheeteditor/mobile/src/less/statusbar.less b/apps/spreadsheeteditor/mobile/src/less/statusbar.less index 17579c94f..2c6e67cdf 100644 --- a/apps/spreadsheeteditor/mobile/src/less/statusbar.less +++ b/apps/spreadsheeteditor/mobile/src/less/statusbar.less @@ -50,8 +50,8 @@ padding: 0; margin: 0; height: 100%; - white-space: pre; - // overflow: hidden; + white-space: nowrap; + overflow-x: scroll; // position: absolute; // left: 0; // top: 0; @@ -64,12 +64,6 @@ height: 100%; display: block; } - - &:not(.active) { - a { - opacity: 0.5; - } - } } } } diff --git a/apps/spreadsheeteditor/mobile/src/store/appOptions.js b/apps/spreadsheeteditor/mobile/src/store/appOptions.js index cdecf77b8..7c0c94181 100644 --- a/apps/spreadsheeteditor/mobile/src/store/appOptions.js +++ b/apps/spreadsheeteditor/mobile/src/store/appOptions.js @@ -94,11 +94,16 @@ export class storeAppOptions { this.canComments = this.canLicense && (permissions.comment === undefined ? this.isEdit : permissions.comment) && (this.config.mode !== 'view'); this.canComments = this.canComments && !((typeof (this.customization) == 'object') && this.customization.comments===false); this.canViewComments = this.canComments || !((typeof (this.customization) == 'object') && this.customization.comments===false); - this.canEditComments = this.isOffline || !(typeof (this.customization) == 'object' && this.customization.commentAuthorOnly); + this.canEditComments = this.isOffline || !permissions.editCommentAuthorOnly; this.canDeleteComments= this.isOffline || !permissions.deleteCommentAuthorOnly; + if ((typeof (this.customization) == 'object') && this.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 (permissions.editCommentAuthorOnly===undefined && permissions.deleteCommentAuthorOnly===undefined) + this.canEditComments = this.canDeleteComments = this.isOffline; + } this.canChat = this.canLicense && !this.isOffline && (permissions.chat !== false); this.canPrint = (permissions.print !== false); - this.isRestrictedEdit = !this.isEdit && this.canComments; + this.isRestrictedEdit = !this.isEdit && this.canComments && isSupportEditFeature; this.trialMode = params.asc_getLicenseMode(); const type = /^(?:(pdf|djvu|xps|oxps))$/.exec(document.fileType); @@ -111,5 +116,7 @@ export class storeAppOptions { this.canUseReviewPermissions && AscCommon.UserInfoParser.setReviewPermissions(permissions.reviewGroups, this.customization.reviewPermissions); this.canUseCommentPermissions && AscCommon.UserInfoParser.setCommentPermissions(permissions.commentGroups); this.canUseUserInfoPermissions && AscCommon.UserInfoParser.setUserInfoPermissions(permissions.userInfoGroups); + + this.canLiveView = !!params.asc_getLiveViewerSupport() && (this.config.mode === 'view') && isSupportEditFeature; } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js b/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js index d45318d05..fdf83b3b3 100644 --- a/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js +++ b/apps/spreadsheeteditor/mobile/src/store/applicationSettings.js @@ -5,7 +5,8 @@ export class storeApplicationSettings { constructor() { makeObservable(this, { unitMeasurement: observable, - macrosMode: observable, + macrosMode: observable, + macrosRequest: observable, formulaLang: observable, regCode: observable, regExample: observable, @@ -18,16 +19,21 @@ export class storeApplicationSettings { changeRegCode: action, setRegExample: action, changeUnitMeasurement: action, - changeMacrosSettings: action, + changeMacrosSettings: action, + changeMacrosRequest: action, changeDisplayComments: action, changeDisplayResolved: action, changeRefStyle: action, - changeFormulaLang: action + changeFormulaLang: action, + directionMode: observable, + changeDirectionMode: action }); } - + + directionMode = LocalStorage.getItem('mode-direction') || 'ltr'; unitMeasurement = Common.Utils.Metric.getCurrentMetric(); macrosMode = 0; + macrosRequest = 0; formulaLang = LocalStorage.getItem('sse-settings-func-lang') || this.getFormulaLanguages()[0].value; regCode = undefined; regExample = ''; @@ -36,6 +42,10 @@ export class storeApplicationSettings { isComments = true; isResolvedComments = true; + changeDirectionMode(value) { + this.directionMode = value; + } + getFormulaLanguages() { const dataLang = [ { value: 'en', displayValue: 'English', exampleValue: ' SUM; MIN; MAX; COUNT' }, @@ -102,6 +112,10 @@ export class storeApplicationSettings { this.macrosMode = +value; } + changeMacrosRequest(value) { + this.macrosRequest = value; + } + changeDisplayComments(value) { this.isComments = value; if (!value) this.changeDisplayResolved(value); diff --git a/apps/spreadsheeteditor/mobile/src/store/textSettings.js b/apps/spreadsheeteditor/mobile/src/store/textSettings.js index b034ad03f..21e54e902 100644 --- a/apps/spreadsheeteditor/mobile/src/store/textSettings.js +++ b/apps/spreadsheeteditor/mobile/src/store/textSettings.js @@ -133,9 +133,10 @@ export class storeTextSettings { } loadSprite() { - this.spriteThumbs = new Image(); - this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; - this.spriteThumbs.src = this.thumbs[this.thumbIdx].path; + this.spriteThumbs = new Common.Utils.CThumbnailLoader(); + this.spriteThumbs.load(this.thumbs[this.thumbIdx].path, () => { + this.spriteCols = Math.floor(this.spriteThumbs.width / (this.thumbs[this.thumbIdx].width)) || 1; + }); } initFontInfo(fontObj) { diff --git a/apps/spreadsheeteditor/mobile/src/view/CellEditor.jsx b/apps/spreadsheeteditor/mobile/src/view/CellEditor.jsx index ebd441776..3935e276d 100644 --- a/apps/spreadsheeteditor/mobile/src/view/CellEditor.jsx +++ b/apps/spreadsheeteditor/mobile/src/view/CellEditor.jsx @@ -1,5 +1,5 @@ -import React, { Fragment, useState } from 'react'; +import React, { Fragment, useState, useEffect } from 'react'; import { Input, View, Button, Link, Popover, ListItem, List, Icon, f7, Page, Navbar, NavRight } from 'framework7-react'; import {observer, inject} from "mobx-react"; import { __interactionsRef } from 'scheduler/tracing'; @@ -20,15 +20,26 @@ const FunctionInfo = props => { const functionObj = props.functionObj; const functionInfo = props.functionInfo; + useEffect(() => { + const functionsList = document.querySelector('#functions-list'); + const height = functionsList.offsetHeight + 'px'; + + functionsList.closest('.view').style.height = '200px'; + + return () => { + functionsList.closest('.view').style.height = height; + } + }, []); + return ( - + props.insertFormula(functionObj.name, functionObj.type)}>
          -

          {`${functionInfo.caption} ${functionInfo.args}`}

          +

          {functionInfo.caption && functionInfo.args ? `${functionInfo.caption} ${functionInfo.args}` : functionInfo.name}

          {functionInfo.descr}

          @@ -36,27 +47,37 @@ const FunctionInfo = props => { } const FunctionsList = props => { - const { t } = useTranslation(); const isPhone = Device.isPhone; const functions = props.functions; const funcArr = props.funcArr; + const hintArr = props.hintArr; + + useEffect(() => { + const functionsList = document.querySelector('#functions-list'); + const height = functionsList.offsetHeight + 'px'; + + functionsList.closest('.view').style.height = height; + }, [funcArr]); return ( -
          +
          - {funcArr.map((elem, index) => { + {funcArr && funcArr.length && funcArr.map((elem, index) => { return ( props.insertFormula(elem.name, elem.type)}> -
          { - e.stopPropagation(); - let functionInfo = functions[elem.name]; - if(functionInfo) { - f7.views.current.router.navigate('/function-info/', {props: {functionInfo, functionObj: elem, insertFormula: props.insertFormula}}); - } - }}> - -
          + {(functions[elem.name] || hintArr[index]?.descr) && +
          { + e.stopPropagation(); + let functionInfo = functions[elem.name] || hintArr[index]; + + if(functionInfo) { + f7.views.current.router.navigate('/function-info/', {props: {functionInfo, functionObj: elem, insertFormula: props.insertFormula}}); + } + }}> + +
          + }
          ) })} @@ -65,8 +86,6 @@ const FunctionsList = props => { ) } - - const CellEditorView = props => { const [expanded, setExpanded] = useState(false); const isPhone = Device.isPhone; @@ -78,6 +97,7 @@ const CellEditorView = props => { const functions = storeFunctions.functions; const isEdit = storeAppOptions.isEdit; const funcArr = props.funcArr; + const hintArr = props.hintArr; const expandClick = e => { setExpanded(!expanded); @@ -94,7 +114,7 @@ const CellEditorView = props => {
          -